MyBatis 本身并不提供數據加密功能,但你可以在實體類中使用 Java 代碼來實現數據加密。以下是一個簡單的示例,展示了如何在 MyBatis 實體類中對數據進行加密和解密。
首先,我們需要一個加密工具類。這里我們使用 Java 內置的 javax.crypto
包來實現一個簡單的 AES 加密:
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import java.nio.charset.StandardCharsets;
import java.util.Base64;
public class EncryptionUtils {
private static final String ALGORITHM = "AES";
private static final String TRANSFORMATION = "AES/ECB/PKCS5Padding";
public static String encrypt(String data, String key) throws Exception {
SecretKeySpec secretKey = new SecretKeySpec(key.getBytes(StandardCharsets.UTF_8), ALGORITHM);
Cipher cipher = Cipher.getInstance(TRANSFORMATION);
cipher.init(Cipher.ENCRYPT_MODE, secretKey);
byte[] encryptedData = cipher.doFinal(data.getBytes(StandardCharsets.UTF_8));
return Base64.getEncoder().encodeToString(encryptedData);
}
public static String decrypt(String encryptedData, String key) throws Exception {
SecretKeySpec secretKey = new SecretKeySpec(key.getBytes(StandardCharsets.UTF_8), ALGORITHM);
Cipher cipher = Cipher.getInstance(TRANSFORMATION);
cipher.init(Cipher.DECRYPT_MODE, secretKey);
byte[] decodedData = Base64.getDecoder().decode(encryptedData);
return new String(cipher.doFinal(decodedData), StandardCharsets.UTF_8);
}
}
接下來,我們在實體類中使用這個加密工具類對數據進行加密和解密:
public class User {
private String id;
private String name;
private String encryptedPassword;
// 省略 getter 和 setter 方法
public void setPassword(String password, String encryptionKey) {
try {
this.encryptedPassword = EncryptionUtils.encrypt(password, encryptionKey);
} catch (Exception e) {
throw new RuntimeException("Error encrypting password", e);
}
}
public String getPassword(String encryptionKey) {
try {
return EncryptionUtils.decrypt(this.encryptedPassword, encryptionKey);
} catch (Exception e) {
throw new RuntimeException("Error decrypting password", e);
}
}
}
在這個示例中,我們將密碼字段存儲為加密后的形式(encryptedPassword
),并提供了一個 setPassword
方法來設置密碼,該方法會在設置密碼時自動對其進行加密。同樣,我們還提供了一個 getPassword
方法來獲取解密后的密碼。
請注意,這個示例僅用于演示目的,實際項目中你可能需要根據自己的需求選擇更安全的加密算法和密鑰管理方式。