- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在尝试编写一个函数来加载和处理 NN 的数据。作为输入,我有一组不同尺寸的图片。图片应表示为具有 RGB channel 的 3D numpy 数组。我需要它们具有相同的尺寸(最大图片的尺寸)。
我已经尝试过np.pad
,但似乎我不知道它应该如何工作。实际上,即使我有填充,我也不知道如何根据图片的大小来改变它。代码如下:
from PIL import Image
import numpy as np
import cv2
import os
def load_data(path):
aminoacids = ['Ala','Arg','Asn','Asp','Cys','Gln','Glu','Gly','His','Ile', 'Ini', 'Leu','Lys','Met','Phe','Pro','Pyr', 'Sec','Ser','Thr','Trp','Tyr','Val']
matrix = []
answer_labeled = []
names = os.listdir(path)
for i in names:
matrix = cv2.imread(path + i, 1)
matrix = np.pad(matrix, (0, 1), 'constant', constant_values=[255,255,255])
for y in aminoacids:
if y + "-" in i:
a = [matrix, y]
answer_labeled.append(a)
return answer_labeled
data_processed = load_data("/content/drive/My Drive/Thesis/dl/img/ans/")
我收到此错误:
ValueErrorTraceback (most recent call last)
<ipython-input-50-e021738e59ea> in <module>()
20 return answer_labeled
21
---> 22 data_processed = load_data("/content/drive/My Drive/Thesis/dl/img/ans/")
23
24 # print(len(os.listdir("/content/drive/My Drive/Thesis/dl/img/ans/")))
<ipython-input-50-e021738e59ea> in load_data(path)
13 for i in names:
14 matrix = cv2.imread(path + i, 1)
---> 15 matrix = np.pad(matrix, (0, 1), 'constant', constant_values=[255,255,255])
16 for y in aminoacids:
17 if y + "-" in i:
/usr/local/lib/python2.7/dist-packages/numpy/lib/arraypad.pyc in pad(array, pad_width, mode, **kwargs)
1208 kwargs[i] = _as_pairs(kwargs[i], narray.ndim, as_index=True)
1209 if i in ['end_values', 'constant_values']:
-> 1210 kwargs[i] = _as_pairs(kwargs[i], narray.ndim)
1211 else:
1212 # Drop back to old, slower np.apply_along_axis mode for user-supplied
/usr/local/lib/python2.7/dist-packages/numpy/lib/arraypad.pyc in _as_pairs(x, ndim, as_index)
951 # Converting the array with `tolist` seems to improve performance
952 # when iterating and indexing the result (see usage in `pad`)
--> 953 return np.broadcast_to(x, (ndim, 2)).tolist()
954
955
/usr/local/lib/python2.7/dist-packages/numpy/lib/stride_tricks.pyc in broadcast_to(array, shape, subok)
180 [1, 2, 3]])
181 """
--> 182 return _broadcast_to(array, shape, subok=subok, readonly=True)
183
184
/usr/local/lib/python2.7/dist-packages/numpy/lib/stride_tricks.pyc in _broadcast_to(array, shape, subok, readonly)
127 it = np.nditer(
128 (array,), flags=['multi_index', 'refs_ok', 'zerosize_ok'] + extras,
--> 129 op_flags=[op_flag], itershape=shape, order='C')
130 with it:
131 # never really has writebackifcopy semantics
ValueError: operands could not be broadcast together with remapped shapes [original->remapped]: (3,) and requested shape (3,2)
当然,我尝试用谷歌搜索这个错误,但没有找到对我有用或可以理解的东西(因为我在编程方面确实是新手)。我将不胜感激任何帮助和想法。
最佳答案
我曾经必须解决类似的任务,所以我为其创建了以下函数。它允许指定每个维度的大小差异的分数,应在之前和之后填充(类似于 np.pad )。例如,如果您有两个形状为 (3,)
和 (5,)
的数组,则 before=1
将填充整个差异 (在本例中,2
) 位于左侧,而 before=0.5
则在左侧填充一个元素,在右侧填充一个元素。与np.pad
类似,这些因素也可以为每个维度指定。这是实现:
import numpy as np
def pad_max_shape(arrays, before=None, after=1, value=0, tie_break=np.floor):
"""Pad the given arrays with a constant values such that their new shapes fit the biggest array.
Parameters
----------
arrays : sequence of arrays of the same rank
before, after : {float, sequence, array_like}
Similar to `np.pad -> pad_width` but specifies the fraction of values to be padded before
and after respectively for each of the arrays. Must be between 0 and 1.
If `before` is given then `after` is ignored.
value : scalar
The pad value.
tie_break : ufunc
The actual number of items to be padded _before_ is computed as the total number of elements
to be padded times the `before` fraction and the actual number of items to be padded _after_
is the remainder. This function determines how the fractional part of the `before` pad width
is treated. The actual `before` pad with is computed as ``tie_break(N * before).astype(int)``
where ``N`` is the total pad width. By default `tie_break` just takes the `np.floor` (i.e.
attributing the fraction part to the `after` pad width). The after pad width is computed as
``total_pad_width - before_pad_width``.
Returns
-------
padded_arrays : list of arrays
Notes
-----
By default the `before` pad width is computed as the floor of the `before` fraction times the number
of missing items for each axis. This is done regardless of whether `before` or `after` is provided
as a function input. For that reason the fractional part of the `before` pad width is attributed
to the `after` pad width (e.g. if the total pad width is 3 and the left fraction is 0.5 then the
`before` pad width is 1 and the `after` pad width is 2; in order to f). This behavior can be controlled
with the `tie_break` parameter.
"""
shapes = np.array([x.shape for x in arrays])
if before is not None:
before = np.zeros_like(shapes) + before
else:
before = np.ones_like(shapes) - after
max_size = shapes.max(axis=0, keepdims=True)
margin = (max_size - shapes)
pad_before = tie_break(margin * before.astype(float)).astype(int)
pad_after = margin - pad_before
pad = np.stack([pad_before, pad_after], axis=2)
return [np.pad(x, w, mode='constant', constant_values=value) for x, w in zip(arrays, pad)]
对于您的示例,您可以按如下方式使用它:
test = [np.ones(shape=(i, i, 3)) for i in range(5, 10)]
result = pad_max_shape(test, before=0.5, value=255)
print([x.shape for x in result])
print(result[0][:, :, 0])
这会产生以下输出:
[(9, 9, 3), (9, 9, 3), (9, 9, 3), (9, 9, 3), (9, 9, 3)]
[[255. 255. 255. 255. 255. 255. 255. 255. 255.]
[255. 255. 255. 255. 255. 255. 255. 255. 255.]
[255. 255. 1. 1. 1. 1. 1. 255. 255.]
[255. 255. 1. 1. 1. 1. 1. 255. 255.]
[255. 255. 1. 1. 1. 1. 1. 255. 255.]
[255. 255. 1. 1. 1. 1. 1. 255. 255.]
[255. 255. 1. 1. 1. 1. 1. 255. 255.]
[255. 255. 255. 255. 255. 255. 255. 255. 255.]
[255. 255. 255. 255. 255. 255. 255. 255. 255.]]
所以我们可以看到每个数组都被对称地填充到最大数组(9, 9, 3)
的形状。
关于python - 如何将多个图像填充到包含所有图像的最小形状?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/58115013/
我正在尝试学习 Knockout 并尝试创建一个照片 uploader 。我已成功将一些图像存储在数组中。现在我想回帖。在我的 knockout 码(Javascript)中,我这样做: 我在 Jav
我正在使用 php 编写脚本。我的典型问题是如何在 mysql 中添加一个有很多替代文本和图像的问题。想象一下有机化学中具有苯结构的描述。 最有效的方法是什么?据我所知,如果我有一个图像,我可以在数据
我在两个图像之间有一个按钮,我想将按钮居中到图像高度。有人可以帮帮我吗? Entrar
下面的代码示例可以在这里查看 - http://dev.touch-akl.com/celebtrations/ 我一直在尝试做的是在 Canvas 上绘制 2 个图像(发光,然后耀斑。这些图像的链接
请检查此https://jsfiddle.net/rhbwpn19/4/ 图像预览对于第一篇帖子工作正常,但对于其他帖子则不然。 我应该在这里改变什么? function readURL(input)
我对 Canvas 有疑问。我可以用单个图像绘制 Canvas ,但我不能用单独的图像绘制每个 Canvas 。- 如果数据只有一个图像,它工作正常,但数据有多个图像,它不工作你能帮帮我吗? va
我的问题很简单。如何获取 UIImage 的扩展类型?我只能将图像作为 UIImage 而不是它的名称。图像可以是静态的,也可以从手机图库甚至文件路径中获取。如果有人可以为此提供一点帮助,将不胜感激。
我有一个包含 67 个独立路径的 SVG 图像。 是否有任何库/教程可以为每个路径创建单独的光栅图像(例如 PNG),并可能根据路径 ID 命名它们? 最佳答案 谢谢大家。我最终使用了两个答案的组合。
我想将鼠标悬停在一张图片(音乐专辑)上,然后播放一张唱片,所以我希望它向右移动并旋转一点,当它悬停时我希望它恢复正常动画片。它已经可以向右移动,但我无法让它随之旋转。我喜欢让它尽可能简单,因为我不是编
Retina iOS 设备不显示@2X 图像,它显示 1X 图像。 我正在使用 Xcode 4.2.1 Build 4D502,该应用程序的目标是 iOS 5。 我创建了一个测试应用(主/细节)并添加
我正在尝试从头开始以 Angular 实现图像 slider ,并尝试复制 w3school基于图像 slider 。 下面我尝试用 Angular 实现,谁能指导我如何使用 Angular 实现?
我正在尝试获取图像的图像数据,其中 w= 图像宽度,h = 图像高度 for (int i = x; i imageData[pos]>0) //Taking data (here is the pr
我的网页最初通过在 javascript 中动态创建图像填充了大约 1000 个缩略图。由于权限问题,我迁移到 suPHP。现在不用标准 标签本身 我正在通过这个 php 脚本进行检索 $file
我正在尝试将 python opencv 图像转换为 QPixmap。 我按照指示显示Page Link我的代码附在下面 img = cv2.imread('test.png')[:,:,::1]/2
我试图在这个 Repository 中找出语义分割数据集的 NYU-v2 . 我很难理解图像标签是如何存储的。 例如,给定以下图像: 对应的标签图片为: 现在,如果我在 OpenCV 中打开标签图像,
import java.util.Random; class svg{ public static void main(String[] args){ String f="\"
我有一张 8x8 的图片。 (位图 - 可以更改) 我想做的是能够绘制一个形状,给定一个 Path 和 Paint 对象到我的 SurfaceView 上。 目前我所能做的就是用纯色填充形状。我怎样才
要在页面上显示图像,你需要使用源属性(src)。src 指 source 。源属性的值是图像的 URL 地址。 定义图像的语法是: 在浏览器无法载入图像时,替换文本属性告诉读者她们失去的信息。此
**MMEditing是基于PyTorch的图像&视频编辑开源工具箱,支持图像和视频超分辨率(super-resolution)、图像修复(inpainting)、图像抠图(matting)、
我正在尝试通过资源文件将图像插入到我的程序中,如下所示: green.png other files 当我尝试使用 QImage 或 QPixm
我是一名优秀的程序员,十分优秀!