简体   繁体   English

返回给定两点的直线方程的方法

[英]Method to return the equation of a straight line given two points

I have a class Point , consisting of a point with x and y coordinates, and I have to write a method that computes and returns the equation of a straight line joining a Point object and another Point object that is passed as an argument ( my_point.get_straight_line(my_point2) . I know how to calculate that on paper with yy 1 = m(xx 1 ) and I already have a method my_point.slope(my_point2) to compute m , but I can't really wrap my head around how to translate the equation to Python. Here's the entire class:我有一个 class Point ,由一个具有 x 和 y 坐标的点组成,我必须编写一个方法来计算并返回连接Point object 和另一个作为参数传递的Point object 的直线方程 ( my_point.get_straight_line(my_point2) 。我知道如何在纸上用 yy 1 = m(xx 1 ) 计算它,并且我已经有一个方法my_point.slope(my_point2)来计算m ,但我真的不知道如何计算将等式转换为 Python。这是整个 class:

class Point:
    def __init__(self,initx,inity):
        self.x = initx
        self.y = inity

    def getx(self):
        return self.x

    def gety(self):
        return self.y

    def negx(self):
        return -(self.x)

    def negy(self):
        return -(self.y)

    def __str__(self):
        return 'x=' + str(self.x) + ', y=' + str(self.y)

    def halfway(self,target):
        midx = (self.x + target.x) / 2
        midy = (self.y + target.y) / 2
        return Point(midx, midy)

    def distance(self,target):
        xdiff = target.x - self.x
        ydiff = target.y - self.y
        dist = math.sqrt(xdiff**2 + ydiff**2)
        return dist

    def reflect_x(self):
        return Point(self.negx(),self.y)

    def reflect_y(self):
        return Point(self.x,self.negy())

    def reflect_x_y(self):
        return Point(self.negx(),self.negy())

    def slope_from_origin(self):
        if self.x == 0:
            return None
        else:
            return self.y / self.x

    def slope(self,target):
        if target.x == self.x:
            return None
        else:
            m = (target.y - self.y) / (target.x - self.x)
            return m

Any help is appreciated.任何帮助表示赞赏。

EDIT: I figured it out with an equation that computes c and then just returns it in a string along with self.slope(target) .编辑:我用一个计算c的方程式计算出来,然后将它与self.slope(target)一起返回到一个字符串中。 This turned out to be way less complicated than I thought.事实证明这比我想象的要简单得多。

def get_line_to(self,target):
    c = -(self.slope(target)*self.x - self.y)
    return 'y = ' + str(self.slope(target)) + 'x + ' + str(c)
from numpy import ones,vstack
from numpy.linalg import lstsq
points = [(1,5),(3,4)]
x_coords, y_coords = zip(*points)
A = vstack([x_coords,ones(len(x_coords))]).T
m, c = lstsq(A, y_coords)[0]
print("Line Solution is y = {m}x + {c}".format(m=m,c=c))

but really your method should be fine ... 但真的你的方法应该没问题......

Let's assume that we have the following points: 我们假设我们有以下几点:

P0: ( x0 = 100, y0 = 240 ) P0:(x0 = 100,y0 = 240)

P1: ( x1 = 400, y1 = 265 ) P1:(x1 = 400,y1 = 265)

We can compute the coefficients of the line y = a*x + b that connects the two points using the polyfit method from numpy . 我们可以使用numpy中polyfit方法计算连接两点的线y = a * x + b的系数。

import numpy as np
import matplotlib.pyplot as plt

# Define the known points
x = [100, 400]
y = [240, 265]

# Calculate the coefficients. This line answers the initial question. 
coefficients = np.polyfit(x, y, 1)

# Print the findings
print 'a =', coefficients[0]
print 'b =', coefficients[1]

# Let's compute the values of the line...
polynomial = np.poly1d(coefficients)
x_axis = np.linspace(0,500,100)
y_axis = polynomial(x_axis)

# ...and plot the points and the line
plt.plot(x_axis, y_axis)
plt.plot( x[0], y[0], 'go' )
plt.plot( x[1], y[1], 'go' )
plt.grid('on')
plt.show()

a = 0.0833333333333 a = 0.0833333333333

b = 231.666666667 b = 231.666666667

在此输入图像描述


For installing numpy: http://docs.scipy.org/doc/numpy/user/install.html 用于安装numpy: http//docs.scipy.org/doc/numpy/user/install.html

I think you are making pretty advanced code, but you are making it complicated. 我认为你正在制作相当高级的代码,但是你让它变得复杂。 Here is a function that can do that: 这是一个可以做到这一点的函数:

from decimal import Decimal


def lin_equ(l1, l2):
    """Line encoded as l=(x,y)."""
    m = Decimal((l2[1] - l1[1])) / Decimal(l2[0] - l1[0])
    c = (l2[1] - (m * l2[0]))
    return m, c

# Example Usage:
lin_equ((-40, 30,), (20, 45))

# Result: (Decimal('0.25'), Decimal('40.00'))

I cleaned it up a bit; 我把它清理了一下; see what you think. 看看你的想法。

def slope(dx, dy):
    return (dy / dx) if dx else None

class Point:
    def __init__(self, x, y):
        self.x = x
        self.y = y

    def __str__(self):
        return '({}, {})'.format(self.x, self.y)

    def __repr__(self):
        return 'Point({}, {})'.format(self.x, self.y)

    def halfway(self, target):
        midx = (self.x + target.x) / 2
        midy = (self.y + target.y) / 2
        return Point(midx, midy)

    def distance(self, target):
        dx = target.x - self.x
        dy = target.y - self.y
        return (dx*dx + dy*dy) ** 0.5

    def reflect_x(self):
        return Point(-self.x,self.y)

    def reflect_y(self):
        return Point(self.x,-self.y)

    def reflect_x_y(self):
        return Point(-self.x, -self.y)

    def slope_from_origin(self):
        return slope(self.x, self.y)

    def slope(self, target):
        return slope(target.x - self.x, target.y - self.y)

    def y_int(self, target):       # <= here's the magic
        return self.y - self.slope(target)*self.x

    def line_equation(self, target):
        slope = self.slope(target)

        y_int = self.y_int(target)
        if y_int < 0:
            y_int = -y_int
            sign = '-'
        else:
            sign = '+'

        return 'y = {}x {} {}'.format(slope, sign, y_int)

    def line_function(self, target):
        slope = self.slope(target)
        y_int = self.y_int(target)
        def fn(x):
            return slope*x + y_int
        return fn

and here are some use examples: 以下是一些使用示例:

a = Point(2., 2.)
b = Point(4., 3.)

print(a)                   # => (2.0, 2.0)
print(repr(b))             # => Point(4.0, 3.0)
print(a.halfway(b))        # => (3.0, 2.5)

print(a.slope(b))          # => 0.5
print(a.y_int(b))          # => 1.0
print(a.line_equation(b))  # => y = 0.5x + 1.0

line = a.line_function(b)
print(line(x=6.))          # => 4.0
class Line(object):

    def __init__(self,coor1,coor2):
        self.coor1 = coor1
        self.coor2 = coor2


    def distance(self):
        x1,y1 = self.coor1
        x2,y2 = self.coor2
        return ((x2-x1)**2+(y2-y1)**2)**0.5    

    def slope(self):
        x1,x2 = self.coor1
        y1,y2 = self.coor2
        return (float(y2-y1))/(x2-x1)
l=[1,1,2,2]
#l=[x1,y1,x2,y2]
y0=l[3]-l[1]
x0=l[0]-l[2]
c = l[1]*l[2]-l[0]*l[3]
if(x0>0):
    print(y0,"x","+",x0,"y=",c)
else:
    print(y0,"x",x0,"y=",c)

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

相关问题 给定4个或更多维度的两个点,是否可以找到线方程? - Given two points of 4 or more dimensions is it possible to find a line equation? 查找给定的线(方程)是否能够在python中成功地分离两个点列表 - To find whether a given line (equation) is able to separate the two lists of points sucessfully in python 找到曲线上的两个点/导数,它们之间的线是直线/恒定的 - Find two points/derivatives on curves between which the line is straight/constant 绘制连接两点的曲线而不是直线 - Draw a curve connecting two points instead of a straight line 在两点之间的直线上找到点的坐标? - Find coordinate of point on a straight line between two points? 使用 QPainterPath 在两点之间绘制直线 - Drawing straight line between two points using QPainterPath OpenCV 通过点自动绘制直线的最佳方法 - OpenCV Best method to automatically draw a straight line through points 给定两点的线平面分离 - Separation of plane by line given two points Python 给定隐式方程,找到那个方程上的点? - Python given implicit equation, find points on that equation? LinearSVC:将两个类与散点图和 pandas DataFrame 分开的直线方程 - LinearSVC: Equation of a straight line that separates two classes from a scatterplot graph and pandas DataFrame
 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM