diff --git a/Lab1/Lab1/CollectionGenericObjects/AbstractCompany.cs b/Lab1/Lab1/CollectionGenericObjects/AbstractCompany.cs index 5e0a3d7..a5adcbf 100644 --- a/Lab1/Lab1/CollectionGenericObjects/AbstractCompany.cs +++ b/Lab1/Lab1/CollectionGenericObjects/AbstractCompany.cs @@ -49,7 +49,7 @@ public abstract class AbstractCompany _pictureWidth = picWidth; _pictureHeight = picHeight; _collection = collection; - _collection.SetMaxCount = GetMaxCount; + _collection.MaxCount = GetMaxCount; } /// diff --git a/Lab1/Lab1/CollectionGenericObjects/ICollectionGenericObjects.cs b/Lab1/Lab1/CollectionGenericObjects/ICollectionGenericObjects.cs index d2d68f4..461b0d8 100644 --- a/Lab1/Lab1/CollectionGenericObjects/ICollectionGenericObjects.cs +++ b/Lab1/Lab1/CollectionGenericObjects/ICollectionGenericObjects.cs @@ -17,7 +17,7 @@ public interface ICollectionGenericObjects /// /// Установка максимального количества элементов /// - int SetMaxCount { set; } + int MaxCount { get; set; } /// /// Добавление объекта в коллекцию @@ -47,4 +47,15 @@ public interface ICollectionGenericObjects /// Позиция /// Объект T? Get(int position); + + /// + /// Получение типа коллекции + /// + CollectionType GetCollectionType { get; } + + /// + /// Получение объектов коллекции по одному + /// + /// Поэлементый вывод элементов коллекции + IEnumerable GetItems(); } diff --git a/Lab1/Lab1/CollectionGenericObjects/ListGenericObjects.cs b/Lab1/Lab1/CollectionGenericObjects/ListGenericObjects.cs index b816b48..09a304c 100644 --- a/Lab1/Lab1/CollectionGenericObjects/ListGenericObjects.cs +++ b/Lab1/Lab1/CollectionGenericObjects/ListGenericObjects.cs @@ -20,12 +20,15 @@ where T : class public int Count => _collection.Count; - public int SetMaxCount { set { if (value > 0) { _maxCount = value; } } } + public int MaxCount { set { if (value > 0) { _maxCount = value; } } get { return Count; } } - /// - /// Конструктор - /// - public ListGenericObjects() + + public CollectionType GetCollectionType => CollectionType.List; + + /// + /// Конструктор + /// + public ListGenericObjects() { _collection = new(); } @@ -66,5 +69,13 @@ where T : class _collection.RemoveAt(position); return obj; } - } + + public IEnumerable GetItems() + { + for (int i = 0; i < Count; ++i) + { + yield return _collection[i]; + } + } +} diff --git a/Lab1/Lab1/CollectionGenericObjects/MassiveGenericObjects.cs b/Lab1/Lab1/CollectionGenericObjects/MassiveGenericObjects.cs index 7c442b1..326ff27 100644 --- a/Lab1/Lab1/CollectionGenericObjects/MassiveGenericObjects.cs +++ b/Lab1/Lab1/CollectionGenericObjects/MassiveGenericObjects.cs @@ -15,8 +15,12 @@ public class MassiveGenericObjects : ICollectionGenericObjects private T?[] _collection; public int Count => _collection.Length; - public int SetMaxCount + public int MaxCount { + get + { + return _collection.Length; + } set { if (value > 0) @@ -33,6 +37,7 @@ public class MassiveGenericObjects : ICollectionGenericObjects } } + public CollectionType GetCollectionType => CollectionType.Massive; /// /// Конструктор /// @@ -113,4 +118,12 @@ public class MassiveGenericObjects : ICollectionGenericObjects _collection[position] = null; return obj; } + + public IEnumerable GetItems() + { + for (int i = 0; i < _collection.Length; ++i) + { + yield return _collection[i]; + } + } } diff --git a/Lab1/Lab1/CollectionGenericObjects/StorageCollection.cs b/Lab1/Lab1/CollectionGenericObjects/StorageCollection.cs index 481a19a..c308fe3 100644 --- a/Lab1/Lab1/CollectionGenericObjects/StorageCollection.cs +++ b/Lab1/Lab1/CollectionGenericObjects/StorageCollection.cs @@ -1,4 +1,5 @@ -using System; +using Lab1.Drawnings; +using System; using System.Collections.Generic; using System.Linq; using System.Text; @@ -10,18 +11,35 @@ namespace Lab1.CollectionGenericObjects; /// /// public class StorageCollection - where T : class + where T : DrawningTruck { /// /// Словарь (хранилище) с коллекциями /// - readonly Dictionary> _storages; + private Dictionary> _storages; /// /// Возвращение списка названий коллекций /// public List Keys => _storages.Keys.ToList(); + + /// + /// Ключевое слово, с которого должен начинаться файл + /// + private readonly string _collectionKey = "CollectionsStorage"; + + /// + /// Разделитель для записи ключа и значения элемента словаря + /// + private readonly string _separatorForKeyValue = "|"; + + /// + /// Разделитель для записей коллекции данных в файл + /// + private readonly string _separatorItems = ";"; + + /// /// Конструктор /// @@ -67,10 +85,152 @@ public class StorageCollection { get { - // TODO Продумать логику получения объекта - if (_storages.ContainsKey(name)) - return _storages[name]; - return null; + if (name == null || !_storages.ContainsKey(name)) { return null; } + return _storages[name]; } } + + /// + /// Сохранение информации по автомобилям в хранилище в файл + /// + /// Путь и имя файла + /// true - сохранение прошло успешно, false - ошибка при сохранении данных + public bool SaveData(string filename) + { + if (_storages.Count == 0) + { + return false; + } + + + if (File.Exists(filename)) + { + File.Delete(filename); + } + + + + using FileStream fs = new(filename, FileMode.Create); + using StreamWriter streamWriter = new StreamWriter(fs); + streamWriter.Write(_collectionKey); + + foreach (KeyValuePair> value in _storages) + { + streamWriter.Write(Environment.NewLine); + + if (value.Value.Count == 0) + { + continue; + } + + streamWriter.Write(value.Key); + streamWriter.Write(_separatorForKeyValue); + streamWriter.Write(value.Value.GetCollectionType); + streamWriter.Write(_separatorForKeyValue); + streamWriter.Write(value.Value.MaxCount); + streamWriter.Write(_separatorForKeyValue); + + + foreach (T? item in value.Value.GetItems()) + { + string data = item?.GetDataForSave() ?? string.Empty; + if (string.IsNullOrEmpty(data)) + { + continue; + } + + + streamWriter.Write(data); + streamWriter.Write(_separatorItems); + + } + } + return true; + } + + /// + /// Загрузка информации по автомобилям в хранилище из файла + /// + /// Путь и имя файла + /// true - загрузка прошла успешно, false - ошибка при загрузке данных + /// + /// Загрузка информации по кораблям в хранилище из файла + /// + /// Путь и имя файла + /// true - загрузка прошла успешно, false - ошибка при загрузке данных + public bool LoadData(string filename) + { + //проверяем существования файла с заданным именем + if (!File.Exists(filename)) + { + return false; + } + + using (StreamReader sr = new StreamReader(filename))// открываем файла на чтение + //StreamReader реализует объект TextReader, который считывает символы из потока байтов в определенной кодировке. + + + { + string? str; + str = sr.ReadLine(); + if (str != _collectionKey.ToString()) + return false; + //прочитываем первуя строку файла, и если она не совпадает с значением _collectionKey, возвращаем false + + _storages.Clear(); + //очищаем коллекицю перед загрузкой новых данных + + while ((str = sr.ReadLine()) != null) + //чтение и обработка остальных строк файла + { + string[] record = str.Split(_separatorForKeyValue); + //разделяем строки на компоненты при помощи разделителя + + if (record.Length != 4) + { + continue; + } + //если длина записи не равна байту, читаем следующую строку + + CollectionType collectionType = (CollectionType)Enum.Parse(typeof(CollectionType), record[1]); + ICollectionGenericObjects? collection = StorageCollection.CreateCollection(collectionType); + if (collection == null) + { + return false; + } + //находим тип коллекции, создаем её экземпляр и если коллекция пустая, возвращаем false. + + collection.MaxCount = Convert.ToInt32(record[2]); + //устанавливаем максимальное кол-во элементов на основе записи + + string[] set = record[3].Split(_separatorItems, StringSplitOptions.RemoveEmptyEntries); + foreach (string elem in set) + { + if (elem?.CreateDrawningTruck() is T Truck) + { + if (collection.Insert(Truck) == -1) + return false; + } + } + //элементы из строки записи добавляем в коллекцию, проверяем, является ли каждый элемент объектом типа T, и, + //если да, то добавляем его в коллекцию. Если операция вставки не удалась, возвращаем false + + _storages.Add(record[0], collection); + //Загруженную коллекцию добавляем в хранилище с ключом, извлеченным из записи. + } + } + return true; + //после успешной загрузки всех данных возвращаем true. + } + + + private static ICollectionGenericObjects? CreateCollection(CollectionType collectionType) + { + return collectionType switch + { + CollectionType.Massive => new MassiveGenericObjects(), + CollectionType.List => new ListGenericObjects(), + _ => null, + }; + } } diff --git a/Lab1/Lab1/Drawnings/DrawningRoadTrain.cs b/Lab1/Lab1/Drawnings/DrawningRoadTrain.cs index 3c2c736..64e393c 100644 --- a/Lab1/Lab1/Drawnings/DrawningRoadTrain.cs +++ b/Lab1/Lab1/Drawnings/DrawningRoadTrain.cs @@ -28,6 +28,18 @@ public class DrawningRoadTrain : DrawningTruck } + + /// + /// Конструктор принимающий объект Entity + /// + public DrawningRoadTrain(EntityTruck? entityTruck) : base(140,70) + { + if (entityTruck != null) + { + EntityTruck = entityTruck; + } + } + /// /// переопределение метода DrawTransport /// diff --git a/Lab1/Lab1/Drawnings/DrawningTruck.cs b/Lab1/Lab1/Drawnings/DrawningTruck.cs index 4a1e634..b486e1f 100644 --- a/Lab1/Lab1/Drawnings/DrawningTruck.cs +++ b/Lab1/Lab1/Drawnings/DrawningTruck.cs @@ -98,6 +98,15 @@ public class DrawningTruck } + /// + /// Конструктор + /// + /// Класс-сущность + public DrawningTruck(EntityTruck truck) : this() + { + EntityTruck = new EntityTruck(truck.Speed, truck.Weight, truck.BodyColor); + } + /// /// Установка границ поля /// diff --git a/Lab1/Lab1/Drawnings/ExtentionDrawningCar.cs b/Lab1/Lab1/Drawnings/ExtentionDrawningCar.cs new file mode 100644 index 0000000..67f5aee --- /dev/null +++ b/Lab1/Lab1/Drawnings/ExtentionDrawningCar.cs @@ -0,0 +1,58 @@ +using Lab1.Entities; +using System; +using System.Collections.Generic; +using System.Linq; +using System.Text; +using System.Threading.Tasks; + +namespace Lab1.Drawnings; +/// +/// Расширение для класса EntityCar +/// +public static class ExtentionDrawningCar +{ + /// + /// Разделитель для записи информации по объекту в файл + /// + private static readonly string _separatorForObject = ":"; + + /// + /// Создание объекта из строки + /// + /// Строка с данными для создания объекта + /// Объект + public static DrawningTruck? CreateDrawningTruck(this string info) + { + string[] strs = info.Split(_separatorForObject); + EntityTruck? truck = EntityRoadTrain.CreateEntityRoadTrain(strs); + if (truck != null) + { + return new DrawningRoadTrain(truck); + } + + truck = EntityTruck.CreateEntityTruck(strs); + if (truck != null) + { + return new DrawningTruck(truck); + } + + return null; + } + + /// + /// Получение данных для сохранения в файл + /// + /// Сохраняемый объект + /// Строка с данными по объекту + public static string GetDataForSave(this DrawningTruck drawningTruck) + { + string[]? array = drawningTruck?.EntityTruck?.GetStringRepresentation(); + + if (array == null) + { + return string.Empty; + } + + return string.Join(_separatorForObject, array); + } +} \ No newline at end of file diff --git a/Lab1/Lab1/Entities/EntityRoadTrain.cs b/Lab1/Lab1/Entities/EntityRoadTrain.cs index feafeb1..3d2c0d8 100644 --- a/Lab1/Lab1/Entities/EntityRoadTrain.cs +++ b/Lab1/Lab1/Entities/EntityRoadTrain.cs @@ -1,8 +1,10 @@ using System; using System.Collections.Generic; using System.Linq; +using System.Net.Sockets; using System.Text; using System.Threading.Tasks; +using static System.Reflection.Metadata.BlobBuilder; namespace Lab1.Entities; @@ -46,5 +48,28 @@ public class EntityRoadTrain : EntityTruck FlashingLights = flashingLights; Ladle = ladle; } + //TODO Прописать метод + /// + /// Получение строк со значениями свойств объекта класса-сущности + /// + /// + public override string[] GetStringRepresentation() + { + return new[] { nameof(EntityRoadTrain), Speed.ToString(), Weight.ToString(), BodyColor.Name, AdditionalColor.Name, FlashingLights.ToString(), Ladle.ToString() }; + } + + /// + /// Создание объекта из массива строк + /// + /// + /// + public static EntityTruck? CreateEntityRoadTrain(string[] strs) + { + if (strs.Length != 7 || strs[0] != nameof(EntityRoadTrain)) + { + return null; + } + return new EntityRoadTrain(Convert.ToInt32(strs[1]), Convert.ToDouble(strs[2]), Color.FromName(strs[3]), Color.FromName(strs[4]), Convert.ToBoolean(strs[5]), Convert.ToBoolean(strs[6])); + } } diff --git a/Lab1/Lab1/Entities/EntityTruck.cs b/Lab1/Lab1/Entities/EntityTruck.cs index c7787a2..2f30500 100644 --- a/Lab1/Lab1/Entities/EntityTruck.cs +++ b/Lab1/Lab1/Entities/EntityTruck.cs @@ -40,6 +40,30 @@ public class EntityTruck{ Weight = weight; BodyColor = bodyColor; } + //TODO Прописать метод + /// + /// Получение строк со значениями свойств объекта класса-сущности + /// + /// + public virtual string[] GetStringRepresentation() + { + return new[] { nameof(EntityTruck), Speed.ToString(), Weight.ToString(), BodyColor.Name }; + } + + /// + /// Создание объекта из массива строк + /// + /// + /// + public static EntityTruck? CreateEntityTruck(string[] strs) + { + if (strs.Length != 4 || strs[0] != nameof(EntityTruck)) + { + return null; + } + + return new EntityTruck(Convert.ToInt32(strs[1]), Convert.ToDouble(strs[2]), Color.FromName(strs[3])); + } } diff --git a/Lab1/Lab1/FormTruckCollection.Designer.cs b/Lab1/Lab1/FormTruckCollection.Designer.cs index 113f441..fd2c3c2 100644 --- a/Lab1/Lab1/FormTruckCollection.Designer.cs +++ b/Lab1/Lab1/FormTruckCollection.Designer.cs @@ -46,10 +46,17 @@ labelCollectionName = new Label(); comboBoxSelectorCompany = new ComboBox(); pictureBox = new PictureBox(); + menuStrip = new MenuStrip(); + файлToolStripMenuItem = new ToolStripMenuItem(); + SaveToolStripMenuItem = new ToolStripMenuItem(); + LoadToolStripMenuItem = new ToolStripMenuItem(); + saveFileDialog = new SaveFileDialog(); + openFileDialog = new OpenFileDialog(); groupBoxTools.SuspendLayout(); panelCompanyTools.SuspendLayout(); panelStorage.SuspendLayout(); ((System.ComponentModel.ISupportInitialize)pictureBox).BeginInit(); + menuStrip.SuspendLayout(); SuspendLayout(); // // groupBoxTools @@ -59,9 +66,9 @@ groupBoxTools.Controls.Add(panelStorage); groupBoxTools.Controls.Add(comboBoxSelectorCompany); groupBoxTools.Dock = DockStyle.Right; - groupBoxTools.Location = new Point(807, 0); + groupBoxTools.Location = new Point(807, 28); groupBoxTools.Name = "groupBoxTools"; - groupBoxTools.Size = new Size(242, 628); + groupBoxTools.Size = new Size(242, 600); groupBoxTools.TabIndex = 0; groupBoxTools.TabStop = false; groupBoxTools.Text = "Инструменты"; @@ -238,12 +245,54 @@ // pictureBox // pictureBox.Dock = DockStyle.Fill; - pictureBox.Location = new Point(0, 0); + pictureBox.Location = new Point(0, 28); pictureBox.Name = "pictureBox"; - pictureBox.Size = new Size(807, 628); + pictureBox.Size = new Size(807, 600); pictureBox.TabIndex = 1; pictureBox.TabStop = false; // + // menuStrip + // + menuStrip.ImageScalingSize = new Size(20, 20); + menuStrip.Items.AddRange(new ToolStripItem[] { файлToolStripMenuItem }); + menuStrip.Location = new Point(0, 0); + menuStrip.Name = "menuStrip"; + menuStrip.Size = new Size(1049, 28); + menuStrip.TabIndex = 2; + menuStrip.Text = "menuStrip1"; + // + // файлToolStripMenuItem + // + файлToolStripMenuItem.DropDownItems.AddRange(new ToolStripItem[] { SaveToolStripMenuItem, LoadToolStripMenuItem }); + файлToolStripMenuItem.Name = "файлToolStripMenuItem"; + файлToolStripMenuItem.Size = new Size(59, 24); + файлToolStripMenuItem.Text = "Файл"; + // + // SaveToolStripMenuItem + // + SaveToolStripMenuItem.Name = "SaveToolStripMenuItem"; + SaveToolStripMenuItem.ShortcutKeys = Keys.Control | Keys.S; + SaveToolStripMenuItem.Size = new Size(227, 26); + SaveToolStripMenuItem.Text = "Сохранение"; + SaveToolStripMenuItem.Click += SaveToolStripMenuItem_Click; + // + // LoadToolStripMenuItem + // + LoadToolStripMenuItem.Name = "LoadToolStripMenuItem"; + LoadToolStripMenuItem.ShortcutKeys = Keys.Control | Keys.L; + LoadToolStripMenuItem.Size = new Size(227, 26); + LoadToolStripMenuItem.Text = "Загрузка"; + LoadToolStripMenuItem.Click += LoadToolStripMenuItem_Click; + // + // saveFileDialog + // + saveFileDialog.Filter = "txt file | *.txt"; + // + // openFileDialog + // + openFileDialog.FileName = "openFileDialog1"; + openFileDialog.Filter = "txt file | *.txt"; + // // FormTruckCollection // AutoScaleDimensions = new SizeF(8F, 20F); @@ -251,6 +300,8 @@ ClientSize = new Size(1049, 628); Controls.Add(pictureBox); Controls.Add(groupBoxTools); + Controls.Add(menuStrip); + MainMenuStrip = menuStrip; Name = "FormTruckCollection"; Text = "Коллекция грузовиков"; groupBoxTools.ResumeLayout(false); @@ -259,7 +310,10 @@ panelStorage.ResumeLayout(false); panelStorage.PerformLayout(); ((System.ComponentModel.ISupportInitialize)pictureBox).EndInit(); + menuStrip.ResumeLayout(false); + menuStrip.PerformLayout(); ResumeLayout(false); + PerformLayout(); } #endregion @@ -282,5 +336,11 @@ private RadioButton radioButtonMassive; private Button buttonCreateCompany; private Panel panelCompanyTools; + private MenuStrip menuStrip; + private ToolStripMenuItem файлToolStripMenuItem; + private ToolStripMenuItem SaveToolStripMenuItem; + private ToolStripMenuItem LoadToolStripMenuItem; + private SaveFileDialog saveFileDialog; + private OpenFileDialog openFileDialog; } } \ No newline at end of file diff --git a/Lab1/Lab1/FormTruckCollection.cs b/Lab1/Lab1/FormTruckCollection.cs index 869a006..95188ce 100644 --- a/Lab1/Lab1/FormTruckCollection.cs +++ b/Lab1/Lab1/FormTruckCollection.cs @@ -247,4 +247,35 @@ public partial class FormTruckCollection : Form panelCompanyTools.Enabled = true; RerfreshListBoxItems(); } + + private void SaveToolStripMenuItem_Click(object sender, EventArgs e) + { + if (saveFileDialog.ShowDialog() == DialogResult.OK) + { + if (_storageCollection.SaveData(saveFileDialog.FileName)) + { + MessageBox.Show("Сохранение прошло успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information); + } + else + { + MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error); + } + } + } + + private void LoadToolStripMenuItem_Click(object sender, EventArgs e) + { + if (openFileDialog.ShowDialog() == DialogResult.OK) + { + if (_storageCollection.LoadData(openFileDialog.FileName)) + { + MessageBox.Show("Загрузка прошла успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information); + RerfreshListBoxItems(); + } + else + { + MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error); + } + } + } } diff --git a/Lab1/Lab1/FormTruckCollection.resx b/Lab1/Lab1/FormTruckCollection.resx index af32865..ee1748a 100644 --- a/Lab1/Lab1/FormTruckCollection.resx +++ b/Lab1/Lab1/FormTruckCollection.resx @@ -117,4 +117,13 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + + 17, 17 + + + 145, 17 + + + 310, 17 + \ No newline at end of file