Ch4PizzaStore: first version

This commit is contained in:
2025-11-11 17:58:12 +01:00
parent d8c4395065
commit aa967b81a4
5 changed files with 100 additions and 0 deletions

View File

@@ -0,0 +1,11 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<OutputType>Exe</OutputType>
<TargetFramework>net9.0</TargetFramework>
<LangVersion>latestmajor</LangVersion>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
</Project>

70
Ch4PizzaStore/Pizza.cs Normal file
View File

@@ -0,0 +1,70 @@
namespace Ch4PizzaStore;
public abstract class Pizza(string name, string dough, string sauce, List<string> toppings) {
public string Name { get; } = name;
internal void Prepare() {
Console.WriteLine($"Preparing {Name}");
Console.WriteLine($"Tossing {dough} dough...");
Console.WriteLine($"Adding {sauce} sauce...");
Console.WriteLine("Adding toppings:");
foreach (var topping in toppings) {
Console.WriteLine($"\t{topping}");
}
}
// While in Java all methods are by default `virtual`, C# is the same as C++,
// all methods are final/selaed until explicitly marked as virtual.
internal virtual void Bake() {
Console.WriteLine("Bake for 25 minutes at 350");
}
internal virtual void Cut() {
Console.WriteLine("Cutting the pizza into diagonal slices");
}
internal virtual void Box() {
Console.WriteLine("Place pizza in official PizzaStore box");
}
}
public class NYStyleCheesePizza() : Pizza("NY Style Sauce and Cheese Pizza", "Thin Crust Dough", "Marinara Sauce",
["Grated Reggiano Cheese"]);
public class ChicagoStyleCheesePizza() : Pizza("Chicago Style Deep Dish Cheese Pizza", "Extra Thick Crust Dough",
"Plum Tomato Sauce", ["Shredded Mozzarella Cheese"]) {
internal override void Cut() {
Console.WriteLine("Cutting the pizza into square slices");
}
}
public abstract class PizzaStore {
protected abstract Pizza CreatePizza(string type);
public Pizza OrderPizza(string type) {
var pizza = CreatePizza(type);
pizza.Prepare();
pizza.Bake();
pizza.Cut();
pizza.Box();
return pizza;
}
}
public class NYPizzaStore : PizzaStore {
protected override Pizza CreatePizza(string type) {
return type switch {
"cheese" => new NYStyleCheesePizza(),
_ => throw new ArgumentOutOfRangeException(nameof(type), type, null)
};
}
}
public class ChicagoPizzaStore : PizzaStore {
protected override Pizza CreatePizza(string type) {
return type switch {
"cheese" => new ChicagoStyleCheesePizza(),
_ => throw new ArgumentOutOfRangeException(nameof(type), type, null)
};
}
}

11
Ch4PizzaStore/Program.cs Normal file
View File

@@ -0,0 +1,11 @@
// See https://aka.ms/new-console-template for more information
using Ch4PizzaStore;
PizzaStore nyStore = new NYPizzaStore();
PizzaStore chicagoStore = new ChicagoPizzaStore();
var pizza = nyStore.OrderPizza("cheese");
Console.WriteLine($"Ethan ordered a {pizza.Name}\n");
pizza = chicagoStore.OrderPizza("cheese");
Console.WriteLine($"Joel ordered a {pizza.Name}\n");