目标是拥有一个具有以下类型签名的管道
protobufConduit :: MonadResource m => (ByteString -> a) -> Conduit ByteString m a
管道应重复解析通过 TCP/IP(使用包)ByteString -> a
接收的协议缓冲区(使用函数)。network-conduit
有线消息格式为
{length (32 bits big endian)}{protobuf 1}{length}{protobuf 2}...
(花括号不是协议的一部分,仅在此处用于分隔实体)。
第一个想法是用来sequenceSink
重复应用一个Sink
能够解析一个 ProtoBuf 的:
[...]
import qualified Data.Binary as B
import qualified Data.Conduit.Binary as CB
import qualified Data.Conduit.Util as CU
protobufConduit :: MonadResource m => (ByteString -> a) -> Conduit ByteString m a
protobufConduit protobufDecode =
CU.sequenceSink () $ \() ->
do lenBytes <- CB.take 4 -- read protobuf length
let len :: Word32
len = B.decode lengthBytes -- decode ProtoBuf length
intLen = fromIntegral len
protobufBytes <- CB.take intLen -- read the ProtoBuf bytes
return $ CU.Emit () [ protobufDecode protobufBytes ] -- emit decoded ProtoBuf
它不起作用(仅适用于第一个协议缓冲区),因为似乎已经从源读取了许多“剩余”字节,但没有被CB.take
丢弃。
而且我发现没有办法将“其余部分推回源头”。
我完全错误地理解了这个概念吗?
PS:即使我在这里使用协议缓冲区,问题也与协议缓冲区无关。为了调试问题,我总是使用{length}{UTF8 encoded string}{length}{UTF8 encoded string}...
与上述类似的管道 ( utf8StringConduit :: MonadResource m => Conduit ByteString m Text
)。
更新:
我只是试图用()
剩余的字节替换状态(上面示例中没有状态),并CB.take
通过调用一个函数替换调用,该函数首先消耗已经读取的字节(从状态)并await
仅在需要时调用(当状态为不够大)。不幸的是,这也不起作用,因为只要 Source 没有剩余字节,sequenceSink
就不会执行代码,但状态仍然包含剩余的字节 :-(。
如果您应该对代码感兴趣(没有优化或非常好,但应该足以测试):
utf8StringConduit :: forall m. MonadResource m => Conduit ByteString m Text
utf8StringConduit =
CU.sequenceSink [] $ \st ->
do (lengthBytes, st') <- takeWithState BS.empty st 4
let len :: Word32
len = B.decode $ BSL.fromChunks [lengthBytes]
intLength = fromIntegral len
(textBytes, st'') <- takeWithState BS.empty st' intLength
return $ CU.Emit st'' [ TE.decodeUtf8 $ textBytes ]
takeWithState :: Monad m
=> ByteString
-> [ByteString]
-> Int
-> Pipe l ByteString o u m (ByteString, [ByteString])
takeWithState acc state 0 = return (acc, state)
takeWithState acc state neededLen =
let stateLenSum = foldl' (+) 0 $ map BS.length state
in if stateLenSum >= neededLen
then do let (firstChunk:state') = state
(neededChunk, pushBack) = BS.splitAt neededLen firstChunk
acc' = acc `BS.append` neededChunk
neededLen' = neededLen - BS.length neededChunk
state'' = if BS.null pushBack
then state'
else pushBack:state'
takeWithState acc' state'' neededLen'
else do aM <- await
case aM of
Just a -> takeWithState acc (state ++ [a]) neededLen
Nothing -> error "to be fixed later"