111 lines
3.6 KiB
C#
Raw Normal View History

2023-11-10 20:16:55 +04:00
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace WarmlyLocomotive.Generics
{
/// <summary>
/// Параметризованный набор объектов
/// </summary>
/// <typeparam name="T"></typeparam>
internal class SetGeneric<T>
where T : class
2023-11-10 20:16:55 +04:00
{
/// <summary>
/// Список объектов, которые храним
/// </summary>
private readonly List<T?> _places;
/// <summary>
/// Количество объектов в массиве
/// </summary>
public int Count => _places.Count;
/// <summary>
/// Максимальное количество объектов в списке
/// </summary>
private readonly int _maxCount;
/// <summary>
/// Конструктор
/// </summary>
/// <param name="count"></param>
public SetGeneric(int count)
{
_maxCount = count;
_places = new List<T?>(count);
}
/// <summary>
/// Добавление объекта в набор
/// </summary>
/// <param name="warmlylocomotive">Добавляемый тепловоз</param>
/// <returns></returns>
public bool Insert(T warmlylocomotive)
2023-11-10 20:16:55 +04:00
{
if (_places.Count == _maxCount)
2023-11-10 20:16:55 +04:00
{
return false;
2023-11-10 20:16:55 +04:00
}
Insert(warmlylocomotive, 0);
return true;
}
/// <summary>
/// Добавление объекта в набор на конкретную позицию
/// </summary>
/// <param name="airplane">Добавляемый самолет</param>
/// <param name="position">Позиция</param>
/// <returns></returns>
public bool Insert(T airplane, int position)
{
if (!(position >= 0 && position <= Count && _places.Count < _maxCount)) return false;
_places.Insert(position, airplane);
return true;
}
/// <summary>
/// Удаление объекта из набора с конкретной позиции
/// </summary>
/// <param name="position"></param>
/// <returns></returns>
public bool Remove(int position)
{
if (position < 0 || position >= Count) return false;
_places.RemoveAt(position);
return true;
}
/// <summary>
/// Получение объекта из набора по позиции
/// </summary>
/// <param name="position"></param>
/// <returns></returns>
public T? this[int position]
{
get
2023-11-10 20:16:55 +04:00
{
if (position < 0 || position >= Count) return null;
return _places[position];
2023-11-10 20:16:55 +04:00
}
set
2023-11-10 20:16:55 +04:00
{
if (!(position >= 0 && position < Count && _places.Count < _maxCount)) return;
_places.Insert(position, value);
return;
2023-11-10 20:16:55 +04:00
}
}
/// <summary>
/// Проход по списку
/// </summary>
/// <returns></returns>
public IEnumerable<T?> GetWarmlyLocomotives(int? maxWarmlyLocomotives = null)
{
for (int i = 0; i < _places.Count; ++i)
2023-11-10 20:16:55 +04:00
{
yield return _places[i];
if (maxWarmlyLocomotives.HasValue && i == maxWarmlyLocomotives.Value)
2023-11-10 20:16:55 +04:00
{
yield break;
2023-11-10 20:16:55 +04:00
}
}
}
}
}
2023-11-10 20:16:55 +04:00