diff --git a/Battleship/Battleship/Battleship.csproj b/Battleship/Battleship/Battleship.csproj
index af03d74..ce5a288 100644
--- a/Battleship/Battleship/Battleship.csproj
+++ b/Battleship/Battleship/Battleship.csproj
@@ -8,6 +8,19 @@
enable
+
+
+
+
+
+
+
+
+
+
+
+
+
True
@@ -23,4 +36,10 @@
+
+
+ Always
+
+
+
\ No newline at end of file
diff --git a/Battleship/Battleship/CollectionGenericObjects/AbstractCompany.cs b/Battleship/Battleship/CollectionGenericObjects/AbstractCompany.cs
index 886dc4a..b503062 100644
--- a/Battleship/Battleship/CollectionGenericObjects/AbstractCompany.cs
+++ b/Battleship/Battleship/CollectionGenericObjects/AbstractCompany.cs
@@ -32,7 +32,7 @@ public abstract class AbstractCompany
///
/// Вычисление максимального количества элементов, который можно разместить в окне
///
- private int GetMaxCount => _pictureWidth * _pictureHeight / (_placeSizeWidth * _placeSizeHeight) + 2;
+ private int GetMaxCount => _pictureWidth * _pictureHeight / (_placeSizeWidth * _placeSizeHeight);
///
/// Конструктор
diff --git a/Battleship/Battleship/CollectionGenericObjects/ListGenericObjects.cs b/Battleship/Battleship/CollectionGenericObjects/ListGenericObjects.cs
index b302e2a..05502a6 100644
--- a/Battleship/Battleship/CollectionGenericObjects/ListGenericObjects.cs
+++ b/Battleship/Battleship/CollectionGenericObjects/ListGenericObjects.cs
@@ -1,9 +1,7 @@
-namespace Battleship.CollectionGenericObjects;
+using Battleship.Exceptions;
+
+namespace Battleship.CollectionGenericObjects;
-///
-/// Конструктор
-///
-///
public class ListGenericObjects : ICollectionGenericObjects
where T : class
{
@@ -11,7 +9,6 @@ public class ListGenericObjects : ICollectionGenericObjects
/// Список объектов, которые храним
///
private readonly List _collection;
- public CollectionType GetCollectionType => CollectionType.List;
///
/// Максимально допустимое число объектов в списке
@@ -19,20 +16,10 @@ public class ListGenericObjects : ICollectionGenericObjects
private int _maxCount;
public int Count => _collection.Count;
- public int MaxCount
- {
- get
- {
- return Count;
- }
- set
- {
- if (value > 0)
- {
- _maxCount = value;
- }
- }
- }
+
+ public int MaxCount { get { return _collection.Count; } set { if (value > 0) { _maxCount = value; } } }
+
+ public CollectionType GetCollectionType => CollectionType.List;
///
/// Конструктор
@@ -44,55 +31,55 @@ public class ListGenericObjects : ICollectionGenericObjects
public T? Get(int position)
{
- // TODO проверка позиции
- if (position >= Count || position < 0)
- return null;
+ // проверка позиции
+ // выброс ошибки, если выход за границы списка
+ if (position < 0 || position > _maxCount) throw new PositionOutOfCollectionException(position);
+
return _collection[position];
}
public int Insert(T obj)
{
- // TODO проверка, что не превышено максимальное количество элементов
- // TODO проверка позиции
- // TODO вставка по позиции
- if (Count == _maxCount) return -1;
+ // проверка, что не превышено максимальное количество элементов
+ if (_collection.Count >= _maxCount)
+ {
+ throw new CollectionOverflowException(_maxCount);
+ }
+ // вставка в конец набора
_collection.Add(obj);
- return Count;
+ return _maxCount;
}
public int Insert(T obj, int position)
{
- // TODO проверка, что не превышено максимальное количество элементов
- // TODO проверка позиции
- // TODO вставка по позиции
- if (position >= Count || position < 0)
- {
- return -1;
- }
- if (Count == _maxCount)
- {
- return -1;
- }
+ // проверка, что не превышено максимальное количество элементов
+ if (Count >= _maxCount)
+ throw new CollectionOverflowException(_maxCount);
+
+ // проверка позиции
+ if (position < 0 || position >= _maxCount)
+ throw new PositionOutOfCollectionException(position);
+
+ // вставка по позиции
_collection.Insert(position, obj);
return position;
}
- public T Remove(int position)
+ public T? Remove(int position)
{
- // TODO проверка позиции
- // TODO удаление объекта из списка
- if (position >= Count || position < 0)
- return null;
- T obj = _collection[position];
- _collection.RemoveAt(position);
- return obj;
+ // проверка позиции
+ if (position < 0 || position > _maxCount) throw new PositionOutOfCollectionException(position);
+ // удаление объекта из списка
+ T temp = _collection[position];
+ _collection[position] = null;
+ return temp;
}
public IEnumerable GetItems()
{
- for (int i = 0; i < Count; ++i)
+ for (int i = 0; i < _collection.Count; i++)
{
yield return _collection[i];
}
}
-}
+}
\ No newline at end of file
diff --git a/Battleship/Battleship/CollectionGenericObjects/MassiveGenericObjects.cs b/Battleship/Battleship/CollectionGenericObjects/MassiveGenericObjects.cs
index 8fd73ff..f258dfa 100644
--- a/Battleship/Battleship/CollectionGenericObjects/MassiveGenericObjects.cs
+++ b/Battleship/Battleship/CollectionGenericObjects/MassiveGenericObjects.cs
@@ -1,4 +1,6 @@
-
+using Battleship.CollectionGenericObjects;
+using Battleship.Exceptions;
+
namespace Battleship.CollectionGenericObjects;
///
@@ -15,17 +17,18 @@ public class MassiveGenericObjects : ICollectionGenericObjects
public int Count => _collection.Length;
- public int MaxCount
+ public int MaxCount
{
get
{
return _collection.Length;
}
+
set
{
if (value > 0)
{
- if (Count > 0)
+ if (_collection.Length > 0)
{
Array.Resize(ref _collection, value);
}
@@ -47,19 +50,19 @@ public class MassiveGenericObjects : ICollectionGenericObjects
_collection = Array.Empty();
}
- public T Get(int position)
+ public T? Get(int position)
{
- // TODO проверка позиции
+ // проверка позиции
if (position >= _collection.Length || position < 0)
{
- return null;
+ throw new PositionOutOfCollectionException(position);
}
return _collection[position];
}
public int Insert(T obj)
{
- // TODO вставка в свободное место набора
+ // вставка в свободное место набора
int index = 0;
while (index < _collection.Length)
{
@@ -68,62 +71,69 @@ public class MassiveGenericObjects : ICollectionGenericObjects
_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;
+ throw new PositionOutOfCollectionException(position);
+
+ // проверка, что элемент массива по этой позиции пустой, если нет, то
+ if (_collection[position] != null)
+ {
+ // проверка, что после вставляемого элемента в массиве есть пустой элемент
+ int nullIndex = -1;
+ for (int i = position + 1; i < Count; i++)
+ {
+ if (_collection[i] == null)
+ {
+ nullIndex = i;
+ break;
+ }
+ }
+ // Если пустого элемента нет, то выходим
+ if (nullIndex < 0)
+ {
+ return -1;
+ }
+ // сдвиг всех объектов, находящихся справа от позиции до первого пустого элемента
+ int j = nullIndex - 1;
+ while (j >= position)
+ {
+ _collection[j + 1] = _collection[j];
+ j--;
+ }
+ throw new CollectionOverflowException(Count);
+ }
+ // вставка по позиции
+ _collection[position] = obj;
+ return position;
+ }
+
+ public T? Remove(int position)
+ {
+ // проверка позиции
+ // удаление объекта из массива, присвоив элементу массива значение null
+ if (position >= _collection.Length || position < 0)
+ {
+ throw new PositionOutOfCollectionException(position);
+ }
if (_collection[position] == null)
{
- _collection[position] = obj;
- return position;
+ throw new ObjectNotFoundException(position);
}
- int index = position + 1;
- while (index < _collection.Length)
- {
- if (_collection[index] == null)
- {
- _collection[index] = obj;
- return index;
- }
- ++index;
- }
- index = position - 1;
- while (index >= 0)
- {
- if (_collection[index] == null)
- {
- _collection[index] = obj;
- return index;
- }
- --index;
- }
- return -1;
- }
-
- public T Remove(int position)
- {
- // TODO проверка позиции
- // TODO удаление объекта из массива, присвоив элементу массива значение null
- if (position >= _collection.Length || position < 0)
- return null;
- T obj = _collection[position];
+ T temp = _collection[position];
_collection[position] = null;
- return obj;
+ return temp;
}
- public IEnumerable GetItems()
+ public IEnumerable GetItems()
{
- for (int i = 0; i < _collection.Length; ++i)
+ for (int i = 0; i < _collection.Length; i++)
{
yield return _collection[i];
}
diff --git a/Battleship/Battleship/CollectionGenericObjects/StorageCollection.cs b/Battleship/Battleship/CollectionGenericObjects/StorageCollection.cs
index 40e4b65..d702a86 100644
--- a/Battleship/Battleship/CollectionGenericObjects/StorageCollection.cs
+++ b/Battleship/Battleship/CollectionGenericObjects/StorageCollection.cs
@@ -1,25 +1,41 @@
-using Battleship.Drawings;
-using System.Text;
+using Battleship.CollectionGenericObjects;
+using Battleship.Drawings;
+using Battleship.Exceptions;
namespace Battleship.CollectionGenericObjects;
///
-/// Класс-хранилище коллекций
+/// Класс - хранилище коллекций
///
///
public class StorageCollection
where T : DrawingWarship
{
///
- /// Словарь (хранилище) с коллекциями
+ /// Словарь (хранилище) с коллекциями
///
- private Dictionary> _storages;
+ readonly Dictionary> _storages;
///
- /// Возвращение списка названий коллекции
+ /// Возвращение списка названий коллекций
///
public List Keys => _storages.Keys.ToList();
+ ///
+ /// Ключевое слово, с которого должен начинаться файл
+ ///
+ private readonly string _collectionKey = "CollectionStorage";
+
+ ///
+ /// Разделитель для записи ключа и значения элемента словаря
+ ///
+ private readonly string _separatorForKeyValue = "|";
+
+ ///
+ /// Разделитель для записей коллекции данных в файл
+ ///
+ private readonly string _separatorItems = ";";
+
///
/// Конструктор
///
@@ -41,11 +57,12 @@ public class StorageCollection
/// Тип коллекции
public void AddCollection(string name, CollectionType collectionType)
{
+ // проверка, что name не пустой и нет в словаре записи с таким ключом
if (string.IsNullOrEmpty(name) || _storages.ContainsKey(name))
{
return;
}
- // TODO Прописать логику для добавления
+ // прописать логику для добавления
if (collectionType == CollectionType.List)
{
_storages.Add(name, new ListGenericObjects());
@@ -59,25 +76,24 @@ public class StorageCollection
///
/// Удаление коллекции
///
- ///
+ /// Название коллекции
public void DelCollection(string name)
{
- // TODO Прописать логику для удаления коллекции
- if (!_storages.ContainsKey(name))
- return;
+ // прописать логику для удаления коллекции
+ if (!_storages.ContainsKey(name)) return;
_storages.Remove(name);
}
///
- /// Доступ к коллекции
+ /// Доступ к коллекции
///
- ///
+ /// Название коллекции
///
- public ICollectionGenericObjects this[string name]
+ public ICollectionGenericObjects? this[string name]
{
get
{
- // TODO Продумать логику получения объекта
+ // продумать логику получения объекта
if (_storages.ContainsKey((string)name))
{
return _storages[name];
@@ -87,15 +103,14 @@ public class StorageCollection
}
///
- /// Сохранение информации по кораблям в хранилище в файл
+ /// Сохранение информации по автомобилям в хранилище в файл
///
- ///
- ///
- public bool SaveData(string filename)
+ /// Путь и имя файла
+ public void SaveData(string filename)
{
if (_storages.Count == 0)
{
- return false;
+ throw new Exception("В хранилище отсутствуют коллекции для сохранения");
}
if (File.Exists(filename))
@@ -135,19 +150,18 @@ public class StorageCollection
}
}
}
- return true;
}
///
- /// Загрузка информации по кораблям в хранилище из файла
+ /// Загрузка информации по автомобилям в хранилище из файла
///
- ///
- ///
- public bool LoadData(string filename)
+ /// Путь и имя файла
+ /// true - загрузка прошла успешно, false - ошибка при загрузке данных
+ public void LoadData(string filename)
{
if (!File.Exists(filename))
{
- return false;
+ throw new Exception("Файл не существует");
}
using (StreamReader reader = File.OpenText(filename))
@@ -156,13 +170,12 @@ public class StorageCollection
if (str == null || str.Length == 0)
{
- return false;
+ throw new Exception("В файле нет данных");
}
if (!str.StartsWith(_collectionKey))
{
- //если нет такой записи, то это не те данные
- return false;
+ throw new Exception("В файле неверные данные");
}
_storages.Clear();
@@ -179,7 +192,7 @@ public class StorageCollection
ICollectionGenericObjects? collection = StorageCollection.CreateCollection(collectionType);
if (collection == null)
{
- return false;
+ throw new Exception("Не удалось создать коллекцию");
}
collection.MaxCount = Convert.ToInt32(record[2]);
@@ -189,9 +202,16 @@ public class StorageCollection
{
if (elem?.CreateDrawingWarship() is T bulldozer)
{
- if (collection.Insert(bulldozer) == -1)
+ try
{
- return false;
+ if (collection.Insert(bulldozer) == -1)
+ {
+ throw new Exception("Объект не удалось добавить в коллекцию: " + record[3]);
+ }
+ }
+ catch (CollectionOverflowException ex)
+ {
+ throw new Exception("Коллекция переполнена", ex);
}
}
}
@@ -199,10 +219,8 @@ public class StorageCollection
_storages.Add(record[0], collection);
}
}
- return true;
}
-
///
/// Создание коллекции по типу
///
@@ -217,4 +235,4 @@ public class StorageCollection
_ => null,
};
}
-}
+}
\ No newline at end of file
diff --git a/Battleship/Battleship/Exception/CollectionOverflowException.cs b/Battleship/Battleship/Exception/CollectionOverflowException.cs
new file mode 100644
index 0000000..4fc5979
--- /dev/null
+++ b/Battleship/Battleship/Exception/CollectionOverflowException.cs
@@ -0,0 +1,16 @@
+using System.Runtime.Serialization;
+
+namespace Battleship.Exceptions;
+
+///
+/// Класс, описывающий ошибку переполнения коллекции
+///
+[Serializable]
+internal class CollectionOverflowException : ApplicationException
+{
+ public CollectionOverflowException(int count) : base("В коллекции превышено допустимое количество: " + count) { }
+ public CollectionOverflowException() : base() { }
+ public CollectionOverflowException(string message) : base(message) { }
+ public CollectionOverflowException(string message, Exception exception) : base(message, exception) { }
+ protected CollectionOverflowException(SerializationInfo info, StreamingContext context) : base(info, context) { }
+}
\ No newline at end of file
diff --git a/Battleship/Battleship/Exception/ObjectNotFoundException.cs b/Battleship/Battleship/Exception/ObjectNotFoundException.cs
new file mode 100644
index 0000000..0816de6
--- /dev/null
+++ b/Battleship/Battleship/Exception/ObjectNotFoundException.cs
@@ -0,0 +1,16 @@
+using System.Runtime.Serialization;
+
+namespace Battleship.Exceptions;
+
+///
+/// Класс, описывающий ошибку, что по указанной позиции нет элемента
+///
+[Serializable]
+internal class ObjectNotFoundException : ApplicationException
+{
+ public ObjectNotFoundException(int i) : base("Не найден объект по позиции " + i) { }
+ public ObjectNotFoundException() : base() { }
+ public ObjectNotFoundException(string message) : base(message) { }
+ public ObjectNotFoundException(string message, Exception exception) : base(message, exception) { }
+ protected ObjectNotFoundException(SerializationInfo info, StreamingContext context) : base(info, context) { }
+}
diff --git a/Battleship/Battleship/Exception/PositionOutOfCollectionException.cs b/Battleship/Battleship/Exception/PositionOutOfCollectionException.cs
new file mode 100644
index 0000000..37ed4b9
--- /dev/null
+++ b/Battleship/Battleship/Exception/PositionOutOfCollectionException.cs
@@ -0,0 +1,13 @@
+using System.Runtime.Serialization;
+
+namespace Battleship.Exceptions;
+
+[Serializable]
+internal class PositionOutOfCollectionException : ApplicationException
+{
+ public PositionOutOfCollectionException(int i) : base("Выход за границы коллекции. Позиция " + i) { }
+ public PositionOutOfCollectionException() : base() { }
+ public PositionOutOfCollectionException(string message) : base(message) { }
+ public PositionOutOfCollectionException(string message, Exception exception) : base(message, exception) { }
+ protected PositionOutOfCollectionException(SerializationInfo info, StreamingContext context) : base(info, context) { }
+}
diff --git a/Battleship/Battleship/FormWarshipCollection.cs b/Battleship/Battleship/FormWarshipCollection.cs
index fa18518..62fcb05 100644
--- a/Battleship/Battleship/FormWarshipCollection.cs
+++ b/Battleship/Battleship/FormWarshipCollection.cs
@@ -1,5 +1,7 @@
using Battleship.CollectionGenericObjects;
using Battleship.Drawings;
+using Battleship.Exceptions;
+using Microsoft.Extensions.Logging;
using System.Windows.Forms;
namespace Battleship;
@@ -19,13 +21,16 @@ public partial class FormWarshipCollection : Form
///
private AbstractCompany? _company = null;
+ private readonly ILogger _logger;
+
///
/// Конструктор
///
- public FormWarshipCollection()
+ public FormWarshipCollection(ILogger logger)
{
InitializeComponent();
_storageCollection = new();
+ _logger = logger;
}
///
@@ -46,8 +51,8 @@ public partial class FormWarshipCollection : Form
private void ButtonAddWarship_Click(object sender, EventArgs e)
{
FormWarshipConfig form = new();
- form.Show();
form.AddEvent(SetWarship);
+ form.Show();
}
@@ -61,15 +66,19 @@ public partial class FormWarshipCollection : Form
{
return;
}
-
- if (_company + warship != -1)
+ try
{
- MessageBox.Show("Объект добавлен");
- pictureBox.Image = _company.Show();
+ if (_company + warship != -1)
+ {
+ MessageBox.Show("Объект добавлен");
+ pictureBox.Image = _company.Show();
+ _logger.LogInformation("Добавлен объект: {object}", warship.GetDataForSave());
+ }
}
- else
+ catch (CollectionOverflowException ex)
{
- MessageBox.Show("Не удалось добавить объект");
+ MessageBox.Show(ex.Message);
+ _logger.LogError("Ошибка: {Message}", ex.Message);
}
}
@@ -92,14 +101,19 @@ public partial class FormWarshipCollection : Form
}
int pos = Convert.ToInt32(maskedTextBox1.Text);
- if (_company - pos != null)
+ try
{
- MessageBox.Show("Объект удален");
- pictureBox.Image = _company.Show();
+ if (_company - pos != null)
+ {
+ MessageBox.Show("Объект удален");
+ pictureBox.Image = _company.Show();
+ _logger.LogInformation("Удален объект по позиции " + pos);
+ }
}
- else
+ catch (ObjectNotFoundException ex)
{
- MessageBox.Show("Не удалось удалить объект");
+ MessageBox.Show(ex.Message);
+ _logger.LogError("Ошибка: {Message}", ex.Message);
}
}
@@ -116,23 +130,34 @@ public partial class FormWarshipCollection : Form
}
DrawingWarship? warship = null;
- int counter = 120;
- while (warship == null)
+ int counter = 100;
+ try
{
- warship = _company.GetRandomObject();
- counter--;
- if (counter <= 0)
+ while (warship == null)
{
- break;
+ warship = _company.GetRandomObject();
+ counter--;
+ if (counter <= 0)
+ {
+ break;
+ }
}
+
+ if (warship == null)
+ {
+ return;
+ }
+
+ FormBattleship form = new()
+ {
+ SetWarship = warship
+ };
+ form.ShowDialog();
}
-
- FormBattleship form = new()
+ catch (Exception ex)
{
- SetWarship = warship
- };
- form.ShowDialog();
-
+ MessageBox.Show(ex.Message, "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
+ }
}
///
@@ -174,10 +199,10 @@ public partial class FormWarshipCollection : Form
{
if (string.IsNullOrEmpty(textBoxCollectionName.Text) || (!radioButtonList.Checked && !radioButtonMassive.Checked))
{
- MessageBox.Show("Не все данные заполнены", "Ошибка",
- MessageBoxButtons.OK, MessageBoxIcon.Error);
+ MessageBox.Show("Не все данные заполнены", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
return;
}
+
CollectionType collectionType = CollectionType.None;
if (radioButtonMassive.Checked)
{
@@ -187,8 +212,10 @@ public partial class FormWarshipCollection : Form
{
collectionType = CollectionType.List;
}
+
_storageCollection.AddCollection(textBoxCollectionName.Text, collectionType);
RerfreshListBoxItems();
+ _logger.LogInformation("Добавлена коллекция: {collectionName} типа: {collectionType}", textBoxCollectionName.Text, collectionType);
}
///
@@ -198,7 +225,7 @@ public partial class FormWarshipCollection : Form
///
private void ButtonCollectionDel_Click(object sender, EventArgs e)
{
- // TODO прописать логику удаления элемента из коллекции
+ //прописать логику удаления элемента из коллекции
// нужно убедиться, что есть выбранная коллекция
// спросить у пользователя через MessageBox, что он подтверждает, что хочет удалить запись
// удалить и обновить ListBox
@@ -207,12 +234,20 @@ public partial class FormWarshipCollection : Form
MessageBox.Show("Коллекция не выбрана");
return;
}
- if (MessageBox.Show("Удалить коллекцию?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) == DialogResult.No)
+ try
{
- return;
+ if (MessageBox.Show("Удалить коллекцию?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) == DialogResult.No)
+ {
+ return;
+ }
+ _storageCollection.DelCollection(listBoxCollection.SelectedItem.ToString());
+ RerfreshListBoxItems();
+ _logger.LogInformation("Коллекция: " + listBoxCollection.SelectedItem.ToString() + " удалена");
+ }
+ catch (Exception ex)
+ {
+ _logger.LogError("Ошибка: {Message}", ex.Message);
}
- _storageCollection.DelCollection(listBoxCollection.SelectedItem.ToString());
- RerfreshListBoxItems();
}
///
@@ -256,13 +291,16 @@ public partial class FormWarshipCollection : 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);
}
}
}
@@ -276,15 +314,19 @@ public partial class FormWarshipCollection : Form
{
if (openFileDialog1.ShowDialog() == DialogResult.OK)
{
- if (_storageCollection.LoadData(openFileDialog1.FileName))
+ try
{
+ _storageCollection.LoadData(openFileDialog1.FileName);
MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
RerfreshListBoxItems();
+ _logger.LogInformation("Сохранение в файл: {filename}", openFileDialog1.FileName);
}
- else
+ catch (Exception ex)
{
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
+ _logger.LogError("Ошибка: {Message}", ex.Message);
+
}
}
}
-}
\ No newline at end of file
+}
diff --git a/Battleship/Battleship/Program.cs b/Battleship/Battleship/Program.cs
index 440f8c8..48e655e 100644
--- a/Battleship/Battleship/Program.cs
+++ b/Battleship/Battleship/Program.cs
@@ -1,3 +1,8 @@
+using Microsoft.Extensions.DependencyInjection;
+using Microsoft.Extensions.Logging;
+using Microsoft.Extensions.Configuration;
+using Serilog;
+
namespace Battleship
{
internal static class Program
@@ -11,7 +16,34 @@ namespace Battleship
// To customize application configuration such as set high DPI settings or default font,
// see https://aka.ms/applicationconfiguration.
ApplicationConfiguration.Initialize();
- Application.Run(new FormWarshipCollection());
+ ServiceCollection services = new();
+ ConfigureServices(services);
+ using ServiceProvider serviceProvider = services.BuildServiceProvider();
+ Application.Run(serviceProvider.GetRequiredService());
+ }
+
+ ///
+ /// DI
+ ///
+ ///
+ private static void ConfigureServices(ServiceCollection services)
+ {
+ string[] path = Directory.GetCurrentDirectory().Split('\\');
+ string pathNeed = "";
+ for (int i = 0; i < path.Length - 3; i++)
+ {
+ pathNeed += path[i] + "\\";
+ }
+ services.AddSingleton()
+ .AddLogging(option =>
+ {
+ option.SetMinimumLevel(LogLevel.Information);
+ option.AddSerilog(new LoggerConfiguration()
+ .ReadFrom.Configuration(new ConfigurationBuilder()
+ .AddJsonFile($"{pathNeed}serilog.json")
+ .Build())
+ .CreateLogger());
+ });
}
}
}
\ No newline at end of file
diff --git a/Battleship/Battleship/nlog.config b/Battleship/Battleship/nlog.config
new file mode 100644
index 0000000..7470629
--- /dev/null
+++ b/Battleship/Battleship/nlog.config
@@ -0,0 +1,14 @@
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/Battleship/Battleship/serilog.json b/Battleship/Battleship/serilog.json
new file mode 100644
index 0000000..fa91ef7
--- /dev/null
+++ b/Battleship/Battleship/serilog.json
@@ -0,0 +1,15 @@
+{
+ "Serilog": {
+ "Using": [ "Serilog.Sinks.File" ],
+ "MinimumLevel": "Debug",
+ "WriteTo": [
+ {
+ "Name": "File",
+ "Args": { "path": "log.log" }
+ }
+ ],
+ "Properties": {
+ "Application": "Sample"
+ }
+ }
+}
\ No newline at end of file
diff --git a/log.txt b/log.txt
new file mode 100644
index 0000000..e69de29