我有一大组 jpg 图像,我想为其创建缩略图。这些图像都有不同的尺寸和分辨率,但我希望所有缩略图都具有标准尺寸,例如 120x80px。但是,我不想拉伸图像。所以我想做以下事情:
- 将图像裁剪为 1.5 : 1 的纵横比。将裁剪区域居中(即左右或上下等量裁剪)
- 将图像大小调整为 120 x 80 像素。
有没有一个linux命令可以这样做?我查看了 imagemick convert ,但我不知道如何进行居中裁剪。似乎您必须手动指定每张图像的裁剪区域?
我有一大组 jpg 图像,我想为其创建缩略图。这些图像都有不同的尺寸和分辨率,但我希望所有缩略图都具有标准尺寸,例如 120x80px。但是,我不想拉伸图像。所以我想做以下事情:
有没有一个linux命令可以这样做?我查看了 imagemick convert ,但我不知道如何进行居中裁剪。似乎您必须手动指定每张图像的裁剪区域?
这适用于大于 120x80 的图像。未在较小的设备上进行测试,但您应该能够对其进行调整。
#! /bin/bash
for img in p*.jpg ; do
identify=$(identify "$img")
[[ $identify =~ ([0-9]+)x([0-9]+) ]] || \
{ echo Cannot get size >&2 ; continue ; }
width=${BASH_REMATCH[1]}
height=${BASH_REMATCH[2]}
let good_width=height+height/2
if (( width < good_width )) ; then # crop horizontally
let new_height=width*2/3
new_width=$width
let top='(height-new_height)/2'
left=0
elif (( width != good_width )) ; then # crop vertically
let new_width=height*3/2
new_height=$height
let left='(width-new_width)/2'
top=0
fi
convert "$img" -crop "$new_width"x$new_height+$left+$top -resize 120x80 thumb-"$img"
done
crop-resize.py
这是一个用于裁剪、居中和调整输入图像大小的 Python 脚本:
usage: crop-resize.py [-h] [-s N N] [-q] [--outputdir DIR]
files [files ...]
Resize the image to given size. Don't strech images, crop and center
instead.
positional arguments:
files image filenames to process
optional arguments:
-h, --help show this help message and exit
-s N N, --size N N new image size (default: [120, 80])
-q, --quiet
--outputdir DIR directory where to save resized images (default: .)
核心功能是:
def crop_resize(image, size, ratio):
# crop to ratio, center
w, h = image.size
if w > ratio * h: # width is larger then necessary
x, y = (w - ratio * h) // 2, 0
else: # ratio*height >= width (height is larger)
x, y = 0, (h - w / ratio) // 2
image = image.crop((x, y, w - x, h - y))
# resize
if image.size > size: # don't stretch smaller images
image.thumbnail(size, Image.ANTIALIAS)
return image
它与@choroba 的 bash 脚本非常相似。
好的,我设法创建了至少适用于方形缩略图的东西。但是,我不太确定如何将其更改为 1:5 x 1 缩略图。
make_thumbnail() {
pic=$1
thumb=$(dirname "$1")/thumbs/square-$(basename "$1")
convert "$pic" -set option:distort:viewport \
"%[fx:min(w,h)]x%[fx:min(w,h)]+%[fx:max((w-h)/2,0)]+%[fx:max((h-w)/2,0)]"$
-filter point -distort SRT 0 +repage -thumbnail 80 "$thumb"
}
mkdir thumbs
for pic in *.jpg
do
make_thumbnail "$pic"
done