- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我的意思是:给定一个通用 matplotlib 的实例 Artist
,是否有一种通用的方法来获取该艺术家的位置参数值以实例化另一位相同类型的艺术家?我知道有 properties
- 方法,但根据我的经验,这只返回关键字参数,而不返回位置参数。
我了解到 inspect
模块,我设法用它至少获得了给定艺术家类型的位置参数的名称,但我没有得到比这更进一步的信息,因为艺术家的相应属性通常有不同的名称。
import inspect
from matplotlib.lines import Line2D
artist = Line2D([0, 1], [2, 3])
sig = inspect.signature(type(artist))
args = {}
for param in sig.parameters.values():
if (
param.default == param.empty
and param.kind != inspect.Parameter.VAR_KEYWORD
):
args[param.name] = getattr(artist, param.name)
new_artist = type(artist)(**args)
最佳答案
好吧,经过无数小时的研究,陷入各种兔子洞并在相同的想法中盘旋(其中一些记录在案 here ),我终于暂时放弃了。我在这里发布的最后一种方法实际上是手动硬编码可以检索相关信息的函数,具体取决于艺术家的类型。但即使这种方法最终也失败了,因为:
使用 convenience functions应该将属性从一位艺术家复制到下一位艺术家,例如 artist.update_from()
不幸的是:
AxesImages
就是这种情况这意味着您还必须想出自己的方式来单独复制此信息。这又会非常麻烦,但更重要的是:
args
和kwargs
。例如 FancyArrows
就是这种情况。 . 实际上没有任何 kwargs,只有两个用于初始化此类的 args 可以从艺术家实例本身以任何方式再次访问。这太令人沮丧了。无论如何,这是我对复制方法进行硬编码的尝试,也许它们对其他人有用。
复制.py
from matplotlib.patches import Ellipse, Rectangle, FancyArrow
from matplotlib.text import Annotation, Text
from matplotlib.lines import Line2D
from matplotlib.image import AxesImage
from matplotlib.artist import Artist
from matplotlib.axes import Axes
from matplotlib_scalebar.scalebar import ScaleBar
from typing import Callable
def _get_ellipse_args(ellipse: Ellipse) -> list:
return [ellipse.center, ellipse.width, ellipse.height]
def _get_rectangle_args(rectangle: Rectangle) -> list:
return [rectangle.get_xy(), rectangle.get_width(), rectangle.get_height()]
def _get_fancy_arroy_args(arrow: FancyArrow) -> list:
return [*arrow.xy, arrow.dx, arrow.dy]
def _get_scalebar_args(scalebar: ScaleBar) -> list:
return [scalebar.dx]
def _get_line2d_args(line: Line2D) -> list:
return line.get_data()
def _get_text_args(text: Text) -> list:
return []
def _get_annotation_args(text: Text) -> list:
return [text.get_text(), text.xy]
class Duplicator:
_arg_fetchers = {
Line2D: _get_line2d_args,
# Ellipse: _get_ellipse_args,
Rectangle: _get_rectangle_args,
Text: _get_text_args,
Annotation: _get_annotation_args,
ScaleBar: _get_scalebar_args,
AxesImage: lambda: None,
}
def args(self, artist):
return self._arg_fetchers[type(artist)](artist)
@classmethod
def duplicate(
cls, artist: Artist, other_ax: Axes,
duplication_method: Callable = None
) -> Artist:
if duplication_method is not None:
cls._arg_fetchers[type(artist)] = duplication_method
if type(artist) in cls._arg_fetchers:
if isinstance(artist, AxesImage):
duplicate = other_ax.imshow(artist.get_array())
# duplicate.update_from(artist) has no effect on AxesImage
# instances for some reason.
# duplicate.update(artist.properties()) causes an
# AttributeError for some other reason.
# Thus it seems kwargs need to be set individually for
# AxesImages.
duplicate.set_cmap(artist.get_cmap())
duplicate.set_clim(artist.get_clim())
else:
duplicate = type(artist)(*cls.args(cls, artist))
# this unfortunately copies properties that should not be
# copied, resulting in the artist being absent in the new axes
# duplicate.update_from(artist)
other_ax.add_artist(duplicate)
return duplicate
else:
raise TypeError(
'There is no duplication method for this type of artist',
type(artist)
)
@classmethod
def can_duplicate(cls, artist: Artist) -> bool:
return type(artist) in cls._arg_fetchers
duplicate_test.py
import numpy as np
import matplotlib.pyplot as plt
from matplotlib.patches import Ellipse
from matplotlib.text import Annotation
from matplotlib.lines import Line2D
from duplicate import Duplicator, _get_ellipse_args
fig, (ax1, ax2, ax3) = plt.subplots(1, 3)
# determine artists that were there before we manually added some
default_artists1 = set(ax1.get_children())
default_artists2 = set(ax2.get_children())
# add several artists to ax1
ax1.add_line(Line2D([0, 1], [2, 3], lw=4, color='red'))
ax1.add_patch(Ellipse((1, 1), 1, 1))
ax1.imshow(np.random.uniform(0, 1, (10, 10)))
ax2.add_patch(Ellipse((3, 5), 2, 4, fc='purple'))
ax2.add_artist(Annotation('text', (1, 1), fontsize=20))
# set axes limits, optional, but usually necessary
for ax in [ax1, ax2]:
ax.relim()
ax.autoscale_view()
ax2.axis('square')
for ax in [ax2, ax3]:
ax.set_xlim(ax1.get_xlim())
ax.set_ylim(ax1.get_ylim())
# determine artists that were added manually
new_artists1 = set(ax1.get_children()) - default_artists1
new_artists2 = set(ax2.get_children()) - default_artists2
new_artists = new_artists1 | new_artists2
# declare our own arg fetchers for artists types that may not be
# covered by the Duplicator class
arg_fetchers = {Ellipse: _get_ellipse_args}
# duplicate artists to ax3
for artist in new_artists:
if Duplicator.can_duplicate(artist):
Duplicator.duplicate(artist, ax3)
else:
Duplicator.duplicate(artist, ax3, arg_fetchers[type(artist)])
fig.show()
我真的不明白为什么,虽然 matplotlib 坚持不在不同的图形/轴上重复使用同一位艺术家(这可能有一个很好的技术原因),但他们同时做到了 impossible , 如果不是至少 very awkward/hacky移动或复制艺术家。
关于python - matplotlib 中是否有任何方法可以获取艺术家的值(value),这是实例化此类艺术家所必需的?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/62417982/
你们中有人有如何从 iPod 媒体库中检索所有音乐专辑或艺术家的示例代码(或其链接)吗? 提前致谢! 最佳答案 使用 MPMediaQuery: MPMediaQuery *allAlbumsQuer
我对此进行了大量研究,但找不到任何解决该特定主题的内容。 我想要获取当前用户库中的所有艺术家,甚至只是特定播放列表中的所有艺术家,例如“加星标”播放列表。 当我尝试进入播放列表中的艺术家或轨道时,我得
我制作了一个连接到 radio 并使用 MediaPlayer 播放其音频的程序。我想打印艺术家、歌名……但我不知道怎么做。 我尝试使用 MediaStore.Audio.Media.ARTIST 执
我希望设置一种方法,可以将正常图形(深色线条、白色/透明背景)转换为伪倒置图形(浅色线条、黑色/透明背景)。我可以对图像进行后期处理,但直接反转的颜色看起来很糟糕,所以我想改为(尝试)创建从一组颜色到
我用 matplotlib 创建了一个 Line2D 对象数组,我想在各种绘图中使用它们。但是,在多个情节中使用相同的艺术家不起作用,因为我得到: RuntimeError: Can not put
与音乐应用程序非常相似,我想访问歌曲的名称(而不是文件的名称)或艺术家或专辑。例如,我想用手机上所有歌曲的名称填充一个 ListView 。 最佳答案 有两种方法,一种是从音乐文件本身读取元标记,另一
我正在 Android 中开发一个音乐应用程序,当检索歌曲的专辑、艺术家、流派名称时,我得到了一些未知名称。 对于专辑,未知的专辑名称显示为“音乐”。对于艺术家,未知艺术家名称显示为“”对于流派,未知
我一直在尝试使用 php5-ffmpeg 扩展来获取远程 mp3(和其他格式)元数据。 尽管我总是缺少标题、作者、评论、艺术家详细信息,但它正在工作。 我一直在网上搜索答案,但没有找到任何解决方案。
mp3 ID Title Description 标签 ID Title 艺术家 ID Title 艺术家关系 mp3ID //call to mp3s.ID artistID // call to
我正在尝试通过项目上的按钮链接到艺术家的 iTunes“页面”。我试过使用他们的 safari 页面,例如“http://itunes.apple.com/au/artist/blink-182/id
我有一个带有艺术家和标题的动态音频播放器。它工作正常,但在移动 View 中,艺术家和标题突出了我的 div。 这是一张图片: 我希望艺术家 - 标题(当用户的屏幕变长时)仅在下方显示一行。 我已经通
我用一组像这样的图像制作了一个动画(10张快照): import numpy as np import matplotlib.pyplot as plt from matplotlib.patches
我正在尝试使用以下代码获取我在 Java 项目中使用的 .wav 文件的属性。但是,当我运行此代码时,方法 format.getProperty("title")、format.getProperty
我想知道我是否可以获取 mp3 文件信息,如专辑名称、艺术家、存储在 mp3 文件中的图像等等?如果有办法做到这一点,请帮忙。顺便说一句:我创建了一个名为 Entagged 的 Java 库,但我
我需要它: https://github.com/danielamitay/DAAppsViewController 代码是: DAAppsViewController *appsViewContro
我正在开发一个使用 Vue 构建的供个人使用的 PWA,其功能基本上与 YouTube Music 相同,而无需每月付费。 我设置了一个带有 REST API 的服务器,该服务器可以根据查询搜索 Yo
关闭。这个问题不符合Stack Overflow guidelines .它目前不接受答案。 我们不允许提问寻求书籍、工具、软件库等的推荐。您可以编辑问题,以便用事实和引用来回答。 关闭 8 年前。
我想为 Windows Phone 7 创建一个简单的音频播放器。 如何获得歌曲、艺术家、专辑、流派和播放我选择的项目的方法的列表?类似于原生 wp7 应用程序“音乐+视频”中的内容 第二个问题: 我
以前可以使用 MediaLibrary 访问 Albums、Genres 等 using(MediaLibrary library = new MediaLibrary()) { SongCo
我在配置 URL 以将特定艺术家音乐的 RSS 提要加载到我的应用程序时遇到问题。我正在使用 dev.apple 上可用的 itunes XMLPerformace 测试 Xcode 项目。我只是想改
我是一名优秀的程序员,十分优秀!