проблемы с serialog

This commit is contained in:
foxkerik6 2022-11-29 06:08:45 +04:00
parent bd2998b662
commit 0a5fc475d2
8 changed files with 170 additions and 33 deletions

View File

@ -0,0 +1,18 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.Serialization;
using System.Text;
using System.Threading.Tasks;
namespace Stormtrooper
{
internal class AirplaneNotFoundException : ApplicationException
{
public AirplaneNotFoundException() : base() { }
public AirplaneNotFoundException(int i) : base($"Не найден объект по позиции {i}") { }
public AirplaneNotFoundException(string message) : base(message) { }
public AirplaneNotFoundException(string message, Exception exception) : base(message, exception) { }
protected AirplaneNotFoundException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
}
}

View File

@ -1,4 +1,5 @@
using Strormtrooper; using Microsoft.Extensions.Logging;
using Strormtrooper;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.ComponentModel; using System.ComponentModel;
@ -20,14 +21,15 @@ namespace Stormtrooper
{"Опасная карта", new DangerMap()}, {"Опасная карта", new DangerMap()},
{"Облачная карта", new CloudMap()} {"Облачная карта", new CloudMap()}
}; };
private readonly ILogger _logger;
/// <summary> /// <summary>
/// Объект от коллекции карт /// Объект от коллекции карт
/// </summary> /// </summary>
private readonly MapCollection _mapCollection; private readonly MapCollection _mapCollection;
private MapWithSetAirplaneGeneric<DrawningObject, AbstractMap> _mapAirsCollectionGeneric; public FormMapWithSetAirplane(ILogger<FormMapWithSetAirplane> logger)
public FormMapWithSetAirplane()
{ {
InitializeComponent(); InitializeComponent();
_logger = logger;
openFileDialog.Filter = "Text files(*.txt)|*.txt"; openFileDialog.Filter = "Text files(*.txt)|*.txt";
saveFileDialog.Filter = "Text files(*.txt)|*.txt"; saveFileDialog.Filter = "Text files(*.txt)|*.txt";
_mapCollection = new MapCollection(pictureBox.Width, pictureBox.Height); _mapCollection = new MapCollection(pictureBox.Width, pictureBox.Height);
@ -63,16 +65,25 @@ namespace Stormtrooper
{ {
if (comboBoxMapSelector.SelectedIndex == -1 || string.IsNullOrEmpty(textBoxMapName.Text)) if (comboBoxMapSelector.SelectedIndex == -1 || string.IsNullOrEmpty(textBoxMapName.Text))
{ {
_logger.LogInformation("Не все данные заполнены при попытке создании карты");
MessageBox.Show("Не все данные заполнены", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error); MessageBox.Show("Не все данные заполнены", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
return; return;
} }
if (!_mapsDict.ContainsKey(comboBoxMapSelector.Text)) if (!_mapsDict.ContainsKey(comboBoxMapSelector.Text))
{ {
_logger.LogInformation($"Нет карты с названием {comboBoxMapSelector.Text}");
MessageBox.Show("Нет такой карты", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error); MessageBox.Show("Нет такой карты", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
return; return;
} }
if (textBoxMapName.Text.Contains('|') || textBoxMapName.Text.Contains(':') || textBoxMapName.Text.Contains(';'))
{
_logger.LogInformation("Присутствуют символы, недопустимые для имени карты");
MessageBox.Show("Присутствуют символы, недопустимые для имени карты", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
return;
}
_mapCollection.AddMap(textBoxMapName.Text, _mapsDict[comboBoxMapSelector.Text]); _mapCollection.AddMap(textBoxMapName.Text, _mapsDict[comboBoxMapSelector.Text]);
ReloadMaps(); ReloadMaps();
_logger.LogInformation($"Добавлена карта {textBoxMapName.Text}");
} }
/// <summary> /// <summary>
/// Добавление объекта /// Добавление объекта
@ -92,15 +103,31 @@ namespace Stormtrooper
return; return;
} }
DrawningObject airplane = new(drawningMilitaryAirplane); DrawningObject airplane = new(drawningMilitaryAirplane);
if (_mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty] + airplane != -1) try
{ {
MessageBox.Show("Объект добавлен"); if (_mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty] + airplane != -1)
pictureBox.Image = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty].ShowSet(); {
_logger.LogInformation($"Добавление объекта {airplane}");
MessageBox.Show("Объект добавлен");
pictureBox.Image = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty].ShowSet();
}
else
{
_logger.LogInformation("Не удалось добавить объект");
MessageBox.Show("Не удалось добавить объект");
}
} }
else catch (StorageOverflowException ex)
{ {
MessageBox.Show("Не удалось добавить объект"); _logger.LogWarning($"Ошибка переполнения хранилища: {ex.Message}");
MessageBox.Show($"Ошибка переполнения хранилища: {ex.Message}", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
} }
catch (Exception ex)
{
_logger.LogWarning($"Неизвестная ошибка: {ex.Message}");
MessageBox.Show($"Неизвестная ошибка: {ex.Message}");
}
} }
/// <summary> /// <summary>
/// Удаление объекта /// Удаление объекта
@ -122,15 +149,31 @@ namespace Stormtrooper
return; return;
} }
int pos = Convert.ToInt32(maskedTextBoxPosition.Text); int pos = Convert.ToInt32(maskedTextBoxPosition.Text);
if (_mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty] - pos != null) try
{ {
MessageBox.Show("Объект удален"); var deletedAirplane = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty] - pos;
pictureBox.Image = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty].ShowSet(); if (deletedAirplane != null)
{
_logger.LogInformation($"Объект {deletedAirplane} удалён");
MessageBox.Show("Объект удален");
pictureBox.Image = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty].ShowSet();
}
else
{
MessageBox.Show("Не удалось удалить объект");
}
} }
else catch (AirplaneNotFoundException ex)
{ {
MessageBox.Show("Не удалось удалить объект"); _logger.LogWarning($"Ошибка удаления: {ex.Message}");
MessageBox.Show($"Ошибка удаления: {ex.Message}");
} }
catch(Exception ex)
{
_logger.LogWarning($"Неизвестная ошибка: {ex.Message}");
MessageBox.Show($"Неизвестная ошибка: {ex.Message}");
}
} }
/// <summary> /// <summary>
/// Вывод набора /// Вывод набора
@ -193,6 +236,7 @@ namespace Stormtrooper
private void listBoxMap_SelectedIndexChanged(object sender, EventArgs e) private void listBoxMap_SelectedIndexChanged(object sender, EventArgs e)
{ {
pictureBox.Image = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty].ShowSet(); pictureBox.Image = _mapCollection[listBoxMap.SelectedItem?.ToString() ?? string.Empty].ShowSet();
_logger.LogInformation($"Текущая карта сменена на {listBoxMap.SelectedItem?.ToString() ?? string.Empty}");
} }
private void ButtonRemoveMap_Click(object sender, EventArgs e) private void ButtonRemoveMap_Click(object sender, EventArgs e)
{ {
@ -205,6 +249,7 @@ namespace Stormtrooper
{ {
_mapCollection.DelMap(listBoxMap.SelectedItem?.ToString() ?? string.Empty); _mapCollection.DelMap(listBoxMap.SelectedItem?.ToString() ?? string.Empty);
ReloadMaps(); ReloadMaps();
_logger.LogInformation($"Удалена карта {listBoxMap.SelectedItem?.ToString() ?? string.Empty}");
} }
} }
@ -212,13 +257,16 @@ namespace Stormtrooper
{ {
if (saveFileDialog.ShowDialog() == DialogResult.OK) if (saveFileDialog.ShowDialog() == DialogResult.OK)
{ {
if (_mapCollection.SaveData(saveFileDialog.FileName)) try
{ {
_mapCollection.SaveData(saveFileDialog.FileName);
_logger.LogInformation($"Успешное сохранение по пути {saveFileDialog.FileName}");
MessageBox.Show("Сохранение прошло успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information); MessageBox.Show("Сохранение прошло успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
} }
else catch (Exception ex)
{ {
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error); _logger.LogWarning($"Не удалось сохранить данные. Ошибка - {ex.Message}");
MessageBox.Show($"Не сохранилось: {ex.Message}", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
} }
} }
} }
@ -227,14 +275,17 @@ namespace Stormtrooper
{ {
if (openFileDialog.ShowDialog() == DialogResult.OK) if (openFileDialog.ShowDialog() == DialogResult.OK)
{ {
if (_mapCollection.LoadData(openFileDialog.FileName)) try
{ {
_mapCollection.LoadData(openFileDialog.FileName);
ReloadMaps(); ReloadMaps();
_logger.LogInformation($"Успешная загрузка по пути {openFileDialog.FileName}");
MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information); MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
} }
else catch (Exception ex)
{ {
MessageBox.Show("Не получилось загрузить файл", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error); _logger.LogWarning($"Не удалось загрузить данные. Ошибка - {ex.Message}");
MessageBox.Show($"Не загрузилось: {ex.Message}", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
} }
} }
} }

View File

@ -64,7 +64,7 @@ namespace Stormtrooper
_mapStorages.Remove(name); _mapStorages.Remove(name);
} }
public bool SaveData(string filename) public void SaveData(string filename)
{ {
if (File.Exists(filename)) if (File.Exists(filename))
{ {
@ -78,18 +78,17 @@ namespace Stormtrooper
sw.Write($"{storage.Key}{separatorDict}{storage.Value.GetData(separatorDict, separatorData)}{Environment.NewLine}"); sw.Write($"{storage.Key}{separatorDict}{storage.Value.GetData(separatorDict, separatorData)}{Environment.NewLine}");
} }
} }
return true;
} }
/// <summary> /// <summary>
/// Загрузка информации по локомотивам в депо из файла /// Загрузка информации по локомотивам в депо из файла
/// </summary> /// </summary>
/// <param name="filename"></param> /// <param name="filename"></param>
/// <returns></returns> /// <returns></returns>
public bool LoadData(string filename) public void LoadData(string filename)
{ {
if (!File.Exists(filename)) if (!File.Exists(filename))
{ {
return false; throw new FileNotFoundException("Файл не найден");
} }
using (StreamReader sr = new(filename)) using (StreamReader sr = new(filename))
{ {
@ -97,7 +96,7 @@ namespace Stormtrooper
if (!str.Contains("MapCollection")) if (!str.Contains("MapCollection"))
{ {
//если нет такой записи, то это не те данные //если нет такой записи, то это не те данные
return false; throw new FileFormatException("Формат данных в файле неправильный");
} }
_mapStorages.Clear(); _mapStorages.Clear();
while ((str = sr.ReadLine()) != null) while ((str = sr.ReadLine()) != null)
@ -120,7 +119,6 @@ namespace Stormtrooper
_mapStorages[elem[0]].LoadData(elem[2].Split(separatorData, StringSplitOptions.RemoveEmptyEntries)); _mapStorages[elem[0]].LoadData(elem[2].Split(separatorData, StringSplitOptions.RemoveEmptyEntries));
} }
} }
return true;
} }

View File

@ -1,8 +1,7 @@
using System; using Microsoft.Extensions.Configuration;
using System.Collections.Generic; using Microsoft.Extensions.DependencyInjection;
using System.Linq; using Microsoft.Extensions.Logging;
using System.Threading.Tasks; using Serilog;
using System.Windows.Forms;
namespace Stormtrooper namespace Stormtrooper
{ {
@ -16,7 +15,30 @@ namespace Stormtrooper
{ {
Application.EnableVisualStyles(); Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false); Application.SetCompatibleTextRenderingDefault(false);
Application.Run(new FormMapWithSetAirplane()); ApplicationConfiguration.Initialize();
var services = new ServiceCollection();
ConfigureServices(services);
using (ServiceProvider serviceProvider = services.BuildServiceProvider())
{
Application.Run(serviceProvider.GetRequiredService<FormMapWithSetAirplane>());
}
}
private static void ConfigureServices(ServiceCollection services)
{
services.AddSingleton<FormMapWithSetAirplane>()
.AddLogging(option =>
{
var configuration = new ConfigurationBuilder()
.SetBasePath(Directory.GetCurrentDirectory())
.AddJsonFile(path: "appSettings.json", optional: false, reloadOnChange: true)
.Build();
var logger = new LoggerConfiguration()
.ReadFrom.Configuration(configuration);
option.SetMinimumLevel(LogLevel.Information);
option.AddSerilog(logger);
});
} }
} }
} }

View File

@ -48,7 +48,7 @@ namespace Stormtrooper
public int Insert(T airplane, int position) public int Insert(T airplane, int position)
{ {
if (position < 0 || position >= _maxCount - 1) if (position < 0 || position >= _maxCount - 1)
return -1; throw new StorageOverflowException(_maxCount);
_places.Insert(position, airplane); _places.Insert(position, airplane);
return position; return position;
@ -61,7 +61,7 @@ namespace Stormtrooper
public T Remove(int position) public T Remove(int position)
{ {
if (Count == 0 || position < 0 || position >= _maxCount) if (Count == 0 || position < 0 || position >= _maxCount)
return null; throw new AirplaneNotFoundException(position);
T air = _places[position]; T air = _places[position];
_places[position] = null; _places[position] = null;
return air; return air;

View File

@ -0,0 +1,19 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.Serialization;
using System.Text;
using System.Threading.Tasks;
namespace Stormtrooper
{
[Serializable]
internal class StorageOverflowException : ApplicationException
{
public StorageOverflowException(int count) : base($"В наборе превышено допустимое количество: {count}") { }
public StorageOverflowException() : base() { }
public StorageOverflowException(string message) : base(message) { }
public StorageOverflowException(string message, Exception exception) : base(message, exception) { }
protected StorageOverflowException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
}
}

View File

@ -8,6 +8,15 @@
<ImplicitUsings>enable</ImplicitUsings> <ImplicitUsings>enable</ImplicitUsings>
</PropertyGroup> </PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.Extensions.Configuration" Version="7.0.0" />
<PackageReference Include="Microsoft.Extensions.DependencyInjection" Version="7.0.0" />
<PackageReference Include="Microsoft.Extensions.DependencyInjection.Abstractions" Version="7.0.0" />
<PackageReference Include="Microsoft.Extensions.Logging" Version="7.0.0" />
<PackageReference Include="Microsoft.Extensions.Logging.Configuration" Version="7.0.0" />
<PackageReference Include="Serilog.Extensions.Logging" Version="3.1.0" />
</ItemGroup>
<ItemGroup> <ItemGroup>
<Compile Update="FormMap.cs"> <Compile Update="FormMap.cs">
<SubType>Form</SubType> <SubType>Form</SubType>

View File

@ -0,0 +1,20 @@
{
"Serilog": {
"Using": [ "Serilog.Sinks.File" ],
"MinimumLevel": "Information",
"WriteTo": [
{
"Name": "File",
"Args": {
"path": "log_.log",
"rollingInterval": "Day",
"outputTemplate": "[{Timestamp:HH:mm:ss.fff}]{Level:u4}: {Message:lj}{NewLine}{Exception}"
}
}
],
"Enrich": [ "FromLogContext", "WithMachineName", "WithThreadId" ],
"Properties": {
"Application": "Stormtrooper"
}
}
}