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
|
module Network.URL
( string2urlencoded, param2urlencoded, params2urlencoded
, urlencoded2string )
where
import Data.Char ( isAlphaNum )
import Data.List ( intercalate )
import Numeric ( readHex )
import Test.Prop
string2urlencoded :: String -> String
string2urlencoded [] = []
string2urlencoded (c:cs)
| noEncode c = c : string2urlencoded cs
| c == ' ' = '+' : string2urlencoded cs
| otherwise
= let oc = ord c
in '%' : int2hex(oc `div` 16) : int2hex(oc `mod` 16) : string2urlencoded cs
where
noEncode x = isAlphaNum x || x `elem` "-"
int2hex i = if i<10 then chr (ord '0' + i)
else chr (ord 'A' + i - 10)
param2urlencoded :: (String,String) -> String
param2urlencoded (n,v)
| null v = string2urlencoded n
| otherwise = string2urlencoded n ++ '=' : string2urlencoded v
params2urlencoded :: [(String,String)] -> String
params2urlencoded ps = intercalate "&" (map param2urlencoded ps)
urlencoded2string :: String -> String
urlencoded2string [] = []
urlencoded2string (c:cs)
| c == '+' = ' ' : urlencoded2string cs
| c == '%' = chr (case readHex (take 2 cs) of [(n,"")] -> n
_ -> 0)
: urlencoded2string (drop 2 cs)
| otherwise = c : urlencoded2string cs
testUrlEnconding :: String -> Prop
testUrlEnconding s = urlencoded2string (string2urlencoded s) -=- s
|