-
Notifications
You must be signed in to change notification settings - Fork 50
/
Copy pathMd5Shortener.php
110 lines (93 loc) · 2.89 KB
/
Md5Shortener.php
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
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
<?php
/**
* code-segment
*
* @author liu hao<liu546hao@163.com>
* @copyright liu hao<liu546hao@163.com>
*
* 实现方式:md5方式
*
* 1. 把url通过md5转为32个字符
* 2. 把32个字符分为4组,每组8个字符
* 3. 8个字符共有64个bit,取后36个bit分为6组,每组6个bit
* 4. 6个bit表示的数据范围是64,所以我们给0-9,a-z,A-Z,+-,这64个字符编号为0-63
* 5. 找出每组对应的6个字符,我们会得到4组6个字符,随机取一个作为短地址
*
*/
class DbStore
{
private $recordStore = [];
public function insert($shortUrl, $longUrl)
{
$this->recordStore[$shortUrl] = $longUrl;
}
public function find($shortUrl)
{
return $this->recordStore[$shortUrl] ?? '';
}
}
class Md5Shortener
{
private $alphanumericMap = [];
public function __construct()
{
for ($i = 0; $i < 10; $i++) {
$this->alphanumericMap[$i] = $i;
}
$start = ord('a') - 10;
for ($i = 10; $i < 36; $i++) {
$this->alphanumericMap[$i] = chr($start + $i);
}
$start = ord('A') - 36;
for ($i = 36; $i < 62; $i++) {
$this->alphanumericMap[$i] = chr($start + $i);
}
$this->alphanumericMap[62] = '+';
$this->alphanumericMap[63] = '-';
}
public function short($url)
{
$md5Map = [];
$shortUrlMap = [];
$md5String = md5($url);
for ($i = 0; $i < 4; $i++) {
$md5Map[$i] = hexdec(substr($md5String, $i * 8, 8));
}
for ($i = 0; $i < 4; $i++) {
$md5Map[$i] = $md5Map[$i] & 0xfffffffff;
}
for ($i = 0; $i < 4; $i++) {
$shortUrlMap[$i][] = $this->alphanumericMap[($md5Map[$i] & 0xfffffffff) >> 30];
$shortUrlMap[$i][] = $this->alphanumericMap[($md5Map[$i] & 0x3fffffff) >> 24];
$shortUrlMap[$i][] = $this->alphanumericMap[($md5Map[$i] & 0xffffff) >> 18];
$shortUrlMap[$i][] = $this->alphanumericMap[($md5Map[$i] & 0x3ffff) >> 12];
$shortUrlMap[$i][] = $this->alphanumericMap[($md5Map[$i] & 0xfff) >> 6];
$shortUrlMap[$i][] = $this->alphanumericMap[($md5Map[$i] & 0x3f)];
}
$rand = mt_rand(0, 3);
$shortUrl = '';
foreach ($shortUrlMap[$rand] as $each) {
$shortUrl .= $each;
}
return $shortUrl;
}
}
$testData = [
'http://www.baidu.com/path/to/file',
'http://www.google.com/path/to/file',
'http://sogou.com/path/to/file',
'http://csdn.net/path/to/file',
'http://oschina.com/path/to/file',
];
echo '<pre>';
$md5Shortener = new Md5Shortener();
$dbStore = new DbStore();
foreach ($testData as $each) {
$short = $md5Shortener->short($each);
$dbStore->insert($short, $each);
$shortUrlMap[] = $short;
}
foreach ($shortUrlMap as $each) {
$url = $dbStore->find($each);
echo $each.' : '.$url.'<br>';
}