2023-03-15 16:47:53 +00:00
|
|
|
/*
|
|
|
|
* Lesson 2 Task 1: get a collection of ten products and their prices, then output them sorted by their price, both ascending and descending
|
|
|
|
* Author: Stanislav Mykhailenko
|
|
|
|
* License: Unlicense
|
|
|
|
*/
|
|
|
|
|
|
|
|
List<Product> products = new List<Product>();
|
|
|
|
|
|
|
|
for (int i = 0; i < 10; i++)
|
|
|
|
{
|
|
|
|
string? name;
|
|
|
|
float price;
|
|
|
|
|
|
|
|
do
|
|
|
|
{
|
2023-03-19 11:05:55 +00:00
|
|
|
Console.Write($"Enter product {i + 1} name: ");
|
2023-03-15 16:47:53 +00:00
|
|
|
name = Console.ReadLine();
|
|
|
|
} while (name == null);
|
|
|
|
|
|
|
|
do
|
|
|
|
{
|
2023-03-19 11:05:55 +00:00
|
|
|
Console.Write($"Enter product {i + 1} price: ");
|
|
|
|
} while (!float.TryParse(Console.ReadLine(), out price));
|
2023-03-15 16:47:53 +00:00
|
|
|
|
|
|
|
products.Add(new Product(name, price));
|
|
|
|
}
|
|
|
|
|
2023-03-19 11:05:55 +00:00
|
|
|
for (int i = 0; i < 2; i++)
|
2023-03-15 16:47:53 +00:00
|
|
|
{
|
2023-03-19 11:05:55 +00:00
|
|
|
bool descending = Convert.ToBoolean(i);
|
2023-03-15 16:47:53 +00:00
|
|
|
|
2023-03-19 11:05:55 +00:00
|
|
|
products.Sort((first,second) => (descending ? second.Price.CompareTo(first.Price) : first.Price.CompareTo(second.Price)));
|
2023-03-15 16:47:53 +00:00
|
|
|
|
2023-03-19 11:05:55 +00:00
|
|
|
Console.WriteLine($"Sorted {(descending ? "descending" : "ascending")}:");
|
2023-03-15 16:47:53 +00:00
|
|
|
|
2023-03-19 11:05:55 +00:00
|
|
|
foreach (Product product in products)
|
|
|
|
{
|
|
|
|
Console.WriteLine(product);
|
|
|
|
}
|
2023-03-15 16:47:53 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
class Product
|
|
|
|
{
|
|
|
|
public string Name { get;}
|
|
|
|
public float Price { get;}
|
|
|
|
|
|
|
|
public override string ToString()
|
|
|
|
{
|
|
|
|
return "Name: " + Name + ", Price: " + Price;
|
|
|
|
}
|
|
|
|
|
|
|
|
public Product(string name, float price)
|
|
|
|
{
|
|
|
|
Name = name;
|
|
|
|
Price = price;
|
|
|
|
}
|
|
|
|
}
|
2023-03-19 11:05:55 +00:00
|
|
|
|