7 с ошибками
This commit is contained in:
parent
9deaccb1e1
commit
f9fcac56d0
11
AiSD/AISD_lab02/1/1.csproj
Normal file
11
AiSD/AISD_lab02/1/1.csproj
Normal file
@ -0,0 +1,11 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>net8.0</TargetFramework>
|
||||
<RootNamespace>_1</RootNamespace>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
39
AiSD/AISD_lab02/1/Program.cs
Normal file
39
AiSD/AISD_lab02/1/Program.cs
Normal file
@ -0,0 +1,39 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Alg;
|
||||
|
||||
class Program // O(n^2)
|
||||
{
|
||||
static void Main(string[] args)//статический метод main
|
||||
{
|
||||
int n1 = Convert.ToInt32(Console.ReadLine());//Считывает целое число из стандартного ввода и сохраняет его в переменную `n1`
|
||||
FindPrimes(n1);//Вызывает статический метод `FindPrimes` с аргументом `n1`
|
||||
}
|
||||
|
||||
static void FindPrimes(int n)//Определяет статический метод `FindPrimes`, который вычисляет и выводит простые числа до заданного числа `n`
|
||||
{
|
||||
bool[] isPrime = new bool[n + 1]; //Создает массив булевых значений `isPrime` размером `n + 1`, где `isPrime[i]` указывает, является ли число `i` простым
|
||||
for (int i = 2; i <= n; i++)//перебирает числа от 2 до `n
|
||||
{
|
||||
isPrime[i] = true;
|
||||
}
|
||||
|
||||
for (int i = 2; i <= n; i++)//Начинает второй цикл `for`, который перебирает числа от 2 до `n
|
||||
{
|
||||
|
||||
|
||||
if (isPrime[i] == true)
|
||||
{
|
||||
Console.Write(i + " ");
|
||||
for (int j = i * i; j <= n; j += i)
|
||||
{
|
||||
isPrime[j] = false;//Помечает кратные числа `i` как не простые.
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
11
AiSD/AISD_lab02/2/2.csproj
Normal file
11
AiSD/AISD_lab02/2/2.csproj
Normal file
@ -0,0 +1,11 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>net8.0</TargetFramework>
|
||||
<RootNamespace>_2</RootNamespace>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
81
AiSD/AISD_lab02/2/Program.cs
Normal file
81
AiSD/AISD_lab02/2/Program.cs
Normal file
@ -0,0 +1,81 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Alg;
|
||||
class Program // БЫСТРАЯ СОРТИРОВКА (В лучшем случае O(n*log(n)), в худшем O(n^2))
|
||||
{
|
||||
static void Main(string[] args)
|
||||
{
|
||||
int[] myArray = randomGenerate(10, 1, 100); // Создаем массив из 10000 элементов со значениями от 1 до 1000000
|
||||
|
||||
Console.WriteLine("Исходный массив:");
|
||||
printArray(myArray); // Выводим массив на экран
|
||||
|
||||
quickSort(myArray, 0, myArray.Length - 1); // Сортируем массив быстрой сортировкой
|
||||
Console.WriteLine("Отсортированный массив:");
|
||||
printArray(myArray); // Выводим отсортированный массив на экран
|
||||
}
|
||||
|
||||
static int[] randomGenerate(int size, int minValue, int maxValue)//Определяет статический метод `randomGenerate`, который генерирует массив указанного размера с элементами в заданном диапазоне
|
||||
{
|
||||
Random rnd = new Random();
|
||||
int[] array = new int[size];
|
||||
for (int i = 0; i < size; i++)
|
||||
{
|
||||
array[i] = rnd.Next(minValue, maxValue + 1); // Генерируем случайное число от minValue до maxValue
|
||||
}
|
||||
return array;
|
||||
}
|
||||
|
||||
static void printArray(int[] array)//Определяет статический метод `printArray`, который выводит массив на консоль
|
||||
{
|
||||
foreach (int num in array)
|
||||
{
|
||||
Console.Write(num + " ");
|
||||
}
|
||||
Console.WriteLine();
|
||||
}
|
||||
|
||||
static void quickSort(int[] array, int low, int high)//Определяет статический метод быстрой сортировки `quickSort`, который рекурсивно сортирует массив
|
||||
{
|
||||
if (low < high)
|
||||
{
|
||||
int pivotIndex = partition(array, low, high);
|
||||
|
||||
// Рекурсивно сортируем элементы до и после опорного элемента
|
||||
quickSort(array, low, pivotIndex - 1);
|
||||
quickSort(array, pivotIndex + 1, high);
|
||||
}
|
||||
}
|
||||
|
||||
static int partition(int[] array, int low, int high)
|
||||
{
|
||||
int pivot = array[high];
|
||||
int i = low - 1; // Индекс меньшего элемента
|
||||
|
||||
for (int j = low; j < high; j++)
|
||||
{
|
||||
// Если текущий элемент меньше или равен опорному
|
||||
if (array[j] <= pivot)
|
||||
{
|
||||
i++;
|
||||
|
||||
// Обмен значениями
|
||||
int temp = array[i];
|
||||
array[i] = array[j];
|
||||
array[j] = temp;
|
||||
}
|
||||
}
|
||||
|
||||
// Обмен значениями
|
||||
int temp1 = array[i + 1];
|
||||
array[i + 1] = array[high];
|
||||
array[high] = temp1;
|
||||
|
||||
return i + 1;
|
||||
}
|
||||
}
|
11
AiSD/AISD_lab02/3/3.csproj
Normal file
11
AiSD/AISD_lab02/3/3.csproj
Normal file
@ -0,0 +1,11 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>net8.0</TargetFramework>
|
||||
<RootNamespace>_3</RootNamespace>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
41
AiSD/AISD_lab02/3/Program.cs
Normal file
41
AiSD/AISD_lab02/3/Program.cs
Normal file
@ -0,0 +1,41 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Alg;
|
||||
class Program // O(log(n))
|
||||
{
|
||||
static void Main()
|
||||
{
|
||||
int[] arr = { 2, 3, 4, 10, 40 };
|
||||
int x = 10;
|
||||
int result = BinarySearch(arr, x);
|
||||
|
||||
if (result == -1)
|
||||
Console.WriteLine("Элемент не найден");
|
||||
else
|
||||
Console.WriteLine("Элемент найден в индексе: " + result);
|
||||
}
|
||||
static int BinarySearch(int[] arr, int x)//Вызывает статический метод `BinarySearch`, который реализует двоичный поиск, чтобы найти индекс элемента `x` в массиве `arr`
|
||||
{
|
||||
int left = 0;
|
||||
int right = arr.Length - 1;
|
||||
|
||||
while (left <= right)
|
||||
{
|
||||
int mid = left + (right - left) / 2;
|
||||
|
||||
if (arr[mid] == x)
|
||||
return mid;
|
||||
|
||||
if (arr[mid] < x)
|
||||
left = mid + 1;
|
||||
else
|
||||
right = mid - 1;
|
||||
}
|
||||
|
||||
return -1; // элемент не найден
|
||||
}
|
||||
}
|
56
AiSD/AISD_lab02/AISD_lab02.sln
Normal file
56
AiSD/AISD_lab02/AISD_lab02.sln
Normal file
@ -0,0 +1,56 @@
|
||||
|
||||
Microsoft Visual Studio Solution File, Format Version 12.00
|
||||
# Visual Studio Version 17
|
||||
VisualStudioVersion = 17.8.34330.188
|
||||
MinimumVisualStudioVersion = 10.0.40219.1
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "AISD_lab02", "AISD_lab02\AISD_lab02.csproj", "{CE0A04A0-E19A-4AB0-9BD1-ED707A2EBAC7}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "zach_02", "zach_02\zach_02.csproj", "{424A1DAE-30CE-462A-9151-468DD0AAD8CD}"
|
||||
EndProject
|
||||
Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "zacha_03", "zacha_03", "{252A0B4A-0FC1-49EB-86E3-B318363875FE}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "1", "1\1.csproj", "{7262DE64-9D69-49A9-826F-59AEF500A448}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "2", "2\2.csproj", "{E8029D5F-A8B0-48AF-9A7F-38B93371C1A6}"
|
||||
EndProject
|
||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "3", "3\3.csproj", "{BDC0FC50-67B8-4FE8-9EB0-BF71879A682A}"
|
||||
EndProject
|
||||
Global
|
||||
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
||||
Debug|Any CPU = Debug|Any CPU
|
||||
Release|Any CPU = Release|Any CPU
|
||||
EndGlobalSection
|
||||
GlobalSection(ProjectConfigurationPlatforms) = postSolution
|
||||
{CE0A04A0-E19A-4AB0-9BD1-ED707A2EBAC7}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{CE0A04A0-E19A-4AB0-9BD1-ED707A2EBAC7}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{CE0A04A0-E19A-4AB0-9BD1-ED707A2EBAC7}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{CE0A04A0-E19A-4AB0-9BD1-ED707A2EBAC7}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{424A1DAE-30CE-462A-9151-468DD0AAD8CD}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{424A1DAE-30CE-462A-9151-468DD0AAD8CD}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{424A1DAE-30CE-462A-9151-468DD0AAD8CD}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{424A1DAE-30CE-462A-9151-468DD0AAD8CD}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{7262DE64-9D69-49A9-826F-59AEF500A448}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{7262DE64-9D69-49A9-826F-59AEF500A448}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{7262DE64-9D69-49A9-826F-59AEF500A448}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{7262DE64-9D69-49A9-826F-59AEF500A448}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{E8029D5F-A8B0-48AF-9A7F-38B93371C1A6}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{E8029D5F-A8B0-48AF-9A7F-38B93371C1A6}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{E8029D5F-A8B0-48AF-9A7F-38B93371C1A6}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{E8029D5F-A8B0-48AF-9A7F-38B93371C1A6}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
{BDC0FC50-67B8-4FE8-9EB0-BF71879A682A}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||
{BDC0FC50-67B8-4FE8-9EB0-BF71879A682A}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||
{BDC0FC50-67B8-4FE8-9EB0-BF71879A682A}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||
{BDC0FC50-67B8-4FE8-9EB0-BF71879A682A}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||
EndGlobalSection
|
||||
GlobalSection(SolutionProperties) = preSolution
|
||||
HideSolutionNode = FALSE
|
||||
EndGlobalSection
|
||||
GlobalSection(NestedProjects) = preSolution
|
||||
{7262DE64-9D69-49A9-826F-59AEF500A448} = {252A0B4A-0FC1-49EB-86E3-B318363875FE}
|
||||
{E8029D5F-A8B0-48AF-9A7F-38B93371C1A6} = {252A0B4A-0FC1-49EB-86E3-B318363875FE}
|
||||
{BDC0FC50-67B8-4FE8-9EB0-BF71879A682A} = {252A0B4A-0FC1-49EB-86E3-B318363875FE}
|
||||
EndGlobalSection
|
||||
GlobalSection(ExtensibilityGlobals) = postSolution
|
||||
SolutionGuid = {36540D42-AA63-4162-B920-F458A82D003B}
|
||||
EndGlobalSection
|
||||
EndGlobal
|
10
AiSD/AISD_lab02/AISD_lab02/AISD_lab02.csproj
Normal file
10
AiSD/AISD_lab02/AISD_lab02/AISD_lab02.csproj
Normal file
@ -0,0 +1,10 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>net8.0</TargetFramework>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
55
AiSD/AISD_lab02/AISD_lab02/Program.cs
Normal file
55
AiSD/AISD_lab02/AISD_lab02/Program.cs
Normal file
@ -0,0 +1,55 @@
|
||||
using System; //Импортирует пространство имен `System`, которое содержит общие классы и интерфейсы .NET.
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics;
|
||||
|
||||
class CoinChange
|
||||
{
|
||||
static void MakeChange(int[] coins, int amount)//Определяет статический метод `MakeChange`, который принимает массив монет и сумму, для которой нужно выдать сдачу
|
||||
{
|
||||
Array.Sort(coins);// Сортирует массив монет в порядке возрастания
|
||||
Array.Reverse(coins);//Реверсирует массив монет
|
||||
|
||||
List<int> change = new List<int>(); //список для хранения выдаваемых монет
|
||||
int totalCoins = 0;//будет хранить общее количество выдаваемых монет
|
||||
|
||||
foreach (int coin in coins)//перебираем массив монет
|
||||
{
|
||||
while (amount >= coin)
|
||||
{
|
||||
change.Add(coin);
|
||||
amount -= coin;
|
||||
totalCoins++;
|
||||
}
|
||||
}
|
||||
|
||||
Console.WriteLine("Монеты для сдачи:");//заголовок для списка монет, которые будут выданы в качестве сдачи
|
||||
foreach (int coin in change)
|
||||
{
|
||||
Console.Write(coin + " ");
|
||||
}
|
||||
Console.WriteLine("\nВсего монет: " + totalCoins);
|
||||
Stopwatch stopwatch = new Stopwatch();
|
||||
stopwatch.Start();
|
||||
|
||||
stopwatch.Stop();
|
||||
|
||||
Console.WriteLine($"\nВремя выполнения: {stopwatch.ElapsedMilliseconds} мс");
|
||||
|
||||
// Получаем данные о потреблении памяти
|
||||
Process proc = Process.GetCurrentProcess();
|
||||
long memoryUsed = proc.PrivateMemorySize64;
|
||||
|
||||
Console.WriteLine($"Использование памяти: {memoryUsed / 1024} KB");
|
||||
}
|
||||
|
||||
|
||||
static void Main(string[] args)
|
||||
|
||||
{
|
||||
int[] coins = { 25, 10, 5, 1 };//оздает массив монет, доступных для выдачи сдачи
|
||||
int amount = 63;//Сумма, для которой нужно выдавать сдачу
|
||||
|
||||
MakeChange(coins, amount);
|
||||
|
||||
}
|
||||
}
|
82
AiSD/AISD_lab02/zach_02/Program.cs
Normal file
82
AiSD/AISD_lab02/zach_02/Program.cs
Normal file
@ -0,0 +1,82 @@
|
||||
using System;
|
||||
using System.Diagnostics;
|
||||
|
||||
class LongestCommonSubsequence
|
||||
{
|
||||
static string LCS(string X, string Y)
|
||||
{
|
||||
int m = X.Length;//сохранили x
|
||||
int n = Y.Length;// сохранили y
|
||||
|
||||
// Создаем массив для хранения длин наибольших общих подпоследовательностей
|
||||
int[,] dp = new int[m + 1, n + 1];
|
||||
|
||||
// Заполняем массив dp построчно, используя динамическое программирование
|
||||
for (int i = 0; i <= m; i++)
|
||||
{
|
||||
for (int j = 0; j <= n; j++)
|
||||
{
|
||||
if (i == 0 || j == 0)
|
||||
{
|
||||
dp[i, j] = 0; // Базовый случай: длина LCS для пустой строки равна 0
|
||||
}
|
||||
else if (X[i - 1] == Y[j - 1])
|
||||
{
|
||||
dp[i, j] = dp[i - 1, j - 1] + 1; // Если символы совпадают, увеличиваем длину на 1
|
||||
}
|
||||
else
|
||||
{
|
||||
dp[i, j] = Math.Max(dp[i - 1, j], dp[i, j - 1]); // Иначе берем максимум из длин двух подстрок
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Восстановление наибольшей общей подпоследовательности из массива dp
|
||||
int index = dp[m, n];
|
||||
char[] lcs = new char[index + 1];
|
||||
lcs[index] = '\0';
|
||||
|
||||
int p = m, q = n;
|
||||
while (p > 0 && q > 0)
|
||||
{
|
||||
if (X[p - 1] == Y[q - 1])
|
||||
{
|
||||
lcs[index - 1] = X[p - 1];
|
||||
p--;
|
||||
q--;
|
||||
index--;
|
||||
}
|
||||
else if (dp[p - 1, q] > dp[p, q - 1])
|
||||
{
|
||||
p--;
|
||||
}
|
||||
else
|
||||
{
|
||||
q--;
|
||||
}
|
||||
}
|
||||
|
||||
return new string(lcs).Substring(0, dp[m, n]);
|
||||
}
|
||||
|
||||
static void Main(string[] args)//Точка входа в программу, определяющая статический метод `Main`
|
||||
{
|
||||
string X = "ABCBDAB"; //задает строку x
|
||||
string Y = "BDCAB";//задает строку y
|
||||
|
||||
string lcs = LCS(X, Y);//метод lcs для поиска наибольшей общей подпоследовательности строк
|
||||
//Измерение времени выполнения
|
||||
Stopwatch stopwatch = new Stopwatch();
|
||||
stopwatch.Start();
|
||||
stopwatch.Stop();
|
||||
Console.WriteLine("Наибольшая общая последовательность: " + lcs);
|
||||
Console.WriteLine("Время выполнения: " + stopwatch.ElapsedMilliseconds + " миллисекунд");
|
||||
|
||||
// Измерение использования памяти
|
||||
Process currentProcess = Process.GetCurrentProcess();
|
||||
long memoryUsed = currentProcess.PrivateMemorySize64 / (1024 * 1024); // Переводим байты в мегабайты
|
||||
Console.WriteLine("Использованная память: " + memoryUsed + " мегабайт");
|
||||
Console.WriteLine("Наибольшая общая последовательность: " + lcs);
|
||||
|
||||
}
|
||||
}
|
10
AiSD/AISD_lab02/zach_02/zach_02.csproj
Normal file
10
AiSD/AISD_lab02/zach_02/zach_02.csproj
Normal file
@ -0,0 +1,10 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>net8.0</TargetFramework>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
1
AiSD/AISD_lab02/zach_03/Program.cs
Normal file
1
AiSD/AISD_lab02/zach_03/Program.cs
Normal file
@ -0,0 +1 @@
|
||||
|
10
AiSD/AISD_lab02/zach_03/zach_03.csproj
Normal file
10
AiSD/AISD_lab02/zach_03/zach_03.csproj
Normal file
@ -0,0 +1,10 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<OutputType>Exe</OutputType>
|
||||
<TargetFramework>net8.0</TargetFramework>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
</PropertyGroup>
|
||||
|
||||
</Project>
|
BIN
ProjectAirbus (3).zip
Normal file
BIN
ProjectAirbus (3).zip
Normal file
Binary file not shown.
@ -1,4 +1,5 @@
|
||||
using ProjectAirbus.CollectionGenericObjects;
|
||||
using ProjectAirbus.Exceptions;
|
||||
|
||||
namespace ProjectAirBus.CollectionGenericObjects;
|
||||
|
||||
@ -17,7 +18,7 @@ public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
||||
/// <summary>
|
||||
/// Максимально допустимое число объектов в списке
|
||||
/// </summary>
|
||||
private int _maxCount;
|
||||
private int _maxCount = 10;
|
||||
|
||||
public int Count => _collection.Count;
|
||||
|
||||
@ -37,36 +38,34 @@ public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
||||
|
||||
public T? Get(int position)
|
||||
{
|
||||
// TODO проверка позиции
|
||||
if (position >= Count || position < 0) return null;
|
||||
//TODO выброс ошибки если выход за границу
|
||||
if (position >= Count || position < 0) throw new PositionOutOfCollectionException(position);
|
||||
return _collection[position];
|
||||
}
|
||||
|
||||
public int Insert(T obj)
|
||||
{
|
||||
// TODO проверка, что не превышено максимальное количество элементов
|
||||
// TODO вставка в конец набора
|
||||
if (Count + 1 > _maxCount) return -1;
|
||||
// TODO выброс ошибки если переполнение
|
||||
if (Count == _maxCount) throw new CollectionOverflowException(Count);
|
||||
_collection.Add(obj);
|
||||
return Count;
|
||||
}
|
||||
|
||||
public int Insert(T obj, int position)
|
||||
{
|
||||
// TODO проверка, что не превышено максимальное количество элементов
|
||||
// TODO проверка позиции
|
||||
// TODO вставка по позиции
|
||||
if (Count + 1 > _maxCount) return -1;
|
||||
if (position < 0 || position > Count) return -1;
|
||||
// TODO выброс ошибки если переполнение
|
||||
// TODO выброс ошибки если за границу
|
||||
if (Count == _maxCount) throw new CollectionOverflowException(Count);
|
||||
if (position >= Count || position < 0) throw new PositionOutOfCollectionException(position);
|
||||
_collection.Insert(position, obj);
|
||||
return 1;
|
||||
return position;
|
||||
}
|
||||
|
||||
public T? Remove(int position)
|
||||
{
|
||||
// TODO проверка позиции
|
||||
// TODO удаление объекта из списка
|
||||
if (position < 0 || position > Count) return null;
|
||||
|
||||
// TODO если выброс за границу
|
||||
if (position >= Count || position < 0) throw new PositionOutOfCollectionException(position);
|
||||
T? pos = _collection[position];
|
||||
_collection.RemoveAt(position);
|
||||
return pos;
|
||||
|
@ -1,4 +1,4 @@
|
||||
|
||||
using ProjectAirbus.Exceptions;
|
||||
|
||||
namespace ProjectAirbus.CollectionGenericObjects;
|
||||
|
||||
@ -48,15 +48,16 @@ internal class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
||||
|
||||
public T? Get(int position)
|
||||
{
|
||||
// TODO проверка позиции
|
||||
if (position >= _collection.Length || position < 0)
|
||||
{ return null; }
|
||||
// TODO выброс ошибки если выход за границу
|
||||
// TODO выброс ошибки если объект пустой
|
||||
if (position >= _collection.Length || position < 0) throw new PositionOutOfCollectionException(position);
|
||||
if (_collection[position] == null) throw new ObjectNotFoundException(position);
|
||||
return _collection[position];
|
||||
}
|
||||
|
||||
public int Insert(T obj)
|
||||
{
|
||||
// TODO вставка в свободное место набора
|
||||
// TODO выброс ошибки если переполнение
|
||||
int index = 0;
|
||||
while (index < _collection.Length)
|
||||
{
|
||||
@ -65,57 +66,50 @@ internal class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
||||
_collection[index] = obj;
|
||||
return index;
|
||||
}
|
||||
|
||||
index++;
|
||||
++index;
|
||||
}
|
||||
return -1;
|
||||
throw new CollectionOverflowException(Count);
|
||||
}
|
||||
|
||||
public int Insert(T obj, int position)
|
||||
{
|
||||
// TODO проверка позиции
|
||||
// TODO проверка, что элемент массива по этой позиции пустой, если нет, то
|
||||
// ищется свободное место после этой позиции и идет вставка туда
|
||||
// если нет после, ищем до
|
||||
// TODO вставка
|
||||
if (position >= _collection.Length || position < 0)
|
||||
{ return -1; }
|
||||
|
||||
if (_collection[position] == null)
|
||||
// TODO выброс ошибки если переполнение
|
||||
// TODO выброс ошибки если выход за границу
|
||||
if (position >= _collection.Length || position < 0) throw new PositionOutOfCollectionException(position);
|
||||
if (_collection[position] == null)
|
||||
{
|
||||
_collection[position] = obj;
|
||||
return position;
|
||||
}
|
||||
int index;
|
||||
|
||||
for (index = position + 1; index < _collection.Length; ++index)
|
||||
int index = position + 1;
|
||||
while (index < _collection.Length)
|
||||
{
|
||||
if (_collection[index] == null)
|
||||
{
|
||||
_collection[position] = obj;
|
||||
return position;
|
||||
_collection[index] = obj;
|
||||
return index;
|
||||
}
|
||||
++index;
|
||||
}
|
||||
|
||||
for (index = position - 1; index >= 0; --index)
|
||||
index = position - 1;
|
||||
while (index >= 0)
|
||||
{
|
||||
if (_collection[index] == null)
|
||||
{
|
||||
_collection[position] = obj;
|
||||
return position;
|
||||
_collection[index] = obj;
|
||||
return index;
|
||||
}
|
||||
--index;
|
||||
}
|
||||
return -1;
|
||||
throw new CollectionOverflowException(Count);
|
||||
}
|
||||
|
||||
public T? Remove(int position)
|
||||
{
|
||||
// TODO проверка позиции
|
||||
// TODO удаление объекта из массива, присвоив элементу массива значение null
|
||||
if (position >= _collection.Length || position < 0)
|
||||
{
|
||||
return null;
|
||||
}
|
||||
// TODO выброс ошибки если выход за границу
|
||||
// TODO выброс ошибки если объект пустой
|
||||
if (position >= _collection.Length || position < 0) throw new PositionOutOfCollectionException(position);
|
||||
if (_collection[position] == null) throw new ObjectNotFoundException(position);
|
||||
T obj = _collection[position];
|
||||
_collection[position] = null;
|
||||
return obj;
|
||||
|
@ -2,6 +2,7 @@
|
||||
|
||||
using ProjectAirbus.CollectionGenericObjects;
|
||||
using ProjectAirbus.Drawnings;
|
||||
using ProjectAirbus.Exceptions;
|
||||
using System.Text;
|
||||
|
||||
|
||||
@ -66,11 +67,11 @@ public class StorageCollection<T>
|
||||
return _storages[name];
|
||||
}
|
||||
}
|
||||
public bool SaveData(string filename)
|
||||
public void SaveData(string filename)
|
||||
{
|
||||
if (_storages.Count == 0)
|
||||
{
|
||||
return false;
|
||||
throw new Exception("В хранилище отсутствуют коллекции для сохранения");
|
||||
}
|
||||
if (File.Exists(filename))
|
||||
{
|
||||
@ -110,14 +111,14 @@ public class StorageCollection<T>
|
||||
using FileStream fs = new(filename, FileMode.Create);
|
||||
byte[] info = new UTF8Encoding().GetBytes(sb.ToString());
|
||||
fs.Write(info, 0, info.Length);
|
||||
return true;
|
||||
|
||||
}
|
||||
|
||||
public bool LoadData(string filename)
|
||||
public void LoadData(string filename)
|
||||
{
|
||||
if (!File.Exists(filename))
|
||||
{
|
||||
return false;
|
||||
throw new Exception("Файл не существует");
|
||||
}
|
||||
string bufferTextFromFile = "";
|
||||
using (FileStream fs = new(filename, FileMode.Open))
|
||||
@ -133,11 +134,11 @@ public class StorageCollection<T>
|
||||
string[] strs = bufferTextFromFile.Split(new char[] { '\n', '\r' }, StringSplitOptions.RemoveEmptyEntries);
|
||||
if (strs.Length == 0 || strs == null)
|
||||
{
|
||||
return false;
|
||||
throw new Exception("В файле нет данных");
|
||||
}
|
||||
if (!strs[0].Equals(_collectionKey))
|
||||
{
|
||||
return false;
|
||||
throw new Exception("В файле неверные данные");
|
||||
}
|
||||
|
||||
_storages.Clear();
|
||||
@ -152,7 +153,7 @@ public class StorageCollection<T>
|
||||
ICollectionGenericObjects<T>? collection = StorageCollection<T>.CreateCollection(collectionType);
|
||||
if (collection == null)
|
||||
{
|
||||
return false;
|
||||
throw new Exception("Не удалось создать коллекцию");
|
||||
}
|
||||
collection.MaxCount = Convert.ToInt32(record[2]);
|
||||
|
||||
@ -161,9 +162,16 @@ public class StorageCollection<T>
|
||||
{
|
||||
if (elem?.CreateDrawningBus() is T bus)
|
||||
{
|
||||
if (collection.Insert(bus) == -1)
|
||||
try
|
||||
{
|
||||
return false;
|
||||
if (collection.Insert(bus) == -1)
|
||||
{
|
||||
throw new Exception("Объект не удалось добавить в коллекцию: " + record[3] );
|
||||
}
|
||||
}
|
||||
catch (CollectionOverflowException ex)
|
||||
{
|
||||
throw new Exception("Коллекция переполнена", ex);
|
||||
}
|
||||
}
|
||||
}
|
||||
@ -171,7 +179,7 @@ public class StorageCollection<T>
|
||||
_storages.Add(record[0], collection);
|
||||
}
|
||||
|
||||
return true;
|
||||
|
||||
}
|
||||
|
||||
private static ICollectionGenericObjects<T>? CreateCollection(CollectionType collectionType)
|
||||
|
@ -0,0 +1,22 @@
|
||||
using System.Runtime.Serialization;
|
||||
|
||||
namespace ProjectAirbus.Exceptions;
|
||||
|
||||
/// <summary>
|
||||
/// Класс, описывающий ошибку переполнения коллекции
|
||||
/// </summary>
|
||||
[Serializable]
|
||||
|
||||
public class CollectionOverflowException : ApplicationException
|
||||
{
|
||||
public CollectionOverflowException(int count) : base("В коллекции превышено допустимое количество count" + count) { }
|
||||
|
||||
public CollectionOverflowException() : base() { }
|
||||
|
||||
public CollectionOverflowException(string message) : base(message) { }
|
||||
|
||||
public CollectionOverflowException(string message, Exception exception) : base(message, exception) { }
|
||||
|
||||
protected CollectionOverflowException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
|
||||
|
||||
}
|
@ -0,0 +1,20 @@
|
||||
using System.Runtime.Serialization;
|
||||
|
||||
namespace ProjectAirbus.Exceptions;
|
||||
/// <summary>
|
||||
/// Класс, описывающий ошибку, что по указанной позиции нет элемента
|
||||
/// </summary>
|
||||
[Serializable]
|
||||
|
||||
internal class ObjectNotFoundException : ApplicationException
|
||||
{
|
||||
public ObjectNotFoundException(int count) : base("В коллекции превышено допустимое количество count" + count) { }
|
||||
|
||||
public ObjectNotFoundException() : base() { }
|
||||
|
||||
public ObjectNotFoundException(string message) : base(message) { }
|
||||
|
||||
public ObjectNotFoundException(string message, Exception exception) : base(message, exception) { }
|
||||
|
||||
protected ObjectNotFoundException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
|
||||
}
|
@ -0,0 +1,21 @@
|
||||
using System.Runtime.Serialization;
|
||||
|
||||
namespace ProjectAirbus.Exceptions;
|
||||
/// <summary>
|
||||
/// Класс, описывающий ошибку выхода за границы коллекции
|
||||
/// </summary>
|
||||
[Serializable]
|
||||
|
||||
internal class PositionOutOfCollectionException : ApplicationException
|
||||
{
|
||||
public PositionOutOfCollectionException(int count) : base("В коллекции превышено допустимое количество count" + count) { }
|
||||
|
||||
public PositionOutOfCollectionException() : base() { }
|
||||
|
||||
public PositionOutOfCollectionException(string message) : base(message) { }
|
||||
|
||||
public PositionOutOfCollectionException(string message, Exception exception) : base(message, exception) { }
|
||||
|
||||
protected PositionOutOfCollectionException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
|
||||
|
||||
}
|
@ -1,6 +1,9 @@
|
||||
using ProjectAirbus.CollectionGenericObjects;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using ProjectAirbus.CollectionGenericObjects;
|
||||
using ProjectAirbus.Drawnings;
|
||||
using ProjectAirbus.Exceptions;
|
||||
using ProjectAirBus.CollectionGenericObjects;
|
||||
using System.Windows.Forms;
|
||||
|
||||
namespace ProjectAirbus;
|
||||
|
||||
@ -8,11 +11,15 @@ public partial class FormBusCollection : Form
|
||||
{
|
||||
private readonly StorageCollection<DrawningBus> _storageCollection;
|
||||
|
||||
private AbstractCompany? _company;
|
||||
public FormBusCollection()
|
||||
private AbstractCompany? _company = null;
|
||||
private readonly ILogger _logger;
|
||||
|
||||
public FormBusCollection(ILogger<FormBusCollection> logger)
|
||||
{
|
||||
InitializeComponent();
|
||||
_storageCollection = new();
|
||||
_logger = logger;
|
||||
_logger.LogInformation("Форма загрузилась");
|
||||
}
|
||||
|
||||
private void comboBoxSelectorCompany_SelectedIndexChanged(object sender, EventArgs e)
|
||||
@ -20,10 +27,6 @@ public partial class FormBusCollection : Form
|
||||
panelCompanyTools.Enabled = false;
|
||||
}
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
/// <summary>
|
||||
/// добавить самолет
|
||||
/// </summary>
|
||||
@ -40,24 +43,27 @@ public partial class FormBusCollection : Form
|
||||
|
||||
private void SetBus(DrawningBus? bus)
|
||||
{
|
||||
if (_company == null || bus == null)
|
||||
try
|
||||
{
|
||||
return;
|
||||
if (_company == null || bus == null)
|
||||
{
|
||||
return;
|
||||
}
|
||||
if (_company + bus != -1)
|
||||
{
|
||||
MessageBox.Show("Объект добавлен");
|
||||
pictureBox1.Image = _company.Show();
|
||||
_logger.LogInformation("Добавлен объект: " + bus.GetDataForSave());
|
||||
}
|
||||
}
|
||||
|
||||
if (_company + bus != -1)
|
||||
{
|
||||
MessageBox.Show("Объект добавлен");
|
||||
pictureBox1.Image = _company.Show();
|
||||
}
|
||||
else
|
||||
catch (ObjectNotFoundException) { }
|
||||
catch (CollectionOverflowException ex)
|
||||
{
|
||||
MessageBox.Show("Не удалось добавить объект");
|
||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
|
||||
|
||||
/// <summary>
|
||||
/// Удаление объекта
|
||||
/// </summary>
|
||||
@ -76,14 +82,19 @@ public partial class FormBusCollection : Form
|
||||
}
|
||||
|
||||
int pos = Convert.ToInt32(maskedTextBox.Text);
|
||||
if (_company - pos != null)
|
||||
try
|
||||
{
|
||||
MessageBox.Show("Объект удален");
|
||||
pictureBox1.Image = _company.Show();
|
||||
if (_company - pos != null)
|
||||
{
|
||||
MessageBox.Show("Объект удален");
|
||||
pictureBox1.Image = _company.Show();
|
||||
_logger.LogInformation("Удален объект по позиции" + pos);
|
||||
}
|
||||
}
|
||||
else
|
||||
catch (Exception ex)
|
||||
{
|
||||
MessageBox.Show("Не удалось удалить объект");
|
||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||
}
|
||||
}
|
||||
|
||||
@ -98,27 +109,29 @@ public partial class FormBusCollection : Form
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
DrawningBus? bus = null;
|
||||
int counter = 100;
|
||||
while (bus == null)
|
||||
try
|
||||
{
|
||||
bus = _company.GetRandomObject();
|
||||
counter--;
|
||||
if (counter <= 0)
|
||||
while (bus == null)
|
||||
{
|
||||
break;
|
||||
bus = _company.GetRandomObject();
|
||||
counter--;
|
||||
if (counter <= 0)
|
||||
{
|
||||
break;
|
||||
}
|
||||
}
|
||||
FormAirbus form = new()
|
||||
{
|
||||
SetBus = bus
|
||||
};
|
||||
form.ShowDialog();
|
||||
}
|
||||
|
||||
if (bus == null)
|
||||
catch (Exception ex)
|
||||
{
|
||||
return;
|
||||
MessageBox.Show(ex.Message, "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||
}
|
||||
|
||||
FormAirbus form = new();
|
||||
form.SetBus = bus;
|
||||
form.ShowDialog();
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
@ -149,18 +162,25 @@ public partial class FormBusCollection : Form
|
||||
return;
|
||||
}
|
||||
|
||||
CollectionType collectionType = CollectionType.None;
|
||||
if (radioButtonMassive.Checked)
|
||||
try
|
||||
{
|
||||
collectionType = CollectionType.Massive;
|
||||
CollectionType collectionType = CollectionType.None;
|
||||
if (radioButtonMassive.Checked)
|
||||
{
|
||||
collectionType = CollectionType.Massive;
|
||||
}
|
||||
else if (radioButtonList.Checked)
|
||||
{
|
||||
collectionType = CollectionType.List;
|
||||
}
|
||||
_storageCollection.AddCollection(textBoxCollectionName.Text, collectionType);
|
||||
RerfreshListBoxItems();
|
||||
_logger.LogInformation("Коллекция добавлена " + textBoxCollectionName.Text);
|
||||
}
|
||||
else if (radioButtonList.Checked)
|
||||
catch (Exception ex)
|
||||
{
|
||||
collectionType = CollectionType.List;
|
||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||
}
|
||||
|
||||
_storageCollection.AddCollection(textBoxCollectionName.Text, collectionType);
|
||||
RerfreshListBoxItems();
|
||||
}
|
||||
/// <summary>
|
||||
/// Удаление коллекции
|
||||
@ -173,18 +193,26 @@ public partial class FormBusCollection : Form
|
||||
// нужно убедиться, что есть выбранная коллекция
|
||||
// спросить у пользователя через MessageBox, что он подтверждает, что хочет удалить запись
|
||||
// удалить и обновить ListBox
|
||||
|
||||
if (listBoxCollection.SelectedItem == null)
|
||||
if (listBoxCollection.SelectedIndex < 0 || listBoxCollection.SelectedItem == null)
|
||||
{
|
||||
MessageBox.Show("Коллекция не выбрана");
|
||||
return;
|
||||
}
|
||||
if (MessageBox.Show("Удалить коллекцию?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) != DialogResult.Yes)
|
||||
try
|
||||
{
|
||||
return;
|
||||
if (MessageBox.Show("Удалить коллекцию?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) == DialogResult.No)
|
||||
{
|
||||
return;
|
||||
}
|
||||
_storageCollection.DelCollection(listBoxCollection.SelectedItem.ToString());
|
||||
RerfreshListBoxItems();
|
||||
_logger.LogInformation("Коллекция: " + listBoxCollection.SelectedItem.ToString() + " удалена");
|
||||
}
|
||||
_storageCollection.DelCollection(listBoxCollection.SelectedItem.ToString());
|
||||
RerfreshListBoxItems();
|
||||
catch (Exception ex)
|
||||
{
|
||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
@ -240,13 +268,16 @@ public partial class FormBusCollection : Form
|
||||
{
|
||||
if (saveFileDialog.ShowDialog() == DialogResult.OK)
|
||||
{
|
||||
if (_storageCollection.SaveData(saveFileDialog.FileName))
|
||||
try
|
||||
{
|
||||
_storageCollection.SaveData(saveFileDialog.FileName);
|
||||
MessageBox.Show("Сохранение прошло успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
|
||||
_logger.LogInformation("Сохранение в файл: {filename}", saveFileDialog.FileName);
|
||||
}
|
||||
else
|
||||
catch(Exception ex)
|
||||
{
|
||||
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||
MessageBox.Show(ex.Message, "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||
}
|
||||
|
||||
}
|
||||
@ -256,15 +287,17 @@ public partial class FormBusCollection : Form
|
||||
{
|
||||
if (openFileDialog.ShowDialog() == DialogResult.OK)
|
||||
{
|
||||
if (_storageCollection.LoadData(openFileDialog.FileName))
|
||||
try
|
||||
{
|
||||
_storageCollection.LoadData(openFileDialog.FileName);
|
||||
MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
|
||||
|
||||
RerfreshListBoxItems();
|
||||
_logger.LogInformation("Загрузка из файла: {filename}", openFileDialog.FileName);
|
||||
}
|
||||
else
|
||||
catch (Exception ex)
|
||||
{
|
||||
MessageBox.Show("Не загрузилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -247,6 +247,7 @@
|
||||
pictureBoxObject.Size = new Size(204, 121);
|
||||
pictureBoxObject.TabIndex = 1;
|
||||
pictureBoxObject.TabStop = false;
|
||||
|
||||
//
|
||||
// buttonAdd
|
||||
//
|
||||
|
@ -36,7 +36,7 @@ public partial class FormBusConfig : Form
|
||||
BusDelegate += busDelegate;
|
||||
}
|
||||
|
||||
|
||||
|
||||
private void DrawObject()
|
||||
{
|
||||
Bitmap bmp = new(pictureBoxObject.Width, pictureBoxObject.Height);
|
||||
@ -73,8 +73,8 @@ public partial class FormBusConfig : Form
|
||||
}
|
||||
|
||||
private void Panel_MouseDown(object? sender, MouseEventArgs e)
|
||||
{
|
||||
|
||||
{
|
||||
|
||||
(sender as Panel)?.DoDragDrop((sender as Panel)?.BackColor, DragDropEffects.Move | DragDropEffects.Copy);
|
||||
}
|
||||
|
||||
@ -126,7 +126,7 @@ public partial class FormBusConfig : Form
|
||||
|
||||
private void ButtonAddAirbus_Click(object sender, EventArgs e)
|
||||
{
|
||||
if(_bus != null)
|
||||
if (_bus != null)
|
||||
{
|
||||
BusDelegate?.Invoke(_bus);
|
||||
Close();
|
||||
|
@ -1,3 +1,6 @@
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Microsoft.Extensions.Logging;
|
||||
|
||||
namespace ProjectAirbus
|
||||
{
|
||||
internal static class Program
|
||||
@ -11,7 +14,21 @@ namespace ProjectAirbus
|
||||
// To customize application configuration such as set high DPI settings or default font,
|
||||
// see https://aka.ms/applicationconfiguration.
|
||||
ApplicationConfiguration.Initialize();
|
||||
Application.Run(new FormBusCollection());
|
||||
ServiceCollection services = new();
|
||||
ConfigureServices(services);
|
||||
using ServiceProvider serviceProvider = services.BuildServiceProvider();
|
||||
Application.Run(serviceProvider.GetRequiredService<FormBusCollection>());
|
||||
|
||||
}
|
||||
private static void ConfigureServices(ServiceCollection services)
|
||||
{
|
||||
services.AddSingleton<FormBusCollection>()
|
||||
.AddLogging(option =>
|
||||
{
|
||||
option.SetMinimumLevel(LogLevel.Information);
|
||||
option.AddNLog("nlog.config");
|
||||
});
|
||||
}
|
||||
|
||||
}
|
||||
}
|
@ -8,6 +8,10 @@
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="Microsoft.Extensions.Logging" Version="7.0.0" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<Compile Update="Properties\Resources.Designer.cs">
|
||||
<DesignTime>True</DesignTime>
|
||||
@ -23,4 +27,10 @@
|
||||
</EmbeddedResource>
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<None Update="nlog.config">
|
||||
<CopyToOutputDirectory>Always</CopyToOutputDirectory>
|
||||
</None>
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
15
ProjectAirbus/ProjectAirbus/nlog.config
Normal file
15
ProjectAirbus/ProjectAirbus/nlog.config
Normal file
@ -0,0 +1,15 @@
|
||||
<?xml version="1.0" encoding="utf-8" ?>
|
||||
<configuration>
|
||||
<nlog xmlns="http://www.nlog-project.org/schemas/NLog.xsd"
|
||||
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
||||
autoReload="true" internalLogLevel="Info">
|
||||
|
||||
<targets>
|
||||
<target xsi:type="File" name="tofile" fileName="carlog-${shortdate}.log" />
|
||||
</targets>
|
||||
|
||||
<rules>
|
||||
<logger name="*" minlevel="Debug" writeTo="tofile" />
|
||||
</rules>
|
||||
</nlog>
|
||||
</configuration>
|
Loading…
Reference in New Issue
Block a user