blob: a5e11ef169d9db0ef156509826aebdb8115e3fa4 (
plain) (
blame)
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
|
package main
import (
"crypto/sha256"
"fmt"
)
type Codec struct {
table map[string]string
}
func Constructor() Codec {
var codec Codec
table := make(map[string]string)
codec.table = table
return codec
}
// Encodes a URL to a shortened URL.
func (this *Codec) encode(longUrl string) string {
hash := sha256.Sum256([]byte(longUrl))
hashStr := string(hash[:])
tinyUrl := "http://tinyurl.com/" + hashStr
this.table[hashStr] = longUrl
return tinyUrl
}
// Decodes a shortened URL to its original URL.
func (this *Codec) decode(shortUrl string) string {
return this.table[shortUrl[19:]]
}
/**
* Your Codec object will be instantiated and called as such:
* obj := Constructor();
* url := obj.encode(longUrl);
* ans := obj.decode(url);
*/
func main() {
longUrl := "https://leetcode.com/problems/design-tinyurl"
obj := Constructor()
url := obj.encode(longUrl)
fmt.Println(url)
ans := obj.decode(url)
fmt.Println(ans)
}
|