在PIL中旋转正方形

2024-09-27 07:28:01 发布

您现在位置:Python中文网/ 问答频道 /正文

使用PIL,我想通过指定正方形边长和旋转角度在图像上绘制一个旋转的正方形。正方形应该是白色的,背景应该是灰色的。例如,下图旋转45度:

enter image description here

我知道如何在PIL中旋转的唯一方法是旋转整个图像。但如果我从下面的图像开始:

enter image description here

然后旋转45度,我得到:

enter image description here

这种方法只是引入黑色部分来填充图像的“未定义”区域。在

我怎么才能旋转正方形呢?在

生成我的原始方块(第二个图)的代码如下:

from PIL import Image

image = Image.new('L', (100, 100), 127)
pixels = image.load()

for i in range(30, image.size[0] - 30):
    for j in range(30, image.size[1] - 30):
        pixels[i, j] = 255

rotated_image = image.rotate(45)
rotated_image.save("rotated_image.bmp")

Tags: 方法in图像imageforsizepil绘制
2条回答

如果你只想画一个任意角度的纯色正方形,可以用三角法计算旋转正方形的顶点,然后用polygon绘制。在

import math
from PIL import Image, ImageDraw

#finds the straight-line distance between two points
def distance(ax, ay, bx, by):
    return math.sqrt((by - ay)**2 + (bx - ax)**2)

#rotates point `A` about point `B` by `angle` radians clockwise.
def rotated_about(ax, ay, bx, by, angle):
    radius = distance(ax,ay,bx,by)
    angle += math.atan2(ay-by, ax-bx)
    return (
        round(bx + radius * math.cos(angle)),
        round(by + radius * math.sin(angle))
    )

image = Image.new('L', (100, 100), 127)
draw = ImageDraw.Draw(image)

square_center = (50,50)
square_length = 40

square_vertices = (
    (square_center[0] + square_length / 2, square_center[1] + square_length / 2),
    (square_center[0] + square_length / 2, square_center[1] - square_length / 2),
    (square_center[0] - square_length / 2, square_center[1] - square_length / 2),
    (square_center[0] - square_length / 2, square_center[1] + square_length / 2)
)

square_vertices = [rotated_about(x,y, square_center[0], square_center[1], math.radians(45)) for x,y in square_vertices]

draw.polygon(square_vertices, fill=255)

image.save("output.png")

结果:

enter image description here

我们将其推广到矩形:

  • x的长度l,y的宽度w
  • 使用“旋转矩阵”。在

旋转代码:

import math

def makeRectangle(l, w, theta, offset=(0,0)):
    c, s = math.cos(theta), math.sin(theta)
    rectCoords = [(l/2.0, w/2.0), (l/2.0, -w/2.0), (-l/2.0, -w/2.0), (-l/2.0, w/2.0)]
    return [(c*x-s*y+offset[0], s*x+c*y+offset[1]) for (x,y) in rectCoords]

图纸代号:

^{pr2}$

相关问题 更多 >

    热门问题