Chapter 1: Introduction to Programming Concepts Welcome to the FinCode Competitive Programming Zero to Hero Course! Look out for our Computational Finance bonus chapters towards the end of the course! People tend to learn best by observing and then doing, so we encourage you to carefully observe how the example problems are solved and then try messing with it yourself on an IDE(A place where you run code). Here is a great online IDE: repl.it. Instead of explicitly telling you how python works we want you to observe the sample problems in this course and use your observations on a live IDE. This allows for a more natural and intuitive understanding of programming. Throughout the course we expect you to copy and paste the code in the course into an IDE and observe the output, since outputs will not be provided in this course to allow for more interactivity. In this chapter, we'll lay the foundation for your coding journey. Let's dive in: Lesson 1.1: What is Programming? Programming is the art of giving instructions to a computer to perform tasks. It's like giving orders to a robot. We use programming languages to communicate with computers. Example 1.1.1: Hello, World! -----Python3----- print("Hello, world!") Practice Problems 1.1: Write a program that prints your name. Create a program that calculates the sum of two numbers. Z E R O T O H E R O C O U R S E F I N C O D E . O R G Chap CHAPTER 1 CHAPTER 1 Print the result of 5 squared (5^2). Solution 1.1: Problem 1: -----Python3----- print("Your Name") Problem 2: -----Python3----- num1 = float(input("Enter the first number: ")) num2 = float(input("Enter the second number: ")) sum = num1 + num2 print("Sum:", sum) Problem 3: -----Python3----- result = 5 ** 2 print("5 squared:", result) Lesson 1.2: Variables and Data Types Variables store data, while data types define the kind of data a variable can hold. Example 1.2.1: Using Variables -----Python3----- name = "Alice" age = 25 Practice Problems 1.2: Create variables for your birth year and current year. Calculate your age. Store your favorite number in a variable and print it. Solution 1.2: Problem 1: -----Python3----- birth_year = int(input("Enter your birth year: ")) current_year = 2023 age = current_year - birth_year print("Your age:", age) Problem 2: -----Python3----- favorite_number = 42 print("My favorite number is:", favorite_number) Lesson 1.3: Conditional Statements Conditional statements help your program make decisions based on conditions. Example 1.3.1: Using If-Else -----Python3----- num = 10 if num > 0: print("Number is positive") else: print("Number is non-positive") Practice Problems 1.3: Write a program that checks if a number is even or odd. Create a temperature converter that converts Celsius to Fahrenheit. Solution 1.3: Problem 1: -----Python3----- num = int(input("Enter a number: ")) if num % 2 == 0: print("Even") else: print("Odd") Problem 2: -----Python3----- celsius = float(input("Enter temperature in Celsius: ")) fahrenheit = (celsius * 9/5) + 32 print("Temperature in Fahrenheit:", fahrenheit) Chapter 2: Loops and Iteration Lesson 2.1: While Loops While loops repeat a block of code as long as a condition is true. Example 2.1.1: Counting with a While Loop -----Python3----- count = 1 while count <= 5: print(count) count += 1 Practice Problems 2.1: Write a program using a while loop to print the first 10 multiples of 3. Create a guessing game where the user has to guess a secret number. Solution 2.1: Problem 1: -----Python3----- num = 1 while num <= 10: print(3 * num) num += 1 Problem 2: -----Python3----- import random Chap CHAPTER 2 CHAPTER 2 secret_number = random.randint(1, 100) guess = int(input("Guess the secret number: ")) while guess != secret_number: if guess < secret_number: print("Too low!") else: print("Too high!") guess = int(input("Guess again: ")) print("Congratulations! You guessed the secret number:", secret_number) Lesson 2.2: For Loops For loops iterate over a sequence (such as a list or a range) and execute a block of code for each item. Example 2.2.1: Printing Elements of a List -----Python3----- fruits = ["apple", "banana", "cherry"] for fruit in fruits: print(fruit) Practice Problems 2.2: Create a program that calculates the factorial of a given number using a for loop. Print a pattern of asterisks in the shape of a right-angled triangle. Solution 2.2: Problem 1: -----Python3----- num = int(input("Enter a number: ")) factorial = 1 for i in range(1, num + 1): factorial *= i print("Factorial:", factorial) Problem 2: -----Python3----- rows = int(input("Enter the number of rows: ")) for i in range(1, rows + 1): print("*" * i) Lesson 2.3: Nested Loops Nested loops contain one loop inside another, allowing for more complex iterations. Example 2.3.1: Multiplication Table -----Python3----- for i in range(1, 6): for j in range(1, 6): print(i * j, end="\t") print() Practice Problems 2.3: Write a program to print a pyramid pattern of numbers. Create a program that generates a chessboard pattern using nested loops. Solution 2.3: Problem 1: -----Python3----- rows = int(input("Enter the number of rows: ")) for i in range(1, rows + 1): print(" " * (rows - i) + "*" * (2 * i - 1)) Problem 2: -----Python3----- size = 8 for i in range(size): for j in range(size): if (i + j) % 2 == 0: print("*", end=" ") else: print(" ", end=" ") print() Chapter 3: Functions and Modularization Lesson 3.1: Introduction to Functions Functions are blocks of code that perform specific tasks and can be reused throughout your program. Example 3.1.1: Basic Function -----Python3----- def greet(name): print("Hello, " + name + "!") greet("Alice") Practice Problems 3.1: Write a function to calculate the area of a rectangle. Create a function that checks if a number is prime. Solution 3.1: Problem 1: -----Python3----- def calculate_area(length, width): return length * width length = float(input("Enter the length: ")) width = float(input("Enter the width: ")) area = calculate_area(length, width) print("Area:", area) Chap CHAPTER 3 CHAPTER 3 Problem 2: -----Python3----- def is_prime(num): if num <= 1: return False for i in range(2, int(num**0.5) + 1): if num % i == 0: return False return True num = int(input("Enter a number: ")) if is_prime(num): print("Prime") else: print("Not prime") Lesson 3.2: Scope and Local Variables Understanding variable scope is crucial when working with functions. Example 3.2.1: Using Local Variables -----Python3----- def my_function(): x = 10 print(x) my_function() Practice Problems 3.2: Write a function to calculate the factorial of a number using recursion. Create a program that uses a function to reverse a string. Solution 3.2: Problem 1: -----Python3----- def factorial(n): if n == 0: return 1 else: return n * factorial(n - 1) num = int(input("Enter a number: ")) print("Factorial:", factorial(num)) Problem 2: -----Python3----- def reverse_string(s): return s[::-1] text = input("Enter a string: ") reversed_text = reverse_string(text) print("Reversed string:", reversed_text) Lesson 3.3: Function Arguments Functions can accept different types of arguments: positional, keyword, and default. Example 3.3.1: Function with Keyword Arguments -----Python3----- def greet(name, age): print("Hello, " + name + "! You are " + str(age) + " years old.") greet(age=25, name="Bob") Practice Problems 3.3: Write a function that calculates the nth Fibonacci number. Create a function that sorts a list of numbers in ascending order. Solution 3.3: Problem 1: -----Python3----- def fibonacci(n): if n <= 0: return [] elif n == 1: return [0] elif n == 2: return [0, 1] else: fib_sequence = [0, 1] for i in range(2, n): next_fib = fib_sequence[-1] + fib_sequence[-2] fib_sequence.append(next_fib) return fib_sequence num_terms = int(input("Enter the number of Fibonacci terms: ")) fib_terms = fibonacci(num_terms) print("Fibonacci sequence:", fib_terms) Problem 2: -----Python3----- def sort_numbers(numbers): return sorted(numbers) numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] sorted_numbers = sort_numbers(numbers) print("Sorted numbers:", sorted_numbers) Lesson 3.4: Lambda Functions and Map/Filter/Reduce Lambda functions are concise anonymous functions. map, filter, and reduce are higher-order functions that work with sequences. Example 3.4.1: Using Lambda and Map -----Python3----- numbers = [1, 2, 3, 4, 5] squared = list(map(lambda x: x ** 2, numbers)) print(squared) Practice Problems 3.4: Write a program that uses filter to find even numbers from a list. Create a program that uses reduce to find the product of elements in a list. Solution 3.4: Problem 1: -----Python3----- numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] even_numbers = list(filter(lambda x: x % 2 == 0, numbers)) print("Even numbers:", even_numbers) Problem 2: -----Python3----- from functools import reduce numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] product = reduce(lambda x, y: x * y, numbers) print("Product:", product) Chap CHAPTER 4 CHAPTER 4 Chapter 4: Lists and Data Structures Lesson 4.1: Introduction to Lists Lists are versatile data structures that store collections of items. Example 4.1.1: Creating and Accessing Lists -----Python3----- fruits = ["apple", "banana", "cherry"] print(fruits[1]) # Accessing the second element Practice Problems 4.1: Write a program that finds the maximum and minimum numbers in a list. Create a function to remove duplicates from a list. Solution 4.1: Problem 1: -----Python3----- numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] max_number = max(numbers) min_number = min(numbers) print("Maximum:", max_number) print("Minimum:", min_number) Problem 2: -----Python3----- def remove_duplicates(input_list): return list(set(input_list)) input_list = [int(x) for x in input("Enter numbers separated by spaces: ").split()] no_duplicates = remove_duplicates(input_list) print("List without duplicates:", no_duplicates) Lesson 4.2: List Manipulation and Slicing Learn how to modify and extract portions of lists. Example 4.2.1: Modifying and Slicing Lists -----Python3----- numbers = [1, 2, 3, 4, 5] numbers[2] = 10 # Modify an element subset = numbers[1:4] # Slice from index 1 to 3 Practice Problems 4.2: Write a program to reverse a list in-place (without using the reverse() method). Create a function to find the second-largest number in a list. Solution 4.2: Problem 1: -----Python3----- def reverse_list(input_list): start = 0 end = len(input_list) - 1 while start < end: input_list[start], input_list[end] = input_list[end], input_list[start] start += 1 end -= 1 numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] reverse_list(numbers) print("Reversed list:", numbers) Problem 2: -----Python3----- def second_largest(input_list): sorted_list = sorted(input_list) return sorted_list[-2] numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] second_largest_number = second_largest(numbers) print("Second largest number:", second_largest_number) Lesson 4.3: Dictionaries Dictionaries store key-value pairs for efficient data retrieval. Example 4.3.1: Using Dictionaries -----Python3----- person = {"name": "Alice", "age": 25, "city": "Wonderland"} print(person["age"]) # Accessing value using key Practice Problems 4.3: Write a program that counts the frequency of characters in a given string. Create a function that merges two dictionaries. Solution 4.3: Problem 1: -----Python3----- def count_characters(input_string): char_count = {} for char in input_string: if char in char_count: char_count[char] += 1 else: char_count[char] = 1 return char_count text = input("Enter a string: ") character_frequency = count_characters(text) print("Character frequency:", character_frequency) Problem 2: -----Python3----- def merge_dicts(dict1, dict2): merged_dict = dict1.copy() merged_dict.update(dict2) return merged_dict dict1 = {"a": 1, "b": 2} dict2 = {"b": 3, "c": 4} merged = merge_dicts(dict1, dict2) print("Merged dictionary:", merged) Lesson 4.4: Tuples Tuples are immutable sequences, often used to group related data. Example 4.4.1: Using Tuples -----Python3----- point = (3, 4) x, y = point # Unpacking values Practice Problems 4.4: Write a program to find the common elements between two lists. Create a function that returns the average and median of a list of numbers. Solution 4.4: Problem 1: -----Python3----- def common_elements(list1, list2): return list(set(list1) & set(list2)) list1 = [int(x) for x in input("Enter numbers for list 1: ").split()] list2 = [int(x) for x in input("Enter numbers for list 2: ").split()] common = common_elements(list1, list2) print("Common elements:", common) Problem 2: -----Python3----- import statistics def avg_and_median(input_list): avg = sum(input_list) / len(input_list) median = statistics.median(input_list) return avg, median numbers = [int(x) for x in input("Enter numbers separated by spaces: ").split()] average, median = avg_and_median(numbers) print("Average:", average) print("Median:", median) Chapter 5: Object-Oriented Programming Lesson 5.1: Introduction to Object-Oriented Programming (OOP) OOP is a programming paradigm centered around objects, which are instances of classes. Example 5.1.1: Creating a Class -----Python3----- class Dog: def __init__(self, name, age): self.name = name self.age = age dog1 = Dog("Buddy", 3) print(dog1.name) Practice Problems 5.1: Define a Person class with attributes name and age. Create a Rectangle class with methods to calculate its area and perimeter. Solution 5.1: Problem 1: Chap CHAPTER 5 CHAPTER 5 -----Python3----- class Person: def __init__(self, name, age): self.name = name self.age = age person1 = Person("Alice", 25) print("Name:", person1.name) print("Age:", person1.age) Problem 2: -----Python3----- class Rectangle: def __init__(self, length, width): self.length = length self.width = width def calculate_area(self): return self.length * self.width def calculate_perimeter(self): return 2 * (self.length + self.width) length = float(input("Enter length of rectangle: ")) width = float(input("Enter width of rectangle: ")) rectangle = Rectangle(length, width) print("Area:", rectangle.calculate_area()) print("Perimeter:", rectangle.calculate_perimeter()) Lesson 5.2: Inheritance and Polymorphism Inheritance allows creating a new class that inherits properties and methods from an existing class. Example 5.2.1: Inheriting from a Base Class -----Python3----- class Animal: def speak(self): pass class Dog(Animal): def speak(self): return "Woof!" class Cat(Animal): def speak(self): return "Meow!" dog = Dog() cat = Cat() print(dog.speak()) print(cat.speak()) Practice Problems 5.2: Create a base class Shape with an abstract method area. Derive Circle and Square classes from it. Implement a class hierarchy for a library, including LibraryItem, Book, and DVD classes. Solution 5.2: Problem 1: -----Python3----- from abc import ABC, abstractmethod import math class Shape(ABC): @abstractmethod def area(self): pass class Circle(Shape): def __init__(self, radius): self.radius = radius def area(self): return math.pi * self.radius ** 2 class Square(Shape): def __init__(self, side): self.side = side def area(self): return self.side ** 2 circle = Circle(5) square = Square(4) print("Circle Area:", circle.area()) print("Square Area:", square.area()) Problem 2: -----Python3----- class LibraryItem: def __init__(self, title, author): self.title = title self.author = author class Book(LibraryItem): def __init__(self, title, author, pages): super().__init__(title, author) self.pages = pages def display_info(self): print("Book Title:", self.title) print("Author:", self.author) print("Pages:", self.pages) class DVD(LibraryItem): def __init__(self, title, author, duration): super().__init__(title, author) self.duration = duration def display_info(self): print("DVD Title:", self.title) print("Director:", self.author) print("Duration:", self.duration, "minutes") book = Book("The Great Gatsby", "F. Scott Fitzgerald", 180) dvd = DVD("Inception", "Christopher Nolan", 148) book.display_info() dvd.display_info() Lesson 5.3: Encapsulation and Access Modifiers Encapsulation restricts access to certain attributes and methods to ensure data integrity.