PIBD14-BOYKO-M.S.SuperEasyS.../ProjectElectroTrans/CollectionGenericObjects/MassiveGenericObjects.cs

133 lines
3.3 KiB
C#
Raw Normal View History

2024-03-13 19:49:07 +04:00
using System.Runtime.Remoting;
2024-03-14 09:42:38 +04:00
using ProjectElectroTrans.Drawnings;
2024-03-13 19:49:07 +04:00
namespace ProjectElectroTrans.CollectionGenericObjects;
/// <summary>
/// Параметризованный набор объектов
/// </summary>
/// <typeparam name="T">Параметр: ограничение - ссылочный тип</typeparam>
2024-03-14 09:42:38 +04:00
public class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
where T : class
2024-03-13 19:49:07 +04:00
{
2024-03-14 09:42:38 +04:00
/// <summary>
/// Массив объектов, которые храним
/// </summary>
private T?[] _collection;
public int Count => _collection.Length;
public int SetMaxCount
{
set
{
if (value > 0)
{
if (_collection.Length > 0)
{
Array.Resize(ref _collection, value);
}
else
{
_collection = new T?[value];
}
}
}
}
/// <summary>
/// Конструктор
/// </summary>
public MassiveGenericObjects()
{
_collection = Array.Empty<T?>();
}
public T? Get(int position)
{
if (position >= 0 && position < Count)
{
2024-03-13 19:49:07 +04:00
return _collection[position];
}
2024-03-14 09:42:38 +04:00
return null;
}
public int Insert(T obj)
{
// вставка в свободное место набора
for (int i = 0; i < Count; i++)
{
if (_collection[i] == null)
{
_collection[i] = obj;
return i;
}
}
return -1;
2024-03-13 19:49:07 +04:00
}
2024-03-14 09:42:38 +04:00
public int Insert(T obj, int position)
{
// проверка позиции
if (position < 0 || position >= Count)
{
return -1;
}
// проверка, что элемент массива по этой позиции пустой, если нет, то
// ищется свободное место после этой позиции и идет вставка туда
// если нет после, ищем до
if (_collection[position] != null)
{
bool pushed = false;
for (int index = position + 1; index < Count; index++)
{
2024-03-13 19:49:07 +04:00
if (_collection[index] == null)
2024-03-14 09:42:38 +04:00
{
position = index;
pushed = true;
2024-03-13 19:49:07 +04:00
break;
2024-03-14 09:42:38 +04:00
}
2024-03-13 19:49:07 +04:00
}
2024-03-14 09:42:38 +04:00
if (!pushed)
{
for (int index = position - 1; index >= 0; index--)
2024-03-13 19:49:07 +04:00
{
if (_collection[index] == null)
{
position = index;
pushed = true;
break;
}
}
}
2024-03-14 09:42:38 +04:00
if (!pushed)
{
return position;
}
}
2024-03-13 19:49:07 +04:00
// вставка
_collection[position] = obj;
2024-03-14 09:42:38 +04:00
return position;
}
2024-03-13 19:49:07 +04:00
2024-03-14 09:42:38 +04:00
public T? Remove(int position)
{
2024-03-13 19:49:07 +04:00
// проверка позиции
if (position < 0 || position >= Count)
{
2024-03-14 09:42:38 +04:00
return null;
2024-03-13 19:49:07 +04:00
}
2024-03-14 09:42:38 +04:00
if (_collection[position] == null) return null;
T? temp = _collection[position];
_collection[position] = null;
return temp;
}
2024-03-13 19:49:07 +04:00
}