Compare commits

...

22 Commits
master ... Lab2

Author SHA1 Message Date
d4830428cc Merge pull request 'Agliullov D. A. Lab Work 3 Advanced' (#4) from Lab3 into Lab2
Reviewed-on: http://student.git.athene.tech/d.agliullov/ISEbd-21_Agliullov.D.A._AirBomber.Advanced/pulls/4
2022-10-14 10:14:31 +04:00
Данияр Аглиуллов
396cc84c61 Merge branch 'Lab3' into Lab3.0 2022-10-13 15:18:30 +04:00
Данияр Аглиуллов
d29860efb1 изменена отрисовка участков карты 2022-10-13 15:16:15 +04:00
Данияр Аглиуллов
59f128aa16 Переименование метода 2022-10-13 15:15:13 +04:00
Данияр Аглиуллов
a20390f707 Исправлена ошибка с добавлением / удалением самолетов 2022-10-13 15:00:02 +04:00
Данияр Аглиуллов
ca0967fdce Измененен тип возвращаемого значения 2022-10-13 14:57:11 +04:00
Данияр Аглиуллов
3a5fa25ce4 изменена отрисовка участков карты 2022-10-05 01:19:54 +04:00
Данияр Аглиуллов
552cc1f93f Переименован метод 2022-10-01 05:53:37 +04:00
Данияр Аглиуллов
a9ba63977f Переименование метода 2022-10-01 05:39:18 +04:00
Данияр Аглиуллов
5aa2c32f02 Удалена ненужная карта 2022-10-01 03:22:42 +04:00
Данияр Аглиуллов
e46d5da591 Переименована форма 2022-10-01 03:08:40 +04:00
Данияр Аглиуллов
6a090aee45 Добавлены ангары, и возможность добавлять к ним самолеты 2022-10-01 02:59:35 +04:00
Данияр Аглиуллов
52c040d55b Добавлена возможность добавлять различные типы двигателя для генерации 2022-09-30 23:31:09 +04:00
Данияр Аглиуллов
7259d846ed Реализована форма генерации самолетов 2022-09-30 23:23:02 +04:00
Данияр Аглиуллов
3d0fd13bec Добавлен класс - генератор самолетов 2022-09-30 21:16:33 +04:00
Данияр Аглиуллов
45dcef4cf9 Изменения из 3 базовой части 2022-09-30 20:20:18 +04:00
Данияр Аглиуллов
f91c1d48c6 Замена комментариев в коде 2022-09-23 12:22:40 +04:00
Данияр Аглиуллов
d5d6d4ecb2 Замена в комментариях автомобиля на самолет 2022-09-23 12:14:29 +04:00
Данияр Аглиуллов
a02a602dce Реализован способ инициализации разных типов двигателей 2022-09-22 07:50:53 +04:00
Данияр Аглиуллов
006cea0aca Добавлены три реализации разных форм двигателя 2022-09-22 07:02:39 +04:00
Данияр Аглиуллов
8d19ef6890 Добавлен интерфейс для класса DrawningAirplaneEngines 2022-09-22 06:08:48 +04:00
Данияр Аглиуллов
cb68550a45 Измения из базовой части 2022-09-22 05:29:34 +04:00
23 changed files with 1671 additions and 50 deletions

View File

@ -0,0 +1,176 @@
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal abstract class AbstractMap
{
private IDrawningObject _drawningObject = null;
private Bitmap? _staticBitMap;
protected int[,] _map = null;
protected int _width;
protected int _height;
protected float _size_x;
protected float _size_y;
protected readonly Random _random = new();
protected readonly int _freeRoad = 0;
protected readonly int _barrier = 1;
public Bitmap CreateMap(int width, int height, IDrawningObject drawningObject)
{
_staticBitMap = null;
_width = width;
_height = height;
_drawningObject = drawningObject;
GenerateMap();
while (!SetObjectOnMap())
{
GenerateMap();
}
return DrawMapWithObject();
}
/// <summary>Проверяет наличие непроходимых участков в заданной области</summary>
/// <param name="area">Заданная область</param>
/// <param name="iBarrier">i-ый индекс первого барьера, который был найден в области</param>
/// <param name="jBarrier">j-ый индекс первого барьера, который был найден в области</param>
/// <returns>Есть ли барьеры</returns>
protected bool BarriersInArea(RectangleF area, ref int iBarrier, ref int jBarrier)
{
if (!(0 < area.Left && area.Right < _width && 0 < area.Top && area.Bottom < _height))
{
return true; // Если область попала за карту, считаем что она столкнулась с барьером
}
int rightArea = (int)Math.Ceiling(area.Right / _size_x);
int bottomArea = (int)Math.Ceiling(area.Bottom / _size_y);
for (int i = (int)(area.Left / _size_x); i < rightArea; i++)
{
for (int j = (int)(area.Top / _size_y); j < bottomArea; j++)
{
if (_map[i, j] == _barrier)
{
iBarrier = i;
jBarrier = j;
return true;
}
}
}
return false;
}
/// <summary>Проверяет наличие непроходимых участков в заданной области</summary>
/// <param name="area">Заданная область</param>
/// <returns>Есть ли барьеры</returns>
protected bool BarriersInArea(RectangleF area)
{
int a = 0, b = 0;
return BarriersInArea(area, ref a, ref b);
}
public Bitmap MoveObject(Direction direction)
{
var rect = _drawningObject.GetCurrentPosition();
var step = _drawningObject.Step;
// Вычисляем области смещения объекта
RectangleF? area = null;
if (direction == Direction.Left)
area = new(rect.Left - step, rect.Top, step, rect.Height);
else if (direction == Direction.Right)
area = new(rect.Right, rect.Top, step, rect.Height);
else if (direction == Direction.Up)
area = new(rect.Left, rect.Top - step, rect.Width, step);
else if (direction == Direction.Down)
area = new(rect.Left, rect.Bottom, rect.Width, step);
if (area.HasValue && !BarriersInArea(area.Value))
{
_drawningObject.MoveObject(direction);
}
return DrawMapWithObject();
}
private bool SetObjectOnMap()
{
if (_drawningObject == null || _map == null)
{
return false;
}
int x = _random.Next(0, 10);
int y = _random.Next(0, 10);
_drawningObject.SetObject(x, y, _width, _height);
// Если натыкаемся на барьер помещаем левый верхний угол чуть ниже этого барьера
// если при этом выходим за карту, пермещаем правый нижный угол чуть выше этого барьера
// если объект выходит за карту, генирируем новые координаты рандомно
int currI = 0, currJ = 0;
var areaObject = _drawningObject.GetCurrentPosition();
int cntOut = 10000; // Количество итераций до выхода из цикла
while (BarriersInArea(areaObject, ref currI, ref currJ) && --cntOut >= 0)
{
if ((currJ + 1) * _size_y + areaObject.Height <= _height)
{
areaObject.Location = new PointF((currI + 1) * _size_x, (currJ + 1) * _size_y);
}
else if ((currI - 1) * _size_x - areaObject.Width >= 0)
{
areaObject = new((currI - 1) * _size_x - areaObject.Width, (currJ - 1) * _size_y - areaObject.Height, areaObject.Width, areaObject.Height);
}
else
{
areaObject.Location = new PointF(_random.Next(0, _width - (int)areaObject.Width),
_random.Next(0, _height - (int)areaObject.Height));
}
}
_drawningObject.SetObject((int)areaObject.X, (int)areaObject.Y, _width, _height);
return cntOut >= 0;
}
/// <summary>
/// Заполняет BitMap для отрисовки статичных объектов. Выполняется один раз при создании карты
/// </summary>
private void DrawMap()
{
if (_staticBitMap != null) return;
_staticBitMap = new(_width, _height);
Graphics gr = Graphics.FromImage(_staticBitMap);
for (int i = 0; i < _map.GetLength(0); ++i)
{
for (int j = 0; j < _map.GetLength(1); ++j)
{
if (_map[i, j] == _freeRoad)
{
DrawRoadPart(gr, i, j);
}
else if (_map[i, j] == _barrier)
{
DrawBarrierPart(gr, i, j);
}
}
}
}
private Bitmap DrawMapWithObject()
{
Bitmap bmp = new(_width, _height);
if (_drawningObject == null || _map == null)
{
return bmp;
}
Graphics gr = Graphics.FromImage(bmp);
if (_staticBitMap == null)
DrawMap();
if (_staticBitMap != null)
gr.DrawImage(_staticBitMap, 0, 0);
_drawningObject.DrawObject(gr);
return bmp;
}
/// <summary>
/// Генерация карты. При перегрузки определить поля _map, _size_x, _size_y
/// </summary>
protected abstract void GenerateMap();
protected abstract void DrawRoadPart(Graphics g, int i, int j);
protected abstract void DrawBarrierPart(Graphics g, int i, int j);
}
}

View File

@ -0,0 +1,26 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class AirplaneArrowEngines : DrawningAirplaneEngines
{
protected override void DrawEngine(Graphics g, Color colorAirplane, RectangleF rectAroundEngine)
{
var x = rectAroundEngine.X + rectAroundEngine.Width / 4;
g.FillPolygon(new SolidBrush(colorAirplane), new PointF[]
{
new PointF(rectAroundEngine.Left, rectAroundEngine.Top + rectAroundEngine.Height / 2),
new PointF(x, rectAroundEngine.Top),
new PointF(x, rectAroundEngine.Bottom),
});
int margin = 2;
g.FillRectangle(new SolidBrush(colorAirplane),
x , rectAroundEngine.Top + margin,
rectAroundEngine.Right - x, rectAroundEngine.Height - margin * 2);
}
}
}

View File

@ -0,0 +1,18 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class AirplaneRectEngines : DrawningAirplaneEngines
{
protected override void DrawEngine(Graphics g, Color colorAirplane, RectangleF rectAroundEngine)
{
g.FillRectangle(new SolidBrush(colorAirplane), rectAroundEngine);
g.FillRectangle(new SolidBrush(Color.Black),
rectAroundEngine.Left, rectAroundEngine.Top, rectAroundEngine.Width / 4, rectAroundEngine.Height);
}
}
}

View File

@ -3,8 +3,9 @@
/// <summary>
/// Направление перемещения
/// </summary>
internal enum Direction
public enum Direction
{
None = 0,
Up = 1,
Down = 2,
Left = 3,

View File

@ -0,0 +1,68 @@
using System;
using System.Collections.Generic;
using System.ComponentModel.DataAnnotations;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class DrawningAirBomber : DrawningAirplane
{
/// <summary>
/// Инициализация свойств
/// </summary>
/// <param name="speed">Скорость</param>
/// <param name="weight">Вес самолета</param>
/// <param name="bodyColor">Цвет обшивки</param>
/// <param name="dopColor">Дополнительный цвет</param>
/// <param name="hasBombs">Признак наличия бомб</param>
/// <param name="hasFuelTanks">Признак наличия топливных баков</param>
/// <param name="typeAirplaneEngines">Какой будет двигатель самолета. null - двигатели отсутствуют</param>
public DrawningAirBomber(int speed, float weight, Color bodyColor, Color dopColor, bool hasBombs, bool hasFuelTanks, IAirplaneEngines? typeAirplaneEngines = null)
: base(speed, weight, bodyColor, 115, 155, typeAirplaneEngines)
{
Airplane = new EntityAirBomber(speed, weight, bodyColor, dopColor, hasBombs, hasFuelTanks);
}
public override void DrawTransport(Graphics g)
{
if (Airplane is not EntityAirBomber airBomber)
{
return;
}
var x = _startPosX;
var y = _startPosY;
var w = _airplaneWidth;
var h = _airplaneHeight;
Brush brush = new SolidBrush(airBomber.DopColor);
if (airBomber.HasBombs) // Бомбы снизу рисуются сначала
{
DrawBomb(g, airBomber.DopColor, new RectangleF(x + w / 2 - 15, y + h / 2 - 19, 23, 10));
DrawBomb(g, airBomber.DopColor, new RectangleF(x + w / 2 - 15, y + h / 2 + 9, 23, 10));
}
base.DrawTransport(g);
if (airBomber.HasFuelTanks)
{
g.FillEllipse(brush, new RectangleF(x + w / 4, y + h / 2 - 6, w / 2.5f, 12));
}
}
private void DrawBomb(Graphics g, Color colorBomb, RectangleF r)
{
Pen pen = new(colorBomb);
pen.Width = r.Height / 3;
var widthTail = r.Width / 6;
g.FillEllipse(new SolidBrush(colorBomb), r.X, r.Y, r.Width - widthTail, r.Height); // Основание бомбы
// Хвост бомбы
var baseTail = new PointF(r.Right - widthTail, r.Y + r.Height / 2);
g.DrawLine(pen, baseTail, new PointF(r.Right, r.Top));
g.DrawLine(pen, baseTail, new PointF(r.Right, r.Bottom));
}
}
}

View File

@ -3,50 +3,69 @@
/// <summary>
/// Класс, отвечающий за прорисовку и перемещение объекта-сущности
/// </summary>
internal class DrawningAirplane
public class DrawningAirplane
{
/// <summary>
/// Класс-сущность
/// </summary>
public EntityAirplane Airplane { get; private set; }
public EntityAirplane Airplane { get; protected set; }
public DrawningAirplaneEngines DrawningEngines { get; private set; }
public IAirplaneEngines? DrawningEngines { get; private set; }
/// <summary>
/// Левая координата отрисовки автомобиля
/// Левая координата отрисовки самолета
/// </summary>
private float _startPosX;
protected float _startPosX;
/// <summary>
/// Верхняя кооридната отрисовки автомобиля
/// Верхняя кооридната отрисовки самолета
/// </summary>
private float _startPosY;
protected float _startPosY;
/// <summary>
/// Ширина окна отрисовки
/// </summary>
private int? _pictureWidth = null;
protected int? _pictureWidth = null;
/// <summary>
/// Высота окна отрисовки
/// </summary>
private int? _pictureHeight = null;
protected int? _pictureHeight = null;
/// <summary>
/// Ширина отрисовки автомобиля
/// Ширина отрисовки самолета
/// </summary>
private readonly int _airplaneWidth = 110;
protected readonly int _airplaneWidth = 90;
/// <summary>
/// Высота отрисовки автомобиля
/// Высота отрисовки самолета
/// </summary>
private readonly int _airplaneHeight = 140;
protected readonly int _airplaneHeight = 105;
/// <summary>
/// Инициализация свойств
/// </summary>
/// <param name="speed">Скорость</param>
/// <param name="weight">Вес самолета</param>
/// <param name="bodyColor">Цвет обшивки</param>
public void Init(int speed, float weight, Color bodyColor)
/// <param name="typeAirplaneEngines">Какой будет двигатель самолета. null - двигатели отсутствуют</param>
public DrawningAirplane(int speed, float weight, Color bodyColor, IAirplaneEngines? typeAirplaneEngines = null)
{
Airplane = new EntityAirplane();
Airplane.Init(speed, weight, bodyColor);
DrawningEngines = new();
DrawningEngines.CountEngines = 6;
Airplane = new EntityAirplane(speed, weight, bodyColor);
DrawningEngines = typeAirplaneEngines;
}
public DrawningAirplane(EntityAirplane entityAirplane, IAirplaneEngines? typeAirplaneEngines = null)
{
Airplane = entityAirplane;
DrawningEngines = typeAirplaneEngines;
}
/// <summary>
/// Инициализация свойств
/// </summary>
/// <param name="speed">Скорость</param>
/// <param name="weight">Вес самолета</param>
/// <param name="bodyColor">Цвет обшивки</param>
/// <param name="airplaneWidth">Ширина отрисовки самолета</param>
/// <param name="airplaneHeight">Высота отрисовки самолета</param>
/// <param name="typeAirplaneEngines">Какой будет двигатель самолета. null - двигатели отсутствуют</param>
protected DrawningAirplane(int speed, float weight, Color bodyColor, int airplaneWidth, int airplaneHeight, IAirplaneEngines? typeAirplaneEngines) :
this(speed, weight, bodyColor, typeAirplaneEngines)
{
_airplaneWidth = airplaneWidth;
_airplaneHeight = airplaneHeight;
}
/// <summary>
/// Установка позиции самолета
@ -116,7 +135,7 @@
/// Отрисовка самолета
/// </summary>
/// <param name="g"></param>
public void DrawTransport(Graphics g)
public virtual void DrawTransport(Graphics g)
{
if (_startPosX < 0 || _startPosY < 0
|| !_pictureHeight.HasValue || !_pictureWidth.HasValue)
@ -156,7 +175,7 @@
// Конец хвоста
g.FillRectangle(BodyColorBrush, x + w - 5, y + 15, 5, h - 30);
// Двигатели
DrawningEngines.DrawEngines(g, Airplane.BodyColor, x + w / 2 - 20, y + h, y, 15);
DrawningEngines?.DrawEngines(g, Airplane.BodyColor, x + w / 2 - 20, y + h, y, 15);
}
@ -198,5 +217,14 @@
_startPosY = _pictureHeight.Value - _airplaneHeight;
}
}
/// <summary>
/// Получение текущей позиции объекта
/// </summary>
/// <returns></returns>
public RectangleF GetCurrentPosition()
{
return new(_startPosX, _startPosY, _airplaneWidth, _airplaneHeight);
}
}
}

View File

@ -9,13 +9,11 @@ namespace AirBomber
/// <summary>
/// Класс-дополнение к самолету отвечающий за число двигателей и их отрисовку
/// </summary>
internal class DrawningAirplaneEngines
internal class DrawningAirplaneEngines : IAirplaneEngines
{
/// <summary>Приватное поле содержащие текущее количество двигателей самолета</summary>
private CountEngines _countEngines;
/// <summary>Получение действительного количества двигателей или установка поддерживаемого числа двигателей</summary>
/// <value>The count engines.</value>
public int CountEngines
{
get => (int)_countEngines;
@ -27,14 +25,6 @@ namespace AirBomber
}
}
/// <summary>Отрисовывает все двигатели на обеих крыльях</summary>
/// <param name="g">The g.</param>
/// <param name="colorEngine">Цвет двигателей.</param>
/// <param name="wingPosX">Позиция крыльев по x. В этой координате будут центры двигателей</param>
/// <param name="leftWingY">Крайняя левая позиция левого крыла по y</param>
/// <param name="rightWingY">Крайняя правая позиция правого крыла по y</param>
/// <param name="widthBodyAirplane">Ширина тела самолета, или расстояние между крыльями.</param>
public void DrawEngines(Graphics g, Color colorEngine, float wingPosX, float leftWingY, float rightWingY, int widthBodyAirplane)
{
float distanceBetweenEngines = (leftWingY - rightWingY - widthBodyAirplane) / 8.0f;
@ -47,7 +37,7 @@ namespace AirBomber
}
}
private void DrawEngine(Graphics g, Color colorAirplane, RectangleF rectAroundEngine)
protected virtual void DrawEngine(Graphics g, Color colorAirplane, RectangleF rectAroundEngine)
{
g.FillEllipse(new SolidBrush(colorAirplane), rectAroundEngine);
g.FillEllipse(new SolidBrush(Color.Black),

View File

@ -0,0 +1,40 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class DrawningObject : IDrawningObject
{
private DrawningAirplane _airplane;
public DrawningObject(DrawningAirplane airplane)
{
_airplane = airplane;
}
public float Step => _airplane?.Airplane?.Step ?? 0;
public RectangleF GetCurrentPosition()
{
return _airplane.GetCurrentPosition();
}
public void MoveObject(Direction direction)
{
_airplane?.MoveTransport(direction);
}
public void SetObject(int x, int y, int width, int height)
{
_airplane.SetPosition(x, y, width, height);
}
public void DrawObject(Graphics g)
{
_airplane.DrawTransport(g);
}
}
}

View File

@ -0,0 +1,40 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class EntityAirBomber : EntityAirplane
{
/// <summary>
/// Дополнительный цвет
/// </summary>
public Color DopColor { get; private set; }
/// <summary>
/// Признак наличия бомб
/// </summary>
public bool HasBombs { get; private set; }
/// <summary>
/// Признак наличия топливных баков
/// </summary>
public bool HasFuelTanks { get; private set; }
/// <summary>
/// Инициализация свойств
/// </summary>
/// <param name="speed">Скорость</param>
/// <param name="weight">Вес самолета</param>
/// <param name="bodyColor">Цвет обшивки</param>
/// <param name="dopColor">Дополнительный цвет</param>
/// <param name="hasBombs">Признак наличия бомб</param>
/// <param name="hasFuelTanks">Признак наличия топливных баков</param>
public EntityAirBomber(int speed, float weight, Color bodyColor, Color dopColor, bool hasBombs, bool hasFuelTanks) :
base(speed, weight, bodyColor)
{
DopColor = dopColor;
HasBombs = hasBombs;
HasFuelTanks = hasFuelTanks;
}
}
}

View File

@ -3,7 +3,7 @@
/// <summary>
/// Класс-сущность "Самолет"
/// </summary>
internal class EntityAirplane
public class EntityAirplane
{
/// <summary>
/// Скорость
@ -28,7 +28,7 @@
/// <param name="weight"></param>
/// <param name="bodyColor"></param>
/// <returns></returns>
public void Init(int speed, float weight, Color bodyColor)
public EntityAirplane(int speed, float weight, Color bodyColor)
{
Random rnd = new();
Speed = speed <= 0 ? rnd.Next(50, 150) : speed;

View File

@ -33,6 +33,7 @@
this.toolStripStatusLabelSpeed = new System.Windows.Forms.ToolStripStatusLabel();
this.toolStripStatusLabelWeight = new System.Windows.Forms.ToolStripStatusLabel();
this.toolStripStatusLabelBodyColor = new System.Windows.Forms.ToolStripStatusLabel();
this.toolStripStatusCountEngines = new System.Windows.Forms.ToolStripStatusLabel();
this.buttonCreate = new System.Windows.Forms.Button();
this.buttonUp = new System.Windows.Forms.Button();
this.buttonLeft = new System.Windows.Forms.Button();
@ -40,7 +41,8 @@
this.buttonDown = new System.Windows.Forms.Button();
this.countEngineBox = new System.Windows.Forms.NumericUpDown();
this.labelInformCountEngines = new System.Windows.Forms.Label();
this.toolStripStatusCountEngines = new System.Windows.Forms.ToolStripStatusLabel();
this.comboTypeEngines = new System.Windows.Forms.ComboBox();
this.buttonSelectAirplane = new System.Windows.Forms.Button();
((System.ComponentModel.ISupportInitialize)(this.pictureBoxCar)).BeginInit();
this.statusStrip.SuspendLayout();
((System.ComponentModel.ISupportInitialize)(this.countEngineBox)).BeginInit();
@ -87,10 +89,16 @@
this.toolStripStatusLabelBodyColor.Size = new System.Drawing.Size(36, 17);
this.toolStripStatusLabelBodyColor.Text = "Цвет:";
//
// toolStripStatusCountEngines
//
this.toolStripStatusCountEngines.Name = "toolStripStatusCountEngines";
this.toolStripStatusCountEngines.Size = new System.Drawing.Size(139, 17);
this.toolStripStatusCountEngines.Text = "Количество двигателей:";
//
// buttonCreate
//
this.buttonCreate.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left)));
this.buttonCreate.Location = new System.Drawing.Point(244, 390);
this.buttonCreate.Location = new System.Drawing.Point(372, 390);
this.buttonCreate.Name = "buttonCreate";
this.buttonCreate.Size = new System.Drawing.Size(75, 23);
this.buttonCreate.TabIndex = 2;
@ -149,37 +157,57 @@
// countEngineBox
//
this.countEngineBox.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left)));
this.countEngineBox.Location = new System.Drawing.Point(142, 390);
this.countEngineBox.Location = new System.Drawing.Point(306, 390);
this.countEngineBox.Maximum = new decimal(new int[] {
10000,
0,
0,
0});
this.countEngineBox.Name = "countEngineBox";
this.countEngineBox.Size = new System.Drawing.Size(96, 23);
this.countEngineBox.Size = new System.Drawing.Size(60, 23);
this.countEngineBox.TabIndex = 7;
//
// labelInformCountEngines
//
this.labelInformCountEngines.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left)));
this.labelInformCountEngines.AutoSize = true;
this.labelInformCountEngines.Location = new System.Drawing.Point(0, 394);
this.labelInformCountEngines.Location = new System.Drawing.Point(161, 394);
this.labelInformCountEngines.Name = "labelInformCountEngines";
this.labelInformCountEngines.Size = new System.Drawing.Size(139, 15);
this.labelInformCountEngines.TabIndex = 8;
this.labelInformCountEngines.Text = "Количество двигателей:";
//
// toolStripStatusCountEngines
// comboTypeEngines
//
this.toolStripStatusCountEngines.Name = "toolStripStatusCountEngines";
this.toolStripStatusCountEngines.Size = new System.Drawing.Size(139, 17);
this.toolStripStatusCountEngines.Text = "Количество двигателей:";
this.comboTypeEngines.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left)));
this.comboTypeEngines.FormattingEnabled = true;
this.comboTypeEngines.Items.AddRange(new object[] {
"Закругленный",
"Квадратный",
"Стрелка"});
this.comboTypeEngines.Location = new System.Drawing.Point(12, 390);
this.comboTypeEngines.Name = "comboTypeEngines";
this.comboTypeEngines.Size = new System.Drawing.Size(143, 23);
this.comboTypeEngines.TabIndex = 9;
//
// buttonSelectAirplane
//
this.buttonSelectAirplane.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left)));
this.buttonSelectAirplane.Location = new System.Drawing.Point(593, 390);
this.buttonSelectAirplane.Name = "buttonSelectAirplane";
this.buttonSelectAirplane.Size = new System.Drawing.Size(75, 23);
this.buttonSelectAirplane.TabIndex = 10;
this.buttonSelectAirplane.Text = "Выбрать";
this.buttonSelectAirplane.UseVisualStyleBackColor = true;
this.buttonSelectAirplane.Click += new System.EventHandler(this.buttonSelectAirplane_Click);
//
// FormAirBomber
//
this.AutoScaleDimensions = new System.Drawing.SizeF(7F, 15F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.ClientSize = new System.Drawing.Size(800, 450);
this.Controls.Add(this.buttonSelectAirplane);
this.Controls.Add(this.comboTypeEngines);
this.Controls.Add(this.labelInformCountEngines);
this.Controls.Add(this.countEngineBox);
this.Controls.Add(this.buttonDown);
@ -215,5 +243,7 @@
private NumericUpDown countEngineBox;
private Label labelInformCountEngines;
private ToolStripStatusLabel toolStripStatusCountEngines;
private ComboBox comboTypeEngines;
private Button buttonSelectAirplane;
}
}

View File

@ -4,6 +4,12 @@ namespace AirBomber
{
private DrawningAirplane _airplane;
/// <summary>
/// Âûáðàííûé ñàìîëåò
/// </summary>
public DrawningAirplane SelectedAirplane { get; private set; }
public FormAirBomber()
{
InitializeComponent();
@ -25,9 +31,27 @@ namespace AirBomber
/// <param name="e"></param>
private void ButtonCreate_Click(object sender, EventArgs e)
{
IAirplaneEngines? typeAirplaneEngines = null;
switch (comboTypeEngines.Text)
{
case "Êâàäðàòíûé":
typeAirplaneEngines = new AirplaneRectEngines();
break;
case "Ñòðåëêà":
typeAirplaneEngines = new AirplaneArrowEngines();
break;
default:
typeAirplaneEngines = new DrawningAirplaneEngines();
break;
}
Random rnd = new();
_airplane = new DrawningAirplane();
_airplane.Init(rnd.Next(100, 300), rnd.Next(1000, 2000), Color.FromArgb(rnd.Next(0, 256), rnd.Next(0, 256), rnd.Next(0, 256)));
Color color = Color.FromArgb(rnd.Next(0, 256), rnd.Next(0, 256), rnd.Next(0, 256));
ColorDialog dialog = new();
if (dialog.ShowDialog() == DialogResult.OK)
{
color = dialog.Color;
}
_airplane = new DrawningAirplane(rnd.Next(100, 300), rnd.Next(1000, 2000), color, typeAirplaneEngines);
_airplane.DrawningEngines.CountEngines = (int)countEngineBox.Value;
_airplane.SetPosition(rnd.Next(10, 100), rnd.Next(10, 100), pictureBoxCar.Width, pictureBoxCar.Height);
toolStripStatusLabelSpeed.Text = $"Ñêîðîñòü: {_airplane.Airplane.Speed}";
@ -72,5 +96,11 @@ namespace AirBomber
_airplane?.ChangeBorders(pictureBoxCar.Width, pictureBoxCar.Height);
Draw();
}
private void buttonSelectAirplane_Click(object sender, EventArgs e)
{
SelectedAirplane = _airplane;
DialogResult = DialogResult.OK;
}
}
}

View File

@ -0,0 +1,355 @@
namespace AirBomber
{
partial class FormMapWithSetAirplanes
{
/// <summary>
/// Required designer variable.
/// </summary>
private System.ComponentModel.IContainer components = null;
/// <summary>
/// Clean up any resources being used.
/// </summary>
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
protected override void Dispose(bool disposing)
{
if (disposing && (components != null))
{
components.Dispose();
}
base.Dispose(disposing);
}
#region Windows Form Designer generated code
/// <summary>
/// Required method for Designer support - do not modify
/// the contents of this method with the code editor.
/// </summary>
private void InitializeComponent()
{
this.comboTypeEngines = new System.Windows.Forms.ComboBox();
this.groupBoxTools = new System.Windows.Forms.GroupBox();
this.maskedTextBoxPosition = new System.Windows.Forms.MaskedTextBox();
this.buttonRemoveAirplane = new System.Windows.Forms.Button();
this.buttonShowStorage = new System.Windows.Forms.Button();
this.buttonShowOnMap = new System.Windows.Forms.Button();
this.buttonAddAirplane = new System.Windows.Forms.Button();
this.groupBoxGenerate = new System.Windows.Forms.GroupBox();
this.btnAddTypeOfEngines = new System.Windows.Forms.Button();
this.labelSpeed = new System.Windows.Forms.Label();
this.numericSpeed = new System.Windows.Forms.NumericUpDown();
this.buttonAddTypeOfEntity = new System.Windows.Forms.Button();
this.labelWeight = new System.Windows.Forms.Label();
this.numericUpDownEngines = new System.Windows.Forms.NumericUpDown();
this.numericWeight = new System.Windows.Forms.NumericUpDown();
this.labelCountEngines = new System.Windows.Forms.Label();
this.btnGenerateAirplane = new System.Windows.Forms.Button();
this.buttonDown = new System.Windows.Forms.Button();
this.buttonRight = new System.Windows.Forms.Button();
this.comboBoxSelectorMap = new System.Windows.Forms.ComboBox();
this.buttonLeft = new System.Windows.Forms.Button();
this.buttonUp = new System.Windows.Forms.Button();
this.pictureBox = new System.Windows.Forms.PictureBox();
this.groupBoxTools.SuspendLayout();
this.groupBoxGenerate.SuspendLayout();
((System.ComponentModel.ISupportInitialize)(this.numericSpeed)).BeginInit();
((System.ComponentModel.ISupportInitialize)(this.numericUpDownEngines)).BeginInit();
((System.ComponentModel.ISupportInitialize)(this.numericWeight)).BeginInit();
((System.ComponentModel.ISupportInitialize)(this.pictureBox)).BeginInit();
this.SuspendLayout();
//
// comboTypeEngines
//
this.comboTypeEngines.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Left)));
this.comboTypeEngines.FormattingEnabled = true;
this.comboTypeEngines.Items.AddRange(new object[] {
"Закругленный",
"Квадратный",
"Стрелка"});
this.comboTypeEngines.Location = new System.Drawing.Point(19, 116);
this.comboTypeEngines.Name = "comboTypeEngines";
this.comboTypeEngines.Size = new System.Drawing.Size(175, 23);
this.comboTypeEngines.TabIndex = 9;
//
// groupBoxTools
//
this.groupBoxTools.Controls.Add(this.maskedTextBoxPosition);
this.groupBoxTools.Controls.Add(this.buttonRemoveAirplane);
this.groupBoxTools.Controls.Add(this.buttonShowStorage);
this.groupBoxTools.Controls.Add(this.buttonShowOnMap);
this.groupBoxTools.Controls.Add(this.buttonAddAirplane);
this.groupBoxTools.Controls.Add(this.groupBoxGenerate);
this.groupBoxTools.Controls.Add(this.buttonDown);
this.groupBoxTools.Controls.Add(this.buttonRight);
this.groupBoxTools.Controls.Add(this.comboBoxSelectorMap);
this.groupBoxTools.Controls.Add(this.buttonLeft);
this.groupBoxTools.Controls.Add(this.buttonUp);
this.groupBoxTools.Dock = System.Windows.Forms.DockStyle.Right;
this.groupBoxTools.Location = new System.Drawing.Point(811, 0);
this.groupBoxTools.Name = "groupBoxTools";
this.groupBoxTools.Size = new System.Drawing.Size(204, 594);
this.groupBoxTools.TabIndex = 0;
this.groupBoxTools.TabStop = false;
this.groupBoxTools.Text = "Инструменты";
//
// maskedTextBoxPosition
//
this.maskedTextBoxPosition.Location = new System.Drawing.Point(23, 317);
this.maskedTextBoxPosition.Mask = "00";
this.maskedTextBoxPosition.Name = "maskedTextBoxPosition";
this.maskedTextBoxPosition.Size = new System.Drawing.Size(175, 23);
this.maskedTextBoxPosition.TabIndex = 22;
this.maskedTextBoxPosition.ValidatingType = typeof(int);
//
// buttonRemoveAirplane
//
this.buttonRemoveAirplane.Location = new System.Drawing.Point(23, 346);
this.buttonRemoveAirplane.Name = "buttonRemoveAirplane";
this.buttonRemoveAirplane.Size = new System.Drawing.Size(175, 35);
this.buttonRemoveAirplane.TabIndex = 23;
this.buttonRemoveAirplane.Text = "Удалить самолет";
this.buttonRemoveAirplane.UseVisualStyleBackColor = true;
this.buttonRemoveAirplane.Click += new System.EventHandler(this.ButtonRemoveAirplane_Click);
//
// buttonShowStorage
//
this.buttonShowStorage.Location = new System.Drawing.Point(23, 387);
this.buttonShowStorage.Name = "buttonShowStorage";
this.buttonShowStorage.Size = new System.Drawing.Size(175, 35);
this.buttonShowStorage.TabIndex = 24;
this.buttonShowStorage.Text = "Посмотреть хранилище";
this.buttonShowStorage.UseVisualStyleBackColor = true;
this.buttonShowStorage.Click += new System.EventHandler(this.ButtonShowStorage_Click);
//
// buttonShowOnMap
//
this.buttonShowOnMap.Location = new System.Drawing.Point(23, 424);
this.buttonShowOnMap.Name = "buttonShowOnMap";
this.buttonShowOnMap.Size = new System.Drawing.Size(175, 35);
this.buttonShowOnMap.TabIndex = 25;
this.buttonShowOnMap.Text = "Посмотреть карту";
this.buttonShowOnMap.UseVisualStyleBackColor = true;
this.buttonShowOnMap.Click += new System.EventHandler(this.ButtonShowOnMap_Click);
//
// buttonAddAirplane
//
this.buttonAddAirplane.Location = new System.Drawing.Point(23, 273);
this.buttonAddAirplane.Name = "buttonAddAirplane";
this.buttonAddAirplane.Size = new System.Drawing.Size(175, 35);
this.buttonAddAirplane.TabIndex = 21;
this.buttonAddAirplane.Text = "Добавить самолет вручную";
this.buttonAddAirplane.UseVisualStyleBackColor = true;
this.buttonAddAirplane.Click += new System.EventHandler(this.ButtonAddAirplane_Click);
//
// groupBoxGenerate
//
this.groupBoxGenerate.Controls.Add(this.comboTypeEngines);
this.groupBoxGenerate.Controls.Add(this.btnAddTypeOfEngines);
this.groupBoxGenerate.Controls.Add(this.labelSpeed);
this.groupBoxGenerate.Controls.Add(this.numericSpeed);
this.groupBoxGenerate.Controls.Add(this.buttonAddTypeOfEntity);
this.groupBoxGenerate.Controls.Add(this.labelWeight);
this.groupBoxGenerate.Controls.Add(this.numericUpDownEngines);
this.groupBoxGenerate.Controls.Add(this.numericWeight);
this.groupBoxGenerate.Controls.Add(this.labelCountEngines);
this.groupBoxGenerate.Controls.Add(this.btnGenerateAirplane);
this.groupBoxGenerate.Location = new System.Drawing.Point(6, 14);
this.groupBoxGenerate.Name = "groupBoxGenerate";
this.groupBoxGenerate.Size = new System.Drawing.Size(200, 253);
this.groupBoxGenerate.TabIndex = 20;
this.groupBoxGenerate.TabStop = false;
this.groupBoxGenerate.Text = "Генерация";
//
// btnAddTypeOfEngines
//
this.btnAddTypeOfEngines.Location = new System.Drawing.Point(17, 175);
this.btnAddTypeOfEngines.Name = "btnAddTypeOfEngines";
this.btnAddTypeOfEngines.Size = new System.Drawing.Size(175, 43);
this.btnAddTypeOfEngines.TabIndex = 12;
this.btnAddTypeOfEngines.Text = "Добавить тип двигателя и их кол-во для генерации";
this.btnAddTypeOfEngines.UseVisualStyleBackColor = true;
this.btnAddTypeOfEngines.Click += new System.EventHandler(this.btnAddTypeOfEngines_Click);
//
// labelSpeed
//
this.labelSpeed.AutoSize = true;
this.labelSpeed.Location = new System.Drawing.Point(17, 19);
this.labelSpeed.Name = "labelSpeed";
this.labelSpeed.Size = new System.Drawing.Size(117, 15);
this.labelSpeed.TabIndex = 19;
this.labelSpeed.Text = "Скорость самолета:";
//
// numericSpeed
//
this.numericSpeed.Location = new System.Drawing.Point(136, 17);
this.numericSpeed.Name = "numericSpeed";
this.numericSpeed.Size = new System.Drawing.Size(56, 23);
this.numericSpeed.TabIndex = 18;
//
// buttonAddTypeOfEntity
//
this.buttonAddTypeOfEntity.Location = new System.Drawing.Point(17, 71);
this.buttonAddTypeOfEntity.Name = "buttonAddTypeOfEntity";
this.buttonAddTypeOfEntity.Size = new System.Drawing.Size(175, 39);
this.buttonAddTypeOfEntity.TabIndex = 11;
this.buttonAddTypeOfEntity.Text = "Добавить свойства для генерации";
this.buttonAddTypeOfEntity.UseVisualStyleBackColor = true;
this.buttonAddTypeOfEntity.Click += new System.EventHandler(this.buttonAddTypeOfEntity_Click);
//
// labelWeight
//
this.labelWeight.AutoSize = true;
this.labelWeight.Location = new System.Drawing.Point(17, 44);
this.labelWeight.Name = "labelWeight";
this.labelWeight.Size = new System.Drawing.Size(100, 15);
this.labelWeight.TabIndex = 17;
this.labelWeight.Text = "Масса самолета:";
//
// numericUpDownEngines
//
this.numericUpDownEngines.Location = new System.Drawing.Point(136, 146);
this.numericUpDownEngines.Name = "numericUpDownEngines";
this.numericUpDownEngines.Size = new System.Drawing.Size(56, 23);
this.numericUpDownEngines.TabIndex = 13;
//
// numericWeight
//
this.numericWeight.Location = new System.Drawing.Point(136, 42);
this.numericWeight.Name = "numericWeight";
this.numericWeight.Size = new System.Drawing.Size(56, 23);
this.numericWeight.TabIndex = 16;
//
// labelCountEngines
//
this.labelCountEngines.AutoSize = true;
this.labelCountEngines.Location = new System.Drawing.Point(17, 148);
this.labelCountEngines.Name = "labelCountEngines";
this.labelCountEngines.Size = new System.Drawing.Size(113, 15);
this.labelCountEngines.TabIndex = 14;
this.labelCountEngines.Text = "Кол-во двигателей:";
//
// btnGenerateAirplane
//
this.btnGenerateAirplane.Location = new System.Drawing.Point(17, 224);
this.btnGenerateAirplane.Name = "btnGenerateAirplane";
this.btnGenerateAirplane.Size = new System.Drawing.Size(175, 23);
this.btnGenerateAirplane.TabIndex = 15;
this.btnGenerateAirplane.Text = "Сгенерировать самолет";
this.btnGenerateAirplane.UseVisualStyleBackColor = true;
this.btnGenerateAirplane.Click += new System.EventHandler(this.btnGenerateAirplane_Click);
//
// buttonDown
//
this.buttonDown.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right)));
this.buttonDown.BackgroundImage = global::AirBomber.Properties.Resources.arrowDown;
this.buttonDown.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
this.buttonDown.Location = new System.Drawing.Point(91, 544);
this.buttonDown.Name = "buttonDown";
this.buttonDown.Size = new System.Drawing.Size(30, 30);
this.buttonDown.TabIndex = 10;
this.buttonDown.UseVisualStyleBackColor = true;
//
// buttonRight
//
this.buttonRight.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right)));
this.buttonRight.BackgroundImage = global::AirBomber.Properties.Resources.arrowRight;
this.buttonRight.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
this.buttonRight.Location = new System.Drawing.Point(127, 544);
this.buttonRight.Name = "buttonRight";
this.buttonRight.Size = new System.Drawing.Size(30, 30);
this.buttonRight.TabIndex = 9;
this.buttonRight.UseVisualStyleBackColor = true;
//
// comboBoxSelectorMap
//
this.comboBoxSelectorMap.DropDownStyle = System.Windows.Forms.ComboBoxStyle.DropDownList;
this.comboBoxSelectorMap.FormattingEnabled = true;
this.comboBoxSelectorMap.Items.AddRange(new object[] {
"Простая карта",
"Карта со стенами"});
this.comboBoxSelectorMap.Location = new System.Drawing.Point(23, 465);
this.comboBoxSelectorMap.Name = "comboBoxSelectorMap";
this.comboBoxSelectorMap.Size = new System.Drawing.Size(175, 23);
this.comboBoxSelectorMap.TabIndex = 0;
this.comboBoxSelectorMap.SelectedIndexChanged += new System.EventHandler(this.ComboBoxSelectorMap_SelectedIndexChanged);
//
// buttonLeft
//
this.buttonLeft.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right)));
this.buttonLeft.BackgroundImage = global::AirBomber.Properties.Resources.arrowLeft;
this.buttonLeft.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
this.buttonLeft.Location = new System.Drawing.Point(55, 544);
this.buttonLeft.Name = "buttonLeft";
this.buttonLeft.Size = new System.Drawing.Size(30, 30);
this.buttonLeft.TabIndex = 8;
this.buttonLeft.UseVisualStyleBackColor = true;
//
// buttonUp
//
this.buttonUp.Anchor = ((System.Windows.Forms.AnchorStyles)((System.Windows.Forms.AnchorStyles.Bottom | System.Windows.Forms.AnchorStyles.Right)));
this.buttonUp.BackgroundImage = global::AirBomber.Properties.Resources.arrowUp;
this.buttonUp.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
this.buttonUp.Location = new System.Drawing.Point(91, 508);
this.buttonUp.Name = "buttonUp";
this.buttonUp.Size = new System.Drawing.Size(30, 30);
this.buttonUp.TabIndex = 7;
this.buttonUp.UseVisualStyleBackColor = true;
//
// pictureBox
//
this.pictureBox.Dock = System.Windows.Forms.DockStyle.Fill;
this.pictureBox.Location = new System.Drawing.Point(0, 0);
this.pictureBox.Name = "pictureBox";
this.pictureBox.Size = new System.Drawing.Size(811, 594);
this.pictureBox.TabIndex = 1;
this.pictureBox.TabStop = false;
//
// FormGeneratorAirplane
//
this.AutoScaleDimensions = new System.Drawing.SizeF(7F, 15F);
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
this.ClientSize = new System.Drawing.Size(1015, 594);
this.Controls.Add(this.pictureBox);
this.Controls.Add(this.groupBoxTools);
this.Name = "FormGeneratorAirplane";
this.Text = "Генератор самолетов";
this.groupBoxTools.ResumeLayout(false);
this.groupBoxTools.PerformLayout();
this.groupBoxGenerate.ResumeLayout(false);
this.groupBoxGenerate.PerformLayout();
((System.ComponentModel.ISupportInitialize)(this.numericSpeed)).EndInit();
((System.ComponentModel.ISupportInitialize)(this.numericUpDownEngines)).EndInit();
((System.ComponentModel.ISupportInitialize)(this.numericWeight)).EndInit();
((System.ComponentModel.ISupportInitialize)(this.pictureBox)).EndInit();
this.ResumeLayout(false);
}
#endregion
private ComboBox comboTypeEngines;
private GroupBox groupBoxTools;
private PictureBox pictureBox;
private ComboBox comboBoxSelectorMap;
private Button buttonDown;
private Button buttonRight;
private Button buttonLeft;
private Button buttonUp;
private Button btnAddTypeOfEngines;
private Button buttonAddTypeOfEntity;
private Label labelCountEngines;
private NumericUpDown numericUpDownEngines;
private Button btnGenerateAirplane;
private Label labelSpeed;
private NumericUpDown numericSpeed;
private Label labelWeight;
private NumericUpDown numericWeight;
private GroupBox groupBoxGenerate;
private MaskedTextBox maskedTextBoxPosition;
private Button buttonRemoveAirplane;
private Button buttonShowStorage;
private Button buttonShowOnMap;
private Button buttonAddAirplane;
}
}

View File

@ -0,0 +1,226 @@
using System.Windows.Forms;
namespace AirBomber
{
public partial class FormMapWithSetAirplanes : Form
{
/// <summary>
/// Объект от класса карты с набором объектов
/// </summary>
private MapWithSetAirplanesGeneric<DrawningObject, AbstractMap> _mapAirplanesCollectionGeneric;
private GeneratorAirplane<EntityAirplane, IAirplaneEngines> _generatorAirplane;
/// <summary>
/// Конструктор
/// </summary>
public FormMapWithSetAirplanes()
{
_generatorAirplane = new(100, 100);
InitializeComponent();
}
/// <summary>
/// Добавление самолета на карту
/// </summary>
/// <param name="airplane">самолет.</param>
private void AddAirplaneInMap(DrawningObject airplane)
{
if (airplane == null || (_mapAirplanesCollectionGeneric + airplane) == -1)
{
MessageBox.Show("Не удалось добавить объект");
}
else
{
MessageBox.Show("Объект добавлен");
pictureBox.Image = _mapAirplanesCollectionGeneric.ShowSet();
}
}
/// <summary>
/// Выбор карты
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void ComboBoxSelectorMap_SelectedIndexChanged(object sender, EventArgs e)
{
AbstractMap map = null;
switch (comboBoxSelectorMap.Text)
{
case "Простая карта":
map = new SimpleMap();
break;
case "Карта со стенами":
map = new WallMap();
break;
}
if (map != null)
{
_mapAirplanesCollectionGeneric = new MapWithSetAirplanesGeneric<DrawningObject, AbstractMap>(
pictureBox.Width, pictureBox.Height, map);
}
else
{
_mapAirplanesCollectionGeneric = null;
}
}
/// <summary>
/// Перемещение
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void ButtonMove_Click(object sender, EventArgs e)
{
//получаем имя кнопки
string name = ((Button)sender)?.Name ?? string.Empty;
Direction dir = Direction.None;
switch (name)
{
case "buttonUp":
dir = Direction.Up;
break;
case "buttonDown":
dir = Direction.Down;
break;
case "buttonLeft":
dir = Direction.Left;
break;
case "buttonRight":
dir = Direction.Right;
break;
}
pictureBox.Image = _mapAirplanesCollectionGeneric?.MoveObject(dir) ?? pictureBox.Image;
}
/// <summary>
/// Добавления типа двигателя и его количество в генератор
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void buttonAddTypeOfEntity_Click(object sender, EventArgs e)
{
Random rnd = new();
Color colorBody = Color.FromArgb(rnd.Next() % 256, rnd.Next() % 256, rnd.Next() % 256);
ColorDialog dialog = new();
if (dialog.ShowDialog() == DialogResult.OK)
{
colorBody = dialog.Color;
}
var entity = new EntityAirplane((int)numericSpeed.Value, (int)numericWeight.Value, colorBody);
_generatorAirplane.AddTypeOfEntity(entity);
MessageBox.Show($"Добавлены свойства самолета:\n" +
$"Вес: {entity.Weight}\n" +
$"Скорость: {entity.Speed}\n" +
$"Цвет: {colorBody.Name}",
"Успешно добавлены свойства");
}
/// <summary>
/// Генерация самолета
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnGenerateAirplane_Click(object sender, EventArgs e)
{
if (_mapAirplanesCollectionGeneric == null)
{
return;
}
var airplane = _generatorAirplane.Generate();
if (airplane == null)
{
MessageBox.Show("Не удалось сгенерировать самолет. Добавьте хотя бы по одному количество двигателей и свойств для генерации"
, "Генерация самолета");
return;
}
AddAirplaneInMap(airplane);
}
/// <summary>
/// Добавления сущности в генератор
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnAddTypeOfEngines_Click(object sender, EventArgs e)
{
IAirplaneEngines? typeAirplaneEngines = null;
switch (comboTypeEngines.Text)
{
case "Квадратный":
typeAirplaneEngines = new AirplaneRectEngines();
break;
case "Стрелка":
typeAirplaneEngines = new AirplaneArrowEngines();
break;
default:
typeAirplaneEngines = new DrawningAirplaneEngines();
break;
}
typeAirplaneEngines.CountEngines = (int)numericUpDownEngines.Value;
_generatorAirplane.AddTypeOfEngines(typeAirplaneEngines);
}
/// <summary>
/// Добавление объекта
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void ButtonAddAirplane_Click(object sender, EventArgs e)
{
if (_mapAirplanesCollectionGeneric == null)
{
return;
}
FormAirBomber form = new();
if (form.ShowDialog() == DialogResult.OK && form.SelectedAirplane != null)
{
AddAirplaneInMap(new(form.SelectedAirplane));
}
}
/// <summary>
/// Удаление объекта
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void ButtonRemoveAirplane_Click(object sender, EventArgs e)
{
if (string.IsNullOrEmpty(maskedTextBoxPosition.Text))
{
return;
}
if (MessageBox.Show("Удалить объект?", "Удаление", MessageBoxButtons.YesNo, MessageBoxIcon.Question) == DialogResult.No)
{
return;
}
int pos = Convert.ToInt32(maskedTextBoxPosition.Text);
if (_mapAirplanesCollectionGeneric - pos != null)
{
MessageBox.Show("Объект удален");
pictureBox.Image = _mapAirplanesCollectionGeneric.ShowSet();
}
else
{
MessageBox.Show("Не удалось удалить объект");
}
}
/// <summary>
/// Вывод набора
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void ButtonShowStorage_Click(object sender, EventArgs e)
{
if (_mapAirplanesCollectionGeneric == null)
{
return;
}
pictureBox.Image = _mapAirplanesCollectionGeneric.ShowSet();
}
/// <summary>
/// Вывод карты
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void ButtonShowOnMap_Click(object sender, EventArgs e)
{
if (_mapAirplanesCollectionGeneric == null)
{
return;
}
pictureBox.Image = _mapAirplanesCollectionGeneric.ShowOnMap();
}
}
}

View File

@ -0,0 +1,60 @@
<root>
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
<xsd:element name="root" msdata:IsDataSet="true">
<xsd:complexType>
<xsd:choice maxOccurs="unbounded">
<xsd:element name="metadata">
<xsd:complexType>
<xsd:sequence>
<xsd:element name="value" type="xsd:string" minOccurs="0" />
</xsd:sequence>
<xsd:attribute name="name" use="required" type="xsd:string" />
<xsd:attribute name="type" type="xsd:string" />
<xsd:attribute name="mimetype" type="xsd:string" />
<xsd:attribute ref="xml:space" />
</xsd:complexType>
</xsd:element>
<xsd:element name="assembly">
<xsd:complexType>
<xsd:attribute name="alias" type="xsd:string" />
<xsd:attribute name="name" type="xsd:string" />
</xsd:complexType>
</xsd:element>
<xsd:element name="data">
<xsd:complexType>
<xsd:sequence>
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
</xsd:sequence>
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
<xsd:attribute ref="xml:space" />
</xsd:complexType>
</xsd:element>
<xsd:element name="resheader">
<xsd:complexType>
<xsd:sequence>
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
</xsd:sequence>
<xsd:attribute name="name" type="xsd:string" use="required" />
</xsd:complexType>
</xsd:element>
</xsd:choice>
</xsd:complexType>
</xsd:element>
</xsd:schema>
<resheader name="resmimetype">
<value>text/microsoft-resx</value>
</resheader>
<resheader name="version">
<value>2.0</value>
</resheader>
<resheader name="reader">
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
</resheader>
<resheader name="writer">
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
</resheader>
</root>

View File

@ -0,0 +1,72 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
/// <summary>
/// Класс, который генирирует самолет из разнообразного количества сущностей и типа двигателей
/// </summary>
/// <typeparam name="T">Класс Сущность самолет</typeparam>
/// <typeparam name="U">Класс двигателя самолета</typeparam>
internal class GeneratorAirplane<T, U>
where T : EntityAirplane
where U : class, IAirplaneEngines
{
private readonly T[] typesOfEntity;
private readonly U[] typesOfEngines;
public int NumTypesOfEntity { get; private set; }
public int NumTypesOfEngines { get; private set; }
public GeneratorAirplane(int countTypesOfEntity, int countTypesOfEngines)
{
typesOfEntity = new T[countTypesOfEntity];
typesOfEngines = new U[countTypesOfEngines];
}
/// <summary>
/// Добавляет возможный тип сущности при генерации самолета
/// </summary>
/// <param name="type">тип</param>
/// <returns>Успешно ли проведена операция</returns>
public virtual bool AddTypeOfEntity(T type)
{
if (NumTypesOfEntity >= typesOfEntity.Length)
{
return false;
}
typesOfEntity[NumTypesOfEntity++] = type;
return true;
}
/// <summary>
/// Добавляет возможный тип двигателей при генерации самолета
/// </summary>
/// <param name="type">тип</param>
/// <returns>Успешно ли проведена операция</returns>
public virtual bool AddTypeOfEngines(U type)
{
if (NumTypesOfEngines >= typesOfEngines.Length)
{
return false;
}
typesOfEngines[NumTypesOfEngines++] = type;
return true;
}
/// <summary>
/// Генерирует объект отрисовки
/// </summary>
/// <returns>Возвращает объект отрисовки, либо null, если не были добавлены типы для выборки</returns>
public DrawningObject? Generate()
{
if (NumTypesOfEngines == 0 || NumTypesOfEntity == 0)
{
return null;
}
var rnd = new Random();
var airplane = new DrawningAirplane(typesOfEntity[rnd.Next() % NumTypesOfEntity], typesOfEngines[rnd.Next() % NumTypesOfEngines]);
return new DrawningObject(airplane);
}
}
}

View File

@ -0,0 +1,24 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
public interface IAirplaneEngines
{
/// <summary>Получение действительного количества двигателей или установка поддерживаемого числа двигателей</summary>
/// <value>The count engines.</value>
int CountEngines { get; set; }
/// <summary>Отрисовывает все двигатели на обеих крыльях</summary>
/// <param name="g">The g.</param>
/// <param name="colorEngine">Цвет двигателей.</param>
/// <param name="wingPosX">Позиция крыльев по x. В этой координате будут центры двигателей</param>
/// <param name="leftWingY">Крайняя левая позиция левого крыла по y</param>
/// <param name="rightWingY">Крайняя правая позиция правого крыла по y</param>
/// <param name="widthBodyAirplane">Ширина тела самолета, или расстояние между крыльями.</param>
void DrawEngines(Graphics g, Color colorEngine, float wingPosX, float leftWingY, float rightWingY, int widthBodyAirplane);
}
}

View File

@ -0,0 +1,43 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
/// <summary>
/// Интерфейс для работы с объектом, прорисовываемым на форме
/// </summary>
internal interface IDrawningObject
{
/// <summary>
/// Шаг перемещения объекта
/// </summary>
public float Step { get; }
/// <summary>
/// Установка позиции объекта
/// </summary>
/// <param name="x">Координата X</param>
/// <param name="y">Координата Y</param>
/// <param name="width">Ширина полотна</param>
/// <param name="height">Высота полотна</param>
void SetObject(int x, int y, int width, int height);
/// <summary>
/// Изменение направления пермещения объекта
/// </summary>
/// <param name="direction">Направление</param>
/// <returns></returns>
void MoveObject(Direction direction);
/// <summary>
/// Отрисовка объекта
/// </summary>
/// <param name="g"></param>
void DrawObject(Graphics g);
/// <summary>
/// Получение текущей позиции объекта
/// </summary>
/// <returns></returns>
RectangleF GetCurrentPosition();
}
}

View File

@ -0,0 +1,184 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class MapWithSetAirplanesGeneric<T, U>
where T : class, IDrawningObject
where U : AbstractMap
{
/// <summary>
/// Ширина окна отрисовки
/// </summary>
private readonly int _pictureWidth;
/// <summary>
/// Высота окна отрисовки
/// </summary>
private readonly int _pictureHeight;
/// <summary>
/// Размер занимаемого объектом места (ширина)
/// </summary>
private readonly int _placeSizeWidth = 210;
/// <summary>
/// Размер занимаемого объектом места (высота)
/// </summary>
private readonly int _placeSizeHeight = 190;
/// <summary>
/// Набор объектов
/// </summary>
private readonly SetAirplanesGeneric<T> _setAirplanes;
/// <summary>
/// Карта
/// </summary>
private readonly U _map;
/// <summary>
/// Конструктор
/// </summary>
/// <param name="picWidth"></param>
/// <param name="picHeight"></param>
/// <param name="map"></param>
public MapWithSetAirplanesGeneric(int picWidth, int picHeight, U map)
{
int width = picWidth / _placeSizeWidth;
int height = picHeight / _placeSizeHeight;
_setAirplanes = new SetAirplanesGeneric<T>(width * height);
_pictureWidth = picWidth;
_pictureHeight = picHeight;
_map = map;
}
/// <summary>
/// Перегрузка оператора сложения
/// </summary>
/// <param name="map"></param>
/// <param name="airplane"></param>
/// <returns>Возвращает позицию вставленого объекта либо -1, если не получилось его добавить</returns>
public static int operator +(MapWithSetAirplanesGeneric<T, U> map, T airplane)
{
return map._setAirplanes.Insert(airplane);
}
/// <summary>
/// Перегрузка оператора вычитания
/// </summary>
/// <param name="map"></param>
/// <param name="position"></param>
/// <returns>Возвращает удаленный объект, либо null если его не удалось удалить</returns>
public static T operator -(MapWithSetAirplanesGeneric<T, U> map, int position)
{
return map._setAirplanes.Remove(position);
}
/// <summary>
/// Вывод всего набора объектов
/// </summary>
/// <returns></returns>
public Bitmap ShowSet()
{
Bitmap bmp = new(_pictureWidth, _pictureHeight);
Graphics gr = Graphics.FromImage(bmp);
DrawBackground(gr);
DrawAirplanes(gr);
return bmp;
}
/// <summary>
/// Просмотр объекта на карте
/// </summary>
/// <returns></returns>
public Bitmap ShowOnMap()
{
Shaking();
for (int i = 0; i < _setAirplanes.Count; i++)
{
var airplane = _setAirplanes.Get(i);
if (airplane != null)
{
return _map.CreateMap(_pictureWidth, _pictureHeight, airplane);
}
}
return new(_pictureWidth, _pictureHeight);
}
/// <summary>
/// Перемещение объекта по крате
/// </summary>
/// <param name="direction"></param>
/// <returns></returns>
public Bitmap MoveObject(Direction direction)
{
if (_map != null)
{
return _map.MoveObject(direction);
}
return new(_pictureWidth, _pictureHeight);
}
/// <summary>
/// "Взбалтываем" набор, чтобы все элементы оказались в начале
/// </summary>
private void Shaking()
{
int j = _setAirplanes.Count - 1;
for (int i = 0; i < _setAirplanes.Count; i++)
{
if (_setAirplanes.Get(i) == null)
{
for (; j > i; j--)
{
var airplane = _setAirplanes.Get(j);
if (airplane != null)
{
_setAirplanes.Insert(airplane, i);
_setAirplanes.Remove(j);
break;
}
}
if (j <= i)
{
return;
}
}
}
}
/// <summary>
/// Метод отрисовки фона
/// </summary>
/// <param name="g"></param>
private void DrawBackground(Graphics g)
{
Pen pen = new(Color.Black, 3);
for (int i = 0; i < _pictureWidth / _placeSizeWidth; i++)
{
for (int j = 0; j < _pictureHeight / _placeSizeHeight + 1; j++)
{
DrawHangar(g, pen, new RectangleF(i * _placeSizeWidth, j * _placeSizeHeight, _placeSizeWidth / 1.8F, _placeSizeHeight / 1.6F));
// g.DrawLine(pen, i * _placeSizeWidth, j * _placeSizeHeight, i * _placeSizeWidth + _placeSizeWidth / 2, j * _placeSizeHeight);
}
}
}
private void DrawHangar(Graphics g, Pen pen, RectangleF rect)
{
g.DrawLine(pen, rect.Left , rect.Top , rect.Right, rect.Top );
g.DrawLine(pen, rect.Right, rect.Top , rect.Right, rect.Bottom);
g.DrawLine(pen, rect.Right, rect.Bottom, rect.Left , rect.Bottom);
// Края ворот ангара
g.DrawLine(pen, rect.Left, rect.Top , rect.Left, rect.Top + rect.Height / 10);
g.DrawLine(pen, rect.Left, rect.Bottom, rect.Left, rect.Bottom - rect.Height / 10);
}
/// <summary>
/// Метод прорисовки объектов
/// </summary>
/// <param name="g"></param>
private void DrawAirplanes(Graphics g)
{
int countInLine = _pictureWidth / _placeSizeWidth;
int maxLeft = (countInLine - 1) * _placeSizeWidth;
for (int i = 0; i < _setAirplanes.Count; i++)
{
var airplane = _setAirplanes.Get(i);
airplane?.SetObject(maxLeft - i % countInLine * _placeSizeWidth, i / countInLine * _placeSizeHeight + 3, _pictureWidth, _pictureHeight);
airplane?.DrawObject(g);
}
}
}
}

View File

@ -11,7 +11,7 @@ namespace AirBomber
// To customize application configuration such as set high DPI settings or default font,
// see https://aka.ms/applicationconfiguration.
ApplicationConfiguration.Initialize();
Application.Run(new FormAirBomber());
Application.Run(new FormMapWithSetAirplanes());
}
}
}

View File

@ -0,0 +1,95 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
/// <summary>
/// Параметризованный набор объектов
/// </summary>
/// <typeparam name="T"></typeparam>
internal class SetAirplanesGeneric<T>
where T : class
{
/// <summary>
/// Массив объектов, которые храним
/// </summary>
private readonly T[] _places;
/// <summary>
/// Количество объектов в массиве
/// </summary>
public int Count => _places.Length;
/// <summary>
/// Конструктор
/// </summary>
/// <param name="count"></param>
public SetAirplanesGeneric(int count)
{
_places = new T[count];
}
/// <summary>
/// Добавление объекта в набор
/// </summary>
/// <param name="airplane">Добавляемый самолет</param>
/// <returns>Возвращает позицию вставленого объекта либо -1, если не получилось его добавить</returns>
public int Insert(T airplane)
{
return Insert(airplane, 0);
}
private bool isCorrectPosition(int position)
{
return 0 <= position && position < Count;
}
/// <summary>
/// Добавление объекта в набор на конкретную позицию
/// </summary>
/// <param name="airplane">Добавляемый самолет</param>
/// <param name="position">Позиция</param>
/// <returns>Возвращает позицию вставленого объекта либо -1, если не получилось его добавить</returns>
public int Insert(T airplane, int position)
{
int positionNullElement = position;
while (Get(positionNullElement) != null)
{
positionNullElement++;
}
// Если изначальная позиция была некорректной или пустых элементов справа не оказалось возвращаем false
if (!isCorrectPosition(positionNullElement))
{
return -1;
}
while (positionNullElement != position) // Смещение вправо
{
_places[positionNullElement] = _places[positionNullElement - 1];
positionNullElement--;
}
_places[position] = airplane;
return position;
}
/// <summary>
/// Удаление объекта из набора с конкретной позиции
/// </summary>
/// <param name="position"></param>
/// <returns>Возвращает удаленный объект, либо null если его не удалось удалить</returns>
public T Remove(int position)
{
if (!isCorrectPosition(position))
return null;
var result = _places[position];
_places[position] = null;
return result;
}
/// <summary>
/// Получение объекта из набора по позиции
/// </summary>
/// <param name="position"></param>
/// <returns></returns>
public T Get(int position)
{
return isCorrectPosition(position) ? _places[position] : null;
}
}
}

View File

@ -0,0 +1,50 @@
namespace AirBomber
{
/// <summary>
/// Простая реализация абсрактного класса AbstractMap
/// </summary>
internal class SimpleMap : AbstractMap
{
/// <summary>
/// Цвет участка закрытого
/// </summary>
private readonly Brush barrierColor = new SolidBrush(Color.Black);
/// <summary>
/// Цвет участка открытого
/// </summary>
private readonly Brush roadColor = new SolidBrush(Color.Gray);
protected override void DrawBarrierPart(Graphics g, int i, int j)
{
g.FillRectangle(barrierColor, i * _size_x, j * _size_y, _size_x, _size_y);
}
protected override void DrawRoadPart(Graphics g, int i, int j)
{
g.FillRectangle(roadColor, i * _size_x, j * _size_y, _size_x, _size_y);
}
protected override void GenerateMap()
{
_map = new int[100, 100];
_size_x = (float)_width / _map.GetLength(0);
_size_y = (float)_height / _map.GetLength(1);
int counter = 0;
for (int i = 0; i < _map.GetLength(0); ++i)
{
for (int j = 0; j < _map.GetLength(1); ++j)
{
_map[i, j] = _freeRoad;
}
}
while (counter < 50)
{
int x = _random.Next(0, 100);
int y = _random.Next(0, 100);
if (_map[x, y] == _freeRoad)
{
_map[x, y] = _barrier;
counter++;
}
}
}
}
}

View File

@ -0,0 +1,65 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace AirBomber
{
internal class WallMap : AbstractMap
{
/// <summary>
/// Цвет участка закрытого
/// </summary>
private readonly Brush barrierColor = new SolidBrush(Color.Brown);
/// <summary>
/// Цвет участка открытого
/// </summary>
private readonly Brush roadColor = new SolidBrush(Color.LightPink);
protected override void DrawBarrierPart(Graphics g, int i, int j)
{
g.FillPolygon(barrierColor, new PointF[]
{
new PointF(i * _size_x, j * _size_y),
new PointF((i + 1) * _size_x, j * _size_y),
new PointF((i + 1) * _size_x - _size_x / 4, (j + 1) * _size_y - _size_y / 2),
new PointF((i + 1) * _size_x, (j + 1) * _size_y),
new PointF(i * _size_x, (j + 1) * _size_y),
new PointF(i * _size_x + _size_x / 4, (j + 1) * _size_y - _size_y / 2),
});
}
protected override void DrawRoadPart(Graphics g, int i, int j)
{
g.FillRectangle(roadColor, i * _size_x, j * _size_y, _size_x, _size_y);
}
protected override void GenerateMap()
{
_map = new int[120, 120];
var minSize = Math.Min(_map.GetLength(0), _map.GetLength(1));
_size_x = (float)_width / _map.GetLength(0);
_size_y = (float)_height / _map.GetLength(1);
for (int i = 0; i < _map.GetLength(0); ++i)
{
for (int j = 0; j < _map.GetLength(1); ++j)
{
_map[i, j] = _freeRoad;
}
}
for (var i = 0; i < 10; i++)
{
var lengthWall = _random.Next(3, minSize / 2);
var incX = _random.Next(0, 2);
var incY = 1 - incX;
var left = _random.Next(0, _map.GetLength(0) - lengthWall);
var top = _random.Next(0, _map.GetLength(1) - lengthWall);
for (var j = 0; j < lengthWall; j++)
{
_map[left + incX * j, top + incY * j] = _barrier;
}
}
}
}
}