Лаба 8, готовая.

This commit is contained in:
MariaBelkina 2024-06-10 12:01:46 +04:00
parent e89571f599
commit e711c16adf
12 changed files with 424 additions and 43 deletions

View File

@ -65,7 +65,7 @@ public abstract class AbstractCompany
/// <returns></returns> /// <returns></returns>
public static int operator +(AbstractCompany company, DrawningDozer dozer) public static int operator +(AbstractCompany company, DrawningDozer dozer)
{ {
return company._collection.Insert(dozer); return company._collection.Insert(dozer, new DrawningDozerEqutables());
} }
/// <summary> /// <summary>
@ -109,6 +109,12 @@ public abstract class AbstractCompany
return bitmap; return bitmap;
} }
/// <summary>
/// Сортировка
/// </summary>
/// <param name="comparer">Срвнитель объектов</param>
public void Sort(IComparer<DrawningDozer> comparer) => _collection?.CollectionSort(comparer);
/// <summary> /// <summary>
/// Вывод заднего фона /// Вывод заднего фона
/// </summary> /// </summary>

View File

@ -0,0 +1,85 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ProjectBulldozer.CollectionGenericObjects;
/// <summary>
/// Класс, хранящиий информацию по коллекции
/// </summary>
public class CollectionInfo
{
/// <summary>
/// Название
/// </summary>
public string Name { get; private set; }
/// <summary>
/// Тип
/// </summary>
public CollectionType CollectionType { get; private set; }
/// <summary>
/// Описание
/// </summary>
public string Description { get; private set; }
/// <summary>
/// Разделитель для записи информации по объекту в файл
/// </summary>
private static readonly string _separator = "-";
/// <summary>
/// Конструктор
/// </summary>
/// /// <param name="name">Название</param>
/// <param name="collectionType">Тип</param>
/// <param name="description">Описание</param>
public CollectionInfo(string name, CollectionType collectionType, string description)
{
Name = name;
CollectionType = collectionType;
Description = description;
}
/// <summary>
/// Создание объекта из строки
/// </summary>
/// <param name="data">Строка</param>
/// <returns>Объект или null</returns>
public static CollectionInfo? GetCollectionInfo(string data)
{
string[] strs = data.Split(_separator,
StringSplitOptions.RemoveEmptyEntries);
if (strs.Length < 1 || strs.Length > 3)
{
return null;
}
return new CollectionInfo(strs[0],
(CollectionType)Enum.Parse(typeof(CollectionType), strs[1]), strs.Length > 2 ?
strs[2] : string.Empty);
}
public override string ToString()
{
return Name + _separator + CollectionType + _separator + Description;
}
public bool Equals(CollectionInfo? other)
{
return Name == other?.Name;
}
public override bool Equals(object? obj)
{
return Equals(obj as CollectionInfo);
}
public override int GetHashCode()
{
return Name.GetHashCode();
}
}

View File

@ -0,0 +1,32 @@
using ProjectBulldozer.Drawnings;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ProjectBulldozer.CollectionGenericObjects;
/// <summary>
/// Сравнение по типу, скорости, весу
/// </summary>
public class DrawningDozerCompareByType : IComparer<DrawningDozer?>
{
public int Compare(DrawningDozer? x, DrawningDozer? y)
{
if (x == null || x.EntityDozer == null) return -1;
if (y == null || y.EntityDozer == null) return -1;
if (x.GetType().Name != y.GetType().Name)
return x.GetType().Name.CompareTo(y.GetType().Name);
var speedCompare = x.EntityDozer.Speed.CompareTo(y.EntityDozer.Speed);
if (speedCompare != 0)
{
return speedCompare;
}
return x.EntityDozer.Weight.CompareTo(y.EntityDozer.Weight);
}
}

View File

@ -1,4 +1,5 @@
using System; using ProjectBulldozer.Drawnings;
using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Linq; using System.Linq;
using System.Text; using System.Text;
@ -27,16 +28,16 @@ public interface ICollectoinGenericObjects<T>
/// Добавление элемента в коллекцию /// Добавление элемента в коллекцию
/// </summary> /// </summary>
/// <param name="obj">Добавляемый объект</param> /// <param name="obj">Добавляемый объект</param>
/// <returns>true - вставка прошла удачно, false - вставка не удалась</returns> /// <param name="comparer">Сравнение двух объектов</param>
int Insert(T obj); int Insert(T obj, IEqualityComparer<T?>? comparer = null);
/// <summary> /// <summary>
/// Добавление объекта в коллекцию на конкретную позицию /// Добавление объекта в коллекцию на конкретную позицию
/// </summary> /// </summary>
/// <param name="obj">Добавляемый объект</param> /// <param name="obj">Добавляемый объект</param>
/// <param name="position">Позиция</param> /// <param name="position">Позиция</param>
/// <returns>true - вставка прошла удачно, false - вставка не удалась</returns> /// <param name="comparer">Сравнение двух объектов</param>
int Insert(T obj, int position); int Insert(T obj, int position, IEqualityComparer<T?>? comparer = null);
/// <summary> /// <summary>
/// Удаление объекта из коллекции на конкретной позиции /// Удаление объекта из коллекции на конкретной позиции
@ -62,4 +63,10 @@ public interface ICollectoinGenericObjects<T>
/// </summary> /// </summary>
/// <returns>Поэлементный вывод элементов коллекции</returns> /// <returns>Поэлементный вывод элементов коллекции</returns>
IEnumerable<T> GetItems(); IEnumerable<T> GetItems();
/// <summary>
/// Сортировка коллекции
/// </summary>
/// <param name="comparer">Сравнитель объектов</param>
void CollectionSort(IComparer<T?> comparer);
} }

View File

@ -1,4 +1,5 @@
using ProjectBulldozer.Exceptions; using ProjectBulldozer.Drawnings;
using ProjectBulldozer.Exceptions;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Linq; using System.Linq;
@ -67,7 +68,7 @@ public class ListGenericObjects<T> : ICollectoinGenericObjects<T>
return _collection[position]; return _collection[position];
} }
public int Insert(T obj) public int Insert(T obj, IEqualityComparer<T?>? comparer = null)
{ {
// Выброс ошибки, если переполнение // Выброс ошибки, если переполнение
if (Count == _maxCount) if (Count == _maxCount)
@ -75,13 +76,31 @@ public class ListGenericObjects<T> : ICollectoinGenericObjects<T>
throw new CollectionOverflowException(Count); throw new CollectionOverflowException(Count);
} }
// Выброс ошибки, если такой объект есть в коллекции
if (comparer != null)
{
if (_collection.Contains(obj, comparer))
{
throw new NotUniqueObjectException(obj);
}
}
// Вставка в конец набора. // Вставка в конец набора.
_collection.Add(obj); _collection.Add(obj);
return _collection.Count; return _collection.Count;
} }
public int Insert(T obj, int position) public int Insert(T obj, int position, IEqualityComparer<T?>? comparer = null)
{ {
// Выброс ошибки, если такой объект есть в коллекции
if (comparer != null)
{
if (_collection.Contains(obj, comparer))
{
throw new NotUniqueObjectException(obj);
}
}
// Выброс ошибки, если переполнение // Выброс ошибки, если переполнение
if (Count == _maxCount) if (Count == _maxCount)
{ {
@ -102,7 +121,7 @@ public class ListGenericObjects<T> : ICollectoinGenericObjects<T>
public T? Remove(int position) public T? Remove(int position)
{ {
// TODO Выброс ошибки, если выход за границы списка // Выброс ошибки, если выход за границы списка
if (position >= Count || position < 0) if (position >= Count || position < 0)
{ {
throw new PositionOutOfCollectionException(position); throw new PositionOutOfCollectionException(position);
@ -121,4 +140,9 @@ public class ListGenericObjects<T> : ICollectoinGenericObjects<T>
yield return _collection[i]; yield return _collection[i];
} }
} }
public void CollectionSort(IComparer<T?> comparer)
{
_collection.Sort(comparer);
}
} }

View File

@ -1,4 +1,5 @@
using ProjectBulldozer.Exceptions; using ProjectBulldozer.Drawnings;
using ProjectBulldozer.Exceptions;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Linq; using System.Linq;
@ -67,9 +68,22 @@ public class MassiveGenericObject<T> : ICollectoinGenericObjects<T>
return _collection[position]; return _collection[position];
} }
public int Insert(T obj) public int Insert(T obj, IEqualityComparer<T?>? comparer = null)
{ {
//Вставка в свободное место набора
// Выброс ошибки, если такой объект есть в коллекции
if (comparer != null)
{
foreach (T? i in _collection)
{
if (comparer.Equals(i, obj))
{
throw new NotUniqueObjectException(i);
}
}
}
// Вставка в свободное место набора
for (int i = 0; i < Count; i++) for (int i = 0; i < Count; i++)
{ {
if (_collection[i] == null) if (_collection[i] == null)
@ -78,14 +92,27 @@ public class MassiveGenericObject<T> : ICollectoinGenericObjects<T>
return i; return i;
} }
} }
// Выброс ошибки, если переполнение // Выброс ошибки, если переполнение
throw new CollectionOverflowException(Count); throw new CollectionOverflowException(Count);
} }
public int Insert(T obj, int position) public int Insert(T obj, int position, IEqualityComparer<T?>? comparer = null)
{ {
//Проверка позиции // Выброс ошибки, если такой объект есть в коллекции
if (comparer != null)
{
foreach (T? i in _collection)
{
if (comparer.Equals(i, obj))
{
throw new NotUniqueObjectException(i);
}
}
}
// Проверка позиции
if ((position < 0) || (position >= Count)) if ((position < 0) || (position >= Count))
{ {
return -1; return -1;
@ -130,6 +157,7 @@ public class MassiveGenericObject<T> : ICollectoinGenericObjects<T>
// Выброс ошибки, если выход за границы массива // Выброс ошибки, если выход за границы массива
throw new CollectionOverflowException(Count); throw new CollectionOverflowException(Count);
} }
public T? Remove(int position) public T? Remove(int position)
@ -160,4 +188,13 @@ public class MassiveGenericObject<T> : ICollectoinGenericObjects<T>
yield return _collection[i]; yield return _collection[i];
} }
} }
public void CollectionSort(IComparer<T?> comparer)
{
if (_collection?.Length > 0)
{
Array.Sort(_collection, comparer);
Array.Reverse(_collection);
}
}
} }

View File

@ -18,12 +18,12 @@ public class StorageCollection<T>
/// <summary> /// <summary>
/// Словарь (хранилище) с коллекциями /// Словарь (хранилище) с коллекциями
/// </summary> /// </summary>
readonly Dictionary<string, ICollectoinGenericObjects<T>> _storages; readonly Dictionary<CollectionInfo, ICollectoinGenericObjects<T>> _storages;
/// <summary> /// <summary>
/// Возвращение списка названий коллекций /// Возвращение списка названий коллекций
/// </summary> /// </summary>
public List<string> Keys => _storages.Keys.ToList(); public List<CollectionInfo> Keys => _storages.Keys.ToList();
/// <summary> /// <summary>
/// Ключевое слово, с которого должен начианться файл /// Ключевое слово, с которого должен начианться файл
@ -45,7 +45,7 @@ public class StorageCollection<T>
/// </summary> /// </summary>
public StorageCollection() public StorageCollection()
{ {
_storages = new Dictionary<string, ICollectoinGenericObjects<T>>(); _storages = new Dictionary<CollectionInfo, ICollectoinGenericObjects<T>>();
} }
/// <summary> /// <summary>
@ -55,19 +55,20 @@ 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)
{ {
CollectionInfo collectionInfo = new CollectionInfo(name, collectionType, string.Empty);
// Проверка, что name не пустой и нет в словаре записи с таким ключом. // Проверка, что name не пустой и нет в словаре записи с таким ключом.
if (_storages.ContainsKey(name) && name == "") if (_storages.ContainsKey(collectionInfo) && name == "")
{ {
return; return;
} }
// Логика для добавления. // Логика для добавления.
if (collectionType == CollectionType.Massive) if (collectionType == CollectionType.Massive)
{ {
_storages[name] = new MassiveGenericObject<T>(); _storages[collectionInfo] = new MassiveGenericObject<T>();
} }
else else
{ {
_storages[name] = new ListGenericObjects<T>(); _storages[collectionInfo] = new ListGenericObjects<T>();
} }
} }
@ -77,10 +78,11 @@ public class StorageCollection<T>
/// <param name="name">Название коллекции</param> /// <param name="name">Название коллекции</param>
public void DelCollection(string name) public void DelCollection(string name)
{ {
CollectionInfo collectionInfo = new CollectionInfo(name, CollectionType.None, string.Empty);
// Логика для удаления коллекции. // Логика для удаления коллекции.
if (_storages.ContainsKey(name)) if (_storages.ContainsKey(collectionInfo))
{ {
_storages.Remove(name); _storages.Remove(collectionInfo);
} }
} }
@ -93,10 +95,11 @@ public class StorageCollection<T>
{ {
get get
{ {
CollectionInfo collectionInfo = new CollectionInfo(name, CollectionType.None, string.Empty);
// Логика получения объекта. // Логика получения объекта.
if (_storages.ContainsKey(name)) if (_storages.ContainsKey(collectionInfo))
{ {
return _storages[name]; return _storages[collectionInfo];
} }
return null; return null;
} }
@ -121,7 +124,7 @@ public class StorageCollection<T>
StringBuilder stringBuilder = new(); StringBuilder stringBuilder = new();
stringBuilder.Append(_collectionKey); stringBuilder.Append(_collectionKey);
foreach (KeyValuePair<string, ICollectoinGenericObjects<T>> value in _storages) foreach (KeyValuePair<CollectionInfo, ICollectoinGenericObjects<T>> value in _storages)
{ {
stringBuilder.Append(Environment.NewLine); stringBuilder.Append(Environment.NewLine);
// не сохраняем пустые коллекции. // не сохраняем пустые коллекции.
@ -132,8 +135,6 @@ public class StorageCollection<T>
stringBuilder.Append(value.Key); stringBuilder.Append(value.Key);
stringBuilder.Append(_separatorForKeyValue); stringBuilder.Append(_separatorForKeyValue);
stringBuilder.Append(value.Value.GetCollectionType);
stringBuilder.Append(_separatorForKeyValue);
stringBuilder.Append(value.Value.MaxCount); stringBuilder.Append(value.Value.MaxCount);
stringBuilder.Append(_separatorForKeyValue); stringBuilder.Append(_separatorForKeyValue);
@ -194,18 +195,20 @@ public class StorageCollection<T>
{ {
string[] record = data.Split(_separatorForKeyValue, string[] record = data.Split(_separatorForKeyValue,
StringSplitOptions.RemoveEmptyEntries); StringSplitOptions.RemoveEmptyEntries);
if (record.Length != 4) if (record.Length != 3)
{ {
continue; continue;
} }
CollectionInfo? collectionInfo = CollectionInfo.GetCollectionInfo(record[0]) ??
throw new Exception("Не удалось определить информацию коллекции: " + record[0]);
CollectionType collectionType = (CollectionType)Enum.Parse(typeof(CollectionType), record[1]); /* CollectionType collectionType = (CollectionType)Enum.Parse(typeof(CollectionType), record[1]);*/
ICollectoinGenericObjects<T>? collectoin = StorageCollection<T>.CreateCollection(collectionType) ?? ICollectoinGenericObjects<T>? collectoin = StorageCollection<T>.CreateCollection(collectionInfo.CollectionType) ??
throw new Exception("Не удалось определить тип коллекции: " + record[1]); throw new Exception("Не удалось создать коллекцию!");
collectoin.MaxCount = Convert.ToInt32(record[2]); collectoin.MaxCount = Convert.ToInt32(record[1]);
string[] set = record[3].Split(_separatorItems, StringSplitOptions.RemoveEmptyEntries); string[] set = record[2].Split(_separatorItems, StringSplitOptions.RemoveEmptyEntries);
foreach (string elem in set) foreach (string elem in set)
{ {
@ -224,7 +227,7 @@ public class StorageCollection<T>
} }
} }
} }
_storages.Add(record[0], collectoin); _storages.Add(collectionInfo, collectoin);
} }
} }

View File

@ -0,0 +1,41 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ProjectBulldozer.Drawnings;
/// <summary>
/// Сравнение по цвету, скорости, весу
/// </summary>
public class DrawningDozerCompareByColor : IComparer<DrawningDozer?>
{
public int Compare(DrawningDozer? x, DrawningDozer? y)
{
// Логика сравения по цвету, скорости, весу
if (x == null || x.EntityDozer == null)
{
return -1;
}
if (y == null || y.EntityDozer == null)
{
return -1;
}
var bodyColorCompare = x.EntityDozer.BodyColor.Name.CompareTo(y.EntityDozer.BodyColor.Name);
if (bodyColorCompare != 0)
{
return bodyColorCompare;
}
var speedCompare = x.EntityDozer.Speed.CompareTo(y.EntityDozer.Speed);
if (speedCompare != 0)
{
return speedCompare;
}
return x.EntityDozer.Weight.CompareTo(y.EntityDozer.Weight);
}
}

View File

@ -0,0 +1,55 @@
using System;
using System.Collections.Generic;
using System.Diagnostics.CodeAnalysis;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using ProjectBulldozer.Entities;
namespace ProjectBulldozer.Drawnings;
/// <summary>
/// Реализация сравнения двух объектов класса-прорисовки
/// </summary>
public class DrawningDozerEqutables : IEqualityComparer<DrawningDozer>
{
public bool Equals(DrawningDozer? x, DrawningDozer? y)
{
if (x == null || x.EntityDozer == null) return false;
if (y == null || y.EntityDozer == null) return false;
if (x.GetType().Name != y.GetType().Name) return false;
if (x.EntityDozer.Speed != y.EntityDozer.Speed) return false;
if (x.EntityDozer.Weight != y.EntityDozer.Weight) return false;
if (x.EntityDozer.BodyColor != y.EntityDozer.BodyColor) return false;
if (x is DrawningBulldozer && y is DrawningBulldozer)
{
// Логика сравнения доп параметров.
if (((EntityBulldozer)x.EntityDozer).AdditionalColor != ((EntityBulldozer)y.EntityDozer).AdditionalColor)
{
return false;
}
if (((EntityBulldozer)x.EntityDozer).Blade != ((EntityBulldozer)y.EntityDozer).Blade)
{
return false;
}
if (((EntityBulldozer)x.EntityDozer).Caterpillar != ((EntityBulldozer)y.EntityDozer).Caterpillar)
{
return false;
}
}
return true;
}
public int GetHashCode([DisallowNull] DrawningDozer obj)
{
return obj.GetHashCode();
}
}

View File

@ -0,0 +1,22 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.Serialization;
using System.Text;
using System.Threading.Tasks;
namespace ProjectBulldozer.Exceptions;
[Serializable]
public class NotUniqueObjectException : ApplicationException
{
public NotUniqueObjectException(object i) : base("В коллекции уже есть такой элемент: " + i) { }
public NotUniqueObjectException() : base() { }
public NotUniqueObjectException(string message) : base(message) { }
public NotUniqueObjectException(string message, Exception exception) : base(message, exception) { }
protected NotUniqueObjectException(SerializationInfo info, StreamingContext context) : base(info, context) { }
}

View File

@ -52,6 +52,8 @@
loadToolStripMenuItem = new ToolStripMenuItem(); loadToolStripMenuItem = new ToolStripMenuItem();
saveFileDialog = new SaveFileDialog(); saveFileDialog = new SaveFileDialog();
openFileDialog = new OpenFileDialog(); openFileDialog = new OpenFileDialog();
buttonSortByColor = new Button();
buttonSortByType = new Button();
groupBoxTools.SuspendLayout(); groupBoxTools.SuspendLayout();
panelCompanyTools.SuspendLayout(); panelCompanyTools.SuspendLayout();
panelStorage.SuspendLayout(); panelStorage.SuspendLayout();
@ -69,7 +71,7 @@
groupBoxTools.Font = new Font("Comic Sans MS", 9F, FontStyle.Regular, GraphicsUnit.Point); groupBoxTools.Font = new Font("Comic Sans MS", 9F, FontStyle.Regular, GraphicsUnit.Point);
groupBoxTools.Location = new Point(1489, 41); groupBoxTools.Location = new Point(1489, 41);
groupBoxTools.Name = "groupBoxTools"; groupBoxTools.Name = "groupBoxTools";
groupBoxTools.Size = new Size(413, 963); groupBoxTools.Size = new Size(413, 1114);
groupBoxTools.TabIndex = 0; groupBoxTools.TabIndex = 0;
groupBoxTools.TabStop = false; groupBoxTools.TabStop = false;
groupBoxTools.Text = "Инструменты"; groupBoxTools.Text = "Инструменты";
@ -79,12 +81,14 @@
panelCompanyTools.Controls.Add(buttonAddDozer); panelCompanyTools.Controls.Add(buttonAddDozer);
panelCompanyTools.Controls.Add(buttonDelBulldozer); panelCompanyTools.Controls.Add(buttonDelBulldozer);
panelCompanyTools.Controls.Add(maskedTextBox); panelCompanyTools.Controls.Add(maskedTextBox);
panelCompanyTools.Controls.Add(buttonSortByType);
panelCompanyTools.Controls.Add(buttonGoToCheck); panelCompanyTools.Controls.Add(buttonGoToCheck);
panelCompanyTools.Controls.Add(buttonSortByColor);
panelCompanyTools.Controls.Add(buttonRefresh); panelCompanyTools.Controls.Add(buttonRefresh);
panelCompanyTools.Enabled = false; panelCompanyTools.Enabled = false;
panelCompanyTools.Location = new Point(3, 602); panelCompanyTools.Location = new Point(3, 602);
panelCompanyTools.Name = "panelCompanyTools"; panelCompanyTools.Name = "panelCompanyTools";
panelCompanyTools.Size = new Size(406, 356); panelCompanyTools.Size = new Size(406, 512);
panelCompanyTools.TabIndex = 7; panelCompanyTools.TabIndex = 7;
// //
// buttonAddDozer // buttonAddDozer
@ -255,7 +259,7 @@
pictureBox.Dock = DockStyle.Fill; pictureBox.Dock = DockStyle.Fill;
pictureBox.Location = new Point(0, 41); pictureBox.Location = new Point(0, 41);
pictureBox.Name = "pictureBox"; pictureBox.Name = "pictureBox";
pictureBox.Size = new Size(1489, 963); pictureBox.Size = new Size(1489, 1114);
pictureBox.TabIndex = 4; pictureBox.TabIndex = 4;
pictureBox.TabStop = false; pictureBox.TabStop = false;
// //
@ -304,11 +308,35 @@
openFileDialog.FileName = "openFileDialog"; openFileDialog.FileName = "openFileDialog";
openFileDialog.Filter = "txt file | *.txt"; openFileDialog.Filter = "txt file | *.txt";
// //
// buttonSortByColor
//
buttonSortByColor.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
buttonSortByColor.Font = new Font("Comic Sans MS", 9F, FontStyle.Regular, GraphicsUnit.Point);
buttonSortByColor.Location = new Point(12, 435);
buttonSortByColor.Name = "buttonSortByColor";
buttonSortByColor.Size = new Size(383, 65);
buttonSortByColor.TabIndex = 3;
buttonSortByColor.Text = "Сортировка по цвету";
buttonSortByColor.UseVisualStyleBackColor = true;
buttonSortByColor.Click += buttonSortByColor_Click;
//
// buttonSortByType
//
buttonSortByType.Anchor = AnchorStyles.Top | AnchorStyles.Left | AnchorStyles.Right;
buttonSortByType.Font = new Font("Comic Sans MS", 9F, FontStyle.Regular, GraphicsUnit.Point);
buttonSortByType.Location = new Point(12, 364);
buttonSortByType.Name = "buttonSortByType";
buttonSortByType.Size = new Size(383, 65);
buttonSortByType.TabIndex = 3;
buttonSortByType.Text = "Сортировка по типу";
buttonSortByType.UseVisualStyleBackColor = true;
buttonSortByType.Click += buttonSortByType_Click;
//
// FormBulldozerCollection // FormBulldozerCollection
// //
AutoScaleDimensions = new SizeF(15F, 33F); AutoScaleDimensions = new SizeF(15F, 33F);
AutoScaleMode = AutoScaleMode.Font; AutoScaleMode = AutoScaleMode.Font;
ClientSize = new Size(1902, 1004); ClientSize = new Size(1902, 1155);
Controls.Add(pictureBox); Controls.Add(pictureBox);
Controls.Add(groupBoxTools); Controls.Add(groupBoxTools);
Controls.Add(menuStrip); Controls.Add(menuStrip);
@ -354,5 +382,7 @@
private ToolStripMenuItem loadToolStripMenuItem; private ToolStripMenuItem loadToolStripMenuItem;
private SaveFileDialog saveFileDialog; private SaveFileDialog saveFileDialog;
private OpenFileDialog openFileDialog; private OpenFileDialog openFileDialog;
private Button buttonSortByType;
private Button buttonSortByColor;
} }
} }

View File

@ -90,7 +90,11 @@ public partial class FormBulldozerCollection : Form
{ {
MessageBox.Show(exception.Message); MessageBox.Show(exception.Message);
_logger.LogError("Ошибка: превышено допустимое коллическтво! {Message}", exception); _logger.LogError("Ошибка: превышено допустимое коллическтво! {Message}", exception);
}
catch (NotUniqueObjectException)
{
MessageBox.Show("Объект уже существует!");
_logger.LogError("Ошибка: объект уже существует {0}", dozer);
} }
} }
@ -337,7 +341,7 @@ public partial class FormBulldozerCollection : Form
{ {
_logger.LogError("Ошибка: {Message}", ex.Message); _logger.LogError("Ошибка: {Message}", ex.Message);
} }
@ -351,7 +355,7 @@ public partial class FormBulldozerCollection : Form
listBoxCollection.Items.Clear(); listBoxCollection.Items.Clear();
for (int i = 0; i < _storageCollection.Keys?.Count; ++i) for (int i = 0; i < _storageCollection.Keys?.Count; ++i)
{ {
string? colName = _storageCollection.Keys?[i]; string? colName = _storageCollection.Keys?[i].Name;
if (!string.IsNullOrEmpty(colName)) if (!string.IsNullOrEmpty(colName))
{ {
listBoxCollection.Items.Add(colName); listBoxCollection.Items.Add(colName);
@ -450,4 +454,39 @@ public partial class FormBulldozerCollection : Form
} }
RefreshListBoxItems(); RefreshListBoxItems();
} }
/// <summary>
/// Сортировка по типу
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void buttonSortByType_Click(object sender, EventArgs e)
{
CompareDozers(new DrawningDozerCompareByType());
}
/// <summary>
/// Сортировка по цвету
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void buttonSortByColor_Click(object sender, EventArgs e)
{
CompareDozers(new DrawningDozerCompareByColor());
}
/// <summary>
/// Сортировка по сравнителю
/// </summary>
/// <param name="comparer">Сравнитель объектов</param>
private void CompareDozers(IComparer<DrawningDozer?> comparer)
{
if (_company == null)
{
return;
}
_company.Sort(comparer);
pictureBox.Image = _company.Show();
}
} }