将负片图像转换为正片 [已关闭]

2022-09-03 16:54:24

我有旧的负片,我已经扫描到我的电脑上。我想写一个小程序来将负片图像转换为其正片状态。

我知道有几个图像编辑器应用程序可以用来实现这种转换,但我正在研究如何操纵像素以通过一个小应用程序自己转换它们。

任何人都可以在这方面给我一个良好的开端吗?如果可能的话,示例代码也将不胜感激。


答案 1

我刚刚写了一个工作示例。给定以下输入图像。img.png

img.png

输出将是一个新图像,如invert-img.png

invert-img.png

import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.IOException;
import javax.imageio.ImageIO;

class Convert
{
    public static void main(String[] args)
    {
        invertImage("img.png");
    }

    public static void invertImage(String imageName) {
        BufferedImage inputFile = null;
        try {
            inputFile = ImageIO.read(new File(imageName));
        } catch (IOException e) {
            e.printStackTrace();
        }

        for (int x = 0; x < inputFile.getWidth(); x++) {
            for (int y = 0; y < inputFile.getHeight(); y++) {
                int rgba = inputFile.getRGB(x, y);
                Color col = new Color(rgba, true);
                col = new Color(255 - col.getRed(),
                                255 - col.getGreen(),
                                255 - col.getBlue());
                inputFile.setRGB(x, y, col.getRGB());
            }
        }

        try {
            File outputFile = new File("invert-"+imageName);
            ImageIO.write(inputFile, "png", outputFile);
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}

如果要创建单色图像,可以将 的计算更改为如下所示:col

int MONO_THRESHOLD = 368;
if (col.getRed() + col.getGreen() + col.getBlue() > MONO_THRESHOLD)
    col = new Color(255, 255, 255);
else
    col = new Color(0, 0, 0);

以上会给你下图

monochromic-img.png

您可以进行调整以获得更令人满意的输出。增加数字将使像素更暗,反之亦然。MONO_THRESHOLD


答案 2

尝试查找操作。这是来自肮脏的富客户书的样本


推荐