Calculer le coefficient directeur et l'ordonnée à l'origine d'une droite avec python ?

Published: 13 février 2019

DMCA.com Protection Status

Exemple de comment calculer avec python le coefficient directeur et l'ordonnée à l'origine d'une droite connaissant deux points distincts (x1,y1) et (x2,y2):

x1 = 2.0
y1 = 3.0

x2 = 6.0
y2 = 5.0

a = (y2 - y1) / (x2 - x1)
b = y1 - a * x1

print('slope: ', a)
print('intercept: ', b)

en définissant une fonction:

def slope_intercept(x1,y1,x2,y2):
    a = (y2 - y1) / (x2 - x1)
    b = y1 - a * x1     
    return a,b

print(slope_intercept(x1,y1,x2,y2))

En utilisant une régression simple avec scipy:

from scipy.stats import linregress

slope, intercept, r_value, p_value, std_err = linregress([x1,x2],[y1,y2])
print(slope,intercept)

Tracer avec matplotlib:

Calculer le coefficient directeur et  d'une droite avec python ?
Calculer le coefficient directeur et d'une droite avec python ?

import matplotlib.pyplot as plt
import numpy as np

x = np.linspace(0, 8, 100)
y = a * x + b

plt.scatter([x1,x2],[y1,y2], color='gray')

plt.plot(x,y,linestyle='--')

plt.title("How to calculate the slope and intercept of a line using python ?", fontsize=10)
plt.xlabel('x',fontsize=8)
plt.ylabel('y',fontsize=8)

plt.xlim(0,8)
plt.ylim(0,8)

plt.grid()

plt.savefig("calculate_line_slope_and_intercept.png")
plt.show()

Références

Image

of