如何用这条曲线的点生成一个数组?

How to generate a array with points of this curve?

我想编写一个程序来生成一个带有坐标的数组,用于绘制像这里的白色这样的形状,给定蓝点。有谁知道如何做这样的事情,或者至少可以给我一个提示?

您可以使用例如InterpolatedUnivariateSpline 对点进行插值。由于这些样条函数通常是一维的,因此您可以根据从 0 到 1 的新变量 t 分别计算 xy 位置。

import matplotlib.pyplot as plt
import numpy as np
from scipy import interpolate

# positions of the given points
px = [1, 4, 3, 2, 5] 
py = [1, 3, 4, 3, 1]
# 5 t-values, at t=0 in point 1, at t=1 reaching point 5
pt = np.linspace(0, 1, len(px))
# sx and sy are functions that interpolate the points at the given t-values 
sx = interpolate.InterpolatedUnivariateSpline(pt, px)
sy = interpolate.InterpolatedUnivariateSpline(pt, py)
# calculate many intermediate values
t = np.linspace(0, 1, 500)
x = sx(t)
y = sy(t)

# show the original points together with the spline
fig, ax = plt.subplots(facecolor='black')
ax.axis('off')
plt.scatter(px, py, s=80, color='skyblue')
plt.plot(x, y, color='white')
for i, (xi, yi) in enumerate(zip(px, py), start=1):
    ax.text(xi, yi, f'\n  {i}', ha='left', va='center', size=30, color='yellow')
plt.show()