-
シンプルなXOR暗号化:
import java.awt.image.BufferedImage; import java.io.File; import java.io.IOException; import javax.imageio.ImageIO; public class ImageEncryptionExample { public static void main(String[] args) { String imagePath = "path_to_image.png"; String encryptedImagePath = "path_to_encrypted_image.png"; String encryptionKey = "encryption_key"; try { BufferedImage image = ImageIO.read(new File(imagePath)); // 画像を暗号化する encryptImage(image, encryptionKey); // 暗号化された画像を保存する ImageIO.write(image, "png", new File(encryptedImagePath)); System.out.println("画像の暗号化が完了しました。"); } catch (IOException e) { e.printStackTrace(); } } private static void encryptImage(BufferedImage image, String encryptionKey) { int width = image.getWidth(); int height = image.getHeight(); for (int y = 0; y < height; y++) { for (int x = 0; x < width; x++) { int rgb = image.getRGB(x, y); int encryptedRGB = rgb ^ encryptionKey.hashCode(); image.setRGB(x, y, encryptedRGB); } } } }
-
AES暗号化:
import java.awt.image.BufferedImage; import java.io.File; import java.io.IOException; import javax.crypto.Cipher; import javax.crypto.spec.SecretKeySpec; import javax.imageio.ImageIO; import org.apache.commons.codec.binary.Base64; public class ImageEncryptionExample { public static void main(String[] args) { String imagePath = "path_to_image.png"; String encryptedImagePath = "path_to_encrypted_image.png"; String encryptionKey = "encryption_key"; try { BufferedImage image = ImageIO.read(new File(imagePath)); // 画像を暗号化する encryptImage(image, encryptionKey); // 暗号化された画像を保存する ImageIO.write(image, "png", new File(encryptedImagePath)); System.out.println("画像の暗号化が完了しました。"); } catch (IOException e) { e.printStackTrace(); } } private static void encryptImage(BufferedImage image, String encryptionKey) { try { byte[] keyBytes = encryptionKey.getBytes(); SecretKeySpec key = new SecretKeySpec(keyBytes, "AES"); Cipher cipher = Cipher.getInstance("AES"); cipher.init(Cipher.ENCRYPT_MODE, key); int width = image.getWidth(); int height = image.getHeight(); for (int y = 0; y < height; y++) { for (int x = 0; x < width; x++) { int rgb = image.getRGB(x, y); byte[] encryptedRGB = cipher.doFinal(toBytes(rgb)); image.setRGB(x, y, toInt(encryptedRGB)); } } } catch (Exception e) { e.printStackTrace(); } } private static byte[] toBytes(int value) { return new byte[] { (byte) (value >> 16), (byte) (value >> 8), (byte) value }; } private static int toInt(byte[] bytes) { return (bytes[0] << 16) | (bytes[1] << 8) | bytes[2]; } }
これらは、Javaを使用して画像を暗号化するための基本的な方法の一部です。他の暗号化アルゴリズムやライブラリを使用することもできますが、この例ではXOR暗号化とAES暗号化を紹介しました。暗号化にはセキュリティ上の注意が必要であり、実際のアプリケーションで使用する場合には適切な鍵管理やセキュリティプラクティスを実装する必要があります。