Лабораторная работа №7
This commit is contained in:
parent
5831712711
commit
c21d2a3c02
@ -10,6 +10,7 @@
|
|||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<PackageReference Include="Microsoft.Extensions.Logging.Abstractions" Version="8.0.1" />
|
<PackageReference Include="Microsoft.Extensions.Logging.Abstractions" Version="8.0.1" />
|
||||||
|
<PackageReference Include="NLog.Extensions.Logging" Version="5.3.9" />
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
|
@ -1,11 +1,7 @@
|
|||||||
using Battleship.Exception;
|
using Battleship.Exceptions;
|
||||||
|
|
||||||
namespace Battleship.CollectionGenericObjects;
|
namespace Battleship.CollectionGenericObjects;
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Конструктор
|
|
||||||
/// </summary>
|
|
||||||
/// <typeparam name="T"></typeparam>
|
|
||||||
public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
||||||
where T : class
|
where T : class
|
||||||
{
|
{
|
||||||
@ -13,7 +9,6 @@ public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
/// Список объектов, которые храним
|
/// Список объектов, которые храним
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private readonly List<T?> _collection;
|
private readonly List<T?> _collection;
|
||||||
public CollectionType GetCollectionType => CollectionType.List;
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Максимально допустимое число объектов в списке
|
/// Максимально допустимое число объектов в списке
|
||||||
@ -21,20 +16,10 @@ public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
private int _maxCount;
|
private int _maxCount;
|
||||||
|
|
||||||
public int Count => _collection.Count;
|
public int Count => _collection.Count;
|
||||||
public int MaxCount
|
|
||||||
{
|
public int MaxCount { get { return _collection.Count; } set { if (value > 0) { _maxCount = value; } } }
|
||||||
get
|
|
||||||
{
|
public CollectionType GetCollectionType => CollectionType.List;
|
||||||
return Count;
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
if (value > 0)
|
|
||||||
{
|
|
||||||
_maxCount = value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Конструктор
|
/// Конструктор
|
||||||
@ -46,53 +31,53 @@ public class ListGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
|
|
||||||
public T? Get(int position)
|
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];
|
return _collection[position];
|
||||||
}
|
}
|
||||||
|
|
||||||
public int Insert(T obj)
|
public int Insert(T obj)
|
||||||
{
|
{
|
||||||
// TODO проверка, что не превышено максимальное количество элементов
|
// проверка, что не превышено максимальное количество элементов
|
||||||
// TODO проверка позиции
|
if (_collection.Count >= _maxCount)
|
||||||
// TODO вставка по позиции
|
{
|
||||||
if (Count == _maxCount) throw new CollectionOverflowException(_maxCount);
|
throw new CollectionOverflowException(_maxCount);
|
||||||
|
}
|
||||||
|
// вставка в конец набора
|
||||||
_collection.Add(obj);
|
_collection.Add(obj);
|
||||||
return Count;
|
return _maxCount;
|
||||||
}
|
}
|
||||||
|
|
||||||
public int Insert(T obj, int position)
|
public int Insert(T obj, int position)
|
||||||
{
|
{
|
||||||
// TODO проверка, что не превышено максимальное количество элементов
|
// проверка, что не превышено максимальное количество элементов
|
||||||
// TODO проверка позиции
|
if (Count >= _maxCount)
|
||||||
// TODO вставка по позиции
|
throw new CollectionOverflowException(_maxCount);
|
||||||
if (position >= Count || position < 0)
|
|
||||||
{
|
// проверка позиции
|
||||||
return -1;
|
if (position < 0 || position >= _maxCount)
|
||||||
}
|
throw new PositionOutOfCollectionException(position);
|
||||||
if (Count == _maxCount)
|
|
||||||
{
|
// вставка по позиции
|
||||||
return -1;
|
|
||||||
}
|
|
||||||
_collection.Insert(position, obj);
|
_collection.Insert(position, obj);
|
||||||
return position;
|
return position;
|
||||||
}
|
}
|
||||||
|
|
||||||
public T Remove(int position)
|
public T? Remove(int position)
|
||||||
{
|
{
|
||||||
// TODO проверка позиции
|
// проверка позиции
|
||||||
// TODO удаление объекта из списка
|
if (position < 0 || position > _maxCount) throw new PositionOutOfCollectionException(position);
|
||||||
if (position >= Count || position < 0)
|
// удаление объекта из списка
|
||||||
return null;
|
T temp = _collection[position];
|
||||||
T obj = _collection[position];
|
_collection[position] = null;
|
||||||
_collection.RemoveAt(position);
|
return temp;
|
||||||
return obj;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public IEnumerable<T?> GetItems()
|
public IEnumerable<T?> GetItems()
|
||||||
{
|
{
|
||||||
for (int i = 0; i < Count; ++i)
|
for (int i = 0; i < _collection.Count; i++)
|
||||||
{
|
{
|
||||||
yield return _collection[i];
|
yield return _collection[i];
|
||||||
}
|
}
|
||||||
|
@ -1,5 +1,5 @@
|
|||||||
|
using Battleship.CollectionGenericObjects;
|
||||||
using Battleship.Exception;
|
using Battleship.Exceptions;
|
||||||
|
|
||||||
namespace Battleship.CollectionGenericObjects;
|
namespace Battleship.CollectionGenericObjects;
|
||||||
|
|
||||||
@ -14,7 +14,6 @@ public class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
/// Массив объектов, которые храним
|
/// Массив объектов, которые храним
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private T?[] _collection;
|
private T?[] _collection;
|
||||||
private int _maxCount;
|
|
||||||
|
|
||||||
public int Count => _collection.Length;
|
public int Count => _collection.Length;
|
||||||
|
|
||||||
@ -24,11 +23,12 @@ public class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
{
|
{
|
||||||
return _collection.Length;
|
return _collection.Length;
|
||||||
}
|
}
|
||||||
|
|
||||||
set
|
set
|
||||||
{
|
{
|
||||||
if (value > 0)
|
if (value > 0)
|
||||||
{
|
{
|
||||||
if (Count > 0)
|
if (_collection.Length > 0)
|
||||||
{
|
{
|
||||||
Array.Resize(ref _collection, value);
|
Array.Resize(ref _collection, value);
|
||||||
}
|
}
|
||||||
@ -50,19 +50,19 @@ public class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
_collection = Array.Empty<T?>();
|
_collection = Array.Empty<T?>();
|
||||||
}
|
}
|
||||||
|
|
||||||
public T Get(int position)
|
public T? Get(int position)
|
||||||
{
|
{
|
||||||
// TODO проверка позиции
|
// проверка позиции
|
||||||
if (position >= _collection.Length || position < 0)
|
if (position >= _collection.Length || position < 0)
|
||||||
{
|
{
|
||||||
return null;
|
throw new PositionOutOfCollectionException(position);
|
||||||
}
|
}
|
||||||
return _collection[position];
|
return _collection[position];
|
||||||
}
|
}
|
||||||
|
|
||||||
public int Insert(T obj)
|
public int Insert(T obj)
|
||||||
{
|
{
|
||||||
// TODO вставка в свободное место набора
|
// вставка в свободное место набора
|
||||||
int index = 0;
|
int index = 0;
|
||||||
while (index < _collection.Length)
|
while (index < _collection.Length)
|
||||||
{
|
{
|
||||||
@ -71,62 +71,69 @@ public class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
_collection[index] = obj;
|
_collection[index] = obj;
|
||||||
return index;
|
return index;
|
||||||
}
|
}
|
||||||
++index;
|
index++;
|
||||||
}
|
}
|
||||||
throw new CollectionOverflowException(_maxCount);
|
throw new CollectionOverflowException(Count);
|
||||||
}
|
}
|
||||||
|
|
||||||
public int Insert(T obj, int position)
|
public int Insert(T obj, int position)
|
||||||
{
|
{
|
||||||
// TODO проверка позиции
|
// проверка позиции
|
||||||
// TODO проверка, что элемент массива по этой позиции пустой, если нет, то
|
|
||||||
// ищется свободное место после этой позиции и идет вставка туда
|
|
||||||
// если нет после, ищем до
|
|
||||||
// TODO вставка
|
|
||||||
if (position >= _collection.Length || position < 0)
|
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)
|
if (_collection[position] == null)
|
||||||
{
|
{
|
||||||
_collection[position] = obj;
|
throw new ObjectNotFoundException(position);
|
||||||
return position;
|
|
||||||
}
|
}
|
||||||
int index = position + 1;
|
T temp = _collection[position];
|
||||||
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];
|
|
||||||
_collection[position] = null;
|
_collection[position] = null;
|
||||||
return obj;
|
return temp;
|
||||||
}
|
}
|
||||||
|
|
||||||
public IEnumerable<T> GetItems()
|
public IEnumerable<T?> GetItems()
|
||||||
{
|
{
|
||||||
for (int i = 0; i < _collection.Length; ++i)
|
for (int i = 0; i < _collection.Length; i++)
|
||||||
{
|
{
|
||||||
yield return _collection[i];
|
yield return _collection[i];
|
||||||
}
|
}
|
||||||
|
@ -1,11 +1,11 @@
|
|||||||
using Battleship.Drawings;
|
using Battleship.CollectionGenericObjects;
|
||||||
using System.Text;
|
using Battleship.Drawings;
|
||||||
using Battleship.Exception;
|
using Battleship.Exceptions;
|
||||||
|
|
||||||
namespace Battleship.CollectionGenericObjects;
|
namespace Battleship.CollectionGenericObjects;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Класс-хранилище коллекций
|
/// Класс - хранилище коллекций
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <typeparam name="T"></typeparam>
|
/// <typeparam name="T"></typeparam>
|
||||||
public class StorageCollection<T>
|
public class StorageCollection<T>
|
||||||
@ -14,10 +14,10 @@ public class StorageCollection<T>
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Словарь (хранилище) с коллекциями
|
/// Словарь (хранилище) с коллекциями
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private Dictionary<string, ICollectionGenericObjects<T>> _storages;
|
readonly Dictionary<string, ICollectionGenericObjects<T>> _storages;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Возвращение списка названий коллекции
|
/// Возвращение списка названий коллекций
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public List<string> Keys => _storages.Keys.ToList();
|
public List<string> Keys => _storages.Keys.ToList();
|
||||||
|
|
||||||
@ -26,6 +26,16 @@ public class StorageCollection<T>
|
|||||||
/// </summary>
|
/// </summary>
|
||||||
private readonly string _collectionKey = "CollectionStorage";
|
private readonly string _collectionKey = "CollectionStorage";
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Разделитель для записи ключа и значения элемента словаря
|
||||||
|
/// </summary>
|
||||||
|
private readonly string _separatorForKeyValue = "|";
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Разделитель для записей коллекции данных в файл
|
||||||
|
/// </summary>
|
||||||
|
private readonly string _separatorItems = ";";
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Конструктор
|
/// Конструктор
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@ -41,12 +51,12 @@ public class StorageCollection<T>
|
|||||||
/// <param name="collectionType">Тип коллекции</param>
|
/// <param name="collectionType">Тип коллекции</param>
|
||||||
public void AddCollection(string name, CollectionType collectionType)
|
public void AddCollection(string name, CollectionType collectionType)
|
||||||
{
|
{
|
||||||
// TODO проверка, что name не пустой и нет в словаре записи с таким ключом
|
// проверка, что name не пустой и нет в словаре записи с таким ключом
|
||||||
if (string.IsNullOrEmpty(name) || _storages.ContainsKey(name))
|
if (string.IsNullOrEmpty(name) || _storages.ContainsKey(name))
|
||||||
{
|
{
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
// TODO Прописать логику для добавления
|
// прописать логику для добавления
|
||||||
if (collectionType == CollectionType.List)
|
if (collectionType == CollectionType.List)
|
||||||
{
|
{
|
||||||
_storages.Add(name, new ListGenericObjects<T>());
|
_storages.Add(name, new ListGenericObjects<T>());
|
||||||
@ -60,25 +70,24 @@ public class StorageCollection<T>
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Удаление коллекции
|
/// Удаление коллекции
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="name"></param>
|
/// <param name="name">Название коллекции</param>
|
||||||
public void DelCollection(string name)
|
public void DelCollection(string name)
|
||||||
{
|
{
|
||||||
// TODO Прописать логику для удаления коллекции
|
// прописать логику для удаления коллекции
|
||||||
if (!_storages.ContainsKey(name))
|
if (!_storages.ContainsKey(name)) return;
|
||||||
return;
|
|
||||||
_storages.Remove(name);
|
_storages.Remove(name);
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Доступ к коллекции
|
/// Доступ к коллекции
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="name"></param>
|
/// <param name="name">Название коллекции</param>
|
||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
public ICollectionGenericObjects<T> this[string name]
|
public ICollectionGenericObjects<T>? this[string name]
|
||||||
{
|
{
|
||||||
get
|
get
|
||||||
{
|
{
|
||||||
// TODO Продумать логику получения объекта
|
// продумать логику получения объекта
|
||||||
if (_storages.ContainsKey((string)name))
|
if (_storages.ContainsKey((string)name))
|
||||||
{
|
{
|
||||||
return _storages[name];
|
return _storages[name];
|
||||||
@ -88,78 +97,60 @@ public class StorageCollection<T>
|
|||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Ключевое слово, с которого должен начинаться файл
|
/// Сохранение информации по автомобилям в хранилище в файл
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private readonly string _collectionKey = "CollectionsStorage";
|
/// <param name="filename">Путь и имя файла</param>
|
||||||
|
public void SaveData(string filename)
|
||||||
private readonly string _separatorForKeyValue = "|";
|
|
||||||
|
|
||||||
private readonly string _separatorItems = ";";
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Сохранение информации по кораблям в хранилище в файл
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="filname"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public void SaveData(string filname)
|
|
||||||
{
|
{
|
||||||
if (_storages.Count == 0)
|
if (_storages.Count == 0)
|
||||||
{
|
{
|
||||||
throw new Exception("В хранилище отсутствуют коллекции для сохранения");
|
throw new Exception("В хранилище отсутствуют коллекции для сохранения");
|
||||||
}
|
}
|
||||||
|
|
||||||
if (File.Exists(filname))
|
if (File.Exists(filename))
|
||||||
{
|
{
|
||||||
File.Delete(filname);
|
File.Delete(filename);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (File.Exists(filname))
|
using (StreamWriter writer = new StreamWriter(filename))
|
||||||
{
|
{
|
||||||
File.Delete(filname);
|
writer.Write(_collectionKey);
|
||||||
}
|
foreach (KeyValuePair<string, ICollectionGenericObjects<T>> value in _storages)
|
||||||
|
|
||||||
StringBuilder sb = new();
|
|
||||||
|
|
||||||
sb.Append(_collectionKey);
|
|
||||||
foreach (KeyValuePair<string, ICollectionGenericObjects<T>> value in _storages)
|
|
||||||
{
|
|
||||||
sb.Append(Environment.NewLine);
|
|
||||||
// не сохраняем пустые коллекции
|
|
||||||
if (value.Value.Count == 0)
|
|
||||||
{
|
{
|
||||||
throw new Exception("В хранилище отсутствуют коллекции для сохранения");
|
writer.Write(Environment.NewLine);
|
||||||
}
|
// не сохраняем пустые коллекции
|
||||||
|
if (value.Value.Count == 0)
|
||||||
sb.Append(value.Key);
|
|
||||||
sb.Append(_separatorForKeyValue);
|
|
||||||
sb.Append(value.Value.GetCollectionType);
|
|
||||||
sb.Append(_separatorForKeyValue);
|
|
||||||
sb.Append(value.Value.MaxCount);
|
|
||||||
sb.Append(_separatorForKeyValue);
|
|
||||||
|
|
||||||
foreach (T? item in value.Value.GetItems())
|
|
||||||
{
|
|
||||||
string data = item?.GetDataForSave() ?? string.Empty;
|
|
||||||
if (string.IsNullOrEmpty(data))
|
|
||||||
{
|
{
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
|
|
||||||
sb.Append(data);
|
writer.Write(value.Key);
|
||||||
sb.Append(_separatorItems);
|
writer.Write(_separatorForKeyValue);
|
||||||
|
writer.Write(value.Value.GetCollectionType);
|
||||||
|
writer.Write(_separatorForKeyValue);
|
||||||
|
writer.Write(value.Value.MaxCount);
|
||||||
|
writer.Write(_separatorForKeyValue);
|
||||||
|
|
||||||
|
foreach (T? item in value.Value.GetItems())
|
||||||
|
{
|
||||||
|
string data = item?.GetDataForSave() ?? string.Empty;
|
||||||
|
if (string.IsNullOrEmpty(data))
|
||||||
|
{
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
writer.Write(data);
|
||||||
|
writer.Write(_separatorItems);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
using FileStream fs = new(filname, FileMode.Create);
|
|
||||||
byte[] info = new UTF8Encoding(true).GetBytes(sb.ToString());
|
|
||||||
fs.Write(info, 0, info.Length);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Загрузка информации по кораблям в хранилище из файла
|
/// Загрузка информации по автомобилям в хранилище из файла
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="filename"></param>
|
/// <param name="filename">Путь и имя файла</param>
|
||||||
/// <returns></returns>
|
/// <returns>true - загрузка прошла успешно, false - ошибка при загрузке данных</returns>
|
||||||
public void LoadData(string filename)
|
public void LoadData(string filename)
|
||||||
{
|
{
|
||||||
if (!File.Exists(filename))
|
if (!File.Exists(filename))
|
||||||
@ -167,67 +158,68 @@ public class StorageCollection<T>
|
|||||||
throw new Exception("Файл не существует");
|
throw new Exception("Файл не существует");
|
||||||
}
|
}
|
||||||
|
|
||||||
string bufferTextFromFile = "";
|
using (StreamReader reader = File.OpenText(filename))
|
||||||
using (FileStream fs = new(filename, FileMode.Open))
|
|
||||||
{
|
{
|
||||||
byte[] b = new byte[fs.Length];
|
string str = reader.ReadLine();
|
||||||
UTF8Encoding temp = new(true);
|
|
||||||
while (fs.Read(b, 0, b.Length) > 0)
|
|
||||||
{
|
|
||||||
bufferTextFromFile += temp.GetString(b);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
string[] strs = bufferTextFromFile.Split(new char[] { '\n', '\r' }, StringSplitOptions.RemoveEmptyEntries);
|
if (str == null || str.Length == 0)
|
||||||
if (strs == null || strs.Length == 0)
|
|
||||||
{
|
|
||||||
throw new Exception("В файле нет данных");
|
|
||||||
}
|
|
||||||
if (!strs[0].Equals(_collectionKey))
|
|
||||||
{
|
|
||||||
throw new Exception("В файле неверные данные");
|
|
||||||
}
|
|
||||||
|
|
||||||
_storages.Clear();
|
|
||||||
foreach (string data in strs)
|
|
||||||
{
|
|
||||||
string[] record = data.Split(_separatorForKeyValue, StringSplitOptions.RemoveEmptyEntries);
|
|
||||||
if (record.Length != 4)
|
|
||||||
{
|
{
|
||||||
continue;
|
throw new Exception("В файле нет данных");
|
||||||
}
|
}
|
||||||
|
|
||||||
CollectionType collectionType = (CollectionType)Enum.Parse(typeof(CollectionType), record[1]);
|
if (!str.StartsWith(_collectionKey))
|
||||||
ICollectionGenericObjects<T> collection = StorageCollection<T>.CreateCollection(collectionType);
|
|
||||||
if (collection == null)
|
|
||||||
{
|
{
|
||||||
throw new Exception("Не удалось создать коллекцию");
|
throw new Exception("В файле неверные данные");
|
||||||
}
|
}
|
||||||
collection.MaxCount = Convert.ToInt32(record[2]);
|
|
||||||
|
|
||||||
string[] set = record[3].Split(_separatorItems, StringSplitOptions.RemoveEmptyEntries);
|
_storages.Clear();
|
||||||
foreach (string elem in set)
|
string strs = "";
|
||||||
|
while ((strs = reader.ReadLine()) != null)
|
||||||
{
|
{
|
||||||
if (elem?.CreateDrawingWarship() is T warship)
|
string[] record = strs.Split(_separatorForKeyValue, StringSplitOptions.RemoveEmptyEntries);
|
||||||
|
if (record.Length != 4)
|
||||||
{
|
{
|
||||||
try
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
CollectionType collectionType = (CollectionType)Enum.Parse(typeof(CollectionType), record[1]);
|
||||||
|
ICollectionGenericObjects<T>? collection = StorageCollection<T>.CreateCollection(collectionType);
|
||||||
|
if (collection == null)
|
||||||
|
{
|
||||||
|
throw new Exception("Не удалось создать коллекцию");
|
||||||
|
}
|
||||||
|
|
||||||
|
collection.MaxCount = Convert.ToInt32(record[2]);
|
||||||
|
|
||||||
|
string[] set = record[3].Split(_separatorItems, StringSplitOptions.RemoveEmptyEntries);
|
||||||
|
foreach (string elem in set)
|
||||||
|
{
|
||||||
|
if (elem?.CreateDrawingWarship() is T bulldozer)
|
||||||
{
|
{
|
||||||
if (collection.Insert(warship) == -1)
|
try
|
||||||
{
|
{
|
||||||
throw new Exception("Не удалось создать коллекцию");
|
if (collection.Insert(bulldozer) == -1)
|
||||||
|
{
|
||||||
|
throw new Exception("Объект не удалось добавить в коллекцию: " + record[3]);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
catch (CollectionOverflowException ex)
|
||||||
|
{
|
||||||
|
throw new Exception("Коллекция переполнена", ex);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
catch (CollectionOverflowException ex)
|
|
||||||
{
|
|
||||||
throw new Exception("Коллекция переполнена", ex);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
||||||
_storages.Add(record[0], collection);
|
_storages.Add(record[0], collection);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Создание коллекции по типу
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="collectionType"></param>
|
||||||
|
/// <returns></returns>
|
||||||
private static ICollectionGenericObjects<T>? CreateCollection(CollectionType collectionType)
|
private static ICollectionGenericObjects<T>? CreateCollection(CollectionType collectionType)
|
||||||
{
|
{
|
||||||
return collectionType switch
|
return collectionType switch
|
||||||
|
@ -1,6 +1,6 @@
|
|||||||
using System.Runtime.Serialization;
|
using System.Runtime.Serialization;
|
||||||
|
|
||||||
namespace Battleship.Exception;
|
namespace Battleship.Exceptions;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Класс, описывающий ошибку переполнения коллекции
|
/// Класс, описывающий ошибку переполнения коллекции
|
||||||
@ -8,13 +8,9 @@ namespace Battleship.Exception;
|
|||||||
[Serializable]
|
[Serializable]
|
||||||
internal class CollectionOverflowException : ApplicationException
|
internal class CollectionOverflowException : ApplicationException
|
||||||
{
|
{
|
||||||
public CollectionOverflowException(int count) : base("В коллекции превышено допустимое количество count" + count) { }
|
public CollectionOverflowException(int count) : base("В коллекции превышено допустимое количество: " + count) { }
|
||||||
|
|
||||||
public CollectionOverflowException() : base() { }
|
public CollectionOverflowException() : base() { }
|
||||||
|
|
||||||
public CollectionOverflowException(string message) : base(message) { }
|
public CollectionOverflowException(string message) : base(message) { }
|
||||||
|
|
||||||
public CollectionOverflowException(string message, Exception exception) : base(message, exception) { }
|
public CollectionOverflowException(string message, Exception exception) : base(message, exception) { }
|
||||||
|
protected CollectionOverflowException(SerializationInfo info, StreamingContext context) : base(info, context) { }
|
||||||
protected CollectionOverflowException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
|
|
||||||
}
|
}
|
@ -1,19 +1,16 @@
|
|||||||
using System.Runtime.Serialization;
|
using System.Runtime.Serialization;
|
||||||
|
|
||||||
namespace Battleship.Exception;
|
namespace Battleship.Exceptions;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Класс, описывающий ошибку, что по указанной позиции нет элемента
|
/// Класс, описывающий ошибку, что по указанной позиции нет элемента
|
||||||
/// </summary>
|
/// </summary>
|
||||||
[Serializable]
|
[Serializable]
|
||||||
internal class ObjectNotFoundException : ApplicationException
|
internal class ObjectNotFoundException : ApplicationException
|
||||||
{
|
{
|
||||||
public ObjectNotFoundException(int count) : base("В коллекции превышено допустимое количество count" + count) { }
|
public ObjectNotFoundException(int i) : base("Не найден объект по позиции " + i) { }
|
||||||
|
|
||||||
public ObjectNotFoundException() : base() { }
|
public ObjectNotFoundException() : base() { }
|
||||||
|
|
||||||
public ObjectNotFoundException(string message) : base(message) { }
|
public ObjectNotFoundException(string message) : base(message) { }
|
||||||
|
|
||||||
public ObjectNotFoundException(string message, Exception exception) : base(message, exception) { }
|
public ObjectNotFoundException(string message, Exception exception) : base(message, exception) { }
|
||||||
|
protected ObjectNotFoundException(SerializationInfo info, StreamingContext context) : base(info, context) { }
|
||||||
protected ObjectNotFoundException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
|
|
||||||
}
|
}
|
@ -1,20 +1,13 @@
|
|||||||
using System.Runtime.Serialization;
|
using System.Runtime.Serialization;
|
||||||
|
|
||||||
namespace Battleship.Exception;
|
namespace Battleship.Exceptions;
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Класс, описывающий ошибку выхода за границы коллекции
|
|
||||||
/// </summary>
|
|
||||||
[Serializable]
|
[Serializable]
|
||||||
internal class PositionOutOfCollectionException : ApplicationException
|
internal class PositionOutOfCollectionException : ApplicationException
|
||||||
{
|
{
|
||||||
public PositionOutOfCollectionException(int count) : base("В коллекции превышено допустимое количество count" + count) { }
|
public PositionOutOfCollectionException(int i) : base("Выход за границы коллекции. Позиция " + i) { }
|
||||||
|
|
||||||
public PositionOutOfCollectionException() : base() { }
|
public PositionOutOfCollectionException() : base() { }
|
||||||
|
|
||||||
public PositionOutOfCollectionException(string message) : base(message) { }
|
public PositionOutOfCollectionException(string message) : base(message) { }
|
||||||
|
|
||||||
public PositionOutOfCollectionException(string message, Exception exception) : base(message, exception) { }
|
public PositionOutOfCollectionException(string message, Exception exception) : base(message, exception) { }
|
||||||
|
protected PositionOutOfCollectionException(SerializationInfo info, StreamingContext context) : base(info, context) { }
|
||||||
protected PositionOutOfCollectionException(SerializationInfo info, StreamingContext contex) : base(info, contex) { }
|
|
||||||
}
|
}
|
||||||
|
@ -283,14 +283,17 @@ public partial class FormWarshipCollection : Form
|
|||||||
{
|
{
|
||||||
if (openFileDialog1.ShowDialog() == DialogResult.OK)
|
if (openFileDialog1.ShowDialog() == DialogResult.OK)
|
||||||
{
|
{
|
||||||
if (_storageCollection.LoadData(openFileDialog1.FileName))
|
try
|
||||||
{
|
{
|
||||||
|
_storageCollection.LoadData(openFileDialog1.FileName);
|
||||||
MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
|
MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
|
||||||
RerfreshListBoxItems();
|
RerfreshListBoxItems();
|
||||||
|
_logger.LogInformation("Загрузка из файла: {filename}", openFileDialog1.FileName);
|
||||||
}
|
}
|
||||||
else
|
catch (Exception ex)
|
||||||
{
|
{
|
||||||
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
MessageBox.Show(ex.Message, "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||||
|
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -1,5 +1,6 @@
|
|||||||
using Microsoft.Extensions.DependencyInjection;
|
using Microsoft.Extensions.DependencyInjection;
|
||||||
using Microsoft.Extensions.Logging;
|
using Microsoft.Extensions.Logging;
|
||||||
|
using NLog.Extensions.Logging;
|
||||||
|
|
||||||
namespace Battleship
|
namespace Battleship
|
||||||
{
|
{
|
||||||
@ -26,12 +27,11 @@ namespace Battleship
|
|||||||
/// <param name="services"></param>
|
/// <param name="services"></param>
|
||||||
private static void ConfigureServices(ServiceCollection services)
|
private static void ConfigureServices(ServiceCollection services)
|
||||||
{
|
{
|
||||||
services.AddSingleton<FormWarshipCollection>()
|
services.AddSingleton<FormWarshipCollection>().AddLogging(option =>
|
||||||
.AddLogging(option =>
|
{
|
||||||
{
|
option.SetMinimumLevel(LogLevel.Information);
|
||||||
optinon.SetMinimumLevel(LogLevel.Information);
|
option.AddNLog("nlog.config");
|
||||||
option.AddNLog("nlog.config");
|
});
|
||||||
});
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
Loading…
Reference in New Issue
Block a user