图像到极坐标

时间:2018-01-01 19:51:02

标签: image python-2.7 python-imaging-library polar-coordinates

我在将图像转换为极坐标时遇到问题。在Photoshop中它很容易:)所以这对我来说是新领域。

我有以下图片:

start image

它应该看起来像这样:

polar coordinates

我看了一眼here并且我已经掌握了基础知识,但仍然有点困惑的方法:

import math
from PIL import Image, ImageDraw


# image size
imgX = 200
imgY = 200

image = Image.new("RGB", (imgX, imgY))
draw = ImageDraw.Draw(image)

#fill with white first
colour = "#ffffff"
box = [0,0, imgX, imgY]
image.paste(colour, box)

# draw line near base
draw.line((0,180, 200, 180), fill="#FF0000", width=2)

print "Line done!"
image.save("line.png", "PNG")

# there's got to be a way to get the current image
# without having to open it up again

im = Image.open("line.png")
rgb_im = im.convert("RGB")

# rectangle to polar coordinates
maxradius = math.sqrt(imgX**2 + imgY**2)/2
rscale = imgX / maxradius
tscale = imgY / (2*math.pi)

for y in range(0, imgY):
    dy = y - imgY/2

    for x in range(0, imgX):
        dx = x - imgX/2
        t = math.atan2(dy,dx)%(2*math.pi)
        r = math.sqrt(dx**2+dy**2)

        r, g, b = rgb_im.getpixel((x, y))
        # this is where it goes wrong
        col = b * 65536 + g * 256 + r
        image.putpixel((x, y), b * 65536 + g * 256 + r

image.save("polar.png", "PNG")

我几乎对如何重绘图像感到困惑。需要注意的是:由于行政限制,我想避免使用像Numpy这样的外部库。

1 个答案:

答案 0 :(得分:2)

以下代码对我有用。主要变化:

  • line_imagecircle_image创建了单独的变量。没有理由重新加载图片,您可以重复使用line_image ...

  • tr将为您提供要在广告系列中为每个对应的xy访问的图片坐标图片。他们已经在那里,你只需要有效地使用它们作为索引来获取像素颜色。

  • rscaletscale应用于rt,以便2×pi对应于图像的右边缘。你肯定需要更改r的这个比例,以便能够在输出中看到这个圆圈,或者将线条拉近靠近顶部(例如,在第100行而不是180)。

  • 我还为线图像访问添加了边界检查。

```

import math
from PIL import Image, ImageDraw     
# image size
imgX = 200
imgY = 200

line_image = Image.new("RGB", (imgX, imgY))
draw = ImageDraw.Draw(line_image)

#fill with white first
colour = "#ffffff"
box = [0,0, imgX, imgY]
line_image.paste(colour, box)

# draw line near base
draw.line((0,180, 200, 180), fill="#FF0000", width=2)

print "Line done!"
line_image.save("line.png", "PNG")

circle_image = Image.new("RGB", (imgX, imgY))

# rectangle to polar coordinates
maxradius = math.sqrt(imgX**2 + imgY**2)/2
rscale = imgX / maxradius
tscale = imgY / (2*math.pi)

for y in range(0, imgY):
    dy = y - imgY/2

    for x in range(0, imgX):
        dx = x - imgX/2
        t = math.atan2(dy,dx)%(2*math.pi)*tscale
        r = math.sqrt(dx**2+dy**2)*rscale

        if 0<= t < imgX and 0 <= r < imgY:
            r, g, b = line_image.getpixel((t, r))
            # this is where it goes wrong
            col = b * 65536 + g * 256 + r
            circle_image.putpixel((x, y), col)

circle_image.save("polar.png", "PNG")

```