0

0

图像处理脚本:PNG转换器和resizer

心靈之曲

心靈之曲

发布时间:2025-02-15 22:42:23

|

552人浏览过

|

来源于php中文网

原创

this python script automates image processing, ensuring transparency, cropping unused space, resizing to fit a 2:1 canvas, and cleaning filenames. let's improve the clarity and structure for better understanding and maintainability.

图像处理脚本:PNG转换器和resizer

Image Processing Script: PNG Converter and Resizer

This Python script streamlines image processing by ensuring transparency, cropping excess space, resizing to a 2:1 aspect ratio, and standardizing filenames. Here's a breakdown of its functionality:

  • Transparency Handling: Converts images to PNG format with transparency. If an image has a white background, it's replaced with transparency.
  • Space Removal: Removes spaces from filenames, replacing them with underscores (_).
  • Filename Shortening: Truncates filenames exceeding a maximum length (30 characters).
  • Cropping: Crops any extra unused space around the image.
  • Resizing: Resizes images to fit a 2:1 canvas (e.g., 400x200), maintaining aspect ratio and centering the image.
  • Logging Skipped Images: Records filenames of images skipped due to unsupported formats, emptiness, or full transparency.
  • Dependencies: Requires the Pillow (PIL fork) library. Install it using: pip install Pillow

How to Use:

  1. Place your images in a folder (e.g., images).
  2. Run the script. It will process the images and save them to a new folder (e.g., edited_images).
  3. Processed images will be resized, centered, and saved as PNGs with transparency.

Notes:

SoftGist
SoftGist

SoftGist是一个软件工具目录站,每天为您带来最好、最令人兴奋的软件新产品。

下载

The script handles only valid image formats and logs any issues with unsupported formats or transparency in the console.

Improved Python Script:

from PIL import Image
import os

def ensure_transparency(image):
    """Ensures the image has transparency; replaces white backgrounds with transparency."""
    if image.mode != 'RGBA':
        image = image.convert('RGBA')
    if image.getchannel('A').getextrema()[0] != 0:
        data = image.getdata()
        new_data = [(r, g, b, 0) if r > 240 and g > 240 and b > 240 else (r, g, b, a) for r, g, b, a in data]
        image.putdata(new_data)
    return image

def crop_and_resize(image, target_width, target_height):
    """Crops unused space and resizes to the target dimensions, maintaining aspect ratio."""
    bbox = image.getbbox()
    if bbox is None:
        return None  # Image is empty or fully transparent

    cropped = image.crop(bbox)
    width, height = cropped.size
    aspect_ratio = target_width / target_height

    if width / height > aspect_ratio:
        new_width = target_width
        new_height = int(new_width * (height / width))
    else:
        new_height = target_height
        new_width = int(new_height * (width / height))

    resized = cropped.resize((new_width, new_height), Image.LANCZOS)
    return resized

def process_image(input_path, output_path, target_width, target_height):
    """Processes a single image: ensures transparency, crops, resizes, and saves."""
    try:
        image = Image.open(input_path)
        image = ensure_transparency(image)
        resized_image = crop_and_resize(image, target_width, target_height)
        if resized_image:
            canvas = Image.new("RGBA", (target_width, target_height), (255, 255, 255, 0))
            x_offset = (target_width - resized_image.width) // 2
            y_offset = (target_height - resized_image.height) // 2
            canvas.paste(resized_image, (x_offset, y_offset))
            canvas.save(output_path, "PNG")
            return True
        else:
            return False
    except IOError:
        print(f"Error processing {input_path}")
        return False

def shorten_filename(filename, max_length=30):
    """Shortens filenames, preserving extensions."""
    name, ext = os.path.splitext(filename)
    return f"{name[:max_length]}{ext}"

def batch_process_images(input_dir, output_dir, target_width, target_height):
    """Processes all images in the input directory."""
    os.makedirs(output_dir, exist_ok=True)
    skipped = []
    for filename in os.listdir(input_dir):
        if filename.lower().endswith(('.jpg', '.jpeg', '.png')):
            input_path = os.path.join(input_dir, filename)
            new_filename = shorten_filename(filename.replace(" ", "_"))
            output_path = os.path.join(output_dir, new_filename)
            if not process_image(input_path, output_path, target_width, target_height):
                skipped.append(filename)
    if skipped:
        print("\nSkipped images:")
        for filename in skipped:
            print(f"- {filename}")


input_directory = './images'
output_directory = './edited_images'
batch_process_images(input_directory, output_directory, 400, 200) #Example 2:1 ratio

This revised script is more efficient, readable, and uses more descriptive variable names and function names. Error handling is improved, and the code is better organized into logical functions. Remember to create the images directory and place your images inside before running the script.

热门AI工具

更多
DeepSeek
DeepSeek

幻方量化公司旗下的开源大模型平台

豆包大模型
豆包大模型

字节跳动自主研发的一系列大型语言模型

通义千问
通义千问

阿里巴巴推出的全能AI助手

腾讯元宝
腾讯元宝

腾讯混元平台推出的AI助手

文心一言
文心一言

文心一言是百度开发的AI聊天机器人,通过对话可以生成各种形式的内容。

讯飞写作
讯飞写作

基于讯飞星火大模型的AI写作工具,可以快速生成新闻稿件、品宣文案、工作总结、心得体会等各种文文稿

即梦AI
即梦AI

一站式AI创作平台,免费AI图片和视频生成。

ChatGPT
ChatGPT

最最强大的AI聊天机器人程序,ChatGPT不单是聊天机器人,还能进行撰写邮件、视频脚本、文案、翻译、代码等任务。

相关专题

更多
pip安装使用方法
pip安装使用方法

安装步骤:1、确保Python已经正确安装在您的计算机上;2、下载“get-pip.py”脚本;3、按下Win + R键,然后输入cmd并按下Enter键来打开命令行窗口;4、在命令行窗口中,使用cd命令切换到“get-pip.py”所在的目录;5、执行安装命令;6、验证安装结果即可。大家可以访问本专题下的文章,了解pip安装使用方法的更多内容。

339

2023.10.09

更新pip版本
更新pip版本

更新pip版本方法有使用pip自身更新、使用操作系统自带的包管理工具、使用python包管理工具、手动安装最新版本。想了解更多相关的内容,请阅读专题下面的文章。

414

2024.12.20

pip设置清华源
pip设置清华源

设置方法:1、打开终端或命令提示符窗口;2、运行“touch ~/.pip/pip.conf”命令创建一个名为pip的配置文件;3、打开pip.conf文件,然后添加“[global];index-url = https://pypi.tuna.tsinghua.edu.cn/simple”内容,这将把pip的镜像源设置为清华大学的镜像源;4、保存并关闭文件即可。

761

2024.12.23

python升级pip
python升级pip

本专题整合了python升级pip相关教程,阅读下面的文章了解更多详细内容。

349

2025.07.23

if什么意思
if什么意思

if的意思是“如果”的条件。它是一个用于引导条件语句的关键词,用于根据特定条件的真假情况来执行不同的代码块。本专题提供if什么意思的相关文章,供大家免费阅读。

777

2023.08.22

format在python中的用法
format在python中的用法

Python中的format是一种字符串格式化方法,用于将变量或值插入到字符串中的占位符位置。通过format方法,我们可以动态地构建字符串,使其包含不同值。php中文网给大家带来了相关的教程以及文章,欢迎大家前来阅读学习。

782

2023.07.31

python中的format是什么意思
python中的format是什么意思

python中的format是一种字符串格式化方法,用于将变量或值插入到字符串中的占位符位置。通过format方法,我们可以动态地构建字符串,使其包含不同值。本专题为大家提供相关的文章、下载、课程内容,供大家免费下载体验。

434

2024.06.27

scripterror怎么解决
scripterror怎么解决

scripterror的解决办法有检查语法、文件路径、检查网络连接、浏览器兼容性、使用try-catch语句、使用开发者工具进行调试、更新浏览器和JavaScript库或寻求专业帮助等。本专题为大家提供相关的文章、下载、课程内容,供大家免费下载体验。

208

2023.10.18

俄罗斯Yandex引擎入口
俄罗斯Yandex引擎入口

2026年俄罗斯Yandex搜索引擎最新入口汇总,涵盖免登录、多语言支持、无广告视频播放及本地化服务等核心功能。阅读专题下面的文章了解更多详细内容。

158

2026.01.28

热门下载

更多
网站特效
/
网站源码
/
网站素材
/
前端模板

精品课程

更多
相关推荐
/
热门推荐
/
最新课程
最新Python教程 从入门到精通
最新Python教程 从入门到精通

共4课时 | 22.3万人学习

Django 教程
Django 教程

共28课时 | 3.6万人学习

SciPy 教程
SciPy 教程

共10课时 | 1.3万人学习

关于我们 免责申明 举报中心 意见反馈 讲师合作 广告合作 最新更新
php中文网:公益在线php培训,帮助PHP学习者快速成长!
关注服务号 技术交流群
PHP中文网订阅号
每天精选资源文章推送

Copyright 2014-2026 https://www.php.cn/ All Rights Reserved | php.cn | 湘ICP备2023035733号