NonEmpty(非空列表)

  1. infixr 5 :|
  2. data NonEmpty a = a :| [a]
  3. deriving (Eq, Ord)
  4. instance Functor NonEmpty where
  5. fmap f ~(a :| as) = f a :| fmap f as
  6. b <$ ~(_ :| as) = b :| (b <$ as)
  7. instance Applicative NonEmpty where
  8. pure a = a :| []
  9. (<*>) = ap
  10. liftA2 = liftM2
  11. instance Monad NonEmpty where
  12. ~(a :| as) >>= f = b :| (bs ++ bs')
  13. where b :| bs = f a
  14. bs' = as >>= toList . f
  15. toList ~(c :| cs) = c : cs

NonEmpty是一个非空的list类型,支持大多数 list 类型的操作。

  1. Prelude> import Data.List.NonEmpty as NE
  2. Prelude NE> a = 5 :| []
  3. Prelude NE> :t a
  4. a :: Num a => NonEmpty a
  5. Prelude NE> NE.head a
  6. 5
  7. Prelude NE> NE.tail a
  8. []
  9. Prelude NE> b = 6 <| a
  10. Prelude NE> b
  11. 6 :| [5]
  12. Prelude NE> NE.map (+2) b
  13. 8 :| [7]
  14. Prelude NE> 3 <$ b
  15. 3 :| [3]
  16. Prelude NE> fromList [1,2,3]
  17. 1 :| [2,3]
  18. Prelude NE> toList it
  19. [1,2,3]