-
Notifications
You must be signed in to change notification settings - Fork 273
/
Copy pathrsa.c
60 lines (45 loc) · 1.1 KB
/
rsa.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
//
// rsa.c
// Algorithms - RSA
//
// Created by YourtionGuo on 22/05/2017.
// Copyright © 2017 Yourtion. All rights reserved.
//
#include "encrypt.h"
#pragma mark - Private
/**
计算幂模 - 使用称为二进制平方-乘的算法
@param a 明文分组
@param b 公钥的 e 或 私钥的d
@param n 公钥的 n 或 私钥的n
@return 幂模结果
*/
static Huge modexp(Huge a, Huge b, Huge n)
{
Huge y;
/// 使用二进制平方-乘的算法计算 a 的 b 次幂
/// 寄存器 y 初始值为1
y = 1;
while (b != 0) {
/// 每当遇到 b 中为 1 的位时,就将当前的 a 值乘上另一个寄存器 y
if (b & 1) {
y = (y * a) % n;
}
/// 对b的每个位执行平方操作
a = (a * a) % n;
/// 准备b的下一个位
b = b >> 1;
}
return y;
}
#pragma mark - Public
void rsa_encipher(Huge plaintext, Huge *ciphertext, RsaPubKey pubkey)
{
*ciphertext = modexp(plaintext, pubkey.e, pubkey.n);
return;
}
void rsa_decipher(Huge ciphertext, Huge *plaintext, RsaPriKey prikey)
{
*plaintext = modexp(ciphertext, prikey.d, prikey.n);
return;
}