MD 5を使用して暗号化

1745 ワード

通常、私たちのパスワードを誰にも知られたくない.
ユーザーを作成すると、サーバ・データベースに個人情報が格納され、データベースにアクセスできる人がいれば、ユーザー名やパスワードなどの重要なデータを簡単に入手できます.このような状況を防止するために、暗号化方式を使用してパスワードを暗号化することができます.
以下はStringUtilsツールクラスです.作成後、encryptメソッドを呼び出してpasswordを転送し、戻ってきた心得newPasswordを受け入れ、newPasswordをデータベースに格納します.ログインすると、変換されたnewPasswordがデータベースに保存されているpasswordと比較されます.システム管理者がデータベースのユーザー情報を表示しても、保存したpasswordからログイン時に記入したパスワードを計算することもできません.これにより、データのセキュリティが向上します.
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;

public class StringUtils {

	/**
	 * Used by the hash method.
	 */
	private static MessageDigest digest = null;

	/**
	 *   MD5                        。
	 * @param data
	 * @return
	 */
	public synchronized static final String hash(String data) {
		if (digest == null) {
			try {
				digest = MessageDigest.getInstance("MD5");
			} catch (NoSuchAlgorithmException nsae) {
				System.err.println("Failed to load the MD5 MessageDigest. "
						+ "Jive will be unable to function normally.");
			}
		}
		// Now, compute hash.
		digest.update(data.getBytes());
		return encodeHex(digest.digest());
	}

	/**
	 *             。 MD5   
	 */
	public static String encrypt(String originalStr) {
		if (originalStr == null) {
			originalStr = "";
		}
		return hash(originalStr);
	}

	/**
	 *             ,                 。
	 * @param bytes
	 * @return
	 */
	public static final String encodeHex(byte[] bytes) {
		StringBuffer buf = new StringBuffer(bytes.length * 2);
		int i;

		for (i = 0; i < bytes.length; i++) {
			if (((int) bytes[i] & 0xff) < 0x10) {
				buf.append("0");
			}
			buf.append(Long.toString((int) bytes[i] & 0xff, 16));
		}
		return buf.toString();
	}
	
}