Hi, guys
Here's a snippet of code of Java about AES encrypt:
import
com.sun.org.apache.xml.internal.security.exceptions.Base64DecodingException;
import com.sun.org.apache.xml.internal.security.utils.Base64;
...
public static String encrypt(String content, String password) {
    try {
            KeyGenerator kgen = KeyGenerator.getInstance("AES");
            kgen.init(128, new SecureRandom(password.getBytes()));
            SecretKey secretKey = kgen.generateKey();
            byte[] enCodeFormat = secretKey.getEncoded();
            SecretKeySpec key = new SecretKeySpec(enCodeFormat, "AES");
            Cipher cipher = Cipher.getInstance("AES");
            cipher.init(Cipher.ENCRYPT_MODE, key);
            byte[] byteContent = content.getBytes("utf-8");
            byte[] result = cipher.doFinal(byteContent);
            return Base64.encode(result);
    } catch (NoSuchAlgorithmException e) {
            e.printStackTrace();
    } catch (NoSuchPaddingException e) {
            e.printStackTrace();
    } catch (InvalidKeyException e) {
            e.printStackTrace();
    } catch (UnsupportedEncodingException e) {
            e.printStackTrace();
    } catch (IllegalBlockSizeException e) {
            e.printStackTrace();
    } catch (BadPaddingException e) {
            e.printStackTrace();
    }
    return null;
}
Now I try to implement it in Ruby(not work):
def self.aes128_encrypt(password, content)
  cipher = OpenSSL::Cipher.new('AES-128-ECB')
  cipher.encrypt
  cipher.key = password
  result = cipher.update(content) + cipher.final
  Base64.encode64(result).chomp
end
After some research, I think the problem is the cipher#key: In Java, it's
generate by securerandom with password as seed, But in Ruby, I use the
password directly.
So I want to generate key like Java. But I find the random number generator
used by Java is NativePRNG, which I do not find the same implementation so
far.
Now, I want to ask help from guys familiar with Both Ruby and Java:
How can i implement the same AES encrypt in Ruby?
Or how to generate random string in Ruby with NativePRNG.
Thank you very much for each reply.