quadratic equation


Viel entscheidender als das Lösen einer quadratischen Gleichung ist ein Problem, welches zu einer quadratischen Gleichung führt.
Beispiel:
Für welche Zahlen gilt: Das Quadrat einer Zahl vermehrt um ihr Fünffaches beträgt 14. Die Aufgabe führt zur Gleichung: x2 +5x = 14 und zu den beiden Lösungen -7 und 2


Eine quadratische Gleichung hat entweder keine, eine oder zwei reelle Lösungen.

x2 + 5x - 6 = 0

hat die Lösungen: (-6+0j) and (1+0j)
(python prints 0j to indicate that it's still a complex value)

Den Code habe ich von Programiz - er sieht folgendermassen aus:

# Solve the quadratic equation ax**2 + bx + c = 0

# import complex math module
import cmath

a = 1
b = 5
c = -6

# calculate the discriminant
d = (b**2) - (4*a*c)

# find two solutions
sol1 = (-b-cmath.sqrt(d))/(2*a)
sol2 = (-b+cmath.sqrt(d))/(2*a)

print('{0} und {1}'.format(sol1,sol2))
back