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
97 changes: 95 additions & 2 deletions 12_09_practice.py
Original file line number Diff line number Diff line change
@@ -1,29 +1,122 @@
#Biggie Size - Given a list, write a function that changes all positive numbers in the list to "big". Example: make_it_big([-1, 3, 5, -5]) returns that same list, #changed to [-1, "big", "big", -5].
def make_it_big(list):
for i in range(len(list)):
if list[i] > 0:
list[i] = "big"
return list
print(make_it_big([-1, 3, 5, -5]))

#Count Positives - Given a list of numbers, create a function to replace last value with number of positive values. Example, count_positives([-1,1,1,1]) changes list #to [-1,1,1,3] and returns it. (Note that zero is not considered to be a positive number).
def count_positives(list):
count = 0
for i in range(len(list)):
if list[i] > 0:
count += 1
list[len(list)-1] = count
return list
print(count_positives([-1,1,1,1]))

#SumTotal - Create a function that takes a list as an argument and returns the sum of all the values in the list. For example sum_total([1,2,3,4]) should return 10
def sum_total(list):
sum = 0
for i in range(len(list)):
sum += list[i]
return sum
print(sum_total([1,2,3,4]))

#Average - Create a function that takes a list as an argument and returns the average of all the values in the list. For example multiples([1,2,3,4]) should return #2.5
def average(list):
sum = 0
for i in range(len(list)):
sum += list[i]
return sum/len(list)
print(average([1,2,3,4]))

#Length - Create a function that takes a list as an argument and returns the length of the list. For example length([1,2,3,4]) should return 4
def length(list):
return len(list)
print(length([1,2,3,4]))

#Minimum - Create a function that takes a list as an argument and returns the minimum value in the list. If the passed list is empty, have the function return false. #For example minimum([1,2,3,4]) should return 1; minimum([-1,-2,-3]) should return -3.
#
def minimum(list):
if len(list) == 0:
return False
min = list[0]
for i in range(len(list)):
if list[i] < min:
min = list[i]
return min
print(minimum([1,2,3,4]))
print(minimum([-1,-2,-3]))

#Maximum - Create a function that takes a list as an argument and returns the maximum value in the list. If the passed list is empty, have the function return false. #For example maximum([1,2,3,4]) should return 4; maximum([-1,-2,-3]) should return -1.
def maximum(list):
if len(list) == 0:
return False
max = list[0]
for i in range(len(list)):
if list[i] > max:
max = list[i]
return max
print(maximum([1,2,3,4]))
print(maximum([-1,-2,-3]))

#Ultimateaalyze - Create a function that takes a list as an argument and returns a dictionary that has the sumTotal, average, minimum, maximum ad length of the list.
def ultimateaalyze(list):
sum = 0
min = list[0]
max = list[0]
for i in range(len(list)):
sum += list[i]
if list[i] < min:
min = list[i]
if list[i] > max:
max = list[i]
return {'sumTotal': sum, 'average': sum/len(list), 'minimum': min, 'maximum': max, 'length': len(list)}
print(ultimateaalyze([37,2,1,-9]))

#ReverseList - Create a function that takes a list as a argument and return a list in a reversed order. Do this without creating a empty temporary list. For example #reverse([1,2,3,4]) should return [4,3,2,1]. This challenge is known to appear during basic technical interviews.
def reverse_list(list):
for i in range(int(len(list)/2)):
temp = list[i]
list[i] = list[len(list)-1-i]
list[len(list)-1-i] = temp
return list
print(reverse_list([37,2,1,-9]))

#Ispalindrome- Given a string, write a python function to check if it is palindrome or not. A string is said to be palindrome if the reverse of the string is the same as string. For example, “radar” is a palindrome, but “radix” is not a palindrome.
def ispalindrome(string):
for i in range(int(len(string)/2)):
if string[i] != string[len(string)-1-i]:
return False
return True
print(ispalindrome("radar"))
print(ispalindrome("radix"))

#Fizzbuzz- Create a function that will print numbers from 1 to 100, with certain exceptions:
#If the number is a multiple of 3, print “Fizz” instead of the number.
#If the number is a multiple of 5, print “Buzz” instead of the number.
#If the number is a multiple of 3 and 5, print “FizzBuzz” instead of the number.
def fizzbuzz():
for i in range(1,101):
if i%3 == 0 and i%5 == 0:
print("FizzBuzz")
elif i%3 == 0:
print("Fizz")
elif i%5 == 0:
print("Buzz")
else:
print(i)
fizzbuzz()

#Fibonacci- The Fibonacci numbers, commonly denoted F(n) form a sequence, called the Fibonacci sequence, such that each number is the sum of the two preceding ones, #starting from 0 and 1. That is,
#F(0) = 0, F(1) = 1
#F(n) = F(n - 1) + F(n - 2), for n > 1.
#Create a function that accepts any number and will create a sequence based on the fibonacci sequence.
#Create a function that accepts any number and will create a sequence based on the fibonacci sequence.
def fibonacci(num):
if num == 0:
return 0
if num == 1:
return 1
return fibonacci(num-1) + fibonacci(num-2)
print(fibonacci(5))
65 changes: 65 additions & 0 deletions Dec12__ppt_exercises.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,65 @@
#Generator Exercises
#Create a generator, primes_gen that generates prime numbers starting from 2.

def is_prime(n):
if n==2:
return True
for i in range(2,n):
if n%i==0:
return False
return True

def primes_gen():
n=2
while True:
if is_prime(n):
yield n
n+=1

gen=primes_gen()
for _ in range(10):
print(next(gen),end=' ')

#Create a generator, unique_letters that generates unique letters from the input string. It should generate the letters in the same order as from the input string.
def unique_letters(string):
seen = set()
for letter in string:
if letter not in seen:
yield letter
seen.add(letter)
for letter in unique_letters('hello'):
print(letter, end=' ')





#Lambda Exercises
prog_lang = [('Python', 3.8), ('Java', 13), ('JavaScript', 2019), ('Scala', 2.13)]

#Sort the list by each language's version in ascending order
prog_lang.sort(key=lambda x: x[1])
print(prog_lang)

#Sort the list by the length of the name of each language in descending order.
prog_lang.sort(key=lambda x: len(x[0]), reverse=True)
print(prog_lang)

#Filter the list so that it only contains languages with 'a' in it.
prog_lang = list(filter(lambda x: 'a' in x[0], prog_lang))
print(prog_lang)

#Filter the list so that it only contains languages whose version is in integer form.
prog_lang = list(filter(lambda x: isinstance(x[1], int), prog_lang))
print(prog_lang)

prog_lang1 = [('Python', 3.8), ('Java', 13), ('JavaScript', 2019), ('Scala', 2.13)]
#Transform the list so that it contains the tuples in the form "language in all lower case", length of the language string
prog_lang1 = list(map(lambda x: (x[0].lower(), len(x[0])), prog_lang1))
print(prog_lang1)

#Generate a tuple in the form, ("All languages separated by commas", "All versions separated by commas")
prog_lang2 = [('Python', 3.8), ('Java', 13), ('JavaScript', 2019), ('Scala', 2.13)]
prog_lang2 = (", ".join(map(lambda x: x[0], prog_lang2)), ", ".join(map(lambda x: str(x[1]), prog_lang2)))
print(prog_lang2)