git-annex/Utility/PartialPrelude.hs

71 lines
1.7 KiB
Haskell
Raw Normal View History

{- Parts of the Prelude are partial functions, which are a common source of
- bugs.
-
- This exports functions that conflict with the prelude, which avoids
- them being accidentially used.
-}
{-# OPTIONS_GHC -fno-warn-tabs #-}
module Utility.PartialPrelude where
2012-01-23 20:57:45 +00:00
import qualified Data.Maybe
2011-12-15 22:23:07 +00:00
{- read should be avoided, as it throws an error
- Instead, use: readish -}
read :: Read a => String -> a
read = Prelude.read
{- head is a partial function; head [] is an error
- Instead, use: take 1 or headMaybe -}
head :: [a] -> a
head = Prelude.head
{- tail is also partial
- Instead, use: drop 1 -}
2011-12-15 19:39:33 +00:00
tail :: [a] -> [a]
tail = Prelude.tail
{- init too
- Instead, use: beginning -}
2011-12-15 19:39:33 +00:00
init :: [a] -> [a]
init = Prelude.init
{- last too
- Instead, use: end or lastMaybe -}
last :: [a] -> a
last = Prelude.last
2011-12-09 22:57:09 +00:00
2011-12-15 22:23:07 +00:00
{- Attempts to read a value from a String.
-
- Ignores leading/trailing whitespace, and throws away any trailing
- text after the part that can be read.
2012-01-23 20:57:45 +00:00
-
- readMaybe is available in Text.Read in new versions of GHC,
- but that one requires the entire string to be consumed.
2011-12-15 22:23:07 +00:00
-}
readish :: Read a => String -> Maybe a
readish s = case reads s of
2011-12-15 22:23:07 +00:00
((x,_):_) -> Just x
_ -> Nothing
{- Like head but Nothing on empty list. -}
headMaybe :: [a] -> Maybe a
2012-01-23 20:57:45 +00:00
headMaybe = Data.Maybe.listToMaybe
{- Like last but Nothing on empty list. -}
lastMaybe :: [a] -> Maybe a
lastMaybe [] = Nothing
lastMaybe v = Just $ Prelude.last v
{- All but the last element of a list.
- (Like init, but no error on an empty list.) -}
beginning :: [a] -> [a]
beginning [] = []
2011-12-16 02:19:05 +00:00
beginning l = Prelude.init l
{- Like last, but no error on an empty list. -}
end :: [a] -> [a]
end [] = []
2011-12-16 02:19:05 +00:00
end l = [Prelude.last l]