- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个像 [[1, 2, 2.23], [2, 3, 3.6],[-3, 4, 5], ...] 这样的矩阵,每一行表示一个点。
我想做的是这样的:
我想创建一个函数,它有两个参数:
像 [0,0,0] 这样的中心和上面的矩阵。
然后它计算点到中心的最大距离作为球体的半径,并在矩阵中绘制一个球体。
球体是透明的,所以如果我们绘制点,我们可以看到球体内部的点。
我还需要以某种方式区分最大距离的点。比如从中心到点绘制一个矢量或用不同的颜色绘制它。任何帮助将不胜感激。
最佳答案
基于 this answer :
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D
from matplotlib.patches import FancyArrowPatch
from mpl_toolkits.mplot3d import proj3d
import numpy as np
# interactive mode off, can [normally] be safely removed
plt.ioff()
# define an arrow class:
class Arrow3D(FancyArrowPatch):
def __init__(self, start=[0,0,0], end=[1,1,1], *args, **kwargs):
if "arrowstyle" not in kwargs:
kwargs["arrowstyle"] = "-|>"
if "mutation_scale" not in kwargs:
kwargs["mutation_scale"] = 20
if "color" not in kwargs:
kwargs["color"] = "k"
FancyArrowPatch.__init__(self, (0,0), (0,0), *args, **kwargs)
xs = [start[0], end[0]]
ys = [start[1], end[1]]
zs = [start[2], end[2]]
self._verts3d = xs, ys, zs
def draw(self, renderer):
xs3d, ys3d, zs3d = self._verts3d
xs, ys, zs = proj3d.proj_transform(xs3d, ys3d, zs3d, renderer.M)
self.set_positions((xs[0],ys[0]),(xs[1],ys[1]))
FancyArrowPatch.draw(self, renderer)
def WireframeSphere(centre=[0.,0.,0.], radius=1.,
n_meridians=20, n_circles_latitude=None):
"""
Create the arrays of values to plot the wireframe of a sphere.
Parameters
----------
centre: array like
A point, defined as an iterable of three numerical values.
radius: number
The radius of the sphere.
n_meridians: int
The number of meridians to display (circles that pass on both poles).
n_circles_latitude: int
The number of horizontal circles (akin to the Equator) to display.
Notice this includes one for each pole, and defaults to 4 or half
of the *n_meridians* if the latter is larger.
Returns
-------
sphere_x, sphere_y, sphere_z: arrays
The arrays with the coordinates of the points to make the wireframe.
Their shape is (n_meridians, n_circles_latitude).
Examples
--------
>>> fig = plt.figure()
>>> ax = fig.gca(projection='3d')
>>> ax.set_aspect("equal")
>>> sphere = ax.plot_wireframe(*WireframeSphere(), color="r", alpha=0.5)
>>> fig.show()
>>> fig = plt.figure()
>>> ax = fig.gca(projection='3d')
>>> ax.set_aspect("equal")
>>> frame_xs, frame_ys, frame_zs = WireframeSphere()
>>> sphere = ax.plot_wireframe(frame_xs, frame_ys, frame_zs, color="r", alpha=0.5)
>>> fig.show()
"""
if n_circles_latitude is None:
n_circles_latitude = max(n_meridians/2, 4)
u, v = np.mgrid[0:2*np.pi:n_meridians*1j, 0:np.pi:n_circles_latitude*1j]
sphere_x = centre[0] + radius * np.cos(u) * np.sin(v)
sphere_y = centre[1] + radius * np.sin(u) * np.sin(v)
sphere_z = centre[2] + radius * np.cos(v)
return sphere_x, sphere_y, sphere_z
def find_most_distants(points, center=[0.,0.,0.], tol=1e-5):
"""
Finds and returns a list of points that are the most distante ones to
the center.
Parameters
----------
points: list
A list of points (see center to know what a point is)
center: array like
A point, defined as an iterable of three numerical values.
"""
# make central point an array to ease vector calculations
center = np.asarray(center)
# find most distant points
max_distance = 0
most_distant_points = []
for point in points:
distance = np.linalg.norm(center-point)
if abs(distance - max_distance) <= tol:
most_distant_points.append(point)
elif distance > max_distance:
most_distant_points = [point]
max_distance = distance
return max_distance, most_distant_points
def list_of_points_TO_lists_of_coordinates(list_of_points):
"""
Converts a list of points to lists of coordinates of those points.
Parameter
---------
list_of_points: list
A list of points (each defined as an iterable of three numerical values)
Returns
-------
points_x, points_y, points_z: array
Lists of coordinates
"""
points_x = []
points_y = []
points_z = []
for point in list_of_points:
points_x.append(point[0])
points_y.append(point[1])
points_z.append(point[2])
return points_x, points_y, points_z
def function(central_point=[0.,0.,0.],
other_points=[[1., 2., 2.23],
[2., 3., 3.6],
[-3., 4., 5.]],):
"""
Draws a wireframe sphere centered on central_point and containing all
points in other_points list. Also draws the points inside the sphere and
marks the most distant ones with an arrow.
Parameters
----------
central_point: array like
A point, defined as an iterable of three numerical values.
other_points: list
A list of points (see central_point to know what a point is)
"""
# find most distant points
max_distance, most_distant_points = find_most_distants(other_points, central_point)
#prepare figure and 3d axis
fig = plt.figure()
ax = fig.gca(projection='3d')
ax.set_aspect("equal")
#draw sphere
ax.plot_wireframe(*WireframeSphere(central_point, max_distance), color="r", alpha=0.5)
# draw points
ax.scatter(*list_of_points_TO_lists_of_coordinates(other_points))
# draw arrows to most distant points:
for extreme_point in most_distant_points:
ax.add_artist(Arrow3D(start=central_point, end=extreme_point))
fig.show()
if __name__ == '__main__':
function([0,0,0], 2*np.random.rand(50,3)-1)
# make a list with equally most distant point:
repeated_max_list = 2*np.random.rand(10,3)-1
distance, points = find_most_distants(repeated_max_list)
repeated_max_list = np.concatenate((repeated_max_list,points))
repeated_max_list[-1][0] = -repeated_max_list[-1][0]
repeated_max_list[-1][1] = -repeated_max_list[-1][1]
repeated_max_list[-1][2] = -repeated_max_list[-1][2]
function([0,0,0], repeated_max_list)
关于python-3.x - 当给定中心点和半径大小时如何绘制球体?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/40460960/
我有 0 小时、3 小时、12 小时、24 小时、48 小时的数据组……我想绘制这些数据的图表,以便保留时间的比例。 runs <- c(1:25) hours <- as.factor(c(0, 3
例如,如果我选择了时间:下午 3 点和小时数:5 小时,则得到 (8pm) 作为答案“ 最佳答案 let calendar = Calendar.current let date = calendar
我有一个包含两个日期时间字段的表单。用户输入日期 (yyyy-mm-dd) 和时间(3 个框;小时、分钟、上午/下午)。 出于某种原因,第一个没有保存为 24 小时制。 以下数据为输入结果: 2011
我一直在尝试使用导出单位进行计算,但到目前为止我还没有取得任何成果。 我已经尝试过mathjs ,但如果我输入 1 小时 * 1 英里/小时,我会得到 UnsupportedTypeError: Fu
我有两组要运行的 cronjob。第一个应该每 3 小时运行一次,第二个也应该每 3 小时运行一次,但比第一组晚一个小时。什么是正确的语法? // every 3 hours 17 */3 * *
我知道 AWS 中的预留实例更多的是计费而不是实际实例——它们没有附加到实际实例——我想知道: 如果我在特定区域和可用区中购买特定时间的预留实例 - 如果我每天 24 小时使用单个实例与运行 24 个
我试过: seq( from=as.POSIXct("2012-1-1 0", tz="UTC"), to=as.POSIXct("2012-1-3 23", tz="UTC"),
我有一个带有“日期”列的表。我想按小时分组指定日期。 最佳答案 Select TO_CHAR(date,'HH24') from table where date = TO_DATE('2011022
我知道如何在 SQL (SQL Server) 中获取当前日期,但要获取当天的开始时间: select dateadd(DAY, datediff(day, 0, getdate()),0) (res
我正在尝试在游戏之间创建一个计时器,以便用户在失去生命后必须等待 5 分钟才能再次玩游戏。但是我不确定最好的方法是什么。 我还需要它来防止用户在“设置”中编辑他们的时间。 实现这一目标的最佳方法是什么
我的查询有误。该错误显示预期的已知函数,得到“HOUR”。如果我删除这部分,查询将正常工作 (AND HOUR({$nowDate}) = 11) SELECT c FROM ProConvocati
var d1 = new Date(); var d2 = new Date(); d2.setHours(d1.getHours() +01); alert(d2); 这部分没问题。现在我试图在 (
我正在构建一个用于练习的基本时钟应用程序,但出于某种原因,时间不会自动更改为最新的分钟或小时。例如,当前时间是 17:56,但它显示的是 17:54,这是我打开应用程序的最后时间。 NSDate *n
我创建了一张图片,我想将其用作页面的 hr。当它被上传时,它一直向左对齐。我希望它居中,在标题下。这是我的 CSS 代码: .section-underline { height: 35px
这个问题已经有答案了: Getting difference in seconds from two dates in JavaScript (2 个回答) 已关闭 4 年前。 我想计算两个具有不同格
我需要计算到某个日期/时间的剩余时间(天/小时)。 但是,我没有使用静态日期。 假设我在 每个星期日 的 17:00 有一个事件。我需要显示到下一个事件的剩余时间,即即将到来的星期日 17:00。 我
我正在执行这个脚本: SELECT EXTRACT(HOUR FROM TIMEDIFF('2009-12-12 13:13:13', NOW())); 我得到:-838。这是提取时 MySQL 可以
复制代码 代码如下: /** * 小时:分钟的正则表达式检查<br> * <br> * @param pInput 要检查的字符串 * @return boolean 返
连wifi5元/小时 独领风骚 朕好帅 今晚你是我的人 十里桃花 高端定制厕所VP专用 一只老母猪 在家好无聊 你爹的wifi 密码是叫爸爸全拼 关晓彤和鹿晗分手了吗 蹭了我的
我有以下数据框列: 我需要将 csv 列中的对象字符串数据转换为总秒数。 示例:10m -> 600s 我试过这段代码: df.duration = str(datetime.timedelta(df
我是一名优秀的程序员,十分优秀!