Готовый вариант
This commit is contained in:
parent
4dfab08ee6
commit
dd95991510
@ -36,8 +36,7 @@ public abstract class AbstractCompany
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Вычисление максимального количества элементов, который можно разместить в окне
|
/// Вычисление максимального количества элементов, который можно разместить в окне
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private int GetMaxCount => _pictureWidth * _pictureHeight / (_placeSizeWidth * _placeSizeHeight);
|
private int GetMaxCount => (_pictureWidth / _placeSizeWidth) * (_pictureHeight / _placeSizeHeight);
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Конструктор
|
/// Конструктор
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@ -103,10 +102,15 @@ public abstract class AbstractCompany
|
|||||||
DrawningAircraft? obj = _collection?.Get(i);
|
DrawningAircraft? obj = _collection?.Get(i);
|
||||||
obj?.DrawTransport(graphics);
|
obj?.DrawTransport(graphics);
|
||||||
}
|
}
|
||||||
catch (ObjectNotFoundException) { };
|
catch (ObjectNotFoundException e)
|
||||||
|
{ }
|
||||||
|
catch (PositionOutOfCollectionException e)
|
||||||
|
{ }
|
||||||
}
|
}
|
||||||
|
|
||||||
return bitmap;
|
return bitmap;
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Вывод заднего фона
|
/// Вывод заднего фона
|
||||||
/// </summary>
|
/// </summary>
|
||||||
|
@ -47,6 +47,7 @@ namespace Stormtrooper.CollectionGenericObjects
|
|||||||
_collection.Get(i).SetPosition(_placeSizeWidth * curWidth + 10, curHeight * _placeSizeHeight + 10);
|
_collection.Get(i).SetPosition(_placeSizeWidth * curWidth + 10, curHeight * _placeSizeHeight + 10);
|
||||||
}
|
}
|
||||||
catch (ObjectNotFoundException) { }
|
catch (ObjectNotFoundException) { }
|
||||||
|
catch (PositionOutOfCollectionException e) { }
|
||||||
if (curWidth > 0)
|
if (curWidth > 0)
|
||||||
curWidth--;
|
curWidth--;
|
||||||
else
|
else
|
||||||
|
@ -30,7 +30,7 @@ where T : class
|
|||||||
/// <param name="obj">Добавляемый объект</param>
|
/// <param name="obj">Добавляемый объект</param>
|
||||||
/// <param name="position">Позиция</param>
|
/// <param name="position">Позиция</param>
|
||||||
/// <returns>true - вставка прошла удачно, false - вставка не удалась</returns>
|
/// <returns>true - вставка прошла удачно, false - вставка не удалась</returns>
|
||||||
bool Insert(T obj, int position);
|
int Insert(T obj, int position);
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Удаление объекта из коллекции с конкретной позиции
|
/// Удаление объекта из коллекции с конкретной позиции
|
||||||
|
@ -49,43 +49,36 @@ where T : class
|
|||||||
{
|
{
|
||||||
_collection = new();
|
_collection = new();
|
||||||
}
|
}
|
||||||
public T? Get(int position)
|
public T Get(int position)
|
||||||
{
|
{
|
||||||
if (position < 0 || position >= _collection.Count)
|
if (position >= Count || position < 0) throw new PositionOutOfCollectionException(position);
|
||||||
throw new PositionOutOfCollectionException(position);
|
|
||||||
return _collection[position];
|
return _collection[position];
|
||||||
}
|
}
|
||||||
|
|
||||||
public int Insert(T obj)
|
public int Insert(T obj)
|
||||||
{
|
{
|
||||||
if (_collection.Count + 1 <= _maxCount)
|
if (Count == _maxCount) throw new CollectionOverflowException(Count);
|
||||||
{
|
_collection.Add(obj);
|
||||||
_collection.Add(obj);
|
return Count;
|
||||||
return _collection.Count - 1;
|
|
||||||
}
|
|
||||||
throw new CollectionOverflowException(MaxCount);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public bool Insert(T obj, int position)
|
public int Insert(T obj, int position)
|
||||||
{
|
{
|
||||||
if (_collection.Count + 1 > MaxCount)
|
if (Count == _maxCount) throw new CollectionOverflowException(Count);
|
||||||
throw new CollectionOverflowException(MaxCount);
|
if (position >= Count || position < 0) throw new PositionOutOfCollectionException(position);
|
||||||
if (position < 0 || position >= MaxCount)
|
|
||||||
throw new PositionOutOfCollectionException(position);
|
|
||||||
_collection.Insert(position, obj);
|
_collection.Insert(position, obj);
|
||||||
return true;
|
return position;
|
||||||
}
|
}
|
||||||
|
|
||||||
public T Remove(int position)
|
public T Remove(int position)
|
||||||
{
|
{
|
||||||
if (position < 0 || position >= _collection.Count)
|
if (position >= _collection.Count || position < 0) throw new PositionOutOfCollectionException(position);
|
||||||
throw new PositionOutOfCollectionException(position);
|
T obj = _collection[position];
|
||||||
T temp = _collection[position];
|
|
||||||
_collection.RemoveAt(position);
|
_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 < Count; ++i)
|
||||||
{
|
{
|
||||||
|
@ -56,71 +56,76 @@ public class MassiveGenericObjects<T> : ICollectionGenericObjects<T>
|
|||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
public T? Get(int position)
|
public T? Get(int position)
|
||||||
{
|
{
|
||||||
// проверка позиции
|
if (position < 0 || position >= Count) throw new PositionOutOfCollectionException(position);
|
||||||
if (position >= _collection.Length || position < 0)
|
if (_collection[position] == null) throw new ObjectNotFoundException(position);
|
||||||
{
|
|
||||||
throw new PositionOutOfCollectionException(position);
|
|
||||||
}
|
|
||||||
if (_collection[position] == null)
|
|
||||||
{
|
|
||||||
throw new ObjectNotFoundException(position);
|
|
||||||
}
|
|
||||||
return _collection[position];
|
return _collection[position];
|
||||||
}
|
}
|
||||||
|
|
||||||
public int Insert(T obj)
|
public int Insert(T obj)
|
||||||
{
|
{
|
||||||
// вставка в свободное место набора
|
// вставка в свободное место набора
|
||||||
int index = 0;
|
for (int i = 0; i < Count; i++)
|
||||||
while (index < _collection.Length)
|
|
||||||
{
|
{
|
||||||
if (_collection[index] == null)
|
if (_collection[i] == null)
|
||||||
{
|
{
|
||||||
_collection[index] = obj;
|
_collection[i] = obj;
|
||||||
return index;
|
return i;
|
||||||
}
|
}
|
||||||
index++;
|
|
||||||
}
|
}
|
||||||
throw new CollectionOverflowException(_collection.Length);
|
|
||||||
|
throw new CollectionOverflowException(Count);
|
||||||
}
|
}
|
||||||
public bool Insert(T obj, int position)
|
|
||||||
|
public int Insert(T obj, int position)
|
||||||
{
|
{
|
||||||
|
// проверка позиции
|
||||||
|
if (position < 0 || position >= Count) throw new PositionOutOfCollectionException(position);
|
||||||
|
|
||||||
if (position >= _collection.Length || position < 0)
|
if (_collection[position] != null)
|
||||||
{ throw new PositionOutOfCollectionException(position); }
|
|
||||||
|
|
||||||
if (_collection[position] == null)
|
|
||||||
{
|
{
|
||||||
_collection[position] = obj;
|
bool pushed = false;
|
||||||
return true;
|
for (int index = position + 1; index < Count; index++)
|
||||||
}
|
|
||||||
int index;
|
|
||||||
|
|
||||||
for (index = position + 1; index < _collection.Length; ++index)
|
|
||||||
{
|
|
||||||
if (_collection[index] == null)
|
|
||||||
{
|
{
|
||||||
_collection[position] = obj;
|
if (_collection[index] == null)
|
||||||
return true;
|
{
|
||||||
|
position = index;
|
||||||
|
pushed = true;
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!pushed)
|
||||||
|
{
|
||||||
|
for (int index = position - 1; index >= 0; index--)
|
||||||
|
{
|
||||||
|
if (_collection[index] == null)
|
||||||
|
{
|
||||||
|
position = index;
|
||||||
|
pushed = true;
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!pushed)
|
||||||
|
{
|
||||||
|
throw new CollectionOverflowException(Count);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
for (index = position - 1; index >= 0; --index)
|
// вставка
|
||||||
{
|
_collection[position] = obj;
|
||||||
if (_collection[index] == null)
|
return position;
|
||||||
{
|
|
||||||
_collection[position] = obj;
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
throw new CollectionOverflowException(_collection.Length);
|
|
||||||
}
|
}
|
||||||
public T Remove(int position)
|
|
||||||
|
public T? Remove(int position)
|
||||||
{
|
{
|
||||||
if (position >= _collection.Length || position < 0)
|
// проверка позиции
|
||||||
{ throw new PositionOutOfCollectionException(position); }
|
if (position < 0 || position >= Count) throw new PositionOutOfCollectionException(position);
|
||||||
if (_collection[position] == null)
|
|
||||||
throw new ObjectNotFoundException(position);
|
if (_collection[position] == null) throw new ObjectNotFoundException(position);
|
||||||
T temp = _collection[position];
|
|
||||||
|
T? temp = _collection[position];
|
||||||
_collection[position] = null;
|
_collection[position] = null;
|
||||||
return temp;
|
return temp;
|
||||||
}
|
}
|
||||||
|
@ -187,7 +187,7 @@ where T : DrawningAircraft
|
|||||||
{
|
{
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
if (collection.Insert(ship) == -1)
|
if (collection.Insert(aircraft) == -1)
|
||||||
{
|
{
|
||||||
throw new InvalidOperationException("Объект не удалось добавить в коллекцию: " + record[3]);
|
throw new InvalidOperationException("Объект не удалось добавить в коллекцию: " + record[3]);
|
||||||
}
|
}
|
||||||
|
@ -66,9 +66,9 @@
|
|||||||
groupBoxTools.Controls.Add(panelStorage);
|
groupBoxTools.Controls.Add(panelStorage);
|
||||||
groupBoxTools.Controls.Add(comboBoxSelectorCompany);
|
groupBoxTools.Controls.Add(comboBoxSelectorCompany);
|
||||||
groupBoxTools.Dock = DockStyle.Right;
|
groupBoxTools.Dock = DockStyle.Right;
|
||||||
groupBoxTools.Location = new Point(980, 28);
|
groupBoxTools.Location = new Point(959, 28);
|
||||||
groupBoxTools.Name = "groupBoxTools";
|
groupBoxTools.Name = "groupBoxTools";
|
||||||
groupBoxTools.Size = new Size(264, 649);
|
groupBoxTools.Size = new Size(264, 660);
|
||||||
groupBoxTools.TabIndex = 0;
|
groupBoxTools.TabIndex = 0;
|
||||||
groupBoxTools.TabStop = false;
|
groupBoxTools.TabStop = false;
|
||||||
groupBoxTools.Tag = "";
|
groupBoxTools.Tag = "";
|
||||||
@ -250,7 +250,7 @@
|
|||||||
pictureBox.Dock = DockStyle.Fill;
|
pictureBox.Dock = DockStyle.Fill;
|
||||||
pictureBox.Location = new Point(0, 28);
|
pictureBox.Location = new Point(0, 28);
|
||||||
pictureBox.Name = "pictureBox";
|
pictureBox.Name = "pictureBox";
|
||||||
pictureBox.Size = new Size(980, 649);
|
pictureBox.Size = new Size(959, 660);
|
||||||
pictureBox.TabIndex = 1;
|
pictureBox.TabIndex = 1;
|
||||||
pictureBox.TabStop = false;
|
pictureBox.TabStop = false;
|
||||||
//
|
//
|
||||||
@ -260,7 +260,7 @@
|
|||||||
menuStrip.Items.AddRange(new ToolStripItem[] { fileToolStripMenuItem });
|
menuStrip.Items.AddRange(new ToolStripItem[] { fileToolStripMenuItem });
|
||||||
menuStrip.Location = new Point(0, 0);
|
menuStrip.Location = new Point(0, 0);
|
||||||
menuStrip.Name = "menuStrip";
|
menuStrip.Name = "menuStrip";
|
||||||
menuStrip.Size = new Size(1244, 28);
|
menuStrip.Size = new Size(1223, 28);
|
||||||
menuStrip.TabIndex = 2;
|
menuStrip.TabIndex = 2;
|
||||||
menuStrip.Text = "menuStrip1";
|
menuStrip.Text = "menuStrip1";
|
||||||
//
|
//
|
||||||
@ -285,6 +285,7 @@
|
|||||||
loadToolStripMenuItem.ShortcutKeys = Keys.Control | Keys.L;
|
loadToolStripMenuItem.ShortcutKeys = Keys.Control | Keys.L;
|
||||||
loadToolStripMenuItem.Size = new Size(227, 26);
|
loadToolStripMenuItem.Size = new Size(227, 26);
|
||||||
loadToolStripMenuItem.Text = "Загрузка";
|
loadToolStripMenuItem.Text = "Загрузка";
|
||||||
|
loadToolStripMenuItem.Click += loadToolStripMenuItem_Click;
|
||||||
//
|
//
|
||||||
// saveFileDialog
|
// saveFileDialog
|
||||||
//
|
//
|
||||||
@ -298,7 +299,7 @@
|
|||||||
//
|
//
|
||||||
AutoScaleDimensions = new SizeF(8F, 20F);
|
AutoScaleDimensions = new SizeF(8F, 20F);
|
||||||
AutoScaleMode = AutoScaleMode.Font;
|
AutoScaleMode = AutoScaleMode.Font;
|
||||||
ClientSize = new Size(1244, 677);
|
ClientSize = new Size(1223, 688);
|
||||||
Controls.Add(pictureBox);
|
Controls.Add(pictureBox);
|
||||||
Controls.Add(groupBoxTools);
|
Controls.Add(groupBoxTools);
|
||||||
Controls.Add(menuStrip);
|
Controls.Add(menuStrip);
|
||||||
|
@ -72,22 +72,16 @@ public partial class FormAircraftCollection : Form
|
|||||||
}
|
}
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
if (_company + aircraft != -1)
|
var res = _company + aircraft;
|
||||||
{
|
MessageBox.Show("Объект добавлен");
|
||||||
MessageBox.Show("Объект добавлен");
|
_logger.LogInformation($"Объект добавлен под индексом {res}");
|
||||||
pictureBox.Image = _company.Show();
|
pictureBox.Image = _company.Show();
|
||||||
_logger.LogInformation("Добавление самолета {aircraft} в коллекцию", aircraft);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
MessageBox.Show("Не удалось добавить объект");
|
|
||||||
_logger.LogInformation("Не удалось добавить самолет {aircraft} в коллекцию", aircraft);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
catch (CollectionOverflowException ex)
|
catch (Exception ex)
|
||||||
{
|
{
|
||||||
MessageBox.Show("Ошибка переполнения коллекции");
|
MessageBox.Show($"Объект не добавлен: {ex.Message}", "Результат", MessageBoxButtons.OK,
|
||||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
MessageBoxIcon.Error);
|
||||||
|
_logger.LogError($"Ошибка: {ex.Message}", ex.Message);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -102,40 +96,30 @@ public partial class FormAircraftCollection : Form
|
|||||||
{
|
{
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (MessageBox.Show("Удалить объект?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) !=
|
||||||
|
DialogResult.Yes)
|
||||||
|
{
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
int pos = Convert.ToInt32(maskedTextBox.Text);
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
if (MessageBox.Show("Удалить объект?", "Удаление",
|
var res = _company - pos;
|
||||||
MessageBoxButtons.YesNo, MessageBoxIcon.Question) != DialogResult.Yes)
|
MessageBox.Show("Объект удален");
|
||||||
{
|
_logger.LogInformation($"Объект удален под индексом {pos}");
|
||||||
return;
|
pictureBox.Image = _company.Show();
|
||||||
}
|
|
||||||
int pos = Convert.ToInt32(maskedTextBox.Text);
|
|
||||||
if (_company - pos != null)
|
|
||||||
{
|
|
||||||
MessageBox.Show("Объект удален!");
|
|
||||||
pictureBox.Image = _company.Show();
|
|
||||||
_logger.LogInformation("Удаление самолета по индексу {pos}", pos);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
MessageBox.Show("Не удалось удалить объект");
|
|
||||||
_logger.LogInformation("Не удалось удалить самолет из коллекции по индексу {pos}", pos);
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
catch (ObjectNotFoundException ex)
|
catch (Exception ex)
|
||||||
{
|
{
|
||||||
MessageBox.Show("Ошибка: отсутствует объект");
|
MessageBox.Show(ex.Message, "Не удалось удалить объект",
|
||||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||||
}
|
_logger.LogError($"Ошибка: {ex.Message}", ex.Message);
|
||||||
catch (PositionOutOfCollectionException ex)
|
|
||||||
{
|
|
||||||
MessageBox.Show("Ошибка: неправильная позиция");
|
|
||||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
private void ButtonGoToCheck_Click(object sender, EventArgs e)
|
private void ButtonGoToCheck_Click(object sender, EventArgs e)
|
||||||
{
|
{
|
||||||
if (_company == null)
|
if (_company == null)
|
||||||
{
|
{
|
||||||
@ -181,13 +165,13 @@ public partial class FormAircraftCollection : Form
|
|||||||
/// <param name="e"></param>
|
/// <param name="e"></param>
|
||||||
private void ButtonCollectionAdd_Click(object sender, EventArgs e)
|
private void ButtonCollectionAdd_Click(object sender, EventArgs e)
|
||||||
{
|
{
|
||||||
|
if (string.IsNullOrEmpty(textBoxCollectionName.Text) ||
|
||||||
if (string.IsNullOrEmpty(textBoxCollectionName.Text) || (!radioButtonList.Checked && !radioButtonMassive.Checked))
|
(!radioButtonList.Checked && !radioButtonMassive.Checked))
|
||||||
{
|
{
|
||||||
MessageBox.Show("Не все данные заполнены", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
MessageBox.Show("Не все данные заполнены", "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||||
_logger.LogInformation("Не удалось добавить коллекцию: не все данные заполнены");
|
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
CollectionType collectionType = CollectionType.None;
|
CollectionType collectionType = CollectionType.None;
|
||||||
if (radioButtonMassive.Checked)
|
if (radioButtonMassive.Checked)
|
||||||
{
|
{
|
||||||
@ -197,9 +181,19 @@ public partial class FormAircraftCollection : Form
|
|||||||
{
|
{
|
||||||
collectionType = CollectionType.List;
|
collectionType = CollectionType.List;
|
||||||
}
|
}
|
||||||
_storageCollection.AddCollection(textBoxCollectionName.Text, collectionType);
|
|
||||||
_logger.LogInformation("Добавлена коллекция типа {type} с названием {name}", collectionType, textBoxCollectionName.Text);
|
try
|
||||||
RerfreshListBoxItems();
|
{
|
||||||
|
_storageCollection.AddCollection(textBoxCollectionName.Text, collectionType);
|
||||||
|
_logger.LogInformation("Добавление коллекции");
|
||||||
|
RerfreshListBoxItems();
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
MessageBox.Show(ex.Message, "Ошибка", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||||
|
_logger.LogError($"Ошибка: {ex.Message}", ex.Message);
|
||||||
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@ -209,23 +203,21 @@ public partial class FormAircraftCollection : Form
|
|||||||
/// <param name="e"></param>
|
/// <param name="e"></param>
|
||||||
private void ButtonCollectionDel_Click(object sender, EventArgs e)
|
private void ButtonCollectionDel_Click(object sender, EventArgs e)
|
||||||
{
|
{
|
||||||
// TODO прописать логику удаления элемента из коллекции
|
|
||||||
// нужно убедиться, что есть выбранная коллекция
|
|
||||||
// спросить у пользователя через MessageBox, что он подтверждает, что хочет удалить запись
|
|
||||||
// удалить и обновить ListBox
|
|
||||||
if (listBoxCollection.SelectedIndex < 0 || listBoxCollection.SelectedItem == null)
|
if (listBoxCollection.SelectedIndex < 0 || listBoxCollection.SelectedItem == null)
|
||||||
{
|
{
|
||||||
MessageBox.Show("Коллекция не выбрана");
|
MessageBox.Show("Коллекция не выбрана");
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
if (MessageBox.Show("Удалить коллекцию?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) == DialogResult.No)
|
|
||||||
|
if (MessageBox.Show("Удалить коллекцию?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) !=
|
||||||
|
DialogResult.Yes)
|
||||||
{
|
{
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
_storageCollection.DelCollection(listBoxCollection.SelectedItem.ToString());
|
|
||||||
_logger.LogInformation("Удаление коллекции с названием {name}", listBoxCollection.SelectedItem.ToString());
|
|
||||||
RerfreshListBoxItems();
|
|
||||||
|
|
||||||
|
_storageCollection.DelCollection(listBoxCollection.SelectedItem.ToString());
|
||||||
|
_logger.LogInformation("Коллекция удалена");
|
||||||
|
RerfreshListBoxItems();
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@ -241,7 +233,8 @@ public partial class FormAircraftCollection : Form
|
|||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
ICollectionGenericObjects<DrawningAircraft>? collection = _storageCollection[listBoxCollection.SelectedItem.ToString() ?? string.Empty];
|
ICollectionGenericObjects<DrawningAircraft>? collection =
|
||||||
|
_storageCollection[listBoxCollection.SelectedItem.ToString() ?? string.Empty];
|
||||||
if (collection == null)
|
if (collection == null)
|
||||||
{
|
{
|
||||||
MessageBox.Show("Коллекция не проинициализирована");
|
MessageBox.Show("Коллекция не проинициализирована");
|
||||||
@ -252,12 +245,12 @@ public partial class FormAircraftCollection : Form
|
|||||||
{
|
{
|
||||||
case "Хранилище":
|
case "Хранилище":
|
||||||
_company = new AircraftHangarService(pictureBox.Width, pictureBox.Height, collection);
|
_company = new AircraftHangarService(pictureBox.Width, pictureBox.Height, collection);
|
||||||
|
_logger.LogInformation("Компания создана");
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
|
|
||||||
panelCompanyTools.Enabled = true;
|
panelCompanyTools.Enabled = true;
|
||||||
RerfreshListBoxItems();
|
RerfreshListBoxItems();
|
||||||
|
|
||||||
}
|
}
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Обновление списка в listBoxCollection
|
/// Обновление списка в listBoxCollection
|
||||||
@ -290,7 +283,8 @@ public partial class FormAircraftCollection : Form
|
|||||||
MessageBox.Show("Сохранение прошло успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
|
MessageBox.Show("Сохранение прошло успешно", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Information);
|
||||||
_logger.LogInformation("Сохранение в файл: {filename}", saveFileDialog.FileName);
|
_logger.LogInformation("Сохранение в файл: {filename}", saveFileDialog.FileName);
|
||||||
}
|
}
|
||||||
catch(Exception ex) {
|
catch (Exception ex)
|
||||||
|
{
|
||||||
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
MessageBox.Show("Не сохранилось", "Результат", MessageBoxButtons.OK, MessageBoxIcon.Error);
|
||||||
_logger.LogError("Ошибка: {Message}", ex.Message);
|
_logger.LogError("Ошибка: {Message}", ex.Message);
|
||||||
}
|
}
|
||||||
|
@ -2,15 +2,12 @@ using Microsoft.Extensions.DependencyInjection;
|
|||||||
using Microsoft.Extensions.Logging;
|
using Microsoft.Extensions.Logging;
|
||||||
using Microsoft.Extensions.Configuration;
|
using Microsoft.Extensions.Configuration;
|
||||||
using Serilog;
|
using Serilog;
|
||||||
using Stormtrooper;
|
|
||||||
|
|
||||||
namespace Stormtrooper;
|
namespace Stormtrooper;
|
||||||
|
|
||||||
internal static class Program
|
internal static class Program
|
||||||
{
|
{
|
||||||
/// <summary>
|
|
||||||
/// The main entry point for the application.
|
|
||||||
/// </summary>
|
|
||||||
[STAThread]
|
[STAThread]
|
||||||
static void Main()
|
static void Main()
|
||||||
{
|
{
|
||||||
@ -24,20 +21,22 @@ internal static class Program
|
|||||||
Application.Run(serviceProvider.GetRequiredService<FormAircraftCollection>());
|
Application.Run(serviceProvider.GetRequiredService<FormAircraftCollection>());
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
private static void ConfigureServices(ServiceCollection services)
|
private static void ConfigureServices(ServiceCollection services)
|
||||||
{
|
{
|
||||||
services.AddSingleton<FormAircraftCollection>()
|
services.AddSingleton<FormAircraftCollection>().AddLogging(option =>
|
||||||
.AddLogging(option =>
|
|
||||||
{
|
{
|
||||||
var configuration = new ConfigurationBuilder()
|
string[] path = Directory.GetCurrentDirectory().Split('\\');
|
||||||
.SetBasePath(Directory.GetCurrentDirectory())
|
string pathNeed = "";
|
||||||
.AddJsonFile(path: "C:\\Users\\User\\Desktop\\2sem\\Egovoop\\lab1\\Stormtrooper\\Stormtrooper\\appSetting.json", optional: false, reloadOnChange: true)
|
for (int i = 0; i < path.Length - 3; i++)
|
||||||
|
{
|
||||||
|
pathNeed += path[i] + "\\";
|
||||||
|
}
|
||||||
|
|
||||||
|
var configuration = new ConfigurationBuilder().SetBasePath(Directory.GetCurrentDirectory())
|
||||||
|
.AddJsonFile(path: $"{pathNeed}serilogConfig.json", optional: false, reloadOnChange: true)
|
||||||
.Build();
|
.Build();
|
||||||
|
var logger = new LoggerConfiguration().ReadFrom.Configuration(configuration).CreateLogger();
|
||||||
var logger = new LoggerConfiguration()
|
|
||||||
.ReadFrom.Configuration(configuration)
|
|
||||||
.CreateLogger();
|
|
||||||
|
|
||||||
option.SetMinimumLevel(LogLevel.Information);
|
option.SetMinimumLevel(LogLevel.Information);
|
||||||
option.AddSerilog(logger);
|
option.AddSerilog(logger);
|
||||||
});
|
});
|
||||||
|
Loading…
Reference in New Issue
Block a user