|
|
- """
- Analytical Skills - opgave recursie
-
- (c) 2019 Hogeschool Utrecht
- Tijmen Muller (tijmen.muller@hu.nl)
- """
-
-
- def faculteit(n):
- # Base case
- if n == 0:
- return 1
- # Recursie
- else:
- return faculteit(0)
-
-
- def exponent(n):
- # Base case
-
- # Recursie
- return n
-
-
- def som(lst):
- return 1
-
-
- def palindroom(woord):
- return False
-
-
- """
- ========================================================================================================================
- Onderstaand staan de tests voor je code -- hieronder mag je niets wijzigen!
- Je kunt je code testen door deze file te runnen of met behulp van pytest.
- """
- import math, random
-
- def test_faculteit():
- for x in range(6):
- assert faculteit(x) == math.factorial(x), "Fout: faculteit({}) geeft {} in plaats van {}".format(x, faculteit(x), math.factorial(x))
-
-
- def test_exponent():
- for x in range(10):
- assert exponent(x) == 2**x, "Fout: exponent({}) geeft {} in plaats van {}".format(x, exponent(x), 2**x)
-
-
- def test_som():
- for i in range(6):
- lst_test = random.sample(range(-10, 11), i)
- assert som(lst_test) == sum(lst_test), "Fout: som({}) geeft {} in plaats van {}".format(lst_test, som(lst_test), sum(lst_test))
-
-
- def test_palindroom():
- assert palindroom("") is True, "Fout: palindroom({}) geeft {} in plaats van {}".format("", palindroom(""), True)
- assert palindroom("radar") is True, "Fout: palindroom({}) geeft {} in plaats van {}".format("radar", palindroom("radar"), True)
- assert palindroom("maandnaam") is True, "Fout: palindroom({}) geeft {} in plaats van {}".format("maandnaam", palindroom("maandnaam"), True)
- assert palindroom("pollepel") is False, "Fout: palindroom({}) geeft {} in plaats van {}".format("pollepel", palindroom("pollepel"), False)
- assert palindroom("Maandnaam") is False, "Fout: palindroom({}) geeft {} in plaats van {}".format("Maandnaam", palindroom("Maandnaam"), False)
-
-
- if __name__ == '__main__':
- try:
- print("\x1b[0;32m")
-
- test_faculteit()
- print("Je functie faculteit() doorstaat de tests!")
-
- test_exponent()
- print("Je functie exponent() doorstaat de tests!")
-
- test_som()
- print("Je functie som() doorstaat de tests!")
-
- test_palindroom()
- print("Je functie palindroom() doorstaat de tests!")
-
- print("\x1b[0;30m")
-
- x = input("Geef een woord: ")
- print("'" + x + "' is " + ("" if palindroom(x) else "g") + "een palindroom!")
-
- except AssertionError as ae:
- print("\x1b[0;31m" + str(ae))
|