Update 20211218
This commit is contained in:
Binary file not shown.
BIN
.vs/DPM2016/v17/.suo
Normal file
BIN
.vs/DPM2016/v17/.suo
Normal file
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
8
CryptoTest/CryptoTest.csproj
Normal file
8
CryptoTest/CryptoTest.csproj
Normal file
@@ -0,0 +1,8 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>netcoreapp3.1</TargetFramework>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
||||
156
CryptoTest/Program.cs
Normal file
156
CryptoTest/Program.cs
Normal file
@@ -0,0 +1,156 @@
|
||||
using System;
|
||||
using System.IO;
|
||||
using System.Linq;
|
||||
using System.Security.Cryptography;
|
||||
using System.Text;
|
||||
|
||||
namespace CryptoTest
|
||||
{
|
||||
class Program
|
||||
{
|
||||
|
||||
public static byte[] StringToByteArray(string hex)
|
||||
{
|
||||
return Enumerable.Range(0, hex.Length)
|
||||
.Where(x => x % 2 == 0)
|
||||
.Select(x => Convert.ToByte(hex.Substring(x, 2), 16))
|
||||
.ToArray();
|
||||
}
|
||||
public static void Main()
|
||||
{
|
||||
|
||||
|
||||
try
|
||||
{
|
||||
|
||||
string x = Base64Encode("3hba8fOumOPrMG0.G?-mkF-scGOkPwyW");
|
||||
string y = Base64Decode(x);
|
||||
|
||||
string original = "3hba8fOumOPrMG0.G?-mkF-scGOkPwyW";
|
||||
|
||||
// Create a new instance of the RijndaelManaged
|
||||
// class. This generates a new key and initialization
|
||||
// vector (IV).
|
||||
using (RijndaelManaged myRijndael = new RijndaelManaged())
|
||||
{
|
||||
|
||||
myRijndael.Key = Encoding.UTF8.GetBytes("3hba8fOumOPrMG0.G?-mkF-scGOkPwyW");
|
||||
myRijndael.IV = Encoding.UTF8.GetBytes("Q.6qYq0_C+mGmymX");
|
||||
byte[] x1 = Encoding.UTF8.GetBytes(original);
|
||||
// Encrypt the string to an array of bytes.
|
||||
byte[] encrypted = EncryptStringToBytes(original, myRijndael.Key, myRijndael.IV);
|
||||
|
||||
string x2= BitConverter.ToString(encrypted).Replace("-","");
|
||||
string x3 = BitConverter.ToString(encrypted);
|
||||
// Decrypt the bytes to a string.
|
||||
byte[] xx = StringToByteArray(x2);
|
||||
// byte[] xy = Encoding.UTF8.GetBytes(x2);
|
||||
string roundtrip = DecryptStringFromBytes(xx, myRijndael.Key, myRijndael.IV);
|
||||
|
||||
// string roundtrip = DecryptStringFromBytes(encrypted, myRijndael.Key, myRijndael.IV);
|
||||
|
||||
//Display the original data and the decrypted data.
|
||||
Console.WriteLine("Original: {0}", original);
|
||||
Console.WriteLine("Round Trip: {0}", roundtrip);
|
||||
}
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
Console.WriteLine("Error: {0}", e.Message);
|
||||
}
|
||||
}
|
||||
static byte[] EncryptStringToBytes(string plainText, byte[] Key, byte[] IV)
|
||||
{
|
||||
// Check arguments.
|
||||
if (plainText == null || plainText.Length <= 0)
|
||||
throw new ArgumentNullException("plainText");
|
||||
if (Key == null || Key.Length <= 0)
|
||||
throw new ArgumentNullException("Key");
|
||||
if (IV == null || IV.Length <= 0)
|
||||
throw new ArgumentNullException("IV");
|
||||
byte[] encrypted;
|
||||
// Create an RijndaelManaged object
|
||||
// with the specified key and IV.
|
||||
using (RijndaelManaged rijAlg = new RijndaelManaged())
|
||||
{
|
||||
rijAlg.Key = Key;
|
||||
rijAlg.IV = IV;
|
||||
|
||||
// Create an encryptor to perform the stream transform.
|
||||
ICryptoTransform encryptor = rijAlg.CreateEncryptor(rijAlg.Key, rijAlg.IV);
|
||||
|
||||
// Create the streams used for encryption.
|
||||
using (MemoryStream msEncrypt = new MemoryStream())
|
||||
{
|
||||
using (CryptoStream csEncrypt = new CryptoStream(msEncrypt, encryptor, CryptoStreamMode.Write))
|
||||
{
|
||||
using (StreamWriter swEncrypt = new StreamWriter(csEncrypt))
|
||||
{
|
||||
|
||||
//Write all data to the stream.
|
||||
swEncrypt.Write(plainText);
|
||||
}
|
||||
encrypted = msEncrypt.ToArray();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Return the encrypted bytes from the memory stream.
|
||||
return encrypted;
|
||||
}
|
||||
|
||||
static string DecryptStringFromBytes(byte[] cipherText, byte[] Key, byte[] IV)
|
||||
{
|
||||
// Check arguments.
|
||||
if (cipherText == null || cipherText.Length <= 0)
|
||||
throw new ArgumentNullException("cipherText");
|
||||
if (Key == null || Key.Length <= 0)
|
||||
throw new ArgumentNullException("Key");
|
||||
if (IV == null || IV.Length <= 0)
|
||||
throw new ArgumentNullException("IV");
|
||||
|
||||
// Declare the string used to hold
|
||||
// the decrypted text.
|
||||
string plaintext = null;
|
||||
|
||||
// Create an RijndaelManaged object
|
||||
// with the specified key and IV.
|
||||
using (RijndaelManaged rijAlg = new RijndaelManaged())
|
||||
{
|
||||
rijAlg.Key = Key;
|
||||
rijAlg.IV = IV;
|
||||
|
||||
// Create a decryptor to perform the stream transform.
|
||||
ICryptoTransform decryptor = rijAlg.CreateDecryptor(rijAlg.Key, rijAlg.IV);
|
||||
|
||||
// Create the streams used for decryption.
|
||||
using (MemoryStream msDecrypt = new MemoryStream(cipherText))
|
||||
{
|
||||
using (CryptoStream csDecrypt = new CryptoStream(msDecrypt, decryptor, CryptoStreamMode.Read))
|
||||
{
|
||||
using (StreamReader srDecrypt = new StreamReader(csDecrypt))
|
||||
{
|
||||
// Read the decrypted bytes from the decrypting stream
|
||||
// and place them in a string.
|
||||
plaintext = srDecrypt.ReadToEnd();
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return plaintext;
|
||||
}
|
||||
|
||||
public static string Base64Encode(string plainText)
|
||||
{
|
||||
var plainTextBytes = System.Text.Encoding.UTF8.GetBytes(plainText);
|
||||
return System.Convert.ToBase64String(plainTextBytes);
|
||||
}
|
||||
|
||||
public static string Base64Decode(string base64EncodedData)
|
||||
{
|
||||
var base64EncodedBytes = System.Convert.FromBase64String(base64EncodedData);
|
||||
return System.Text.Encoding.UTF8.GetString(base64EncodedBytes);
|
||||
}
|
||||
}
|
||||
}
|
||||
23
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.deps.json
Normal file
23
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.deps.json
Normal file
@@ -0,0 +1,23 @@
|
||||
{
|
||||
"runtimeTarget": {
|
||||
"name": ".NETCoreApp,Version=v3.1",
|
||||
"signature": ""
|
||||
},
|
||||
"compilationOptions": {},
|
||||
"targets": {
|
||||
".NETCoreApp,Version=v3.1": {
|
||||
"CryptoTest/1.0.0": {
|
||||
"runtime": {
|
||||
"CryptoTest.dll": {}
|
||||
}
|
||||
}
|
||||
}
|
||||
},
|
||||
"libraries": {
|
||||
"CryptoTest/1.0.0": {
|
||||
"type": "project",
|
||||
"serviceable": false,
|
||||
"sha512": ""
|
||||
}
|
||||
}
|
||||
}
|
||||
BIN
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.dll
Normal file
BIN
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.dll
Normal file
Binary file not shown.
BIN
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.exe
Normal file
BIN
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.exe
Normal file
Binary file not shown.
BIN
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.pdb
Normal file
BIN
CryptoTest/bin/Debug/netcoreapp3.1/CryptoTest.pdb
Normal file
Binary file not shown.
@@ -0,0 +1,9 @@
|
||||
{
|
||||
"runtimeOptions": {
|
||||
"additionalProbingPaths": [
|
||||
"C:\\Users\\Steafn Hutter lokal\\.dotnet\\store\\|arch|\\|tfm|",
|
||||
"C:\\Users\\Steafn Hutter lokal\\.nuget\\packages",
|
||||
"C:\\Program Files (x86)\\Microsoft\\Xamarin\\NuGet"
|
||||
]
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,9 @@
|
||||
{
|
||||
"runtimeOptions": {
|
||||
"tfm": "netcoreapp3.1",
|
||||
"framework": {
|
||||
"name": "Microsoft.NETCore.App",
|
||||
"version": "3.1.0"
|
||||
}
|
||||
}
|
||||
}
|
||||
69
CryptoTest/obj/CryptoTest.csproj.nuget.dgspec.json
Normal file
69
CryptoTest/obj/CryptoTest.csproj.nuget.dgspec.json
Normal file
@@ -0,0 +1,69 @@
|
||||
{
|
||||
"format": 1,
|
||||
"restore": {
|
||||
"E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj": {}
|
||||
},
|
||||
"projects": {
|
||||
"E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj": {
|
||||
"version": "1.0.0",
|
||||
"restore": {
|
||||
"projectUniqueName": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj",
|
||||
"projectName": "CryptoTest",
|
||||
"projectPath": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj",
|
||||
"packagesPath": "C:\\Users\\Steafn Hutter lokal\\.nuget\\packages\\",
|
||||
"outputPath": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\obj\\",
|
||||
"projectStyle": "PackageReference",
|
||||
"fallbackFolders": [
|
||||
"C:\\Program Files (x86)\\Microsoft\\Xamarin\\NuGet\\"
|
||||
],
|
||||
"configFilePaths": [
|
||||
"C:\\Users\\Steafn Hutter lokal\\AppData\\Roaming\\NuGet\\NuGet.Config",
|
||||
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config",
|
||||
"C:\\Program Files (x86)\\NuGet\\Config\\Xamarin.Offline.config"
|
||||
],
|
||||
"originalTargetFrameworks": [
|
||||
"netcoreapp3.1"
|
||||
],
|
||||
"sources": {
|
||||
"C:\\Program Files (x86)\\FastReports\\FastReport.Net\\Nugets": {},
|
||||
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
|
||||
"C:\\Program Files\\dotnet\\library-packs": {},
|
||||
"http://nuget.grapecity.com/nuget": {},
|
||||
"https://api.nuget.org/v3/index.json": {}
|
||||
},
|
||||
"frameworks": {
|
||||
"netcoreapp3.1": {
|
||||
"targetAlias": "netcoreapp3.1",
|
||||
"projectReferences": {}
|
||||
}
|
||||
},
|
||||
"warningProperties": {
|
||||
"warnAsError": [
|
||||
"NU1605"
|
||||
]
|
||||
}
|
||||
},
|
||||
"frameworks": {
|
||||
"netcoreapp3.1": {
|
||||
"targetAlias": "netcoreapp3.1",
|
||||
"imports": [
|
||||
"net461",
|
||||
"net462",
|
||||
"net47",
|
||||
"net471",
|
||||
"net472",
|
||||
"net48"
|
||||
],
|
||||
"assetTargetFallback": true,
|
||||
"warn": true,
|
||||
"frameworkReferences": {
|
||||
"Microsoft.NETCore.App": {
|
||||
"privateAssets": "all"
|
||||
}
|
||||
},
|
||||
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\5.0.400\\RuntimeIdentifierGraph.json"
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
19
CryptoTest/obj/CryptoTest.csproj.nuget.g.props
Normal file
19
CryptoTest/obj/CryptoTest.csproj.nuget.g.props
Normal file
@@ -0,0 +1,19 @@
|
||||
<?xml version="1.0" encoding="utf-8" standalone="no"?>
|
||||
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
||||
<PropertyGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
|
||||
<RestoreSuccess Condition=" '$(RestoreSuccess)' == '' ">True</RestoreSuccess>
|
||||
<RestoreTool Condition=" '$(RestoreTool)' == '' ">NuGet</RestoreTool>
|
||||
<ProjectAssetsFile Condition=" '$(ProjectAssetsFile)' == '' ">$(MSBuildThisFileDirectory)project.assets.json</ProjectAssetsFile>
|
||||
<NuGetPackageRoot Condition=" '$(NuGetPackageRoot)' == '' ">$(UserProfile)\.nuget\packages\</NuGetPackageRoot>
|
||||
<NuGetPackageFolders Condition=" '$(NuGetPackageFolders)' == '' ">C:\Users\Steafn Hutter lokal\.nuget\packages\;C:\Program Files (x86)\Microsoft\Xamarin\NuGet\</NuGetPackageFolders>
|
||||
<NuGetProjectStyle Condition=" '$(NuGetProjectStyle)' == '' ">PackageReference</NuGetProjectStyle>
|
||||
<NuGetToolVersion Condition=" '$(NuGetToolVersion)' == '' ">5.11.0</NuGetToolVersion>
|
||||
</PropertyGroup>
|
||||
<ItemGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
|
||||
<SourceRoot Include="C:\Users\Steafn Hutter lokal\.nuget\packages\" />
|
||||
<SourceRoot Include="C:\Program Files (x86)\Microsoft\Xamarin\NuGet\" />
|
||||
</ItemGroup>
|
||||
<PropertyGroup>
|
||||
<MSBuildAllProjects>$(MSBuildAllProjects);$(MSBuildThisFileFullPath)</MSBuildAllProjects>
|
||||
</PropertyGroup>
|
||||
</Project>
|
||||
6
CryptoTest/obj/CryptoTest.csproj.nuget.g.targets
Normal file
6
CryptoTest/obj/CryptoTest.csproj.nuget.g.targets
Normal file
@@ -0,0 +1,6 @@
|
||||
<?xml version="1.0" encoding="utf-8" standalone="no"?>
|
||||
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
||||
<PropertyGroup>
|
||||
<MSBuildAllProjects>$(MSBuildAllProjects);$(MSBuildThisFileFullPath)</MSBuildAllProjects>
|
||||
</PropertyGroup>
|
||||
</Project>
|
||||
@@ -0,0 +1,4 @@
|
||||
// <autogenerated />
|
||||
using System;
|
||||
using System.Reflection;
|
||||
[assembly: global::System.Runtime.Versioning.TargetFrameworkAttribute(".NETCoreApp,Version=v3.1", FrameworkDisplayName = "")]
|
||||
@@ -0,0 +1,23 @@
|
||||
//------------------------------------------------------------------------------
|
||||
// <auto-generated>
|
||||
// Dieser Code wurde von einem Tool generiert.
|
||||
// Laufzeitversion:4.0.30319.42000
|
||||
//
|
||||
// Änderungen an dieser Datei können falsches Verhalten verursachen und gehen verloren, wenn
|
||||
// der Code erneut generiert wird.
|
||||
// </auto-generated>
|
||||
//------------------------------------------------------------------------------
|
||||
|
||||
using System;
|
||||
using System.Reflection;
|
||||
|
||||
[assembly: System.Reflection.AssemblyCompanyAttribute("CryptoTest")]
|
||||
[assembly: System.Reflection.AssemblyConfigurationAttribute("Debug")]
|
||||
[assembly: System.Reflection.AssemblyFileVersionAttribute("1.0.0.0")]
|
||||
[assembly: System.Reflection.AssemblyInformationalVersionAttribute("1.0.0")]
|
||||
[assembly: System.Reflection.AssemblyProductAttribute("CryptoTest")]
|
||||
[assembly: System.Reflection.AssemblyTitleAttribute("CryptoTest")]
|
||||
[assembly: System.Reflection.AssemblyVersionAttribute("1.0.0.0")]
|
||||
|
||||
// Von der MSBuild WriteCodeFragment-Klasse generiert.
|
||||
|
||||
@@ -0,0 +1 @@
|
||||
4c65cd39b37e039fb4feeccfe230893478b7af8c
|
||||
@@ -0,0 +1,3 @@
|
||||
is_global = true
|
||||
build_property.RootNamespace = CryptoTest
|
||||
build_property.ProjectDir = E:\Software-Projekte\DPM\DPM2016\CryptoTest\
|
||||
BIN
CryptoTest/obj/Debug/netcoreapp3.1/CryptoTest.assets.cache
Normal file
BIN
CryptoTest/obj/Debug/netcoreapp3.1/CryptoTest.assets.cache
Normal file
Binary file not shown.
Binary file not shown.
@@ -0,0 +1 @@
|
||||
d8ac62544905ab942c40fa6e1da0ce9d086e4164
|
||||
@@ -0,0 +1,14 @@
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\bin\Debug\netcoreapp3.1\CryptoTest.exe
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\bin\Debug\netcoreapp3.1\CryptoTest.deps.json
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\bin\Debug\netcoreapp3.1\CryptoTest.runtimeconfig.json
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\bin\Debug\netcoreapp3.1\CryptoTest.runtimeconfig.dev.json
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\bin\Debug\netcoreapp3.1\CryptoTest.dll
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\bin\Debug\netcoreapp3.1\CryptoTest.pdb
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.csproj.AssemblyReference.cache
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.GeneratedMSBuildEditorConfig.editorconfig
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.AssemblyInfoInputs.cache
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.AssemblyInfo.cs
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.csproj.CoreCompileInputs.cache
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.dll
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.pdb
|
||||
E:\Software-Projekte\DPM\DPM2016\CryptoTest\obj\Debug\netcoreapp3.1\CryptoTest.genruntimeconfig.cache
|
||||
BIN
CryptoTest/obj/Debug/netcoreapp3.1/CryptoTest.dll
Normal file
BIN
CryptoTest/obj/Debug/netcoreapp3.1/CryptoTest.dll
Normal file
Binary file not shown.
@@ -0,0 +1 @@
|
||||
086b62312cfc2d35daa14b24116cf1ec6e42734a
|
||||
BIN
CryptoTest/obj/Debug/netcoreapp3.1/CryptoTest.pdb
Normal file
BIN
CryptoTest/obj/Debug/netcoreapp3.1/CryptoTest.pdb
Normal file
Binary file not shown.
BIN
CryptoTest/obj/Debug/netcoreapp3.1/apphost.exe
Normal file
BIN
CryptoTest/obj/Debug/netcoreapp3.1/apphost.exe
Normal file
Binary file not shown.
@@ -0,0 +1,4 @@
|
||||
// <autogenerated />
|
||||
using System;
|
||||
using System.Reflection;
|
||||
[assembly: global::System.Runtime.Versioning.TargetFrameworkAttribute(".NETCoreApp,Version=v3.1", FrameworkDisplayName = "")]
|
||||
@@ -0,0 +1,23 @@
|
||||
//------------------------------------------------------------------------------
|
||||
// <auto-generated>
|
||||
// Dieser Code wurde von einem Tool generiert.
|
||||
// Laufzeitversion:4.0.30319.42000
|
||||
//
|
||||
// Änderungen an dieser Datei können falsches Verhalten verursachen und gehen verloren, wenn
|
||||
// der Code erneut generiert wird.
|
||||
// </auto-generated>
|
||||
//------------------------------------------------------------------------------
|
||||
|
||||
using System;
|
||||
using System.Reflection;
|
||||
|
||||
[assembly: System.Reflection.AssemblyCompanyAttribute("CryptoTest")]
|
||||
[assembly: System.Reflection.AssemblyConfigurationAttribute("Release")]
|
||||
[assembly: System.Reflection.AssemblyFileVersionAttribute("1.0.0.0")]
|
||||
[assembly: System.Reflection.AssemblyInformationalVersionAttribute("1.0.0")]
|
||||
[assembly: System.Reflection.AssemblyProductAttribute("CryptoTest")]
|
||||
[assembly: System.Reflection.AssemblyTitleAttribute("CryptoTest")]
|
||||
[assembly: System.Reflection.AssemblyVersionAttribute("1.0.0.0")]
|
||||
|
||||
// Von der MSBuild WriteCodeFragment-Klasse generiert.
|
||||
|
||||
@@ -0,0 +1 @@
|
||||
29dd8a14218cf3c1b16f4d1233101ff466e00d6d
|
||||
@@ -0,0 +1,3 @@
|
||||
is_global = true
|
||||
build_property.RootNamespace = CryptoTest
|
||||
build_property.ProjectDir = E:\Software-Projekte\DPM\DPM2016\CryptoTest\
|
||||
BIN
CryptoTest/obj/Release/netcoreapp3.1/CryptoTest.assets.cache
Normal file
BIN
CryptoTest/obj/Release/netcoreapp3.1/CryptoTest.assets.cache
Normal file
Binary file not shown.
Binary file not shown.
75
CryptoTest/obj/project.assets.json
Normal file
75
CryptoTest/obj/project.assets.json
Normal file
@@ -0,0 +1,75 @@
|
||||
{
|
||||
"version": 3,
|
||||
"targets": {
|
||||
".NETCoreApp,Version=v3.1": {}
|
||||
},
|
||||
"libraries": {},
|
||||
"projectFileDependencyGroups": {
|
||||
".NETCoreApp,Version=v3.1": []
|
||||
},
|
||||
"packageFolders": {
|
||||
"C:\\Users\\Steafn Hutter lokal\\.nuget\\packages\\": {},
|
||||
"C:\\Program Files (x86)\\Microsoft\\Xamarin\\NuGet\\": {}
|
||||
},
|
||||
"project": {
|
||||
"version": "1.0.0",
|
||||
"restore": {
|
||||
"projectUniqueName": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj",
|
||||
"projectName": "CryptoTest",
|
||||
"projectPath": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj",
|
||||
"packagesPath": "C:\\Users\\Steafn Hutter lokal\\.nuget\\packages\\",
|
||||
"outputPath": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\obj\\",
|
||||
"projectStyle": "PackageReference",
|
||||
"fallbackFolders": [
|
||||
"C:\\Program Files (x86)\\Microsoft\\Xamarin\\NuGet\\"
|
||||
],
|
||||
"configFilePaths": [
|
||||
"C:\\Users\\Steafn Hutter lokal\\AppData\\Roaming\\NuGet\\NuGet.Config",
|
||||
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config",
|
||||
"C:\\Program Files (x86)\\NuGet\\Config\\Xamarin.Offline.config"
|
||||
],
|
||||
"originalTargetFrameworks": [
|
||||
"netcoreapp3.1"
|
||||
],
|
||||
"sources": {
|
||||
"C:\\Program Files (x86)\\FastReports\\FastReport.Net\\Nugets": {},
|
||||
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
|
||||
"C:\\Program Files\\dotnet\\library-packs": {},
|
||||
"http://nuget.grapecity.com/nuget": {},
|
||||
"https://api.nuget.org/v3/index.json": {}
|
||||
},
|
||||
"frameworks": {
|
||||
"netcoreapp3.1": {
|
||||
"targetAlias": "netcoreapp3.1",
|
||||
"projectReferences": {}
|
||||
}
|
||||
},
|
||||
"warningProperties": {
|
||||
"warnAsError": [
|
||||
"NU1605"
|
||||
]
|
||||
}
|
||||
},
|
||||
"frameworks": {
|
||||
"netcoreapp3.1": {
|
||||
"targetAlias": "netcoreapp3.1",
|
||||
"imports": [
|
||||
"net461",
|
||||
"net462",
|
||||
"net47",
|
||||
"net471",
|
||||
"net472",
|
||||
"net48"
|
||||
],
|
||||
"assetTargetFallback": true,
|
||||
"warn": true,
|
||||
"frameworkReferences": {
|
||||
"Microsoft.NETCore.App": {
|
||||
"privateAssets": "all"
|
||||
}
|
||||
},
|
||||
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\5.0.400\\RuntimeIdentifierGraph.json"
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
8
CryptoTest/obj/project.nuget.cache
Normal file
8
CryptoTest/obj/project.nuget.cache
Normal file
@@ -0,0 +1,8 @@
|
||||
{
|
||||
"version": 2,
|
||||
"dgSpecHash": "5lKLlOD+6qMd+AiatDvYNY7hRK2l0HpmF7DFerbhpj+Si30ZlxMLXbQWIfwjNrAw7oBHHUlZ/yfQbdMlwcfDNw==",
|
||||
"success": true,
|
||||
"projectFilePath": "E:\\Software-Projekte\\DPM\\DPM2016\\CryptoTest\\CryptoTest.csproj",
|
||||
"expectedPackageFiles": [],
|
||||
"logs": []
|
||||
}
|
||||
16
DPM2016.sln
16
DPM2016.sln
@@ -1,7 +1,7 @@
|
||||
|
||||
Microsoft Visual Studio Solution File, Format Version 12.00
|
||||
# Visual Studio 15
|
||||
VisualStudioVersion = 15.0.26228.4
|
||||
# Visual Studio Version 16
|
||||
VisualStudioVersion = 16.0.31613.86
|
||||
MinimumVisualStudioVersion = 10.0.40219.1
|
||||
Project("{F184B08F-C81C-45F6-A57F-5ABD9991F28F}") = "DPM2016", "DPM2016\DPM2016.vbproj", "{C78BA301-98A0-41B2-B1C9-553567634286}"
|
||||
EndProject
|
||||
@@ -13,6 +13,10 @@ Project("{F184B08F-C81C-45F6-A57F-5ABD9991F28F}") = "SHUKeyGen", "DPMLizenzmanag
|
||||
EndProject
|
||||
Project("{F184B08F-C81C-45F6-A57F-5ABD9991F28F}") = "SHU_Imagegal", "..\..\_Demos\PictureViewer\SHU_Imagegal\SHU_Imagegal\SHU_Imagegal.vbproj", "{45F09566-A07D-49BE-B538-311D3B7A3539}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "DPMCrypto", "DPMCrypto\DPMCrypto.csproj", "{68C7CC6D-4685-4ED2-9626-006B4AB3941E}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "DPMHttp", "DPMHttp\DPMHttp.csproj", "{DAB22BC0-2307-43E4-BD58-BA5ABA1889A9}"
|
||||
EndProject
|
||||
Global
|
||||
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
||||
Debug|Any CPU = Debug|Any CPU
|
||||
@@ -39,6 +43,14 @@ Global
|
||||
{45F09566-A07D-49BE-B538-311D3B7A3539}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{45F09566-A07D-49BE-B538-311D3B7A3539}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{45F09566-A07D-49BE-B538-311D3B7A3539}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{68C7CC6D-4685-4ED2-9626-006B4AB3941E}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{68C7CC6D-4685-4ED2-9626-006B4AB3941E}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{68C7CC6D-4685-4ED2-9626-006B4AB3941E}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{68C7CC6D-4685-4ED2-9626-006B4AB3941E}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{DAB22BC0-2307-43E4-BD58-BA5ABA1889A9}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{DAB22BC0-2307-43E4-BD58-BA5ABA1889A9}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{DAB22BC0-2307-43E4-BD58-BA5ABA1889A9}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{DAB22BC0-2307-43E4-BD58-BA5ABA1889A9}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
EndGlobalSection
|
||||
GlobalSection(SolutionProperties) = preSolution
|
||||
HideSolutionNode = FALSE
|
||||
|
||||
@@ -517,6 +517,23 @@ Public Class frmAuswertung
|
||||
End Sub
|
||||
|
||||
Public Sub Show_CAMT_Journal()
|
||||
If usedb = True Then
|
||||
Dim rdb As New clsDB
|
||||
Dim f As New frmAuswertung
|
||||
f.MdiParent = Me.ParentForm.MdiParent
|
||||
f.Show()
|
||||
rdb.Get_Tabledata("CAMT_Run", "", "Select top 1 * From camt_run order By nreintrag desc")
|
||||
Dim camtnr As Integer = rdb.dsDaten.Tables(0).Rows(0).Item("nreintrag")
|
||||
rdb.Get_Tabledata("CAMT_Journal", "", "Select top 1 * from Reporting where Bezeichnung='CAMT-Journal'")
|
||||
|
||||
If Me.Findnode(rdb.dsDaten.Tables(0).Rows(0).Item("NrReport")) Then
|
||||
Me.Set_Propertiesvalue(0, camtnr)
|
||||
Me.Show_Report()
|
||||
End If
|
||||
Exit Sub
|
||||
End If
|
||||
|
||||
|
||||
Dim tmpcollection As New Collection
|
||||
Dim s As String
|
||||
Me.TreeReporting.Nodes.Clear()
|
||||
|
||||
@@ -160,6 +160,9 @@
|
||||
<SpecificVersion>False</SpecificVersion>
|
||||
<HintPath>..\..\Archiv\DPM_Reporting\DPM_Reporting\bin\Debug\MySql.Data.dll</HintPath>
|
||||
</Reference>
|
||||
<Reference Include="Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed, processorArchitecture=MSIL">
|
||||
<HintPath>..\packages\Newtonsoft.Json.13.0.1\lib\net45\Newtonsoft.Json.dll</HintPath>
|
||||
</Reference>
|
||||
<Reference Include="OpenMcdf">
|
||||
<HintPath>..\..\ThirtPartyKlassen\MsgViewer\bin\Debug\OpenMcdf.dll</HintPath>
|
||||
</Reference>
|
||||
@@ -227,6 +230,13 @@
|
||||
<Reference Include="System.IO.Compression" />
|
||||
<Reference Include="System.IO.Compression.FileSystem" />
|
||||
<Reference Include="System.Management" />
|
||||
<Reference Include="System.Net" />
|
||||
<Reference Include="System.Net.Http" />
|
||||
<Reference Include="System.Net.Http.Formatting, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35, processorArchitecture=MSIL">
|
||||
<SpecificVersion>False</SpecificVersion>
|
||||
<HintPath>bin\Debug\System.Net.Http.Formatting.DLL</HintPath>
|
||||
</Reference>
|
||||
<Reference Include="System.Net.Http.WebRequest" />
|
||||
<Reference Include="System.Runtime.Remoting" />
|
||||
<Reference Include="System.Runtime.Serialization.Formatters.Soap" />
|
||||
<Reference Include="System.Security" />
|
||||
@@ -474,6 +484,7 @@
|
||||
<SubType>Component</SubType>
|
||||
</Compile>
|
||||
<Compile Include="Klassen\MySecurity.vb" />
|
||||
<Compile Include="Mobile\Models\Patient.vb" />
|
||||
<Compile Include="Patient\Patient.Designer.vb">
|
||||
<DependentUpon>Patient.vb</DependentUpon>
|
||||
</Compile>
|
||||
@@ -581,6 +592,7 @@
|
||||
<SubType>Form</SubType>
|
||||
</Compile>
|
||||
<Compile Include="Utils\clsLog.vb" />
|
||||
<Compile Include="Mobile\clsMobile.vb" />
|
||||
<Compile Include="Utils\Crypto.vb" />
|
||||
<Compile Include="Utils\frmcalendar.Designer.vb">
|
||||
<DependentUpon>frmcalendar.vb</DependentUpon>
|
||||
@@ -643,6 +655,7 @@
|
||||
<SubType>Form</SubType>
|
||||
</Compile>
|
||||
<Compile Include="Utils\Globals.vb" />
|
||||
<Compile Include="Mobile\MyHttpClient.vb" />
|
||||
<Compile Include="Utils\Security.vb" />
|
||||
<Compile Include="Utils\SplashForm.Designer.vb">
|
||||
<DependentUpon>SplashForm.vb</DependentUpon>
|
||||
@@ -871,6 +884,7 @@
|
||||
<CustomToolNamespace>My</CustomToolNamespace>
|
||||
<LastGenOutput>Settings.Designer.vb</LastGenOutput>
|
||||
</None>
|
||||
<None Include="packages.config" />
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<Content Include="Database1.mdf">
|
||||
|
||||
9
DPM2016/Mobile/Models/Patient.vb
Normal file
9
DPM2016/Mobile/Models/Patient.vb
Normal file
@@ -0,0 +1,9 @@
|
||||
Namespace mobilemodels
|
||||
Public Class Patient
|
||||
Public Property ID As Integer = 0
|
||||
Public Property Pat As String = ""
|
||||
Public Property Transferdate As DateTime = Now
|
||||
Public Property TransferDirection As Integer
|
||||
|
||||
End Class
|
||||
End Namespace
|
||||
137
DPM2016/Mobile/MyHttpClient.vb
Normal file
137
DPM2016/Mobile/MyHttpClient.vb
Normal file
@@ -0,0 +1,137 @@
|
||||
Imports System
|
||||
Imports System.Collections.Generic
|
||||
Imports System.Linq
|
||||
Imports System.Text
|
||||
Imports System.Threading.Tasks
|
||||
Imports System.Net.Http
|
||||
Imports System.Net.Http.js
|
||||
Imports System.Net.Http.Headers
|
||||
|
||||
Namespace DPMHttpClient
|
||||
|
||||
|
||||
Public Class DPMhttpClient
|
||||
|
||||
|
||||
Public Class DataStore(Of T)
|
||||
Public Property daten As String
|
||||
Public Property resultstatus As Boolean
|
||||
Public Property resultstatuscode As String
|
||||
End Class
|
||||
|
||||
Public ResponsTask As HttpResponseMessage
|
||||
Public RespnsResult As HttpRequestMessage
|
||||
Public Results As DataStore(Of Object) = New DataStore(Of Object)()
|
||||
Public BaseAPI As String = ""
|
||||
|
||||
Dim uri As String = ""
|
||||
Dim apikey As String = ""
|
||||
Dim SecretKey As String = ""
|
||||
Sub New()
|
||||
Dim db As New clsDB
|
||||
apikey = db.Get_Option(100001)
|
||||
uri = db.Get_Option(100003)
|
||||
SecretKey = db.Get_Option(100002)
|
||||
db.Dispose()
|
||||
End Sub
|
||||
|
||||
Public Sub CallService(ByVal api As String, ByVal key As String, ByVal fnkt As String, ByVal daten As Object)
|
||||
Dim client As HttpClient = New HttpClient()
|
||||
client.BaseAddress = New Uri(uri)
|
||||
client.DefaultRequestHeaders.Add("ApiKey", apikey)
|
||||
client.DefaultRequestHeaders.Add("SecKey", SecretKey)
|
||||
Select Case fnkt
|
||||
Case "GET"
|
||||
|
||||
If key <> "" Then
|
||||
api = api & "/" & key
|
||||
End If
|
||||
|
||||
Dim responseTask = client.GetAsync(api)
|
||||
responseTask.Wait()
|
||||
Dim result = responseTask.Result
|
||||
Results.resultstatus = responseTask.Result.IsSuccessStatusCode
|
||||
|
||||
If result.IsSuccessStatusCode Then
|
||||
Dim readTask = result.Content.ReadAsStringAsync()
|
||||
readTask.Wait()
|
||||
Results.daten = readTask.Result
|
||||
Exit Select
|
||||
End If
|
||||
|
||||
Case "PUT"
|
||||
|
||||
If key <> "" Then
|
||||
api = api & "/" & key
|
||||
End If
|
||||
|
||||
|
||||
Dim postresponse = client.PostAsJsonAsync(api, daten).Result
|
||||
Results.resultstatuscode = postresponse.StatusCode.ToString()
|
||||
Case "POST"
|
||||
|
||||
If key <> "" Then
|
||||
api = api & "/" & key
|
||||
End If
|
||||
|
||||
|
||||
Dim postresponse = client.PostAsJsonAsync(api, daten).Result
|
||||
Results.resultstatuscode = postresponse.StatusCode.ToString()
|
||||
|
||||
Case "PUT"
|
||||
|
||||
If key <> "" Then
|
||||
api = api & "/" & key
|
||||
End If
|
||||
|
||||
|
||||
Dim postresponse = client.PostAsJsonAsync(api, daten).Result
|
||||
Results.resultstatuscode = postresponse.StatusCode.ToString()
|
||||
Case "DELETE"
|
||||
|
||||
If key <> "" Then
|
||||
api = api & "/" & key
|
||||
End If
|
||||
|
||||
Dim deleteresponse = client.DeleteAsync(api).Result
|
||||
Results.resultstatuscode = deleteresponse.StatusCode.ToString()
|
||||
Case Else
|
||||
End Select
|
||||
End Sub
|
||||
|
||||
|
||||
|
||||
|
||||
'Public Shared Sub CallGet(ByVal apikey As String)
|
||||
' Dim client As New HttpClient
|
||||
' Dim data As Object
|
||||
' client.BaseAddress = New Uri("http://localhost:60464/api/")
|
||||
' client.DefaultRequestHeaders.Add("apkikey", apikey)
|
||||
' client.GetAsync(data)
|
||||
' Dim responseTask = client.GetAsync("student")
|
||||
' responseTask.Wait()
|
||||
' Dim result = responseTask.Result
|
||||
' If result.IsSuccessStatusCode Then
|
||||
' Dim readTask = result.Content.ReadAsStringAsync()()
|
||||
' readTask.Wait()
|
||||
' Dim students = readTask.Result
|
||||
' For Each student In students
|
||||
' Next
|
||||
' End If
|
||||
|
||||
|
||||
' End Sub
|
||||
|
||||
' Private Shared Sub Main(ByVal args As String())
|
||||
' Using client = New HttpClient()
|
||||
' client.BaseAddress = New Uri("http://localhost:60464/api/")
|
||||
' Dim responseTask = client.GetAsync("student")
|
||||
' responseTask.Wait()
|
||||
' Dim result = responseTask.Result
|
||||
|
||||
' End Using
|
||||
|
||||
' Console.ReadLine()
|
||||
' End Sub
|
||||
End Class
|
||||
End Namespace
|
||||
23
DPM2016/Mobile/clsMobile.vb
Normal file
23
DPM2016/Mobile/clsMobile.vb
Normal file
@@ -0,0 +1,23 @@
|
||||
Public Class clsMobile
|
||||
|
||||
Public Sub Transfer_Patientenstamm()
|
||||
Dim db As New clsDB
|
||||
Dim myhttp As New DPMHttpClient.DPMhttpClient
|
||||
db.Get_Tabledata("kunden", "", "SELECT NRPRIVAT AS ID, CAST(NRPRIVAT AS varchar(10)) + ' - ' + NAME + ' ' + VORNAME + ', ' + ORT + ', ' + isnull(CONVERT(varchar, GEBDAT, 104),'') AS Pat FROM dbo.PRIVAT", "", False)
|
||||
For Each r As DataRow In db.dsDaten.Tables(0).Rows
|
||||
Dim data As New mobilemodels.Patient
|
||||
data.ID = r.Item(0)
|
||||
Try
|
||||
r.Item(1) = r.Item(1).ToString.Replace("'", "''")
|
||||
data.Pat = r.Item(1)
|
||||
data.Transferdate = Now
|
||||
data.TransferDirection = 1
|
||||
myhttp.CallService("/api/patient", "", "POST", data)
|
||||
Catch
|
||||
End Try
|
||||
|
||||
Next
|
||||
|
||||
End Sub
|
||||
|
||||
End Class
|
||||
143
DPM2016/My Project/Settings.Designer.vb
generated
143
DPM2016/My Project/Settings.Designer.vb
generated
@@ -13,15 +13,15 @@ Option Explicit On
|
||||
|
||||
|
||||
Namespace My
|
||||
|
||||
<Global.System.Runtime.CompilerServices.CompilerGeneratedAttribute(),
|
||||
Global.System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.VisualStudio.Editors.SettingsDesigner.SettingsSingleFileGenerator", "16.10.0.0"),
|
||||
Global.System.ComponentModel.EditorBrowsableAttribute(Global.System.ComponentModel.EditorBrowsableState.Advanced)>
|
||||
|
||||
<Global.System.Runtime.CompilerServices.CompilerGeneratedAttribute(), _
|
||||
Global.System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.VisualStudio.Editors.SettingsDesigner.SettingsSingleFileGenerator", "16.10.0.0"), _
|
||||
Global.System.ComponentModel.EditorBrowsableAttribute(Global.System.ComponentModel.EditorBrowsableState.Advanced)> _
|
||||
Partial Friend NotInheritable Class MySettings
|
||||
Inherits Global.System.Configuration.ApplicationSettingsBase
|
||||
|
||||
Private Shared defaultInstance As MySettings = CType(Global.System.Configuration.ApplicationSettingsBase.Synchronized(New MySettings()), MySettings)
|
||||
|
||||
|
||||
Private Shared defaultInstance As MySettings = CType(Global.System.Configuration.ApplicationSettingsBase.Synchronized(New MySettings()),MySettings)
|
||||
|
||||
#Region "Automatische My.Settings-Speicherfunktion"
|
||||
#If _MyType = "WindowsForms" Then
|
||||
Private Shared addedHandler As Boolean
|
||||
@@ -36,10 +36,10 @@ Namespace My
|
||||
End Sub
|
||||
#End If
|
||||
#End Region
|
||||
|
||||
|
||||
Public Shared ReadOnly Property [Default]() As MySettings
|
||||
Get
|
||||
|
||||
|
||||
#If _MyType = "WindowsForms" Then
|
||||
If Not addedHandler Then
|
||||
SyncLock addedHandlerLockObject
|
||||
@@ -53,56 +53,43 @@ Namespace My
|
||||
Return defaultInstance
|
||||
End Get
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(),
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(),
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("2")>
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("2")> _
|
||||
Public Property LogLevel() As String
|
||||
Get
|
||||
Return CType(Me("LogLevel"), String)
|
||||
Return CType(Me("LogLevel"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("LogLevel") = Value
|
||||
Me("LogLevel") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(),
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(),
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("h:\dpm\dmp1\dmp2")>
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("h:\dpm\dmp1\dmp2")> _
|
||||
Public Property TempPath() As String
|
||||
Get
|
||||
Return CType(Me("TempPath"), String)
|
||||
Return CType(Me("TempPath"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("TempPath") = Value
|
||||
Me("TempPath") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(),
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(),
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("h:\dpm\docarchiv")>
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("h:\dpm\docarchiv")> _
|
||||
Public Property DocArchivPath() As String
|
||||
Get
|
||||
Return CType(Me("DocArchivPath"), String)
|
||||
Return CType(Me("DocArchivPath"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("DocArchivPath") = Value
|
||||
Me("DocArchivPath") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(),
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(),
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("data source=shu00;initial catalog=shub_padm;integrated security=SSPI;persist secu" &
|
||||
"rity info=false;workstation id=;packet size=4096;user id=sa;password=*shu29")>
|
||||
Public Property ConnectionString() As String
|
||||
Get
|
||||
Return CType(Me("ConnectionString"), String)
|
||||
End Get
|
||||
Set
|
||||
Me("ConnectionString") = Value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("PADM")> _
|
||||
@@ -114,6 +101,80 @@ Namespace My
|
||||
Me("SoftwareType") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("data source=shu00;initial catalog=SHUB_PADM;persist security info=false;workstati"& _
|
||||
"on id=;packet size=4096;user id=sa;password=*shu29")> _
|
||||
Public Property ConnectionString() As String
|
||||
Get
|
||||
Return CType(Me("ConnectionString"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("ConnectionString") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("data source=shu00;initial catalog=DPM_Mobile;persist security info=false;workstat"& _
|
||||
"ion id=;packet size=4096;user id=sa;password=*shu29")> _
|
||||
Public Property ConnectionStringMobie() As String
|
||||
Get
|
||||
Return CType(Me("ConnectionStringMobie"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("ConnectionStringMobie") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("BgWSbwCNM3pEiCxgIlDEyD7HFpUgKPeL8OPDqH9n")> _
|
||||
Public Property APIKey() As String
|
||||
Get
|
||||
Return CType(Me("APIKey"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("APIKey") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("Q.6qYq0_C+mGmymX")> _
|
||||
Public Property IV() As String
|
||||
Get
|
||||
Return CType(Me("IV"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("IV") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("3hba8fOumOPrMG0.G?-mkF-scGOkPwyW")> _
|
||||
Public Property SecretKey() As String
|
||||
Get
|
||||
Return CType(Me("SecretKey"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("SecretKey") = value
|
||||
End Set
|
||||
End Property
|
||||
|
||||
<Global.System.Configuration.UserScopedSettingAttribute(), _
|
||||
Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _
|
||||
Global.System.Configuration.DefaultSettingValueAttribute("http://192.168.111.67")> _
|
||||
Public Property WebAPI() As String
|
||||
Get
|
||||
Return CType(Me("WebAPI"),String)
|
||||
End Get
|
||||
Set
|
||||
Me("WebAPI") = value
|
||||
End Set
|
||||
End Property
|
||||
End Class
|
||||
End Namespace
|
||||
|
||||
|
||||
@@ -11,11 +11,26 @@
|
||||
<Setting Name="DocArchivPath" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">h:\dpm\docarchiv</Value>
|
||||
</Setting>
|
||||
<Setting Name="ConnectionString" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">data source=shu00;initial catalog=shub_padm;integrated security=SSPI;persist security info=false;workstation id=;packet size=4096;user id=sa;password=*shu29</Value>
|
||||
</Setting>
|
||||
<Setting Name="SoftwareType" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">PADM</Value>
|
||||
</Setting>
|
||||
<Setting Name="ConnectionString" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">data source=shu00;initial catalog=SHUB_PADM;persist security info=false;workstation id=;packet size=4096;user id=sa;password=*shu29</Value>
|
||||
</Setting>
|
||||
<Setting Name="ConnectionStringMobie" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">data source=shu00;initial catalog=DPM_Mobile;persist security info=false;workstation id=;packet size=4096;user id=sa;password=*shu29</Value>
|
||||
</Setting>
|
||||
<Setting Name="APIKey" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">BgWSbwCNM3pEiCxgIlDEyD7HFpUgKPeL8OPDqH9n</Value>
|
||||
</Setting>
|
||||
<Setting Name="IV" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">Q.6qYq0_C+mGmymX</Value>
|
||||
</Setting>
|
||||
<Setting Name="SecretKey" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">3hba8fOumOPrMG0.G?-mkF-scGOkPwyW</Value>
|
||||
</Setting>
|
||||
<Setting Name="WebAPI" Type="System.String" Scope="User">
|
||||
<Value Profile="(Default)">http://192.168.111.67</Value>
|
||||
</Setting>
|
||||
</Settings>
|
||||
</SettingsFile>
|
||||
62
DPM2016/Patient/Patient.Designer.vb
generated
62
DPM2016/Patient/Patient.Designer.vb
generated
@@ -39,13 +39,13 @@ Partial Class Patient
|
||||
Me.ToolStripSeparator1 = New System.Windows.Forms.ToolStripSeparator()
|
||||
Me.tsbtnVTX = New System.Windows.Forms.ToolStripButton()
|
||||
Me.SuperTabControl1 = New DevComponents.DotNetBar.SuperTabControl()
|
||||
Me.SuperTabControlPanel4 = New DevComponents.DotNetBar.SuperTabControlPanel()
|
||||
Me.Krankengeschichte1 = New DPM2016.Krankengeschichte()
|
||||
Me.Krankengeschichte = New DevComponents.DotNetBar.SuperTabItem()
|
||||
Me.SuperTabControlPanel1 = New DevComponents.DotNetBar.SuperTabControlPanel()
|
||||
Me.btnVTX = New System.Windows.Forms.Button()
|
||||
Me.PatientDetails1 = New DPM2016.PatientDetails()
|
||||
Me.Stammdaten = New DevComponents.DotNetBar.SuperTabItem()
|
||||
Me.SuperTabControlPanel4 = New DevComponents.DotNetBar.SuperTabControlPanel()
|
||||
Me.Krankengeschichte1 = New DPM2016.Krankengeschichte()
|
||||
Me.Krankengeschichte = New DevComponents.DotNetBar.SuperTabItem()
|
||||
Me.SuperTabControlPanel7 = New DevComponents.DotNetBar.SuperTabControlPanel()
|
||||
Me.ClsDokumente1 = New DPM2016.clsDokumente()
|
||||
Me.Dokumente = New DevComponents.DotNetBar.SuperTabItem()
|
||||
@@ -68,8 +68,8 @@ Partial Class Patient
|
||||
Me.ToolStrip1.SuspendLayout()
|
||||
CType(Me.SuperTabControl1, System.ComponentModel.ISupportInitialize).BeginInit()
|
||||
Me.SuperTabControl1.SuspendLayout()
|
||||
Me.SuperTabControlPanel4.SuspendLayout()
|
||||
Me.SuperTabControlPanel1.SuspendLayout()
|
||||
Me.SuperTabControlPanel4.SuspendLayout()
|
||||
Me.SuperTabControlPanel7.SuspendLayout()
|
||||
Me.SuperTabControlPanel6.SuspendLayout()
|
||||
Me.SuperTabControlPanel3.SuspendLayout()
|
||||
@@ -241,32 +241,6 @@ Partial Class Patient
|
||||
Me.SuperTabControl1.Tabs.AddRange(New DevComponents.DotNetBar.BaseItem() {Me.Stammdaten, Me.Abrechnung, Me.Behandlungen, Me.Finanzen, Me.Recall, Me.Dokumente, Me.Krankengeschichte})
|
||||
Me.SuperTabControl1.Text = "SuperTabControl1"
|
||||
'
|
||||
'SuperTabControlPanel4
|
||||
'
|
||||
Me.SuperTabControlPanel4.Controls.Add(Me.Krankengeschichte1)
|
||||
Me.SuperTabControlPanel4.Dock = System.Windows.Forms.DockStyle.Fill
|
||||
Me.SuperTabControlPanel4.Location = New System.Drawing.Point(0, 25)
|
||||
Me.SuperTabControlPanel4.Name = "SuperTabControlPanel4"
|
||||
Me.SuperTabControlPanel4.Size = New System.Drawing.Size(1278, 612)
|
||||
Me.SuperTabControlPanel4.TabIndex = 0
|
||||
Me.SuperTabControlPanel4.TabItem = Me.Krankengeschichte
|
||||
'
|
||||
'Krankengeschichte1
|
||||
'
|
||||
Me.Krankengeschichte1.Dock = System.Windows.Forms.DockStyle.Fill
|
||||
Me.Krankengeschichte1.Location = New System.Drawing.Point(0, 0)
|
||||
Me.Krankengeschichte1.Name = "Krankengeschichte1"
|
||||
Me.Krankengeschichte1.Patientnr = 0
|
||||
Me.Krankengeschichte1.Size = New System.Drawing.Size(1278, 612)
|
||||
Me.Krankengeschichte1.TabIndex = 0
|
||||
'
|
||||
'Krankengeschichte
|
||||
'
|
||||
Me.Krankengeschichte.AttachedControl = Me.SuperTabControlPanel4
|
||||
Me.Krankengeschichte.GlobalItem = False
|
||||
Me.Krankengeschichte.Name = "Krankengeschichte"
|
||||
Me.Krankengeschichte.Text = "Journal"
|
||||
'
|
||||
'SuperTabControlPanel1
|
||||
'
|
||||
Me.SuperTabControlPanel1.Controls.Add(Me.btnVTX)
|
||||
@@ -305,6 +279,32 @@ Partial Class Patient
|
||||
Me.Stammdaten.Name = "Stammdaten"
|
||||
Me.Stammdaten.Text = "Stammdaten"
|
||||
'
|
||||
'SuperTabControlPanel4
|
||||
'
|
||||
Me.SuperTabControlPanel4.Controls.Add(Me.Krankengeschichte1)
|
||||
Me.SuperTabControlPanel4.Dock = System.Windows.Forms.DockStyle.Fill
|
||||
Me.SuperTabControlPanel4.Location = New System.Drawing.Point(0, 25)
|
||||
Me.SuperTabControlPanel4.Name = "SuperTabControlPanel4"
|
||||
Me.SuperTabControlPanel4.Size = New System.Drawing.Size(1278, 612)
|
||||
Me.SuperTabControlPanel4.TabIndex = 0
|
||||
Me.SuperTabControlPanel4.TabItem = Me.Krankengeschichte
|
||||
'
|
||||
'Krankengeschichte1
|
||||
'
|
||||
Me.Krankengeschichte1.Dock = System.Windows.Forms.DockStyle.Fill
|
||||
Me.Krankengeschichte1.Location = New System.Drawing.Point(0, 0)
|
||||
Me.Krankengeschichte1.Name = "Krankengeschichte1"
|
||||
Me.Krankengeschichte1.Patientnr = 0
|
||||
Me.Krankengeschichte1.Size = New System.Drawing.Size(1278, 612)
|
||||
Me.Krankengeschichte1.TabIndex = 0
|
||||
'
|
||||
'Krankengeschichte
|
||||
'
|
||||
Me.Krankengeschichte.AttachedControl = Me.SuperTabControlPanel4
|
||||
Me.Krankengeschichte.GlobalItem = False
|
||||
Me.Krankengeschichte.Name = "Krankengeschichte"
|
||||
Me.Krankengeschichte.Text = "Journal"
|
||||
'
|
||||
'SuperTabControlPanel7
|
||||
'
|
||||
Me.SuperTabControlPanel7.Controls.Add(Me.ClsDokumente1)
|
||||
@@ -489,8 +489,8 @@ Partial Class Patient
|
||||
Me.ToolStrip1.PerformLayout()
|
||||
CType(Me.SuperTabControl1, System.ComponentModel.ISupportInitialize).EndInit()
|
||||
Me.SuperTabControl1.ResumeLayout(False)
|
||||
Me.SuperTabControlPanel4.ResumeLayout(False)
|
||||
Me.SuperTabControlPanel1.ResumeLayout(False)
|
||||
Me.SuperTabControlPanel4.ResumeLayout(False)
|
||||
Me.SuperTabControlPanel7.ResumeLayout(False)
|
||||
Me.SuperTabControlPanel6.ResumeLayout(False)
|
||||
Me.SuperTabControlPanel3.ResumeLayout(False)
|
||||
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,21 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<asmv1:assembly xsi:schemaLocation="urn:schemas-microsoft-com:asm.v1 assembly.adaptive.xsd" manifestVersion="1.0" xmlns:asmv1="urn:schemas-microsoft-com:asm.v1" xmlns="urn:schemas-microsoft-com:asm.v2" xmlns:asmv2="urn:schemas-microsoft-com:asm.v2" xmlns:xrml="urn:mpeg:mpeg21:2003:01-REL-R-NS" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:asmv3="urn:schemas-microsoft-com:asm.v3" xmlns:dsig="http://www.w3.org/2000/09/xmldsig#" xmlns:co.v1="urn:schemas-microsoft-com:clickonce.v1" xmlns:co.v2="urn:schemas-microsoft-com:clickonce.v2">
|
||||
<assemblyIdentity name="DPM2018.application" version="1.0.0.1" publicKeyToken="0000000000000000" language="neutral" processorArchitecture="msil" xmlns="urn:schemas-microsoft-com:asm.v1" />
|
||||
<description asmv2:publisher="DPM2018" asmv2:product="DPM2018" xmlns="urn:schemas-microsoft-com:asm.v1" />
|
||||
<deployment install="true" mapFileExtensions="true" />
|
||||
<compatibleFrameworks xmlns="urn:schemas-microsoft-com:clickonce.v2">
|
||||
<framework targetVersion="4.6" profile="Full" supportedRuntime="4.0.30319" />
|
||||
</compatibleFrameworks>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" codebase="Application Files\DPM2018_1_0_0_1\DPM2018.exe.manifest" size="40749">
|
||||
<assemblyIdentity name="DPM2018.exe" version="1.0.0.1" publicKeyToken="0000000000000000" language="neutral" processorArchitecture="msil" type="win32" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>MbaUsmx85XZTbqEWV2g048N0Y4Ohm6xJIeczLfr+m5o=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
</asmv1:assembly>
|
||||
@@ -0,0 +1,79 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<configuration>
|
||||
<configSections>
|
||||
<sectionGroup name="userSettings" type="System.Configuration.UserSettingsGroup, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089">
|
||||
<section name="DPM2016.My.MySettings" type="System.Configuration.ClientSettingsSection, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" allowExeDefinition="MachineToLocalUser" requirePermission="false" />
|
||||
</sectionGroup>
|
||||
</configSections>
|
||||
<system.diagnostics>
|
||||
<sources>
|
||||
<!-- Dieser Abschnitt definiert die Protokollierungskonfiguration für My.Application.Log -->
|
||||
<source name="DefaultSource" switchName="DefaultSwitch">
|
||||
<listeners>
|
||||
<add name="FileLog" />
|
||||
<!-- Auskommentierung des nachfolgenden Abschnitts aufheben, um in das Anwendungsereignisprotokoll zu schreiben -->
|
||||
<!--<add name="EventLog"/>-->
|
||||
</listeners>
|
||||
</source>
|
||||
</sources>
|
||||
<switches>
|
||||
<add name="DefaultSwitch" value="Information" />
|
||||
</switches>
|
||||
<sharedListeners>
|
||||
<add name="FileLog" type="Microsoft.VisualBasic.Logging.FileLogTraceListener, Microsoft.VisualBasic, Version=8.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a, processorArchitecture=MSIL" initializeData="FileLogWriter" />
|
||||
<!-- Auskommentierung des nachfolgenden Abschnitts aufheben und APPLICATION_NAME durch den Namen der Anwendung ersetzen, um in das Anwendungsereignisprotokoll zu schreiben -->
|
||||
<!--<add name="EventLog" type="System.Diagnostics.EventLogTraceListener" initializeData="APPLICATION_NAME"/> -->
|
||||
</sharedListeners>
|
||||
</system.diagnostics>
|
||||
<startup><supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.6" /></startup>
|
||||
<userSettings>
|
||||
<DPM2016.My.MySettings>
|
||||
<setting name="LogLevel" serializeAs="String">
|
||||
<value>2</value>
|
||||
</setting>
|
||||
<setting name="TempPath" serializeAs="String">
|
||||
<value>h:\dpm\dmp1\dmp2</value>
|
||||
</setting>
|
||||
<setting name="DocArchivPath" serializeAs="String">
|
||||
<value>h:\dpm\docarchiv</value>
|
||||
</setting>
|
||||
<setting name="SoftwareType" serializeAs="String">
|
||||
<value>PADM</value>
|
||||
</setting>
|
||||
<setting name="ConnectionString" serializeAs="String">
|
||||
<value>data source=shu00;initial catalog=SHUB_PADM;persist security info=false;workstation id=;packet size=4096;user id=sa;password=*shu29</value>
|
||||
</setting>
|
||||
<setting name="ConnectionStringMobie" serializeAs="String">
|
||||
<value>data source=shu00;initial catalog=DPM_Mobile;persist security info=false;workstation id=;packet size=4096;user id=sa;password=*shu29</value>
|
||||
</setting>
|
||||
<setting name="APIKey" serializeAs="String">
|
||||
<value>BgWSbwCNM3pEiCxgIlDEyD7HFpUgKPeL8OPDqH9n</value>
|
||||
</setting>
|
||||
<setting name="IV" serializeAs="String">
|
||||
<value>Q.6qYq0_C+mGmymX</value>
|
||||
</setting>
|
||||
<setting name="SecretKey" serializeAs="String">
|
||||
<value>3hba8fOumOPrMG0.G?-mkF-scGOkPwyW</value>
|
||||
</setting>
|
||||
<setting name="WebAPI" serializeAs="String">
|
||||
<value>http://192.168.111.67</value>
|
||||
</setting>
|
||||
</DPM2016.My.MySettings>
|
||||
</userSettings>
|
||||
<runtime>
|
||||
<assemblyBinding xmlns="urn:schemas-microsoft-com:asm.v1">
|
||||
<dependentAssembly>
|
||||
<assemblyIdentity name="DevComponents.DotNetBar2" publicKeyToken="7eb7c3a35b91de04" culture="neutral" />
|
||||
<bindingRedirect oldVersion="0.0.0.0-12.9.0.0" newVersion="12.9.0.0" />
|
||||
</dependentAssembly>
|
||||
<dependentAssembly>
|
||||
<assemblyIdentity name="Syncfusion.Shared.Base" publicKeyToken="3d67ed1f87d44c89" culture="neutral" />
|
||||
<bindingRedirect oldVersion="0.0.0.0-16.2350.0.41" newVersion="16.2350.0.41" />
|
||||
</dependentAssembly>
|
||||
<dependentAssembly>
|
||||
<assemblyIdentity name="Newtonsoft.Json" publicKeyToken="30ad4fe6b2a6aeed" culture="neutral" />
|
||||
<bindingRedirect oldVersion="0.0.0.0-13.0.0.0" newVersion="13.0.0.0" />
|
||||
</dependentAssembly>
|
||||
</assemblyBinding>
|
||||
</runtime>
|
||||
</configuration>
|
||||
Binary file not shown.
@@ -0,0 +1,719 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<asmv1:assembly xsi:schemaLocation="urn:schemas-microsoft-com:asm.v1 assembly.adaptive.xsd" manifestVersion="1.0" xmlns:asmv1="urn:schemas-microsoft-com:asm.v1" xmlns="urn:schemas-microsoft-com:asm.v2" xmlns:asmv2="urn:schemas-microsoft-com:asm.v2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:co.v1="urn:schemas-microsoft-com:clickonce.v1" xmlns:asmv3="urn:schemas-microsoft-com:asm.v3" xmlns:dsig="http://www.w3.org/2000/09/xmldsig#" xmlns:co.v2="urn:schemas-microsoft-com:clickonce.v2">
|
||||
<asmv1:assemblyIdentity name="DPM2018.exe" version="1.0.0.1" publicKeyToken="0000000000000000" language="neutral" processorArchitecture="msil" type="win32" />
|
||||
<description asmv2:iconFile="DPMNeu.ico" xmlns="urn:schemas-microsoft-com:asm.v1" />
|
||||
<application />
|
||||
<entryPoint>
|
||||
<assemblyIdentity name="DPM2018" version="1.0.0.0" language="neutral" processorArchitecture="msil" />
|
||||
<commandLine file="DPM2018.exe" parameters="" />
|
||||
</entryPoint>
|
||||
<trustInfo>
|
||||
<security>
|
||||
<applicationRequestMinimum>
|
||||
<PermissionSet Unrestricted="true" ID="Custom" SameSite="site" />
|
||||
<defaultAssemblyRequest permissionSetReference="Custom" />
|
||||
</applicationRequestMinimum>
|
||||
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
|
||||
<!-- UAC-Manifestoptionen
|
||||
Wenn Sie die Ebene der Benutzerkontensteuerung für Windows ändern möchten, ersetzen Sie den
|
||||
Knoten "requestedExecutionLevel" wie folgt.
|
||||
|
||||
<requestedExecutionLevel level="asInvoker" uiAccess="false" />
|
||||
<requestedExecutionLevel level="requireAdministrator" uiAccess="false" />
|
||||
<requestedExecutionLevel level="highestAvailable" uiAccess="false" />
|
||||
|
||||
Durch Angabe des Elements "requestedExecutionLevel" wird die Datei- und Registrierungsvirtualisierung deaktiviert.
|
||||
Entfernen Sie dieses Element, wenn diese Virtualisierung aus Gründen der Abwärtskompatibilität
|
||||
für die Anwendung erforderlich ist.
|
||||
-->
|
||||
<requestedExecutionLevel level="asInvoker" uiAccess="false" />
|
||||
</requestedPrivileges>
|
||||
</security>
|
||||
</trustInfo>
|
||||
<dependency>
|
||||
<dependentOS>
|
||||
<osVersionInfo>
|
||||
<os majorVersion="5" minorVersion="1" buildNumber="2600" servicePackMajor="0" />
|
||||
</osVersionInfo>
|
||||
</dependentOS>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="preRequisite" allowDelayedBinding="true">
|
||||
<assemblyIdentity name="Microsoft.Windows.CommonLanguageRuntime" version="4.0.30319.0" />
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Aga.Controls.dll" size="86016">
|
||||
<assemblyIdentity name="Aga.Controls" version="1.0.0.0" publicKeyToken="FCC90FBF924463A3" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>JU/E0O9QUSU4z52mw1MfM8HW/P2cCG36y8RuNBQE9/E=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="C1.Data.2.dll" size="783720">
|
||||
<assemblyIdentity name="C1.Data.2" version="2.0.20141.273" publicKeyToken="900B028620CD3A1B" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>KoP4MFPtIPpuYdi596ZhFG36UQfpLRmBzWf4wgIl0FY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="C1.Win.C1Command.2.dll" size="2574304">
|
||||
<assemblyIdentity name="C1.Win.C1Command.2" version="2.0.20153.110" publicKeyToken="E808566F358766D8" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>ipHfUYlM1WpL1wZzUlQZRBYQxdVKC7ww96Hu5HGoByY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="C1.Win.C1Command.4.dll" size="2328544">
|
||||
<assemblyIdentity name="C1.Win.C1Command.4" version="4.0.20153.110" publicKeyToken="E808566F358766D8" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>LZCXuAA4KWfd6d5himjivInUTiseJEISMLPZ1q7R/vQ=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="C1.Win.C1Input.4.dll" size="2160608">
|
||||
<assemblyIdentity name="C1.Win.C1Input.4" version="4.0.20153.110" publicKeyToken="7E7FF60F0C214F9A" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>YXpnMK5jsATYiliytt/7VHMqiJBOOgvjx8NFwBngHi0=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="C1.Win.C1TrueDBGrid.2.dll" size="1972200">
|
||||
<assemblyIdentity name="C1.Win.C1TrueDBGrid.2" version="2.0.20153.110" publicKeyToken="75AE3FB0E2B1E0DA" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Icd1jj+Kvlb94cEgv3chdv6Wf27hZh+KIA0ZRg1pZ9s=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="DevComponents.DotNetBar.Charts.dll" size="722944">
|
||||
<assemblyIdentity name="DevComponents.DotNetBar.Charts" version="12.7.0.8" publicKeyToken="7EB7C3A35B91DE04" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>d5BU2IT2VV5V9H1eeFwMVqrHI2LCfyLEXhU4/aygU38=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="DevComponents.DotNetBar.Schedule.dll" size="508416">
|
||||
<assemblyIdentity name="DevComponents.DotNetBar.Schedule" version="12.9.0.0" publicKeyToken="7EB7C3A35B91DE04" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>O03kOGdfM9+NUl7BNo8sDuitSJQR17FZXMmxhiHeV44=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="DevComponents.DotNetBar2.dll" size="5582848">
|
||||
<assemblyIdentity name="DevComponents.DotNetBar2" version="12.9.0.0" publicKeyToken="7EB7C3A35B91DE04" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Y22jqxqpi6u/od9UVk8h8Vr6REdRb3abcHXkbpwQD1Q=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="DevComponents.TreeGX.dll" size="438272">
|
||||
<assemblyIdentity name="DevComponents.TreeGX" version="12.7.0.8" publicKeyToken="055DB68F670CFEAB" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Yh4JxnvP4BbsBuooDtLBea9dtDt4ghlNAsLFoITgif8=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="DPM2018.exe" size="6838272">
|
||||
<assemblyIdentity name="DPM2018" version="1.0.0.0" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>ghc6J0+/z8S+GFA9Pps6uNMn2aGwmrhaKPsNwaLzb7A=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="FastReport.dll" size="6232584">
|
||||
<assemblyIdentity name="FastReport" version="2021.3.20.0" publicKeyToken="DB7E5CE63278458C" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>A2pEd+DNsXElEoG5SDmoqJFWQVrTtf9+HdSZG5k8hj4=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="FastReport.Bars.dll" size="5239304">
|
||||
<assemblyIdentity name="FastReport.Bars" version="2021.3.20.0" publicKeyToken="DB7E5CE63278458C" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>soQgeMYwcM3xIk240FErqDqSqEc/x2dQH1Qscv6j0C8=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="FastReport.Compat.dll" size="29192">
|
||||
<assemblyIdentity name="FastReport.Compat" version="2021.2.0.0" publicKeyToken="406E1F4C3C8EF97E" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>x4QSq7kCR/O2Hl3qrmG7RUeUGgJcOaMW3n9ZRaYMzV0=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="FastReport.DataVisualization.dll" size="1621512">
|
||||
<assemblyIdentity name="FastReport.DataVisualization" version="2021.2.0.0" publicKeyToken="5CEB240DF42BF6E8" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>RVFCU3OAKKje5qIAskS3sLD2SyO83a88hCInG2iqi78=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="FastReport.Editor.dll" size="992776">
|
||||
<assemblyIdentity name="FastReport.Editor" version="2021.3.20.0" publicKeyToken="DB7E5CE63278458C" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>dTr3kOUjyeGnw64AdcG0LIFl5MmfalFv5aENfyZjEuc=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="FlexCel.dll" size="2363392">
|
||||
<assemblyIdentity name="FlexCel" version="5.5.1.0" publicKeyToken="CB8F6080E6D5A4D6" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Meir6IabPaye3GDIkfHQ2S58OFF1BkHDeV7aSpaQMpM=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Gnostice.Core.dll" size="110592">
|
||||
<assemblyIdentity name="Gnostice.Core" version="18.1.0.0" publicKeyToken="FC8CB3AB6A24DF63" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>VE7SaKOV+jNNS3Ni2H/rcTAIpaAXokUgU2HDgHPvgK0=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Gnostice.Free.Documents.dll" size="7866368">
|
||||
<assemblyIdentity name="Gnostice.Free.Documents" version="18.1.0.0" publicKeyToken="FC8CB3AB6A24DF63" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Umg1wnzY1tccuofSRUUTKlIWU4wmWm8kthCUJ10aob0=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Gnostice.Free.Documents.Controls.WinForms.dll" size="176640">
|
||||
<assemblyIdentity name="Gnostice.Free.Documents.Controls.WinForms" version="18.1.0.0" publicKeyToken="FC8CB3AB6A24DF63" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>D72abgLC1I9PUZrhr3hJG+64Dwcl84cmJcLSCay6R6w=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Gnostice.XtremeFontEngine.4.0.dll" size="712192">
|
||||
<assemblyIdentity name="Gnostice.XtremeFontEngine.4.0" version="1.0.2021.425" publicKeyToken="461DE9DA64BE3A84" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>6THuietrNIZBNBm2qkeLLqYZ35NLxe2l7Yfpuu4midY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Gnostice.XtremeImageEngine.dll" size="594944">
|
||||
<assemblyIdentity name="Gnostice.XtremeImageEngine" version="12.0.1696.132" publicKeyToken="67E9A3A7C22F1690" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>pNGJXV07g2oW2mw+nBq3OvOrARJybpbNxPebMJcYaOc=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Ionic.Zlib.dll" size="102400">
|
||||
<assemblyIdentity name="Ionic.Zlib" version="1.9.1.8" publicKeyToken="EDBE51AD942A3F5C" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>841UdnZdwdshJzKABmmiJ5TarjvTh90GA2azhNNnjbE=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="KP-ImageViewerV2.dll" size="67584">
|
||||
<assemblyIdentity name="KP-ImageViewerV2" version="1.5.1.0" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>pf9qMBQB56NW1zW2eG5hdw2GVZvrRblrK1LdbmNU0zM=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="MsgReader.dll" size="378368">
|
||||
<assemblyIdentity name="MsgReader" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>70vYni89hl8KEmP5ZGGnL4VHtavroZmHcWsmE7P5qCI=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="de\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="de" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Uv+ZAtv89LSuYAVmpIjK+G5Z2mbRqXF/l8WYJhaveoQ=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="es\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="es" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>az2ZzaDPDmQsLyAOI2gQf+1JyjuhvQr0RLEN7NwKA/c=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="fr\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="fr" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>7X56fvOHJrUmIfy6vUPlmFiqboysSBDNBPyqQgkaesA=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="nl\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="nl" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>OS0StxZPf9WpfactpCk1R9QvfEZ91sd/c3D5XZUqSyY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="pt\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="pt" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>qOeonQf/zIy44t0zdulKEQFv6wbNfwtf+2veMnHs2yQ=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="zh-CN\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="zh-CN" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>8/Z5ezUxuoo3x4BDdK5YD296JUs5ni25jlIgWCJYWWA=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="zh-TW\MsgReader.resources.dll" size="13824">
|
||||
<assemblyIdentity name="MsgReader.resources" version="3.6.1.0" publicKeyToken="3BA01CF3434959FA" language="zh-TW" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>YroZpkn+ylpTTzd8/wU4IqvB7svEKuD2K2vqPgvVqgY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="MySql.Data.dll" size="698368">
|
||||
<assemblyIdentity name="MySql.Data" version="8.0.12.0" publicKeyToken="C5687FC88969C44D" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>o1A1TiMHyyY2HLODhWlzi01juSSiEk3jKsgc9fnbhpo=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Newtonsoft.Json.dll" size="701992">
|
||||
<assemblyIdentity name="Newtonsoft.Json" version="13.0.0.0" publicKeyToken="30AD4FE6B2A6AEED" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>tiSUnfiw46YVP9+3MKfG9JkLZZLuDZIuF4hDPSdmEPM=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="OpenMcdf.dll" size="60928">
|
||||
<assemblyIdentity name="OpenMcdf" version="2.2.1.2" publicKeyToken="FDBB1629D7C00800" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>updVzBVQHuepY38OPgyOorWRbE8dlOAxLUGhDi153cg=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="PropertyGridEx.dll" size="48128">
|
||||
<assemblyIdentity name="PropertyGridEx" version="1.0.0.0" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>g+nWXc4h/DaKewOmkCJQA0uOR5aVfJrS29T7d3pRR8E=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="QRCoder.dll" size="123392">
|
||||
<assemblyIdentity name="QRCoder" version="1.3.7.0" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>BuCR9Vd+wZjkr3WpPfc8n8VJX2Z4E5CBLUg7ERdWlyI=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="RtfPipe.dll" size="140288">
|
||||
<assemblyIdentity name="RtfPipe" version="1.0.0.0" publicKeyToken="317A45EC926873FC" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>PqGSYEmfTjtZh0kCZwaAteRDsA4e6nEuTd25X/JYt40=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="SHUKeyGen.dll" size="27136">
|
||||
<assemblyIdentity name="SHUKeyGen" version="1.0.0.0" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>MiySCdKr//iwQYWT7HtvwRp/vYnNya6QQatBGCmzH24=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.Compression.Base.dll" size="77824">
|
||||
<assemblyIdentity name="Syncfusion.Compression.Base" version="16.2350.0.41" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>BJkS9SCFwYbOp+mx/pNwOAu5hVt2Y8jSB7wa4AcZVc0=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.Core.WinForms.dll" size="471040">
|
||||
<assemblyIdentity name="Syncfusion.Core.WinForms" version="16.3460.0.21" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>oDS7jOw2/Hhg6r7hjrGpfVjjnKNycAdiCEysPK2qkyI=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.DataSource.WinForms.dll" size="137728">
|
||||
<assemblyIdentity name="Syncfusion.DataSource.WinForms" version="16.3460.0.21" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Mlq1id846jRCoxPlPf7b+0UCKJLqUB+HfVnKOQK2GPM=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.Grid.Base.dll" size="16384">
|
||||
<assemblyIdentity name="Syncfusion.Grid.Base" version="18.3460.0.35" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>sBsA3Tp0iqFEM2+0Ld6gU6s71Z8A43UTRmI4sXA1CRY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.GridCommon.WinForms.dll" size="129536">
|
||||
<assemblyIdentity name="Syncfusion.GridCommon.WinForms" version="16.3460.0.21" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>PppMWyeOax1Ka2D6CWhkJEwjFUL47ebcFT+MRznNyBY=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.Pdf.Base.dll" size="6098944">
|
||||
<assemblyIdentity name="Syncfusion.Pdf.Base" version="16.2350.0.41" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>t4Xi0ShrYKcpu4E7U6yQXNb4S5EFRusJOBeff9U4R3s=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.PdfViewer.Windows.dll" size="1893888">
|
||||
<assemblyIdentity name="Syncfusion.PdfViewer.Windows" version="16.2350.0.41" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>IIBVzhy6EYdd8gXI9sVU/NqxevRGxCADg9ULapTktOs=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.SfListView.WinForms.dll" size="205824">
|
||||
<assemblyIdentity name="Syncfusion.SfListView.WinForms" version="16.3460.0.21" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>MnnC7vCAZEdgNV0TyQIuxUPCZnkMrhx+8M3UZwdn9fw=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.Shared.Base.dll" size="4308992">
|
||||
<assemblyIdentity name="Syncfusion.Shared.Base" version="16.2350.0.41" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>THgqsOP8jM1MWtCbJSY8B94/YKQ4l8cDzNSu+SP7HdU=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="Syncfusion.Shared.Windows.dll" size="36864">
|
||||
<assemblyIdentity name="Syncfusion.Shared.Windows" version="16.2350.0.41" publicKeyToken="3D67ED1F87D44C89" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>Brwtr52FiQEEmKQX3ygNODbMfR2HklOGYyA+bmRkdAo=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="System.Net.Http.Formatting.DLL" size="168616">
|
||||
<assemblyIdentity name="System.Net.Http.Formatting" version="4.0.0.0" publicKeyToken="31BF3856AD364E35" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>9oqTr6cUBmyNk9aw6JajAn4cQJGCdQVibVZpUSWBhJs=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<dependency>
|
||||
<dependentAssembly dependencyType="install" allowDelayedBinding="true" codebase="XLSLib.dll" size="20992">
|
||||
<assemblyIdentity name="XLSLib" version="1.0.0.0" language="neutral" processorArchitecture="msil" />
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>w8XSYPGEVjxA37eFSMqRfvZGn7IX98GZz6D0rhAQ0OA=</dsig:DigestValue>
|
||||
</hash>
|
||||
</dependentAssembly>
|
||||
</dependency>
|
||||
<file name="Database1.mdf" size="3211264" writeableType="applicationData">
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>fqNYdpv05Nzre/YSFSiXZTjp6jtD8U4DfipoKXcs3Nw=</dsig:DigestValue>
|
||||
</hash>
|
||||
</file>
|
||||
<file name="Database1_log.ldf" size="802816" writeableType="applicationData">
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>T92PpISzKuFvoRCaXDKcSaiMyMOICRIrhQVQN101KX8=</dsig:DigestValue>
|
||||
</hash>
|
||||
</file>
|
||||
<file name="DPM2018.exe.config" size="4516">
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>fufpjo176jWXBpkCH5KdtTRYc/AzII912nzsoikWbXQ=</dsig:DigestValue>
|
||||
</hash>
|
||||
</file>
|
||||
<file name="DPMNeu.ico" size="156974">
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>NLnqVMsy3w9jN63XtqsXl3zuDEd+8S6tWSYv9gZKS4Q=</dsig:DigestValue>
|
||||
</hash>
|
||||
</file>
|
||||
<file name="Zahlung\TextFile1.txt" size="70098">
|
||||
<hash>
|
||||
<dsig:Transforms>
|
||||
<dsig:Transform Algorithm="urn:schemas-microsoft-com:HashTransforms.Identity" />
|
||||
</dsig:Transforms>
|
||||
<dsig:DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha256" />
|
||||
<dsig:DigestValue>/P0NdEUz8clHUcJM9ImDfBMA4l2BnekLEPsHffEA1UU=</dsig:DigestValue>
|
||||
</hash>
|
||||
</file>
|
||||
<compatibility xmlns="urn:schemas-microsoft-com:compatibility.v1">
|
||||
<application>
|
||||
<!-- Eine Liste der Windows-Versionen, unter denen diese Anwendung getestet
|
||||
und für die sie entwickelt wurde. Wenn Sie die Auskommentierung der entsprechenden Elemente aufheben,
|
||||
wird von Windows automatisch die kompatibelste Umgebung ausgewählt. -->
|
||||
<!-- Windows Vista -->
|
||||
<!--<supportedOS Id="{e2011457-1546-43c5-a5fe-008deee3d3f0}" />-->
|
||||
<!-- Windows 7 -->
|
||||
<!--<supportedOS Id="{35138b9a-5d96-4fbd-8e2d-a2440225f93a}" />-->
|
||||
<!-- Windows 8 -->
|
||||
<!--<supportedOS Id="{4a2f28e3-53b9-4441-ba9c-d69d4a4a6e38}" />-->
|
||||
<!-- Windows 8.1 -->
|
||||
<!--<supportedOS Id="{1f676c76-80e1-4239-95bb-83d0f6d0da78}" />-->
|
||||
<!-- Windows 10 -->
|
||||
<!--<supportedOS Id="{8e0f7a12-bfb3-4fe8-b9a5-48fd50a15a9a}" />-->
|
||||
</application>
|
||||
</compatibility>
|
||||
</asmv1:assembly>
|
||||
Binary file not shown.
|
After Width: | Height: | Size: 153 KiB |
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
File diff suppressed because it is too large
Load Diff
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user