I am following the Runestone Academy Python3 course and tried to implement ‘addition’ feature for fractions using Class but I am getting error.
When I am not using GCD implementation, the code is running fine
Here is my code:
JavaScript
x
56
56
1
class Fraction:
2
3
def __init__(self, top, bottom):
4
self.num = top
5
self.den = bottom
6
7
def show(self):
8
print(f'{self.num}/{self.den}')
9
10
def __str__(self):
11
return f'{self.num}/{self.den}'
12
13
# adding without GCD implementation
14
15
# def __add__(self,other_fraction):
16
# new_num = self.num * other_fraction.den + self.den * other_fraction.num
17
# new_den = self.den * other_fraction.den
18
19
# return Fraction(new_num, new_den)
20
21
# adding with GCD implementation
22
23
def gcd(self, m, n):
24
while m % n != 0:
25
m, n = n, m % n
26
27
return n
28
29
def __add__(self, other_fraction):
30
new_num = self.num * other_fraction.den + self.den * other_fraction.num
31
new_den = self.den * other_fraction.den
32
common = gcd(new_num, new_den)
33
34
return Fraction(new_num // common, new_den // common)
35
36
# my attempt of adding two fractions by creating a method 'add'
37
38
# def add(self,other_fraction):
39
# new_num = self.num * other_fraction.den + self.den * other_fraction.num
40
# new_den = self.den * other_fraction.den
41
42
# return Fraction(new_num, new_den)
43
44
45
# my_fraction = Fraction(3,5)
46
# print(my_fraction)
47
# print(f'I ate {my_fraction} of my pizza')
48
# my_fraction.__str__()
49
# str(my_fraction)
50
51
f1 = Fraction(1, 4)
52
f2 = Fraction(1, 2)
53
f3 = f1 + f2
54
# f3 = f1.add(f2)
55
print(f3)
56
This is the error I am getting:
JavaScript
1
7
1
Traceback (most recent call last):
2
File "D:/Python/Mosh_Lec/app.py", line 74, in <module>
3
f3 = f1 + f2
4
File "D:/Python/Mosh_Lec/app.py", line 53, in __add__
5
common = gcd(new_num, new_den)
6
NameError: name 'gcd' is not defined
7
I also tried with this variation but same error:
JavaScript
1
8
1
def gcd(self, m, n):
2
self.num = m
3
self.den = n
4
while self.num % self.den != 0:
5
self.num, self.den = self.den, self.num % self.den
6
7
return self.den
8
Advertisement
Answer
The gcd method should not logically be part of the Fraction class. Indeed, you can call the gcd method with any two numbers, they do not need to be the numerator and denominator of a fraction. Therefore I would move the gcd function outside of the class.
JavaScript
1
6
1
def gcd(m, n):
2
3
4
class Fraction:
5
6