Resolved #17: Add support for replication progress reporting

This commit is contained in:
MichaelGrafnetter 2016-09-16 17:22:16 +02:00
parent 94b2d70a77
commit c6fb24c78c
36 changed files with 788 additions and 84 deletions

View File

@ -1,3 +1,9 @@
Version 2.17
- [Module] The Get-ADReplAccount -All command now reports replication progress.
- [Framework] Added the ability to retrieve the replication cursor.
- [Framework] The ReplicationCookie class is now immutable and replication progress is reported using a delegate.
- [Framework] Win32 exceptions are now translated to more specific .NET exceptions by the Validator class.
Version 2.16.1
- [Module] Added the -ShowPlainTextPasswords parameter to the Test-PasswordQuality cmdlet.
Cracked and cleartext passwords now do not get displayed by default.

View File

@ -36,6 +36,7 @@
</PropertyGroup>
<ItemGroup>
<Reference Include="System" />
<Reference Include="System.DirectoryServices" />
</ItemGroup>
<ItemGroup>
<Compile Include="Cryptography\HashEqualityComparer.cs" />

View File

@ -12,7 +12,7 @@
<requireLicenseAcceptance>false</requireLicenseAcceptance>
<description>This package is shared between all other DSInternals packages. It contains implementations of common hash functions used by Windows, including NT hash, LM hash and OrgId hash. It also contains methods for SysKey/BootKey retrieval.</description>
<summary>This package is shared between all other DSInternals packages.</summary>
<releaseNotes>Added support for the UserAccountControl attribude.</releaseNotes>
<releaseNotes>Win32 exceptions are now translated to more specific .NET exceptions by the Validator class.</releaseNotes>
<copyright>Copyright (c) 2015-2016 Michael Grafnetter. All rights reserved.</copyright>
<tags>ActiveDirectory Security</tags>
</metadata>

View File

@ -6,8 +6,8 @@ using System.Runtime.InteropServices;
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals Common Library")]
[assembly: AssemblyVersion("2.16")]
[assembly: AssemblyFileVersion("2.16")]
[assembly: AssemblyVersion("2.17")]
[assembly: AssemblyFileVersion("2.17")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]

View File

@ -3,6 +3,7 @@ using DSInternals.Common.Interop;
using DSInternals.Common.Properties;
using System;
using System.ComponentModel;
using System.DirectoryServices.ActiveDirectory;
using System.IO;
using System.Security;
using System.Text.RegularExpressions;
@ -15,18 +16,47 @@ namespace DSInternals.Common
public static void AssertSuccess(NtStatus status)
{
if(status != NtStatus.Success)
{
Win32ErrorCode code = NativeMethods.RtlNtStatusToDosError(status);
throw new Win32Exception((int) code);
}
Win32ErrorCode code = NativeMethods.RtlNtStatusToDosError(status);
AssertSuccess(code);
}
public static void AssertSuccess(Win32ErrorCode code)
{
if (code != Win32ErrorCode.Success)
{
throw new Win32Exception((int) code);
if(code == Win32ErrorCode.Success)
{
// No error occured, so exit gracefully.
return;
}
var genericException = new Win32Exception((int)code);
Exception exceptionToThrow;
// We will try to translate the generic Win32 exception to a more specific built-in exception.
switch(code)
{
case Win32ErrorCode.DS_INVALID_DN_SYNTAX:
exceptionToThrow = new ArgumentException(genericException.Message, genericException);
break;
case Win32ErrorCode.ACCESS_DENIED:
case Win32ErrorCode.DS_DRA_ACCESS_DENIED:
exceptionToThrow = new UnauthorizedAccessException(genericException.Message, genericException);
break;
case Win32ErrorCode.NOT_ENOUGH_MEMORY:
case Win32ErrorCode.OUTOFMEMORY:
case Win32ErrorCode.DS_DRA_OUT_OF_MEM:
case Win32ErrorCode.RPC_S_OUT_OF_RESOURCES:
exceptionToThrow = new OutOfMemoryException(genericException.Message, genericException);
break;
case Win32ErrorCode.NO_LOGON_SERVERS:
case Win32ErrorCode.NO_SUCH_DOMAIN:
case Win32ErrorCode.RPC_S_SERVER_UNAVAILABLE:
case Win32ErrorCode.RPC_S_CALL_FAILED:
exceptionToThrow = new ActiveDirectoryServerDownException(genericException.Message, genericException);
break;
// TODO: Add translation for ActiveDirectoryOperationException and for other exception types.
default:
// We were not able to translate the Win32Exception to a more specific type.
exceptionToThrow = genericException;
break;
}
throw exceptionToThrow;
}
public static void AssertIsHex(string value, string paramName)

View File

@ -12,7 +12,7 @@
<requireLicenseAcceptance>false</requireLicenseAcceptance>
<description>DSInternals DataStore is an advanced framework for offline ntds.dit file manipulation. It can be used to extract password hashes from Active Directory backups or to modify the sIDHistory and primaryGroupId attributes.</description>
<summary>DSInternals DataStore is an advanced framework for offline ntds.dit file manipulation.</summary>
<releaseNotes>Added support for the UserAccountControl attribude.</releaseNotes>
<releaseNotes>Updated dependencies.</releaseNotes>
<copyright>Copyright (c) 2015-2016 Michael Grafnetter. All rights reserved.</copyright>
<tags>ActiveDirectory Security NTDS</tags>
<references>

View File

@ -6,8 +6,8 @@ using System.Runtime.InteropServices;
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals DataStore Library")]
[assembly: AssemblyVersion("2.16")]
[assembly: AssemblyFileVersion("2.16")]
[assembly: AssemblyVersion("2.17")]
[assembly: AssemblyFileVersion("2.17")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]

View File

@ -2,7 +2,10 @@
{
using DSInternals.Common.Data;
using DSInternals.PowerShell.Properties;
using DSInternals.Replication;
using DSInternals.Replication.Model;
using System;
using System.Linq;
using System.Management.Automation;
using System.Security.Principal;
@ -72,10 +75,28 @@
protected void ReturnAllAccounts()
{
foreach (var account in this.ReplicationClient.GetAccounts(this.NamingContext))
// Write the initial progress
// TODO: Extract strings as resources
var progress = new ProgressRecord(1, "Replication", "Replicating Active Directory objects.");
progress.PercentComplete = 0;
this.WriteProgress(progress);
// Update the progress after each replication cycle
ReplicationProgressHandler progressReporter = (ReplicationCookie cookie, int processedObjectCount, int totalObjectCount) =>
{
progress.PercentComplete = (int) (((double)processedObjectCount / (double)totalObjectCount) * 100);
this.WriteProgress(progress);
};
// Replicate all accounts
foreach (var account in this.ReplicationClient.GetAccounts(this.NamingContext, progressReporter))
{
this.WriteObject(account);
}
// Write progress completed
progress.RecordType = ProgressRecordType.Completed;
this.WriteProgress(progress);
}
protected void ReturnSingleAccount()

View File

@ -8,7 +8,7 @@
RootModule = 'DSInternals.psm1'
# Version number of this module.
ModuleVersion = '2.16.1'
ModuleVersion = '2.17'
# ID used to uniquely identify this module
GUID = '766b3ad8-eb78-48e6-84bd-61b31d96b53e'
@ -117,7 +117,7 @@ PrivateData = @{
# ReleaseNotes of this module
ReleaseNotes = @"
- Added the -ShowPlainTextPasswords parameter to the Test-PasswordQuality cmdlet.
- The Get-ADReplAccount -All command now reports replication progress.
"@
} # End of PSData hashtable

View File

@ -5,8 +5,8 @@ using System.Runtime.InteropServices;
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals PowerShell Commands")]
[assembly: AssemblyVersion("2.16.1")]
[assembly: AssemblyFileVersion("2.16.1")]
[assembly: AssemblyVersion("2.17")]
[assembly: AssemblyFileVersion("2.17")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]

View File

@ -14,7 +14,7 @@ using namespace System::Security::Permissions;
//
[assembly:AssemblyTitleAttribute(L"DSInternals Replication Interop Library")];
// Note: Do not forget to change the version in app.rc files.
[assembly:AssemblyVersionAttribute("2.16.0")];
[assembly:AssemblyVersionAttribute("2.17.0")];
[assembly:AssemblyDescriptionAttribute(L"")];
[assembly:AssemblyConfigurationAttribute(L"")];
[assembly:AssemblyCompanyAttribute(L"")];

View File

@ -110,7 +110,7 @@
</ClCompile>
<Link>
<GenerateDebugInformation>true</GenerateDebugInformation>
<AdditionalDependencies>Rpcrt4.lib;Secur32.lib</AdditionalDependencies>
<AdditionalDependencies>RpcRT4.lib;Secur32.lib</AdditionalDependencies>
<LinkTimeCodeGeneration>Default</LinkTimeCodeGeneration>
</Link>
<Midl>
@ -139,7 +139,7 @@
</ClCompile>
<Link>
<GenerateDebugInformation>true</GenerateDebugInformation>
<AdditionalDependencies>Rpcrt4.lib;Secur32.lib</AdditionalDependencies>
<AdditionalDependencies>RpcRT4.lib;Secur32.lib</AdditionalDependencies>
<LinkTimeCodeGeneration>Default</LinkTimeCodeGeneration>
</Link>
<Midl>

View File

@ -78,9 +78,10 @@ namespace DSInternals
{
return this->_sessionKey;
}
void DrsConnection::SessionKey::set(array<byte>^ newKey)
Guid DrsConnection::ServerSiteGuid::get()
{
this->_sessionKey = newKey;
return this->_serverSiteObjectGuid;
}
midl_ptr<DRS_EXTENSIONS_INT> DrsConnection::CreateClientInfo()
@ -93,6 +94,45 @@ namespace DSInternals
return clientInfo;
}
/// <summary>
/// Gets the replication cursor information for the specified partition.
/// </summary>
/// <param name="namingContext">The distinguished name of the partition for which to retrieve the replication cursor information.</param>
array<ReplicationCursor^>^ DrsConnection::GetReplicationCursors(String^ namingContext)
{
// Validate connection
// TODO: Extract connection validation as a proteted method
if (this->IsInvalid)
{
// TODO: Exception type
throw gcnew Exception("Not connected");
}
Validator::AssertNotNullOrWhiteSpace(namingContext, "namingContext");
// Prepare the parameters
DRS_HANDLE handle = this->handle.ToPointer();
const DWORD inVersion = 1;
DWORD outVersion = 0;
auto request = CreateReplicationCursorsRequest(namingContext);
DRS_MSG_GETREPLINFO_REPLY reply = { nullptr };
// Retrieve info from DC
auto result = IDL_DRSGetReplInfo_NoSEH(handle, inVersion, (DRS_MSG_GETREPLINFO_REQ*)request.get(), &outVersion, &reply);
// Validate the return code
Validator::AssertSuccess((Win32ErrorCode)result);
// TODO: Check the returned outVersion.
// Prevent memory leak by storing the cursors in midl_ptr
auto cursors = midl_ptr<DS_REPL_CURSORS>(reply.pCursors);
// Process the results
auto managedCursors = RpcTypeConverter::ToReplicationCursors(move(cursors));
return managedCursors;
}
midl_ptr<DRS_MSG_GETCHGREQ_V8> DrsConnection::CreateGenericReplicateRequest(midl_ptr<DSNAME> &&dsName, array<ATTRTYP>^ partialAttributeSet, ULONG maxBytes, ULONG maxObjects)
{
// TODO: Add support for Windows Server 2003
@ -115,6 +155,14 @@ namespace DSInternals
return request;
}
midl_ptr<DRS_MSG_GETREPLINFO_REQ_V1> DrsConnection::CreateReplicationCursorsRequest(String^ namingContext)
{
auto request = make_midl_ptr<DRS_MSG_GETREPLINFO_REQ_V1>();
request->InfoType = DS_REPL_INFO_TYPE::DS_REPL_INFO_CURSORS_FOR_NC;
request->pszObjectDN = RpcTypeConverter::ToNativeString(namingContext).release();
return request;
}
midl_ptr<DRS_MSG_GETCHGREQ_V8> DrsConnection::CreateReplicateAllRequest(ReplicationCookie^ cookie, array<ATTRTYP>^ partialAttributeSet, ULONG maxBytes, ULONG maxObjects)
{
auto ncToReplicate = RpcTypeConverter::ToDsName(cookie->NamingContext);
@ -124,13 +172,13 @@ namespace DSInternals
request->usnvecFrom.usnHighPropUpdate = cookie->HighPropUpdate;
request->usnvecFrom.usnReserved = cookie->Reserved;
request->uuidInvocIdSrc = RpcTypeConverter::ToUUID(cookie->InvocationId);
request->ulFlags |= DRS_OPTIONS::DRS_GET_NC_SIZE;
return request;
}
midl_ptr<DRS_MSG_GETCHGREQ_V8> DrsConnection::CreateReplicateSingleRequest(Guid objectGuid, array<ATTRTYP>^ partialAttributeSet)
{
auto objectToReplicate = RpcTypeConverter::ToDsName(objectGuid);
// TODO: Are sizes important?
auto request = CreateGenericReplicateRequest(move(objectToReplicate), partialAttributeSet, defaultMaxBytes, defaultMaxObjects);
request->ulExtendedOp = EXOP_REQ::EXOP_REPL_OBJ;
// Guid of an existing DC must be set for the replication to work
@ -141,10 +189,9 @@ namespace DSInternals
midl_ptr<DRS_MSG_GETCHGREQ_V8> DrsConnection::CreateReplicateSingleRequest(String^ distinguishedName, array<ATTRTYP>^ partialAttributeSet)
{
auto objectToReplicate = RpcTypeConverter::ToDsName(distinguishedName);
// TODO: Are sizes important?
auto request = CreateGenericReplicateRequest(move(objectToReplicate), partialAttributeSet, defaultMaxBytes, defaultMaxObjects);
request->ulExtendedOp = EXOP_REQ::EXOP_REPL_OBJ;
// Guid of an existing DC must be set for the replication to work
// Guid of an existing object must be set for the replication to work
request->uuidDsaObjDest = RpcTypeConverter::ToUUID(this->_serverSiteObjectGuid);
return request;
}
@ -161,8 +208,9 @@ namespace DSInternals
ReplicationResult^ DrsConnection::ReplicateAllObjects(ReplicationCookie^ cookie, array<ATTRTYP>^ partialAttributeSet, ULONG maxBytes, ULONG maxObjects)
{
// TODO: Validate Cookie not null
// TODO: To Params
// Validate parameters
Validator::AssertNotNull(cookie, "cookie");
auto request = CreateReplicateAllRequest(cookie, partialAttributeSet, maxBytes, maxObjects);
auto reply = GetNCChanges(move(request));
auto objects = ReadObjects(reply->pObjects, reply->cNumObjects);
@ -170,7 +218,7 @@ namespace DSInternals
Guid invocationId = RpcTypeConverter::ToGuid(reply->uuidInvocIdSrc);
auto newCookie = gcnew ReplicationCookie(cookie->NamingContext, invocationId, usnTo.usnHighObjUpdate, usnTo.usnHighPropUpdate, usnTo.usnReserved);
bool hasMoreData = reply->fMoreData != 0;
return gcnew ReplicationResult(objects, hasMoreData, newCookie);
return gcnew ReplicationResult(objects, hasMoreData, newCookie, reply->cNumNcSizeObjects);
}
ReplicaObject^ DrsConnection::ReplicateSingleObject(String^ distinguishedName)
@ -246,7 +294,7 @@ namespace DSInternals
if (reply->pResult->cItems != request->cNames)
{
// TODO: Exxception type
// TODO: Exception type
throw gcnew Exception("Obj not found");
}
return reply;
@ -325,7 +373,7 @@ namespace DSInternals
midl_ptr<PARTIAL_ATTR_VECTOR_V1_EXT> DrsConnection::CreateNativePas(array<ATTRTYP>^ partialAttributeSet)
{
// TODO: Move to type converter?
// TODO: Move to type RpcTypeConverter?
if (partialAttributeSet == nullptr)
{
return nullptr;
@ -415,13 +463,13 @@ namespace DSInternals
Guid DrsConnection::ReadGuid(const GUID &guid)
{
// TODO: Type converter needed?
// TODO: Move to RpcTypeConverter?
return *reinterpret_cast<Guid *>(const_cast<GUID *>(&guid));
}
String^ DrsConnection::ReadName(const DSNAME* dsName)
{
// TODO: Move to type converter
// TODO: Move to RpcTypeConverter?
if (dsName == nullptr || dsName->NameLen <= 0)
{
return nullptr;
@ -433,7 +481,7 @@ namespace DSInternals
SecurityIdentifier^ DrsConnection::ReadSid(const DSNAME* dsName)
{
// TODO: Move to type converter
// TODO: Move to type RpcTypeConverter?
if (dsName == nullptr || dsName->SidLen <= 0)
{
return nullptr;
@ -469,7 +517,7 @@ namespace DSInternals
memcpy(pinnedManagedKey, nativeKey.SessionKey, nativeKey.SessionKeyLength);
// Do not forget to free the unmanaged memory
SECURITY_STATUS status3 = FreeContextBuffer(nativeKey.SessionKey);
this->SessionKey = managedKey;
this->_sessionKey = managedKey;
}
}
}

View File

@ -36,8 +36,12 @@ namespace DSInternals
property array<byte>^ SessionKey
{
array<byte>^ get();
void set(array<byte>^ newKey);
}
property Guid ServerSiteGuid
{
Guid get();
}
array<ReplicationCursor^>^ GetReplicationCursors(String^ namingContext);
ReplicaObject^ ReplicateSingleObject(Guid objectGuid);
ReplicaObject^ ReplicateSingleObject(Guid objectGuid, array<ATTRTYP>^ partialAttributeSet);
ReplicaObject^ ReplicateSingleObject(String^ distinguishedName);
@ -65,6 +69,7 @@ namespace DSInternals
midl_ptr<DRS_MSG_GETCHGREQ_V8> CreateReplicateSingleRequest(Guid objectGuid, array<ATTRTYP>^ partialAttributeSet);
midl_ptr<DRS_MSG_GETCHGREQ_V8> CreateGenericReplicateRequest(midl_ptr<DSNAME> &&dsName, array<ATTRTYP>^ partialAttributeSet, ULONG maxBytes, ULONG maxObjects);
void RetrieveSessionKey(void* rpcContext);
static midl_ptr<DRS_MSG_GETREPLINFO_REQ_V1> CreateReplicationCursorsRequest(String^ namingContext);
static midl_ptr<PARTIAL_ATTR_VECTOR_V1_EXT> CreateNativePas(array<ATTRTYP>^ partialAttributeSet);
static array<byte>^ ReadValue(const ATTRVAL &value);
static array<array<byte>^>^ ReadValues(const ATTRVALBLOCK &values);

View File

@ -1,6 +1,7 @@
#include "stdafx.h"
#include "RpcTypeConverter.h"
using namespace DSInternals::Common;
using namespace System;
using namespace System::Runtime::InteropServices;
using namespace std;
@ -29,6 +30,27 @@ namespace DSInternals
uuid.Data4[6], uuid.Data4[7]);
}
array<ReplicationCursor^>^ RpcTypeConverter::ToReplicationCursors(midl_ptr<DS_REPL_CURSORS> &&nativeCursors)
{
if (!nativeCursors)
{
return nullptr;
}
DWORD numCursors = nativeCursors->cNumCursors;
auto managedCursors = gcnew array<ReplicationCursor^>(numCursors);
// Process all cursors, one-by-one
for (DWORD i = 0; i < numCursors; i++)
{
auto currentCursor = nativeCursors->rgCursor[i];
auto invocationId = RpcTypeConverter::ToGuid(currentCursor.uuidSourceDsaInvocationID);
managedCursors[i] = gcnew ReplicationCursor(invocationId, currentCursor.usnAttributeFilter);
}
return managedCursors;
}
midl_ptr<wchar_t> RpcTypeConverter::ToNativeString(String^ input)
{
if (input == nullptr)
@ -48,7 +70,8 @@ namespace DSInternals
midl_ptr<DSNAME> RpcTypeConverter::ToDsName(String^ distinguishedName)
{
// TODO: Test DN not null
// Validate the parameter
Validator::AssertNotNullOrWhiteSpace(distinguishedName, "distinguishedName");
// Allocate and initialize the DSNAME struct
auto dnLen = distinguishedName->Length;

View File

@ -4,6 +4,7 @@
#include "drsr_alloc.h"
using namespace DSInternals::Common::Data;
using namespace DSInternals::Replication::Model;
using namespace System;
using namespace System::Security::Principal;
@ -16,9 +17,10 @@ namespace DSInternals
class RpcTypeConverter
{
public:
// TODO: Reference
// TODO: Use Guid as reference?
static UUID ToUUID(Guid guid);
static Guid ToGuid(const UUID &uuid);
static array<ReplicationCursor^>^ ToReplicationCursors(midl_ptr<DS_REPL_CURSORS> &&nativeCursors);
static midl_ptr<wchar_t> ToNativeString(String^ input);
static midl_ptr<DSNAME> ToDsName(String^ distinguishedName);
static midl_ptr<DSNAME> ToDsName(Guid objectGuid);

View File

@ -38,6 +38,16 @@ ULONG IDL_DRSCrackNames_NoSEH(
SuppressRpcException(IDL_DRSCrackNames, hDrs, dwInVersion, pmsgIn, pdwOutVersion, pmsgOut)
}
ULONG IDL_DRSGetReplInfo_NoSEH(
/* [ref][in] */ DRS_HANDLE hDrs,
/* [in] */ DWORD dwInVersion,
/* [switch_is][ref][in] */ DRS_MSG_GETREPLINFO_REQ *pmsgIn,
/* [ref][out] */ DWORD *pdwOutVersion,
/* [switch_is][ref][out] */ DRS_MSG_GETREPLINFO_REPLY *pmsgOut)
{
SuppressRpcException(IDL_DRSGetReplInfo, hDrs, dwInVersion, pmsgIn, pdwOutVersion, pmsgOut)
}
ULONG IDL_DRSUnbind_NoSEH(
/* [ref][out][in] */ DRS_HANDLE *phDrs)
{

View File

@ -486,5 +486,12 @@ ULONG IDL_DRSCrackNames_NoSEH(
/* [ref][out] */ DWORD *pdwOutVersion,
/* [switch_is][ref][out] */ DRS_MSG_CRACKREPLY *pmsgOut);
ULONG IDL_DRSGetReplInfo_NoSEH(
/* [ref][in] */ DRS_HANDLE hDrs,
/* [in] */ DWORD dwInVersion,
/* [switch_is][ref][in] */ DRS_MSG_GETREPLINFO_REQ *pmsgIn,
/* [ref][out] */ DWORD *pdwOutVersion,
/* [switch_is][ref][out] */ DRS_MSG_GETREPLINFO_REPLY *pmsgOut);
ULONG IDL_DRSUnbind_NoSEH(
/* [ref][out][in] */ DRS_HANDLE *phDrs);

View File

@ -156,7 +156,7 @@ void midl_delete<DRS_MSG_GETCHGREPLY_V6>::operator()(DRS_MSG_GETCHGREPLY_V6* rep
// Free the linked values:
DWORD numValues = reply->cNumValues;
for (DWORD i = 0; i < reply->cNumValues; i++)
for (DWORD i = 0; i < numValues; i++)
{
auto currentValue = reply->rgValues[i];
midl_user_free(currentValue.pObject);
@ -166,4 +166,19 @@ void midl_delete<DRS_MSG_GETCHGREPLY_V6>::operator()(DRS_MSG_GETCHGREPLY_V6* rep
// Finally, free the encapsulating object:
midl_user_free(reply);
}
template<>
void midl_delete<DRS_MSG_GETREPLINFO_REQ_V1>::operator()(DRS_MSG_GETREPLINFO_REQ_V1* request) const
{
if (request == nullptr)
{
return;
}
// Free the DN string
midl_user_free(request->pszObjectDN);
// Free the encapsulating object:
midl_user_free(request);
}

View File

@ -18,6 +18,9 @@ void midl_delete<DRS_MSG_CRACKREQ_V1>::operator()(DRS_MSG_CRACKREQ_V1* request)
template<>
void midl_delete<DRS_MSG_CRACKREPLY_V1>::operator()(DRS_MSG_CRACKREPLY_V1* request) const;
template<>
void midl_delete<DRS_MSG_GETREPLINFO_REQ_V1>::operator()(DRS_MSG_GETREPLINFO_REQ_V1* request) const;
template<>
midl_ptr<DRS_EXTENSIONS_INT> make_midl_ptr();

View File

@ -0,0 +1,91 @@
<?xml version="1.0" encoding="utf-8"?>
<Project ToolsVersion="12.0" DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup>
<Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
<Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
<ProjectGuid>{B7E02A94-DA21-4302-82A6-2D4B7F279F21}</ProjectGuid>
<OutputType>Library</OutputType>
<AppDesignerFolder>Properties</AppDesignerFolder>
<RootNamespace>DSInternals.Replication.Model.Test</RootNamespace>
<AssemblyName>DSInternals.Replication.Model.Test</AssemblyName>
<TargetFrameworkVersion>v4.5.1</TargetFrameworkVersion>
<FileAlignment>512</FileAlignment>
<ProjectTypeGuids>{3AC096D0-A1C2-E12C-1390-A8335801FDAB};{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}</ProjectTypeGuids>
<VisualStudioVersion Condition="'$(VisualStudioVersion)' == ''">10.0</VisualStudioVersion>
<VSToolsPath Condition="'$(VSToolsPath)' == ''">$(MSBuildExtensionsPath32)\Microsoft\VisualStudio\v$(VisualStudioVersion)</VSToolsPath>
<ReferencePath>$(ProgramFiles)\Common Files\microsoft shared\VSTT\$(VisualStudioVersion)\UITestExtensionPackages</ReferencePath>
<IsCodedUITest>False</IsCodedUITest>
<TestProjectType>UnitTest</TestProjectType>
</PropertyGroup>
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
<DebugSymbols>true</DebugSymbols>
<DebugType>full</DebugType>
<Optimize>false</Optimize>
<OutputPath>bin\Debug\</OutputPath>
<DefineConstants>DEBUG;TRACE</DefineConstants>
<ErrorReport>prompt</ErrorReport>
<WarningLevel>4</WarningLevel>
</PropertyGroup>
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
<DebugType>pdbonly</DebugType>
<Optimize>true</Optimize>
<OutputPath>bin\Release\</OutputPath>
<DefineConstants>TRACE</DefineConstants>
<ErrorReport>prompt</ErrorReport>
<WarningLevel>4</WarningLevel>
</PropertyGroup>
<ItemGroup>
<Reference Include="System" />
<Reference Include="System.Runtime.Serialization" />
<Reference Include="System.XML" />
</ItemGroup>
<Choose>
<When Condition="('$(VisualStudioVersion)' == '10.0' or '$(VisualStudioVersion)' == '') and '$(TargetFrameworkVersion)' == 'v3.5'">
<ItemGroup>
<Reference Include="Microsoft.VisualStudio.QualityTools.UnitTestFramework, Version=10.1.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a, processorArchitecture=MSIL" />
</ItemGroup>
</When>
<Otherwise>
<ItemGroup>
<Reference Include="Microsoft.VisualStudio.QualityTools.UnitTestFramework" />
</ItemGroup>
</Otherwise>
</Choose>
<ItemGroup>
<Compile Include="ReplicationCookieTester.cs" />
<Compile Include="Properties\AssemblyInfo.cs" />
</ItemGroup>
<ItemGroup>
<ProjectReference Include="..\DSInternals.Replication.Model\DSInternals.Replication.Model.csproj">
<Project>{0bca513c-5f12-48b6-8288-d3a95ec2994a}</Project>
<Name>DSInternals.Replication.Model</Name>
</ProjectReference>
</ItemGroup>
<Choose>
<When Condition="'$(VisualStudioVersion)' == '10.0' And '$(IsCodedUITest)' == 'True'">
<ItemGroup>
<Reference Include="Microsoft.VisualStudio.QualityTools.CodedUITestFramework, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a, processorArchitecture=MSIL">
<Private>False</Private>
</Reference>
<Reference Include="Microsoft.VisualStudio.TestTools.UITest.Common, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a, processorArchitecture=MSIL">
<Private>False</Private>
</Reference>
<Reference Include="Microsoft.VisualStudio.TestTools.UITest.Extension, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a, processorArchitecture=MSIL">
<Private>False</Private>
</Reference>
<Reference Include="Microsoft.VisualStudio.TestTools.UITesting, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a, processorArchitecture=MSIL">
<Private>False</Private>
</Reference>
</ItemGroup>
</When>
</Choose>
<Import Project="$(VSToolsPath)\TeamTest\Microsoft.TestTools.targets" Condition="Exists('$(VSToolsPath)\TeamTest\Microsoft.TestTools.targets')" />
<Import Project="$(MSBuildToolsPath)\Microsoft.CSharp.targets" />
<!-- To modify your build process, add your task inside one of the targets below and uncomment it.
Other similar extension points exist, see Microsoft.Common.targets.
<Target Name="BeforeBuild">
</Target>
<Target Name="AfterBuild">
</Target>
-->
</Project>

View File

@ -0,0 +1,36 @@
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
// General Information about an assembly is controlled through the following
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals.Replication.Model.Test")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("DSInternals.Replication.Model.Test")]
[assembly: AssemblyCopyright("Copyright © 2016")]
[assembly: AssemblyTrademark("")]
[assembly: AssemblyCulture("")]
// Setting ComVisible to false makes the types in this assembly not visible
// to COM components. If you need to access a type in this assembly from
// COM, set the ComVisible attribute to true on that type.
[assembly: ComVisible(false)]
// The following GUID is for the ID of the typelib if this project is exposed to COM
[assembly: Guid("f0b06262-fa1c-4e98-ac14-b256e871234a")]
// Version information for an assembly consists of the following four values:
//
// Major Version
// Minor Version
// Build Number
// Revision
//
// You can specify all the values or you can default the Build and Revision Numbers
// by using the '*' as shown below:
// [assembly: AssemblyVersion("1.0.*")]
[assembly: AssemblyVersion("1.0.0.0")]
[assembly: AssemblyFileVersion("1.0.0.0")]

View File

@ -0,0 +1,125 @@
using System;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using System.Runtime.Serialization;
using System.IO;
namespace DSInternals.Replication.Model.Test
{
[TestClass]
public class ReplicationCookieTester
{
[TestMethod]
public void ReplicationCookie_Equals_Vector1()
{
var cookie1 = new ReplicationCookie("DC=adatum,DC=com");
var cookie2 = new ReplicationCookie("DC=adatum,DC=com");
Assert.IsTrue(cookie1.Equals((object)cookie2));
Assert.IsTrue(cookie1.Equals(cookie2));
Assert.IsTrue(cookie1 == cookie2);
Assert.IsFalse(cookie1 != cookie2);
}
[TestMethod]
public void ReplicationCookie_Equals_Vector2()
{
Guid guid = Guid.NewGuid();
var cookie1 = new ReplicationCookie("DC=adatum,DC=com", guid, 1, 2, 3);
var cookie2 = new ReplicationCookie("DC=adatum,DC=com", guid, 1, 2, 3);
Assert.IsTrue(cookie1.Equals((object)cookie2));
Assert.IsTrue(cookie1.Equals(cookie2));
Assert.IsTrue(cookie1 == cookie2);
Assert.IsFalse(cookie1 != cookie2);
}
[TestMethod]
public void ReplicationCookie_NotEquals()
{
var cookie1 = new ReplicationCookie("DC=adatum,DC=com");
var cookie2 = new ReplicationCookie("DC=contoso,DC=com");
Assert.IsFalse(cookie1.Equals((object)cookie2));
Assert.IsFalse(cookie1.Equals(cookie2));
Assert.IsFalse(cookie1 == cookie2);
Assert.IsTrue(cookie1 != cookie2);
}
[TestMethod]
public void ReplicationCookie_NotEqualsNull()
{
var cookie1 = new ReplicationCookie("DC=adatum,DC=com");
var cookie2 = (ReplicationCookie)null;
Assert.IsFalse(cookie1.Equals(cookie2));
Assert.IsFalse(cookie1.Equals((object)cookie2));
Assert.IsFalse(cookie1 == cookie2);
Assert.IsTrue(cookie1 != cookie2);
}
[TestMethod]
public void ReplicationCookie_Equals_Nulls()
{
var cookie1 = (ReplicationCookie)null;
var cookie2 = (ReplicationCookie)null;
Assert.IsTrue(cookie1 == cookie2);
Assert.IsFalse(cookie1 != cookie2);
}
[TestMethod]
public void ReplicationCookie_NotEqualsNonCookie()
{
var cookie = new ReplicationCookie("DC=adatum,DC=com");
var str = "DC=adatum,DC=com";
Assert.IsFalse(cookie.Equals(str));
Assert.IsFalse(cookie.Equals((object)str));
}
[TestMethod]
public void ReplicationCookie_NotEqualsNonCookieNull()
{
var cookie = new ReplicationCookie("DC=adatum,DC=com");
string str = null;
Assert.IsFalse(cookie.Equals(str));
Assert.IsFalse(cookie.Equals((object)str));
}
[TestMethod]
public void ReplicationCookie_Serialization()
{
Guid guid = Guid.NewGuid();
var originalCookie = new ReplicationCookie("DC=adatum,DC=com", guid, 1, 2, 3);
// Serialize
var serializer = new DataContractSerializer(typeof(ReplicationCookie));
byte[] binaryForm;
using (var stream = new MemoryStream())
{
serializer.WriteObject(stream, originalCookie);
binaryForm = stream.ToArray();
}
// Deserialize
ReplicationCookie deserializedCookie;
using (var stream = new MemoryStream(binaryForm))
{
deserializedCookie = (ReplicationCookie) serializer.ReadObject(stream);
}
// Test that the deserialization worked
Assert.AreEqual(originalCookie, deserializedCookie);
}
[TestMethod]
public void ReplicationCookie_GetHashCode_Equal()
{
var cookie1 = new ReplicationCookie("DC=adatum,DC=com");
var cookie2 = new ReplicationCookie("DC=adatum,DC=com");
Assert.AreEqual(cookie1.GetHashCode(), cookie2.GetHashCode());
}
[TestMethod]
public void ReplicationCookie_GetHashCode_NotEqual()
{
var cookie1 = new ReplicationCookie("DC=adatum,DC=com");
var cookie2 = new ReplicationCookie("DC=contoso,DC=com");
Assert.AreNotEqual(cookie1.GetHashCode(), cookie2.GetHashCode());
}
}
}

View File

@ -41,6 +41,7 @@
</PropertyGroup>
<ItemGroup>
<Reference Include="System" />
<Reference Include="System.Runtime.Serialization" />
</ItemGroup>
<ItemGroup>
<Compile Include="..\Configuration\CommonAssemblyInfo.cs">
@ -53,6 +54,7 @@
<Compile Include="ReplicaObject.cs" />
<Compile Include="ReplicaObjectCollection.cs" />
<Compile Include="ReplicationCookie.cs" />
<Compile Include="ReplicationCursor.cs" />
<Compile Include="ReplicationResult.cs" />
</ItemGroup>
<ItemGroup>

View File

@ -6,8 +6,8 @@ using System.Runtime.InteropServices;
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals Replication Data Model")]
[assembly: AssemblyVersion("2.15")]
[assembly: AssemblyFileVersion("2.15")]
[assembly: AssemblyVersion("2.17")]
[assembly: AssemblyFileVersion("2.17")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]

View File

@ -1,19 +1,23 @@
using System;
using DSInternals.Common;
using System;
using System.Runtime.Serialization;
namespace DSInternals.Replication.Model
{
/// <summary>
/// USN Vector
/// </summary>
[Serializable]
[DataContract]
public sealed class ReplicationCookie
{
public ReplicationCookie(string namingContext)
{
Validator.AssertNotNullOrWhiteSpace(namingContext, "namingContext");
this.NamingContext = namingContext;
}
public ReplicationCookie(string namingContext, Guid invocationId, Int64 highObjectUpdate, Int64 highPropUpdate, Int64 reserved)
{
Validator.AssertNotNullOrWhiteSpace(namingContext, "namingContext");
this.NamingContext = namingContext;
this.InvocationId = invocationId;
this.HighObjUpdate = highObjectUpdate;
@ -21,48 +25,112 @@ namespace DSInternals.Replication.Model
this.Reserved = reserved;
}
private ReplicationCookie()
{
}
/// <summary>
/// Performs memberwise assignment.
/// </summary>
/// <param name="cookie">The cookie to assign.</param>
public void Assign(ReplicationCookie cookie)
{
this.NamingContext = cookie.NamingContext;
this.InvocationId = cookie.InvocationId;
this.HighObjUpdate = cookie.HighObjUpdate;
this.Reserved = cookie.Reserved;
this.HighPropUpdate = cookie.HighPropUpdate;
}
[DataMember]
public string NamingContext
{
get;
set;
private set;
}
[DataMember]
public Guid InvocationId
{
get;
set;
private set;
}
[DataMember]
public Int64 HighObjUpdate
{
get;
set;
private set;
}
[DataMember]
public Int64 Reserved
{
get;
set;
private set;
}
[DataMember]
public Int64 HighPropUpdate
{
get;
set;
private set;
}
public override int GetHashCode()
{
// We simply XOR the hash codes of all members
return this.HighObjUpdate.GetHashCode() ^
this.HighPropUpdate.GetHashCode() ^
this.InvocationId.GetHashCode() ^
this.NamingContext.GetHashCode() ^
this.Reserved.GetHashCode();
}
public override bool Equals(object obj)
{
// If parameter is null return false.
if (obj == null)
{
return false;
}
// If parameter cannot be cast to ReplicationCookie return false.
ReplicationCookie cookie = obj as ReplicationCookie;
if ((object)cookie == null)
{
return false;
}
// Return true if the properties match:
return MemberwiseEquals(this, cookie);
}
public bool Equals(ReplicationCookie cookie)
{
// If parameter is null return false:
if ((object)cookie == null)
{
return false;
}
// Return true if the properties match:
return MemberwiseEquals(this, cookie);
}
public static bool operator ==(ReplicationCookie a, ReplicationCookie b)
{
// If both are null, or both are same instance, return true.
if (Object.ReferenceEquals(a, b))
{
return true;
}
// If one is null, but not both, return false.
if (((object)a == null) || ((object)b == null))
{
return false;
}
// Return true if the properties match:
return MemberwiseEquals(a, b);
}
public static bool operator !=(ReplicationCookie a, ReplicationCookie b)
{
return !(a == b);
}
private static bool MemberwiseEquals(ReplicationCookie a, ReplicationCookie b)
{
return a.HighObjUpdate == b.HighObjUpdate &&
a.HighPropUpdate == b.HighPropUpdate &&
a.InvocationId == b.InvocationId &&
a.NamingContext == b.NamingContext &&
a.Reserved == b.Reserved;
}
}
}

View File

@ -0,0 +1,44 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace DSInternals.Replication.Model
{
/// <summary>
/// The ReplicationCursor class represents a replication operation occurrence.
/// </summary>
public class ReplicationCursor
{
public ReplicationCursor(Guid invocationId, long highestUsn)
{
this.UpToDatenessUsn = highestUsn;
this.SourceInvocationId = invocationId;
}
/// <summary>
/// Gets or sets the invocation identifier of the replication source server.
/// </summary>
public Guid SourceInvocationId
{
get;
protected set;
}
/// <summary>
/// Gets or sets the maximum update sequence number (USN)
/// for which the destination server has accepted changes from the source server.
/// </summary>
public long UpToDatenessUsn
{
get;
protected set;
}
public override string ToString()
{
return String.Format("{0}: {1}", this.SourceInvocationId, this.UpToDatenessUsn);
}
}
}

View File

@ -8,11 +8,12 @@ namespace DSInternals.Replication.Model
public class ReplicationResult
{
// TODO: AsReadOnly
public ReplicationResult(ReplicaObjectCollection objects, bool hasMore, ReplicationCookie cookie)
public ReplicationResult(ReplicaObjectCollection objects, bool hasMore, ReplicationCookie cookie, int totalObjectCount)
{
this.Objects = objects;
this.HasMoreData = hasMore;
this.Cookie = cookie;
this.TotalObjectCount = totalObjectCount;
}
public ReplicaObjectCollection Objects
{

View File

@ -51,6 +51,7 @@
</Compile>
<Compile Include="DirectoryReplicationClient.cs" />
<Compile Include="Properties\AssemblyInfo.cs" />
<Compile Include="ReplicationProgressHandler.cs" />
<Compile Include="RpcProtocol.cs" />
<Compile Include="ReplicationSecretDecryptor.cs" />
</ItemGroup>

View File

@ -12,7 +12,7 @@
<requireLicenseAcceptance>false</requireLicenseAcceptance>
<description>DSInternals Replication implements a client for the Active Directory Replication Service Remote Protocol (DRS-R). It can be used to remotely extract password hashes from domain controllers.</description>
<summary>DSInternals Replication implements a client for the Active Directory Replication Service Remote Protocol (DRS-R).</summary>
<releaseNotes>Accounts can now be retrieved by their UPN.</releaseNotes>
<releaseNotes>Added the ability to retrieve the replication cursor.</releaseNotes>
<copyright>Copyright (c) 2015-2016 Michael Grafnetter. All rights reserved.</copyright>
<tags>ActiveDirectory Security RPC DRSR</tags>
<references>

View File

@ -32,26 +32,46 @@
public DirectoryReplicationClient(string server, RpcProtocol protocol, NetworkCredential credential = null)
{
Validator.AssertNotNullOrWhiteSpace(server, "server");
this.CreateRpcConnection(server, protocol, credential);
this.drsConnection = new DrsConnection(this.rpcConnection.Binding, DcPromoGuid2k3);
}
public IEnumerable<DSAccount> GetAccounts(string domainNamingContext)
public ReplicationCursor[] GetReplicationCursors(string namingContext)
{
Validator.AssertNotNullOrWhiteSpace(namingContext, "namingContext");
return this.drsConnection.GetReplicationCursors(namingContext);
}
public IEnumerable<DSAccount> GetAccounts(string domainNamingContext, ReplicationProgressHandler progressReporter = null)
{
Validator.AssertNotNullOrWhiteSpace(domainNamingContext, "domainNamingContext");
ReplicationCookie cookie = new ReplicationCookie(domainNamingContext);
return GetAccounts(cookie);
return GetAccounts(cookie, progressReporter);
}
public IEnumerable<DSAccount> GetAccounts(ReplicationCookie cookie)
public IEnumerable<DSAccount> GetAccounts(ReplicationCookie initialCookie, ReplicationProgressHandler progressReporter = null)
{
Validator.AssertNotNull(cookie, "cookie");
// Set Schema
Validator.AssertNotNull(initialCookie, "initialCookie");
// Create AD schema
var schema = BasicSchemaFactory.CreateSchema();
var currentCookie = initialCookie;
ReplicationResult result;
int processedObjectCount = 0;
do
{
result = this.drsConnection.ReplicateAllObjects(cookie);
// Perform one replication cycle
result = this.drsConnection.ReplicateAllObjects(currentCookie);
// Report replication progress
if(progressReporter != null)
{
processedObjectCount += result.Objects.Count;
progressReporter(result.Cookie, processedObjectCount, result.TotalObjectCount);
}
// Process the returned objects
foreach (var obj in result.Objects)
{
obj.Schema = schema;
@ -62,10 +82,9 @@
var account = new DSAccount(obj, this.SecretDecryptor);
yield return account;
}
/* We are modifying the original cookie. Originally, the cookie was immutable,
but the new value could not be returned because iterators do not support out/ref.
This is probably a poor design and it might be done in a more elegant way. */
cookie.Assign(result.Cookie);
// Update the position of the replication cursor
currentCookie = result.Cookie;
} while (result.HasMoreData);
}
@ -79,7 +98,7 @@
public IEnumerable<DPAPIBackupKey> GetDPAPIBackupKeys(string domainNamingContext)
{
// TODO: Move schema prom constructor to property?
// TODO: Move schema from constructor to property?
// TODO: Split this function into RSA and Legacy Part so that exception in one of them does not crash the whole process
var schema = BasicSchemaFactory.CreateSchema();

View File

@ -6,8 +6,8 @@ using System.Runtime.InteropServices;
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals Replication Library")]
[assembly: AssemblyVersion("2.16")]
[assembly: AssemblyFileVersion("2.16")]
[assembly: AssemblyVersion("2.17")]
[assembly: AssemblyFileVersion("2.17")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]

View File

@ -0,0 +1,6 @@
namespace DSInternals.Replication
{
using DSInternals.Replication.Model;
public delegate void ReplicationProgressHandler(ReplicationCookie cookie, int processedObjectCount, int totalObjectCount);
}

View File

@ -6,8 +6,8 @@ using System.Runtime.InteropServices;
// set of attributes. Change these attribute values to modify the information
// associated with an assembly.
[assembly: AssemblyTitle("DSInternals SAM Library")]
[assembly: AssemblyVersion("2.16")]
[assembly: AssemblyFileVersion("2.16")]
[assembly: AssemblyVersion("2.17")]
[assembly: AssemblyFileVersion("2.17")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]

View File

@ -66,98 +66,238 @@ Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Microsoft.Database.Isam", "
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Microsoft.Isam.Esent.Interop", "Microsoft.Isam.Esent.Interop\Microsoft.Isam.Esent.Interop.csproj", "{E929E163-52A0-4AAC-917B-6D7FAF70C45E}"
EndProject
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "DSInternals.Replication.Model.Test", "DSInternals.Replication.Model.Test\DSInternals.Replication.Model.Test.csproj", "{B7E02A94-DA21-4302-82A6-2D4B7F279F21}"
EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
Debug|ARM = Debug|ARM
Debug|Mixed Platforms = Debug|Mixed Platforms
Debug|x64 = Debug|x64
Debug|x86 = Debug|x86
Release|Any CPU = Release|Any CPU
Release|ARM = Release|ARM
Release|Mixed Platforms = Release|Mixed Platforms
Release|x64 = Release|x64
Release|x86 = Release|x86
EndGlobalSection
GlobalSection(ProjectConfigurationPlatforms) = postSolution
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|Any CPU.Build.0 = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|ARM.ActiveCfg = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|x64.ActiveCfg = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|x64.Build.0 = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|x86.ActiveCfg = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Debug|x86.Build.0 = Debug|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|Any CPU.ActiveCfg = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|Any CPU.Build.0 = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|ARM.ActiveCfg = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|x64.ActiveCfg = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|x86.ActiveCfg = Release|Any CPU
{C7EECC1F-1F9C-400B-A981-A8106E2A75F7}.Release|x86.Build.0 = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|Any CPU.Build.0 = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|ARM.ActiveCfg = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|x64.ActiveCfg = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|x64.Build.0 = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|x86.ActiveCfg = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Debug|x86.Build.0 = Debug|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|Any CPU.ActiveCfg = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|Any CPU.Build.0 = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|ARM.ActiveCfg = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|x64.ActiveCfg = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|x86.ActiveCfg = Release|Any CPU
{924F67C0-8FFF-4714-891A-FC0799F46727}.Release|x86.Build.0 = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|Any CPU.Build.0 = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|ARM.ActiveCfg = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|x64.ActiveCfg = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|x64.Build.0 = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|x86.ActiveCfg = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Debug|x86.Build.0 = Debug|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|Any CPU.ActiveCfg = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|Any CPU.Build.0 = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|ARM.ActiveCfg = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|x64.ActiveCfg = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|x64.Build.0 = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|x86.ActiveCfg = Release|Any CPU
{7D47F040-D3A9-43CA-9F69-EF91FAF2C23A}.Release|x86.Build.0 = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|Any CPU.Build.0 = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|ARM.ActiveCfg = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|x64.ActiveCfg = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|x64.Build.0 = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|x86.ActiveCfg = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Debug|x86.Build.0 = Debug|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|Any CPU.ActiveCfg = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|Any CPU.Build.0 = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|ARM.ActiveCfg = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|x64.ActiveCfg = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|x86.ActiveCfg = Release|Any CPU
{8A857B97-1BE0-4BAE-A4E8-DEE870858BFD}.Release|x86.Build.0 = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|Any CPU.Build.0 = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|ARM.ActiveCfg = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|x64.ActiveCfg = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|x64.Build.0 = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|x86.ActiveCfg = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Debug|x86.Build.0 = Debug|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|Any CPU.ActiveCfg = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|Any CPU.Build.0 = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|ARM.ActiveCfg = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|x64.ActiveCfg = Release|Any CPU
{744163E3-AEDA-407C-A917-7C406977B4B8}.Release|x86.ActiveCfg = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|Any CPU.Build.0 = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|ARM.ActiveCfg = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|x64.ActiveCfg = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|x64.Build.0 = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|x86.ActiveCfg = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Debug|x86.Build.0 = Debug|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|Any CPU.ActiveCfg = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|Any CPU.Build.0 = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|ARM.ActiveCfg = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|x64.ActiveCfg = Release|Any CPU
{91377A6C-52EE-4267-9D6A-1475E2183648}.Release|x86.ActiveCfg = Release|Any CPU
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|Any CPU.ActiveCfg = Debug|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|ARM.ActiveCfg = Debug|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|Mixed Platforms.ActiveCfg = Debug|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|Mixed Platforms.Build.0 = Debug|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|x64.ActiveCfg = Debug|x64
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|x64.Build.0 = Debug|x64
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|x86.ActiveCfg = Debug|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Debug|x86.Build.0 = Debug|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|Any CPU.ActiveCfg = Release|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|ARM.ActiveCfg = Release|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|Mixed Platforms.ActiveCfg = Release|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|Mixed Platforms.Build.0 = Release|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|x64.ActiveCfg = Release|x64
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|x64.Build.0 = Release|x64
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|x86.ActiveCfg = Release|Win32
{A70A6658-DD67-4C73-AB9A-581465137C6B}.Release|x86.Build.0 = Release|Win32
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|Any CPU.Build.0 = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|ARM.ActiveCfg = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|x64.ActiveCfg = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|x64.Build.0 = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|x86.ActiveCfg = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Debug|x86.Build.0 = Debug|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|Any CPU.ActiveCfg = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|Any CPU.Build.0 = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|ARM.ActiveCfg = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|x64.ActiveCfg = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|x64.Build.0 = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|x86.ActiveCfg = Release|Any CPU
{0BCA513C-5F12-48B6-8288-D3A95EC2994A}.Release|x86.Build.0 = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|Any CPU.Build.0 = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|ARM.ActiveCfg = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|x64.ActiveCfg = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|x64.Build.0 = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|x86.ActiveCfg = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Debug|x86.Build.0 = Debug|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|Any CPU.ActiveCfg = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|Any CPU.Build.0 = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|ARM.ActiveCfg = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|x64.ActiveCfg = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|x86.ActiveCfg = Release|Any CPU
{2EE0D48F-65BA-4D4F-A8E1-FC01349BA786}.Release|x86.Build.0 = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|Any CPU.Build.0 = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|ARM.ActiveCfg = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|x64.ActiveCfg = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|x64.Build.0 = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|x86.ActiveCfg = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Debug|x86.Build.0 = Debug|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|Any CPU.ActiveCfg = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|Any CPU.Build.0 = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|ARM.ActiveCfg = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|x64.ActiveCfg = Release|Any CPU
{11DB6E06-E5E4-4612-9062-0B8E68099880}.Release|x86.ActiveCfg = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|Any CPU.Build.0 = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|ARM.ActiveCfg = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|x64.ActiveCfg = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|x64.Build.0 = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|x86.ActiveCfg = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Debug|x86.Build.0 = Debug|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|Any CPU.ActiveCfg = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|Any CPU.Build.0 = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|ARM.ActiveCfg = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|x64.ActiveCfg = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|x86.ActiveCfg = Release|Any CPU
{21CC632C-B09A-4DB7-BD6E-7F7D2716F58F}.Release|x86.Build.0 = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|Any CPU.Build.0 = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|ARM.ActiveCfg = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|x64.ActiveCfg = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|x64.Build.0 = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|x86.ActiveCfg = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Debug|x86.Build.0 = Debug|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|Any CPU.ActiveCfg = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|Any CPU.Build.0 = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|ARM.ActiveCfg = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|x64.ActiveCfg = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|x86.ActiveCfg = Release|Any CPU
{E929E163-52A0-4AAC-917B-6D7FAF70C45E}.Release|x86.Build.0 = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|Any CPU.Build.0 = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|ARM.ActiveCfg = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|Mixed Platforms.ActiveCfg = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|Mixed Platforms.Build.0 = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|x64.ActiveCfg = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Debug|x86.ActiveCfg = Debug|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|Any CPU.ActiveCfg = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|Any CPU.Build.0 = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|ARM.ActiveCfg = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|Mixed Platforms.ActiveCfg = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|Mixed Platforms.Build.0 = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|x64.ActiveCfg = Release|Any CPU
{B7E02A94-DA21-4302-82A6-2D4B7F279F21}.Release|x86.ActiveCfg = Release|Any CPU
EndGlobalSection
GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE