Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions .gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
node_modules/
33 changes: 33 additions & 0 deletions bank_account.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,33 @@
from typing import Dict
def open_account(balances: Dict[str, int], name: str, amount: int)-> None:
balances[name] = amount

def sum_balances(accounts: Dict[str, int]) -> int:
total = 0
for name, pence in accounts.items():
print(f"{name} had balance {pence}")
total += pence
return total

def format_pence_as_string(total_pence: int)-> str:

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Formatting is a bit off in places which makes the code slightly harder to read. Using ruff or other auto formatters might help with readability (e.g. int)-> missing space)

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thank you I installed ruff and did it.

if total_pence < 100:
return f"{total_pence}p"
pounds = int(total_pence / 100)
pence = total_pence % 100
return f"£{pounds}.{pence:02d}"

balances = {
"Sima": 700,
"Linn": 545,
"Georg": 831,
}
#missed balance argument, add balances
open_account(balances,"Tobi", 913)
#3rd argument is an int not a String and format as pence
open_account(balances,"Olya", 713)

total_pence = sum_balances(balances)
#wrong name of function
total_string = format_pence_as_string(total_pence)

print(f"The bank accounts total {total_string}")
21 changes: 21 additions & 0 deletions dataclass_person.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
from dataclasses import dataclass
from datetime import date

@dataclass(frozen=True)
class Person:
name: str
date_of_birth: date
preferred_operating_system: str

def is_adult(self):
today = date.today()
birth_date= self.date_of_birth
#Calculate exact age by subtracting years
eighteen_years_ago = date(today.year - 18, today.month, today.day)
return birth_date<= eighteen_years_ago

imran = Person("Imran", date(1989,6,25), "Ubuntu") # We can call this constructor - @dataclass generated it for us.
print(imran) # Prints Person(name='Imran', date_of_birth=(1989, 6, 25), preferred_operating_system='Ubuntu')

imran2 = Person("Imran", date(1989,6,25), "Ubuntu")
print(imran == imran2) # Prints True
17 changes: 17 additions & 0 deletions double.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,17 @@
def half(value):
return value / 2

def double(value):
return value * 2

def second(value):
return value[1]



print(double(22))
print(double("hello"))
print(double("22"))

# In Python when we multiply a string by a number, it repeats the string that many times(in our case it is 2 times).
# i got in answer 2222
107 changes: 107 additions & 0 deletions enums.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,107 @@
from dataclasses import dataclass
from enum import Enum
import sys
from typing import List, Optional
from collections import Counter

class OperatingSystem(Enum):
MACOS = "macOS"
ARCH = "Arch Linux"
UBUNTU = "Ubuntu"

@dataclass(frozen=True)
class Person:
name: str
age: int
preferred_operating_system: OperatingSystem


@dataclass(frozen=True)
class Laptop:
id: int
manufacturer: str
model: str
screen_size_in_inches: float
operating_system: OperatingSystem


def find_possible_laptops(laptops: List[Laptop], person: Person) -> List[Laptop]:
possible_laptops = []

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Just for you information, an alternative approach could also be

return [
        laptop for laptop in laptops 
        if laptop.operating_system == person.preferred_operating_system
    ]

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks for the suggestion! yes a list comprehension is more concise and readable

for laptop in laptops:
if laptop.operating_system == person.preferred_operating_system:
possible_laptops.append(laptop)
return possible_laptops

def parse_operating_system(s: str) -> Optional[OperatingSystem]:
s_normal = s.strip().lower()
for os in OperatingSystem:
if os.value.lower() == s_normal:

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Just a comment (no need to fix) - you to made it case insensitive so it works (all good), but overall you could also use https://docs.python.org/3/library/enum.html#enum.EnumType.__getitem__

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks for the note!I’ll keep that in mind for future refactoring.

return os
return None


people = [
Person(name="Imran", age=22, preferred_operating_system=OperatingSystem.UBUNTU),
Person(name="Eliza", age=34, preferred_operating_system=OperatingSystem.ARCH),
]

laptops = [

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Optional: you can consider using ruff to improve your code formatiing, something like:

pip install ruff
ruff format .

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I will do it definitely.

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Did you get a chance to check this out?

Laptop(id=1, manufacturer="Dell", model="XPS", screen_size_in_inches=13, operating_system=OperatingSystem.ARCH),
Laptop(id=2, manufacturer="Dell", model="XPS", screen_size_in_inches=15, operating_system=OperatingSystem.UBUNTU),
Laptop(id=3, manufacturer="Dell", model="XPS", screen_size_in_inches=15, operating_system=OperatingSystem.UBUNTU),
Laptop(id=4, manufacturer="Apple", model="macBook", screen_size_in_inches=13, operating_system=OperatingSystem.MACOS),
]

def input_name() -> str:
while True:
name = input("Enter your name: ")
if name == "":
print("Error: Name cannot be empty. Please try again.")
else:
return name

def input_age() -> int:
while True:
try:
age_input = input("Enter your age: ")
age = int(age_input)
if age < 0:
raise ValueError("Age cannot be negative.")
return age
except ValueError as e:
print(f"Error: {e}", file=sys.stderr)

def input_operating_system() -> OperatingSystem:
while True:
os_input = input("Preferred operating system (macOS, Arch Linux, Ubuntu): ").strip()
preferred_os = parse_operating_system(os_input)
if preferred_os is not None:
return preferred_os
print("Please choose one of: macOS, Arch Linux, Ubuntu.")

name = input_name()
age = input_age()
preferred_os = input_operating_system()


# Create the Person with validated types
person = Person(name=name, age=age, preferred_operating_system=preferred_os)
people.append(person)

# Find matching laptops and print count

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Instead of adding comments, try to see where it make sense to group these various bits of logic into methods with descriptive names.

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I try to make changes and use different function

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks! In general, apart from invoking the main method, all the logic needs to be part of some method / class. The clarity should be coming from the name of the methods and structure of the code rather than comments explaining what you are doing (those could be useful too in some cases but should not be used as a substitute for clear structure and naming).

That said, from what I see this is more like a hands-on exercise to practice some concepts so it is ok your code has less structure.

for person in people:
matching_laptops = find_possible_laptops(laptops, person)
print(f"\nHi {person.name}, we found {len(matching_laptops)} laptop(s) acc. your preferred OS ({person.preferred_operating_system.value}).")

# Count how many laptops exist per OS using Counter
os_counts = Counter(laptop.operating_system for laptop in laptops)

# Find OS with most available laptops
best_os = max(os_counts, key=lambda os: os_counts[os])
best_count = os_counts[best_os]

# Compare with user preferences
preferred_count = os_counts.get(person.preferred_operating_system, 0)

if best_os != person.preferred_operating_system and best_count > preferred_count:
print(f"\n More laptops are available if you choose {best_os.value} ({best_count} available).")
20 changes: 20 additions & 0 deletions generic.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,20 @@
from dataclasses import dataclass
from typing import List

@dataclass(frozen=True)
class Person:
name: str
age: int
children: List["Person"]

fatma = Person(name="Fatma",age=11, children=[])
aisha = Person(name="Aisha", age=13,children=[])

imran = Person(name="Imran", age=40, children=[fatma, aisha])

def print_family_tree(person: Person) -> None:
print(person.name)
for child in person.children:
print(f"- {child.name} ({child.age})")

print_family_tree(imran)
43 changes: 43 additions & 0 deletions inheritence.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,43 @@

from typing import List


class Parent:
def __init__(self, first_name: str, last_name: str):
self.first_name = first_name
self.last_name = last_name

def get_name(self) -> str:
return f"{self.first_name} {self.last_name}"


class Child(Parent):
def __init__(self, first_name: str, last_name: str):
super().__init__(first_name, last_name)
# for type annotation as its a list of string
self.previous_last_names : List[str]= []

def change_last_name(self, last_name) -> None:
self.previous_last_names.append(self.last_name)
self.last_name = last_name

def get_full_name(self) -> str:
suffix = ""
if len(self.previous_last_names) > 0:
suffix = f" (née {self.previous_last_names[0]})"
return f"{self.first_name} {self.last_name}{suffix}"

person1 = Child("Elizaveta", "Alekseeva")
print(person1.get_name())
print(person1.get_full_name())
person1.change_last_name("Tyurina")
print(person1.get_name())
print(person1.get_full_name())

person2 = Parent("Elizaveta", "Alekseeva")
print(person2.get_name())
# Need to Commented out because the Parent class doesn't have 'get_full_name()' and 'change_last_name()' methods
#print(person2.get_full_name())
#person2.change_last_name("Tyurina")
print(person2.get_name())
#print(person2.get_full_name())
42 changes: 42 additions & 0 deletions laptops_allocate.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
from dataclasses import dataclass
from typing import List

@dataclass(frozen=True)
class Person:
name: str
age: int
preferred_operating_systems: List[str]


@dataclass(frozen=True)
class Laptop:
id: int
manufacturer: str
model: str
screen_size_in_inches: float
operating_system: str


def find_possible_laptops(laptops: List[Laptop], person: Person) -> List[Laptop]:
possible_laptops = []
for laptop in laptops:
if laptop.operating_system == person.preferred_operating_systems:
possible_laptops.append(laptop)
return possible_laptops


people = [
Person(name="Imran", age=22, preferred_operating_systems=["Ubuntu"]),
Person(name="Eliza", age=34, preferred_operating_systems=["Arch Linux"]),
]

laptops = [
Laptop(id=1, manufacturer="Dell", model="XPS", screen_size_in_inches=13, operating_system="Arch Linux"),
Laptop(id=2, manufacturer="Dell", model="XPS", screen_size_in_inches=15, operating_system="Ubuntu"),
Laptop(id=3, manufacturer="Dell", model="XPS", screen_size_in_inches=15, operating_system="ubuntu"),
Laptop(id=4, manufacturer="Apple", model="macBook", screen_size_in_inches=13, operating_system="macOS"),
]

for person in people:
possible_laptops = find_possible_laptops(laptops, person)
print(f"Possible laptops for {person.name}: {possible_laptops}")
27 changes: 27 additions & 0 deletions person.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
from datetime import date


class Person:
# a constructor with a new instance of class
def __init__(self, name: str, date_of_birth:date, preferred_operating_system: str):
self.name = name
self.date_of_birth = date_of_birth
self.preferred_operating_system = preferred_operating_system

def is_adult(self):
today_date = date.today()
birth_date= self.date_of_birth
#to check date and month as well
age = today_date.year-birth_date.year- ((today_date.month, today_date.day) < (birth_date.month, birth_date.day))
return age>=18


imran = Person("Imran", date(1989,6,25), "Ubuntu")
print(imran.name)
print(imran.is_adult())

eliza = Person("Eliza", date(2007,10,12), "Arch Linux")
print(eliza.is_adult())



1 change: 1 addition & 0 deletions requirements.txt
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
mypy==1.18.2