我怎样才能改变功能或避免错误

how can I change the function or avoid the error

不知道是我写错了“line”函数还是最后一句“for”后面有别的东西,请帮帮我。该程序是关于斜率和比较这些值的,但首先我需要找到它们,但有些东西不起作用。代码是下一个:

import math

N = int(input("Number of points: "))

def line(x0,y0,x1,y1):
  if(x0==x1):
    print("\nThe slope doesn't exist\n")
    return None
  if((x0-x1)!=0):
    m = (y1-y0)/(x1-x0)
    return m

for i in range(N):
  for j in range(N):
    ind = None
    for ind in range(N):
      x_ind = {}
      y_ind = {}
      x_ind[i] = float(input("Enter x_" + str(ind) + ": "))
      y_ind[j] = float(input("Enter y_" + str(ind) + ": "))
    for _ in range(math.factorial(N-1)):
      line(x_ind[i], y_ind[j], x_ind[i+1], y_ind[j+1])
      

尝试使用列表而不是字典,以便正确使用索引值:

x_ind = []
y_ind = []

由于列表是空的,您可以使用 append() 方法将元素推送到列表中,正如我所看到的那样。

TL;DR - 您在 for 循环中声明了您的字典,因此它们在每次新迭代时都会被重置。


我认为你正在尝试这样做 -

N = int(input("Number of points: "))

def line(x0,y0,x1,y1):
  # calculate slope for (x0,y0) and (x1,y1)
  if x0 == x1:            # it will be a vertical line, it has 'undefined' slope
    # print("The slope doesn't exist\n")
    return None           # Slope Undefined
  else:                   # this is implied, no need to put extra check --> x0-x1 != 0:
    return (y1-y0)/(x1-x0)
  pass

# declare variables
x_ind = {}
y_ind = {}
for i in range(N):
  # read inputs and update the existing variables
  x_ind[i] = float(input("Enter x_" + str(i) + ": "))
  y_ind[i] = float(input("Enter y_" + str(i) + ": "))
  print(x_ind, '\n', y_ind)

# calculate slope for every pair of points
for j in range(N):
  for k in range(j+1,N):
    m = line(x_ind[j], y_ind[j], x_ind[k], y_ind[k])
    print(f'slope of line made using points: ({x_ind[j]}, {y_ind[j]}) and ({x_ind[k]}, {y_ind[k]}) is {m}')

示例输入:

Number of points: 3

Enter x_0: 3
Enter y_0: 0

Enter x_1: 0
Enter y_1: 4

Enter x_2: 0
Enter y_2: 0

示例输出:

slope of line made using points: (3.0, 0.0) and (0.0, 4.0) is -1.3333333333333333
slope of line made using points: (3.0, 0.0) and (0.0, 0.0) is -0.0
slope of line made using points: (0.0, 4.0) and (0.0, 0.0) is None