module Text.LambdaOptions.Parseable (
Parseable(..),
simpleParse,
repeatedParse,
) where
import Data.Word
import Text.Read
import Text.Read.Bounded
class Parseable a where
parse :: [String] -> (Maybe a, Int)
simpleParse :: (String -> Maybe a) -> ([String] -> (Maybe a, Int))
simpleParse parser args = case args of
[] -> (Nothing, 0)
s : _ -> case parser s of
Nothing -> (Nothing, 0)
Just x -> (Just x, 1)
repeatedParse :: (Parseable a) => Int -> [String] -> (Maybe [a], Int)
repeatedParse n = toPair . repeatedParse' n
repeatedParse' :: (Parseable a) => Int -> [String] -> (Maybe [a], Int, [String])
repeatedParse' n ss = case n <= 0 of
True -> (Just [], 0, ss)
False -> let
(mx, nx) = parse ss
sx = drop nx ss
in case mx of
Nothing -> (Nothing, nx, sx)
Just x -> let
(mxs, nxs, sxs) = repeatedParse' (n 1) sx
in (fmap (x :) mxs, nx + nxs, sxs)
parseBounded :: (ReadBounded a) => [String] -> (Maybe a, Int)
parseBounded = simpleParse $ \str -> case readBounded str of
NoRead -> Nothing
ClampedRead _ -> Nothing
ExactRead x -> Just x
instance Parseable Word where
parse = parseBounded
instance Parseable Int where
parse = parseBounded
instance Parseable Integer where
parse = parseBounded
instance Parseable Char where
parse strs = case strs of
[c] : _ -> (Just c, 1)
_ -> (Nothing, 0)
instance Parseable String where
parse = simpleParse Just
instance Parseable Float where
parse = simpleParse readMaybe
instance (Parseable a) => Parseable (Maybe a) where
parse args = case parse args of
(Nothing, n) -> (Just Nothing, n)
(Just x, n) -> (Just $ Just x, n)
instance Parseable () where
parse _ = (Just (), 0)
instance (Parseable a, Parseable b) => Parseable (a,b) where
parse = toPair . parse2Tuple
instance (Parseable a, Parseable b, Parseable c) => Parseable (a,b,c) where
parse = toPair . parse3Tuple
toPair :: (a, b, c) -> (a, b)
toPair (a, b, _) = (a, b)
parse2Tuple :: (Parseable a, Parseable b) => [String] -> (Maybe (a,b), Int, [String])
parse2Tuple ss = let
(ma, na) = parse ss
sa = drop na ss
in case ma of
Nothing -> (Nothing, na, sa)
Just a -> let
(mb, nb) = parse sa
sb = drop nb sa
mTup = fmap (\b -> (a, b)) mb
in (mTup, na + nb, sb)
parse3Tuple :: (Parseable a, Parseable b, Parseable c) => [String] -> (Maybe (a,b,c), Int, [String])
parse3Tuple ss = case parse2Tuple ss of
(mt, nt, st) -> case mt of
Nothing -> (Nothing, nt, st)
Just (a, b) -> let
(mc, nc) = parse st
sc = drop nc st
mTup = fmap (\c -> (a, b, c)) mc
in (mTup, nt + nc, sc)