This test does not result in a denominator.
d = round(a / i)
if a == 42, d will have values 1, 2, 3, 4, 5, 6, 7, 8, 10, 14, 21, 42. The problem is that 4, 5, 8 and 10 do not divide evenly into 42. The correct test is.
for i in range(1, a+1):
if a % i == 0:
d = i
print(d)
This correctly prints 1, 2, 3, 6, 7, 14, 21, 42. But there is another problem.
Even if you correctly identified denominators your code has no way to test for commonality. After printing the denominators of 42 your code has d == 42 and after printing the denominators for 154 your code has f == 154. 42 does not equal 154, so GCD is never printed. This is not a problem caused by missing curly brackets or an ignorance of Python. This is a logic error.
If you were solving this problem with pencil and paper you might write down all the denominators for 42 and all the denominators for154 and look for numbers that appear in both lists. In Python this looks like this:
def denominators(x):
"""Returns list of denominators for x"""
return [d for d in range(1, x+1) if x % d == 0]
def common_denominators(x, y):
"""Returns list of values appearing in both lists x and y"""
return [d for d in x if d in y]
d42 = denominators(42)
d154 = denominators(154)
common = common_denominators(d42, d154)
print("42", d42)
print("154", d154)
print("common", common[-1], common)
Output:
42 [1, 2, 3, 6, 7, 14, 21, 42]
154 [1, 2, 7, 11, 14, 22, 77, 154]
common 14 [1, 2, 7, 14]
There are other ways to find what numbers are common to two lists using Python set operations. Set operations are a bit faster but as with most programming tasks the real speed improvement results from thinking about the problem and optimizing the procedure.
If you have two numbers 42 and 154 you know there are no common denominators greater than 42 and that computing denominators for numbers in the range 43 to 154 is a waste of time. It is also a waste of time testing if a number divides evenly into 154 if we know it does not divide evenly into 42. Putting some smart into the algorithm gives us this:
def common_denominators(x, y):
if x > y:
x, y = y, x # Make x the smaller of the two numbers
return [d for d in range(x, 0, -1) if x % d == 0 and y % d == 0]
print(common_denominators(42, 154))
Output:
[14, 7, 2, 1]