IHaskell Notebook

Hello, and welcome to the IHaskell Notebook. IHaskell Notebook is similar to an interactive shell along the lines of GHCi. However, it is much more powerful, and provides features such as syntax highlighting, autocompletion, multi-line input cells, integrated documentation, rich output visualization, and more. In this notebook, I'd like to demonstrate many of the awesome features IHaskell provides.

IHaskell is implemented as a language kernel for the IPython project, which means that although the entire thing is written only in Haskell, we get a beautiful notebook interface practically for free.

We can start with very simple Haskell expressions:

In [1]:
-- First of all, we can evaluate simple expressions.
3 + 5
"Hello, " ++ "World!"
8
"Hello, World!"

As you can see, each input cell get an execution number. The first input cell is labeled In [1]. Just like in GHCi, the output of the last executed statement or expression is available via the it variable - however, in addition, the output of the \(n\)th cell is available via the itN variable. For example, if we wanted to see what the first cell printed, we can go ahead and output that:

In [5]:
it1
"Hello, World!"

In addition to simple code cells such as the ones you see, you can also have other types of cells. All of this inline text, for instance, is written using Markdown cells, which support the majority of Github markdown syntax. This lets you embed images and formatting and arbitrary HTML interspersed with your Haskell code. In addition, you can export these notebooks into HTML or even as presentations using reveal.js.

Alright, back to code. Let's do something slightly fancier:

In [6]:
-- Unlike in GHCi, we can have multi-line expressions.
concat [
  "Hello",
  ", ",
  "World!"
  ] :: String
"Hello, World!"

In addition to multi-line expressions, IHaskell supports most things that you could put in a standard Haskell file. For example, we can have function bindings without the let that GHCi requires. (As long as you group type signatures and their corresponding declarations together, you can use pattern matching and put signatures on your top-level declarations!)

In [7]:
thing :: String -> Int -> Int
thing "no" _ = 100
thing str int = int + length str

thing "no" 10
thing "ah" 10
100
12

So far we've just looked at pure functions, but nothing is stopping us from doing IO.

In [8]:
print "What's going on?"
"What's going on?"

IHaskell supports most GHC extensions via the :extension directive (or any shorthand thereof).

In [9]:
-- We can disable extensions.
:ext NoEmptyDataDecls
data Thing
`Thing' has no constructors (-XEmptyDataDecls permits this)
In the data declaration for `Thing'
In [10]:
-- And enable extensions.
:ext EmptyDataDecls
data Thing

Data declarations do pretty much what you expect, and work fine on multiple lines. If a declaration turns out to be not quite what you wanted, you can just go back, edit it, and re-evaluate the code cell.

In [11]:
-- Various data declarations work fine.
data One
     = A String
     | B Int
     deriving Show

print [A "Hello", B 10]
[A "Hello",B 10]

Although this doesn't hold everywhere, we've tried to keep IHaskell relatively similar to GHCi in terms of naming. So, just like in GHCi, you can inspect types with :type (or shorthands):

In [12]:
-- We can look at types like in GHCi.
:ty 3 + 3
forall a. Num a => a

The same goes for the :info command. However, unlike GHCi, which simply prints info, the IHaskell notebook brings up a separate pane.

In [13]:
-- What is the Integral typeclass?
:info Integral

If you're looking at this notebook after it's been exported to HTML, you won't be able to see this interactive pane. However, it looks approximately like this:

We can now write slightly more complicated scripts.

In [1]:
-- Results are printed as we go, even from a single expression.
import Control.Monad
import Control.Concurrent

forM_ [1..5] $ \x -> do
  print x
  threadDelay $ 200 * 1000
1
2
3
4
5

This is where the similarities with GHCi end, and the particularly shiny features of IHaskell begin.

Although looking at text outputs is often enough, there are many times where we really want a richer output. Suppose we have a custom data type for color:

In [15]:
data Color = Red | Green | Blue

If we were playing around with designing GUI applications for color-blind users, we might want to actually see these colors, instead of just seeing the text "Red", "Green", and "Blue" when we are debugging.

IHaskell lets you define a custom display mechanism for any data type via its IHaskellDisplay typeclass. Since you can use IHaskell in console mode as well as notebook mode, you can provide a list of display outputs for any data type, and the frontend will simply choose the best one. Here's how you would implement a very simple display mechanism for this Color data type:

In [16]:
import IHaskell.Display

instance IHaskellDisplay Color where
  display color = return [html code]
    where
      code = concat ["<div style='font-weight: bold; color:"
                    , css color
                    , "'>Look!</div>"]
      css Red   = "red"
      css Blue  = "blue"
      css Green = "green"

Once we define a custom display :: a -> IO [DisplayData] function, we can simply output a Color:

In [17]:
Red
Green
Blue
Look!
Look!
Look!

The DisplayData type has several constructors which let you display your data as plain text, HTML, images (SVG, PNG, JPG), or even as LaTeX code.

In order to ship an extension for IHaskell, simply create a package named ihaskell-thing with a module named IHaskell.Display.Thing. As long as ihaskell-thing is installed, IHaskell will detect and use it automatically.

A number of packages already exist, which we can briefly look at. First, in ihaskell-basic, we have very simple displays for data types from Prelude.

In [18]:
-- We can display Maybes fancily for Show-able types.
Just ()
Nothing

-- But it dies if it's not showable.
data NoShow = X Int
Just (X 3)
Just()
Nothing
Unshowable:NoShowNo instance for (Show NoShow) arising from a use of `print'
Possible fix: add an instance declaration for (Show NoShow)
In a stmt of an interactive GHCi command: print it

The ihaskell-aeson package adds a display for Aeson JSON Value types. These are automatically syntax highlighted and formatted nicely.

In [2]:
-- Aeson JSON data types are displayed nicely.
:ext OverloadedStrings

import Data.Aeson

data Coord  = Coord { x :: Double, y :: Double }
instance ToJSON Coord where
   toJSON (Coord x y) = object ["x" .= x, "y" .= y]

Null
Bool True
toJSON (Coord 3 2)
null
true
{ "x": 3.0, "y": 2.0 }

This syntax highlighting may not show up in the exported HTML, as it is done on the fly with Javascript. The result looks like this in the notebook:

The ihaskell-blaze package lets you play around with HTML straight from within IHaskell using the Blaze library.

In [6]:
-- Small bits of HTML generated via Blaze are displayed.

import Prelude hiding (div, id)
import Text.Blaze.Html4.Strict hiding (map, style)
import Text.Blaze.Html4.Strict.Attributes

div ! style "color: red" $ do
    p "This is an example of BlazeMarkup syntax."
    b "Hello"
    
forM [1..5] $ \size -> do
  let s = toValue $ size * 70
  img ! src "https://www.google.com/images/srpr/logo11w.png" ! width s

This is an example of BlazeMarkup syntax.

Hello

The ihaskell-diagrams package allows you to experiment with the diagrams package. It requires the Cairo backend.

In [21]:
-- We can draw diagrams, right in the notebook.
:extension NoMonomorphismRestriction
import Diagrams.Prelude

-- By Brent Yorgey
-- Draw a Sierpinski triangle!
sierpinski 1 = eqTriangle 1
sierpinski n =     s
                  ===
               (s ||| s) # centerX
  where s = sierpinski (n-1)

-- The `diagram` function is used to display them in the notebook.
diagram $ sierpinski 4
            # centerXY
            # fc black
          `atop` square 10
                   # fc white

Just like with Diagrams, ihaskell-chart allows you to use the Chart library for plotting from within IHaskell.

In [22]:
-- We can draw small charts in the notebook.
-- This example is taken from the haskell-chart documentation.
import Graphics.Rendering.Chart 
import Data.Default.Class
import Control.Lens

let values = [
     ("Mexico City"  , 19.2, 0),
     ("Mumbai"       , 12.9, 10), 
     ("Sydney"       , 4.3,  0),
     ("London"       , 8.3,  0), 
     ("New York"     , 8.2,  25)]
     
pitem (s, v, o) = pitem_value .~ v
                $ pitem_label .~ s
                $ pitem_offset .~ o
                $ def  

-- Convert to a renderable in order to display it.
toRenderable 
  $ pie_title .~ "Relative Population"
  $ pie_plot . pie_data .~ map pitem values
  $ def

By default, both ihaskell-diagrams and ihaskell-chart use SVG displays. However, the notebook does not support interactive resizing for SVG image. However, if you use :set no-svg, all SVG outputs will instead be shown as PNG images, and they can be resized easily.

In [23]:
:set no-svg

toRenderable 
  $ pie_title .~ "Relative Population"
  $ pie_plot . pie_data .~ map pitem values
  $ def

Finally, the ihaskell-magic chart uses the magic library (bindings to libmagic) to create a display mechanism for ByteStrings. If you try to load an image, for instance, you will see that image immediately in the notebook.

In [25]:
import qualified Data.ByteString as B
B.readFile "code/IHaskell/images/ihaskell-notebook.png"

In addition to displaying outputs in a rich format, IHaskell has a bunch of useful features.

For instance, the popular linting tool hlint is integrated and turned on by default. Let's write some ugly code, and see what it tells us:

In [26]:
-- There is also hlint integration enabled by default.
-- If you write sketchy code, it will tell you:
f :: Int -> Int
f x = x + 1

-- Most warnings are orange...
f $ 3

-- But more severe warnings are red.
putStrLn (show 3)
do
  return 3
Redundant $
Found:
f $ 3
Why Not:
f 3
Use print
Found:
putStrLn (show 3)
Why Not:
print 3
Redundant do
Found:
return 3
Why Not:
return 3
4
3
3

If you're an experienced Haskeller, though, and don't want hlint telling you what to do, you can easily turn it off:

In [27]:
-- If hlint annoys you, though, you can turn it off.
-- Note that this only takes effect in the next cell execution.
:set no-lint
In [28]:
-- You could similarly use `:set lint` to turn it back on.
f $ 3
4

In addition to hlint integration, IHaskell also integrates Hoogle for documentation searches. IHaskell provides two directives for searching Hoogle. The first of these, :document (or shorthands), looks for exact matches.

In [35]:
:doc filterM

Like with :info, the Hoogle directives use the IPython documentation pager to show you their output. You can press Escape to dismiss the pager. If you're reading this in it's HTML form, the output looks like this:

The other provided command is :hoogle. This does a normal Hoogle search, and thus lets you use imperfect matching and searching by type signature.

In [36]:
:hoogle :: [a] -> [(a, b)]

The pager will show you documentation for things that could have that type signature or a similar one. It automatically formats inline Haskell code and hyperlinks the identifiers to their respective Haddock documentations:

If you need a refresher on all of the options, you can just use :help:

In [37]:
:help
The following commands are available:
    :extension <Extension>    -  Enable a GHC extension.
    :extension No<Extension>  -  Disable a GHC extension.
    :type <expression>        -  Print expression type.
    :info <name>              -  Print all info for a name.
    :hoogle <query>           -  Search for a query on Hoogle.
    :doc <ident>              -  Get documentation for an identifier via Hogole.
    :set <opt>                -  Set an option.
    :set no-<opt>             -  Unset an option.
    :?, :help                 -  Show this help text.

Any prefix of the commands will also suffice, e.g. use :ty for :type.

Options:
  lint          - enable or disable linting.
  svg           - use svg output (cannot be resized).
  show-types    - show types of all bound names
  show-errors   - display Show instance missing errors normally.

All of the code you normally put into IHaskell is (like in GHCi) interpreted. However, sometimes you've perfected a function, and now need it to run faster. In that case, you can go ahead and define a module in a single cell. As long as your module has a module header along the lines of module Name where, IHaskell will recognize it as a module. It will create the file A/B.hs, compile it, and load it.

In [29]:
-- If your code isn't running fast enough, you can just put it into a module.
module A.B where

fib 0 = 1
fib 1 = 1
fib n = fib (n-1) + fib (n-2)

Note that the module is by default imported unqualified, as though you had typed import A.B.

In [32]:
-- The module is automatically imported unqualified.
print $ A.B.fib 20
print $ fib 20
10946
10946

Note that since a new module is imported, all previous bound identifiers are now unbound. For instance, we no longer have access to the f function from before:

In [33]:
f 3
Not in scope: `f'

However, if you re-import this module with another import statement, the original implicit import goes away.

In [34]:
import qualified A.B as Fib

Fib.fib 20
fib 20
10946
Not in scope: `fib'
Perhaps you meant `Fib.fib' (imported from A.B)

Thanks!

That's it for now! I hope you've enjoyed this little demo of IHaskell! There are still a few features that I haven't covered, such as the show-types and show-errors options, as well as the relatively intelligent autocompletion mechanism and inline type info popups.

I hope you find IHaskell useful, and please report any bugs or features requests on Github. If you have any comments, want to contribute, or just want to get in touch, don't hesitate to contact me at Andrew dot Gibiansky at Gmail. Contributions are also more than welcome, and I'm happy to help you get started with IHaskell development if you'd like to contribute!

I am also often available at #ihaskell on IRC at chat.freenode.net, so if I'm around, don't hesitate to ask questions.

Thank you to Adam Vogt, Stian HÄklev, and [@edechter](https://github.com/edechter) for their testing, bug reporting, pull requests, and general patience!