`
isiqi
  • 浏览: 16563709 次
  • 性别: Icon_minigender_1
  • 来自: 济南
社区版块
存档分类
最新评论

php下的RSA算法实现

阅读更多
/*
* Implementation of the RSA algorithm
* (C) Copyright 2004 Edsko de Vries, Ireland
*
* Licensed under the GNU Public License (GPL)
*
* This implementation has been verified against [3]
* (tested Java/PHP interoperability).
*
* References:
* [1] "Applied Cryptography", Bruce Schneier, John Wiley & Sons, 1996
* [2] "Prime Number Hide-and-Seek", Brian Raiter, Muppetlabs (online)
* [3] "The Bouncy Castle Crypto Package", Legion of the Bouncy Castle,
* (open source cryptography library for Java, online)
* [4] "PKCS #1: RSA Encryption Standard", RSA Laboratories Technical Note,
* version 1.5, revised November 1, 1993

*/

/*
* Functions that are meant to be used by the user of this PHP module.
*
* Notes:
* - $key and $modulus should be numbers in (decimal) string format
* - $message is expected to be binary data
* - $keylength should be a multiple of 8, and should be in bits
* - For rsa_encrypt/rsa_sign, the length of $message should not exceed
* ($keylength / 8) - 11 (as mandated by [4]).
* - rsa_encrypt and rsa_sign will automatically add padding to the message.
* For rsa_encrypt, this padding will consist of random values; for rsa_sign,
* padding will consist of the appropriate number of 0xFF values (see [4])
* - rsa_decrypt and rsa_verify will automatically remove message padding.
* - Blocks for decoding (rsa_decrypt, rsa_verify) should be exactly
* ($keylength / 8) bytes long.
* - rsa_encrypt and rsa_verify expect a public key; rsa_decrypt and rsa_sign
* expect a private key.

*/

function rsa_encrypt($message, $public_key, $modulus, $keylength)
{

$padded = add_PKCS1_padding($message, true, $keylength / 8);
$number = binary_to_number($padded);
$encrypted = pow_mod($number, $public_key, $modulus);
$result = number_to_binary($encrypted, $keylength / 8);

return $result;
}


function rsa_decrypt($message, $private_key, $modulus, $keylength)
{

$number = binary_to_number($message);
$decrypted = pow_mod($number, $private_key, $modulus);
$result = number_to_binary($decrypted, $keylength / 8);

return remove_PKCS1_padding($result, $keylength / 8);
}


function rsa_sign($message, $private_key, $modulus, $keylength)
{

$padded = add_PKCS1_padding($message, false, $keylength / 8);
$number = binary_to_number($padded);
$signed = pow_mod($number, $private_key, $modulus);
$result = number_to_binary($signed, $keylength / 8);

return $result;
}


function rsa_verify($message, $public_key, $modulus, $keylength)
{

return rsa_decrypt($message, $public_key, $modulus, $keylength);
}


/*
* Some constants

*/

define("BCCOMP_LARGER", 1);

/*
* The actual implementation.
* Requires BCMath support in PHP (compile with --enable-bcmath)

*/

//--
// Calculate (p ^ q) mod r
//
// We need some trickery to [2]:
// (a) Avoid calculating (p ^ q) before (p ^ q) mod r, because for typical RSA
// applications, (p ^ q) is going to be _WAY_ too large.
// (I mean, __WAY__ too large - won't fit in your computer's memory.)
// (b) Still be reasonably efficient.
//
// We assume p, q and r are all positive, and that r is non-zero.
//
// Note that the more simple algorithm of multiplying $p by itself $q times, and
// applying "mod $r" at every step is also valid, but is O($q), whereas this
// algorithm is O(log $q). Big difference.
//
// As far as I can see, the algorithm I use is optimal; there is no redundancy
// in the calculation of the partial results.
//--

function pow_mod($p, $q, $r)
{

// Extract powers of 2 from $q
$factors = array();
$div = $q;
$power_of_two = 0;
while(bccomp($div, "0") == BCCOMP_LARGER)
{

$rem = bcmod($div, 2);
$div = bcdiv($div, 2);

if($rem) array_push($factors, $power_of_two);
$power_of_two++;
}


// Calculate partial results for each factor, using each partial result as a
// starting point for the next. This depends of the factors of two being
// generated in increasing order.

$partial_results = array();
$part_res = $p;
$idx = 0;
foreach($factors as $factor)
{

while($idx < $factor)
{

$part_res = bcpow($part_res, "2");
$part_res = bcmod($part_res, $r);

$idx++;
}

array_pus(
$partial_results, $part_res);
}


// Calculate final result
$result = "1";
foreach($partial_results as $part_res)
{

$result = bcmul($result, $part_res);
$result = bcmod($result, $r);
}


return $result;
}


//--
// Function to add padding to a decrypted string
// We need to know if this is a private or a public key operation [4]
//--

function add_PKCS1_padding($data, $isPublicKey, $blocksize)
{

$pad_length = $blocksize - 3 - strlen($data);

if($isPublicKey)
{

$block_type = "\x02";

$padding = "";
for($i = 0; $i < $pad_length; $i++)
{

$rnd = mt_rand(1, 255);
$padding .= chr($rnd);
}
}

else
{

$block_type = "\x01";
$padding = str_repeat("\xFF", $pad_length);
}


return "\x00" . $block_type . $padding . "\x00" . $data;
}


//--
// Remove padding from a decrypted string
// See [4] for more details.
//--

function remove_PKCS1_padding($data, $blocksize)
{

assert(strlen($data) == $blocksize);
$data = substr($data, 1);

// We cannot deal with block type 0
if($data{0} == '\0')
die("Block type 0 not implemented.");

// Then the block type must be 1 or 2
assert(($data{0} == "\x01") || ($data{0} == "\x02"));

// Remove the padding
$offset = strpos($data, "\0", 1);
return substr($data, $offset + 1);
}


//--
// Convert binary data to a decimal number
//--

function binary_to_number($data)
{

$base = "256";
$radix = "1";
$result = "0";

for($i = strlen($data) - 1; $i >= 0; $i--)
{

$digit = ord($data{$i});
$part_res = bcmul($digit, $radix);
$result = bcadd($result, $part_res);
$radix = bcmul($radix, $base);
}


return $result;
}


//--
// Convert a number back into binary form
//--

function number_to_binary($number, $blocksize)
{

$base = "256";
$result = "";

$div = $number;
while($div > 0)
{

$mod = bcmod($div, $base);
$div = bcdiv($div, $base);

$result = chr($mod) . $result;
}


return str_pad($result, $blocksize, "\x00", STR_PAD_LEFT);
}

?>
分享到:
评论

相关推荐

    PHP版RSA加密算法

    本文将详细介绍如何在PHP环境中运用RSA算法。 首先,了解RSA的基本原理。RSA算法基于大数因子分解的困难性,通过一对公钥和私钥进行加解密。公钥可以公开,用于加密;私钥必须保密,用于解密。加密过程是用公钥对...

    php版本rsa加密算法

    例如,`rsa.class.php`和`rsa.php`可能是两个实现RSA功能的类文件。`key`可能包含生成的公钥和私钥文件,通常以PEM格式存储,以ASCII编码的Base64形式表示。这些密钥文件通常以`.pem`或`.key`为扩展名。 `rsa加密...

    php rsa加密算法

    python的rsa加密代码翻译成php import rsa def get_encrypted_pw(self,password,nonce,servertime,pub_key): rsa_e = 65537 #0x10001 pw_string = str(servertime) + '\t' + str(nonce) + '\n' + str(password) ...

    RSA1024 RSA2048算法密匙生成器

    `openssl_tools.jar`是一个包含OpenSSL库的Java封装,OpenSSL是一个开源的加密库,提供了各种密码学功能,包括RSA算法的实现。这个jar文件可能是为了在Java环境中使用OpenSSL的命令行工具,如生成RSA密钥对、进行...

    PHP_JAVA_RSA互通加解密

    本项目"PHP_JAVA_RSA互通加解密"实现了PHP和Java之间使用RSA算法进行数据的加解密操作,确保了跨平台、跨语言的数据安全通信。 首先,RSA(Rivest-Shamir-Adleman)加密算法基于数论中的大数因子分解问题,它的核心...

    php 实现rsa加密 SHA256WithRSA

    RSA的私钥格式为:PKCS#8 RSA的填充方式为:PKCS1Padding 加密算法:SHA256WithRSA

    OpenSSL的RSA算法实现的非对称加密

    VS2013实现,可编译运行。 加解密大文件时有Bug 原因是读文件时对读入Buffer的长度判断有问题。 不想详细调了。 基本的加密解密,密钥生成都实现了。...注意RSA算法每次可以容纳的buffer长度是有限制的。

    RSA算法源代码 PHP实现

    在PHP中实现RSA算法,通常需要处理以下几个关键步骤: 1. **密钥生成**:RSA算法的核心是生成一对匹配的公钥和私钥。这通常涉及到大素数的选取和欧拉函数的计算。在PHP中,可以使用内置的`openssl_pkey_new()`函数...

    asp.net RSA 私钥加密公钥解密 能解 php Java 实现RSA加密互通

    要实现跨平台的RSA加密互通,如ASP.NET与PHP或Java,关键在于密钥格式和加密算法的一致性。PHP使用openssl扩展支持RSA,Java则有java.security包下的KeyPairGenerator和Cipher类。对于PKCS#8格式的私钥,PHP和Java都...

    PHP实现的MD5结合RSA签名算法实例

    PHP实现的MD5结合RSA签名算法是一种安全机制,用于在互联网上确保数据传输的真实性和完整性。MD5是一种广泛使用的密码散列函数,它可以产生一个128位的散列值(哈希值),用于确保数据的完整性和一致性。而RSA...

    RSA文件加密的研究和实现(含毕业论文和实现代码)

    RSA算法就是利用这个数学难题来实现安全的信息加密和解密。 在RSA加密过程中,用户拥有两个密钥:公钥和私钥。公钥可以公开,用于加密数据;而私钥必须保密,用于解密数据。任何人都可以用公钥对信息进行加密,但...

    PHP下RSA公钥格式转化

    本篇文章将深入探讨如何在PHP环境下处理RSA公钥的格式转换问题,特别是从X509证书到PEM编码的转换以及将Modulus/Exponent形式的RSA Key转化为PEM编码格式。 首先,让我们理解一下X509证书和PEM编码。X509是一种标准...

    基于RSA算法的PHP网站用户登录数据加密研究.pdf

    基于RSA算法的PHP网站用户登录数据加密研究

    PHP通用RSA非对称加密算法

    正是基于这种理论,1978年出现了著名的RSA算法,它通常是先生成一对RSA密钥,其中之一是保密密钥,由用户保存;另一个为公开密钥,可对外公开,甚至可在网络服务器中注册。为提高保密强度,RSA密钥至少为500位长。这...

    Delphi ,Java,php等通用 RSA加密,解密,签名.

    本知识点将深入探讨RSA算法的原理、实现过程以及如何在Delphi、Java和PHP这三种不同的编程环境中进行加密、解密和签名操作。 **RSA算法原理:** RSA是由Ron Rivest、Adi Shamir和Leonard Adleman三位科学家在1977年...

    PHP RSA分段加密解密

    PHP RSA分段加密解密是由于RSA算法本身的特性决定的。RSA加密基于两个不同的密钥——公钥和私钥。公钥可以公开,用于加密数据;而私钥必须保密,用于解密数据。然而,RSA算法的加密和解密效率较低,且存在一个最大可...

    Delphi标准RSA加密,解密,签名.与C,Java,php等通用

    3. **安全性考虑**:随着计算能力的增强,传统的RSA算法可能面临安全性挑战。一般建议使用至少2048位的密钥长度,以抵御当前的量子计算威胁。 4. **库的选择**:Delphi虽然内建了一些加密支持,但为了更丰富的功能...

    Delphi XE2实现带汉字的通用RSA加解密算法

    使用网上下载的RSAOpenSSL单元实现了通用的RSA加解密算法。加密结果可用在线加解密网址成功解密。Demo使用XE2版本开发,支持对汉字加解密,附件包含了自制的公私钥证书(标准的PEM格式),可直接用来测试。

    php-rsa加密解密

    本篇文章将详细探讨如何在PHP中实现RSA加密解密,以及相关的知识点。 首先,RSA的核心原理基于大数因子分解的困难性,它包含一对密钥:公钥和私钥。公钥可以公开给任何人,用于加密数据;而私钥则需要保密,用于...

    PHP RSA AES加密解密及封装的类方便调用

    下面我们将详细探讨RSA和AES这两种加密算法以及它们在PHP中的应用。 首先,RSA是一种非对称加密算法,由Ron Rivest、Adi Shamir和Leonard Adleman于1977年提出,因此得名。这种算法的核心在于一对密钥:公钥和私钥...

Global site tag (gtag.js) - Google Analytics