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
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
|
-- |
-- Copyright : (c) Sam Truzjan 2013
-- License : BSD3
-- Maintainer : pxqr.sta@gmail.com
-- Stability : experimental
-- Portability : portable
--
-- This module provides safe remote procedure call. One important
-- point is exceptions and errors, so be able handle them properly
-- we need to investigate a bit about how this all works.
-- Internally, in order to make method invokation KRPC makes the
-- following steps:
--
-- * Caller serialize arguments to bencoded bytestrings;
--
-- * Caller send bytestring data over UDP to the callee;
--
-- * Callee receive and decode arguments to the method and method
-- name. If it can't decode then it send 'ProtocolError' back to the
-- caller;
--
-- * Callee search for the @method name@ in the method table.
-- If it not present in the table then callee send 'MethodUnknown'
-- back to the caller;
--
-- * Callee check if argument names match. If not it send
-- 'ProtocolError' back;
--
-- * Callee make the actuall call to the plain old haskell
-- function. If the function throw exception then callee send
-- 'ServerError' back.
--
-- * Callee serialize result of the function to bencoded bytestring.
--
-- * Callee encode result to bencoded bytestring and send it back
-- to the caller.
--
-- * Caller check if return values names match with the signature
-- it called in the first step.
--
-- * Caller extracts results and finally return results of the
-- procedure call as ordinary haskell values.
--
-- If every other error occurred caller get the 'GenericError'. All
-- errors returned by callee are throwed as ordinary haskell
-- exceptions at caller side. Make sure that both callee and caller
-- uses the same method signatures and everything should be ok: this
-- KRPC implementation provides some level of safety through
-- types. Also note that both caller and callee use plain UDP, so
-- KRPC is unreliable.
--
-- Consider one tiny example. From now @caller = client@ and
-- @callee = server or remote@.
--
-- Somewhere we have to define all procedure signatures. Imagine
-- that this is a library shared between client and server:
--
-- > factorialMethod :: Method Int Int
-- > factorialMethod = method "factorial" ["x"] ["y"]
--
-- Otherwise you can define this code in both client and server of
-- course. But in this case you might get into troubles: you can get
-- 'MethodUnknown' or 'ProtocolError' if name or type of method
-- will mismatch after not synced changes in client or server code.
--
-- Now let's define our client-side:
--
-- > main = withRemote $ \remote -> do
-- > result <- call remote (0, 6000) factorialMethod 4
-- > assert (result == 24) $ print "Success!"
--
-- It basically open socket with 'withRemote' and make all the other
-- steps in 'call' as describe above. And finally our server-side:
--
-- > factorialImpl :: Int -> Int
-- > factorialImpl n = product [1..n]
-- >
-- > main = runServer [factorialMethod $ return . factorialImpl]
--
-- Here we implement method signature from that shared lib and run
-- server with runServer by passing method table in.
--
-- For async API use /async/ package, old API have been removed.
--
-- For more examples see @exsamples@ or @tests@ directories.
--
-- For protocol details see 'Remote.KRPC.Protocol' module.
--
{-# LANGUAGE OverloadedStrings #-}
{-# LANGUAGE ViewPatterns #-}
{-# LANGUAGE FlexibleContexts #-}
{-# LANGUAGE DeriveDataTypeable #-}
{-# LANGUAGE ExplicitForAll #-}
{-# LANGUAGE KindSignatures #-}
{-# LANGUAGE ScopedTypeVariables #-}
{-# LANGUAGE MultiParamTypeClasses #-}
{-# LANGUAGE GeneralizedNewtypeDeriving #-}
{-# LANGUAGE FunctionalDependencies #-}
module Network.KRPC
( KRPC (..)
-- * Exception
, KError (..)
-- * Method
, Method(..)
-- * Client
, call
-- * Server
, MethodHandler
, handler
, server
) where
import Control.Applicative
import Control.Exception.Lifted as Lifted
import Control.Monad
import Control.Monad.Trans.Control
import Control.Monad.IO.Class
import Data.BEncode as BE
import Data.ByteString.Char8 as BC
import Data.ByteString.Lazy as BL
import Data.List as L
import Data.Monoid
import Data.String
import Data.Typeable
import Network
import Network.Socket
import Network.Socket.ByteString as BS
import Network.KRPC.Message
class (BEncode req, BEncode resp) => KRPC req resp | req -> resp where
method :: Method req resp
-- | Method datatype used to describe name, parameters and return
-- values of procedure. Client use a method to /invoke/, server
-- /implements/ the method to make the actual work.
--
-- We use the following fantom types to ensure type-safiety:
--
-- * param: Type of method parameters. Ordinary Tuple type used
-- to specify more than one parameter, so for example @Method
-- (Int, Int) result@ will take two arguments.
--
-- * result: Type of return value of the method. Similarly,
-- tuple used to specify more than one return value, so for
-- exsample @Method (Foo, Bar) (Bar, Foo)@ will take two arguments
-- and return two values.
--
newtype Method param result = Method MethodName
deriving (Eq, Ord, IsString, BEncode)
instance (Typeable a, Typeable b) => Show (Method a b) where
showsPrec _ = showsMethod
showsMethod :: forall a. forall b. Typeable a => Typeable b
=> Method a b -> ShowS
showsMethod (Method name) =
shows name <>
showString " :: " <>
shows paramsTy <>
showString " -> " <>
shows valuesTy
where
impossible = error "KRPC.showsMethod: impossible"
paramsTy = typeOf (impossible :: a)
valuesTy = typeOf (impossible :: b)
{-----------------------------------------------------------------------
-- Client
-----------------------------------------------------------------------}
sendMessage :: BEncode msg => msg -> SockAddr -> Socket -> IO ()
sendMessage msg addr sock = sendManyTo sock (BL.toChunks (encode msg)) addr
{-# INLINE sendMessage #-}
maxMsgSize :: Int
--maxMsgSize = 512 -- release: size of payload of one udp packet
maxMsgSize = 64 * 1024 -- bench: max UDP MTU
{-# INLINE maxMsgSize #-}
recvResponse :: Socket -> IO (Either KError KResponse)
recvResponse sock = do
(raw, _) <- BS.recvFrom sock maxMsgSize
return $ case decode raw of
Right resp -> Right resp
Left decE -> Left $ case decode raw of
Right kerror -> kerror
_ -> ProtocolError (BC.pack decE)
withRemote :: (MonadBaseControl IO m, MonadIO m) => (Socket -> m a) -> m a
withRemote = bracket (liftIO (socket AF_INET6 Datagram defaultProtocol))
(liftIO . sClose)
{-# SPECIALIZE withRemote :: (Socket -> IO a) -> IO a #-}
getResult :: BEncode result => Socket -> IO result
getResult sock = do
resp <- either throw (return . respVals) =<< recvResponse sock
either (throw . ProtocolError . BC.pack) return $ fromBEncode resp
-- | Makes remote procedure call. Throws RPCException on any error
-- occurred.
call :: forall req resp host.
(MonadBaseControl IO host, MonadIO host, KRPC req resp)
=> SockAddr -> req -> host resp
call addr arg = liftIO $ withRemote $ \sock -> do
sendMessage (KQuery (toBEncode arg) name undefined) addr sock
getResult sock
where
Method name = method :: Method req resp
{-----------------------------------------------------------------------
-- Server
-----------------------------------------------------------------------}
type HandlerBody remote = SockAddr -> KQuery -> remote (Either KError KResponse)
-- | Procedure signature and implementation binded up.
type MethodHandler remote = (MethodName, HandlerBody remote)
-- | Similar to '==>@' but additionally pass caller address.
handler :: forall (remote :: * -> *) (req :: *) (resp :: *).
(KRPC req resp, Monad remote)
=> (SockAddr -> req -> remote resp) -> MethodHandler remote
handler body = (name, newbody)
where
Method name = method :: Method req resp
{-# INLINE newbody #-}
newbody addr KQuery {..} =
case fromBEncode queryArgs of
Left e -> return (Left (ProtocolError (BC.pack e)))
Right a -> do
r <- body addr a
return (Right (KResponse (toBEncode r) queryId))
sockAddrFamily :: SockAddr -> Family
sockAddrFamily (SockAddrInet _ _ ) = AF_INET
sockAddrFamily (SockAddrInet6 _ _ _ _) = AF_INET6
sockAddrFamily (SockAddrUnix _ ) = AF_UNIX
-- | Run server using a given port. Method invocation should be done manually.
remoteServer :: (MonadBaseControl IO remote, MonadIO remote)
=> SockAddr -- ^ Port number to listen.
-> (SockAddr -> KQuery -> remote (Either KError KResponse))
-> remote ()
remoteServer servAddr action = bracket (liftIO bindServ) (liftIO . sClose) loop
where
bindServ = do
let family = sockAddrFamily servAddr
sock <- socket family Datagram defaultProtocol
when (family == AF_INET6) $ do
setSocketOption sock IPv6Only 0
bindSocket sock servAddr
return sock
loop sock = forever $ do
(bs, addr) <- liftIO $ BS.recvFrom sock maxMsgSize
reply <- handleMsg bs addr
liftIO $ sendMessage reply addr sock
where
handleMsg bs addr = case decode bs of
Right query -> (either toBEncode toBEncode <$> action addr query)
`Lifted.catch` (return . toBEncode . serverError)
Left decodeE -> return $ toBEncode (ProtocolError (BC.pack decodeE))
-- | Run RPC server on specified port by using list of handlers.
-- Server will dispatch procedure specified by callee, but note that
-- it will not create new thread for each connection.
--
server :: (MonadBaseControl IO remote, MonadIO remote)
=> SockAddr -- ^ Port used to accept incoming connections.
-> [MethodHandler remote] -- ^ Method table.
-> remote ()
server servAddr handlers = do
remoteServer servAddr $ \addr q -> do
case L.lookup (queryMethod q) handlers of
Nothing -> return $ Left $ MethodUnknown (queryMethod q)
Just m -> m addr q
|