Python 在PIL中旋转正方形

Python 在PIL中旋转正方形,python,python-imaging-library,pillow,Python,Python Imaging Library,Pillow,使用PIL,我想通过指定正方形边长和旋转角度,在图像上绘制一个旋转的正方形。正方形应为白色,背景为灰色。例如,下图的旋转角度为45度: 我知道如何在PIL中进行旋转的唯一方法是旋转整个图像。但如果我从下图开始: 然后旋转45度,我得到: 该方法只引入黑色部分来填充图像的“未定义”区域 我怎样才能旋转正方形呢 生成我的原始正方形(第二个图)的代码如下: from PIL import Image image = Image.new('L', (100, 100), 127) pixels

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

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

然后旋转45度,我得到:

该方法只引入黑色部分来填充图像的“未定义”区域

我怎样才能旋转正方形呢

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

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")

如果您只想以任意角度绘制一个纯色正方形,则可以使用三角学计算旋转正方形的顶点,然后使用
多边形
绘制它

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")
结果:


让我们概括为一个矩形:

  • 长度l在x方向,宽度w在y方向
  • 使用“旋转矩阵”
轮换代码:

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]
图纸代码:

from PIL import Image
from PIL import ImageDraw
import math

L=512; W=512
image = Image.new("1", (L, W))
draw = ImageDraw.Draw(image)

vertices = makeRectangle(100, 200, 45*math.pi/180, offset=(L/2, W/2))
draw.polygon(vertices, fill=1)

image.save("test.png")

我不太清楚你要什么。“之前”和“之后”的图片在这里可能很有用。我现在相应地更新了问题!可能的重复(或者至少这看起来可以回答这个问题)