Sunday, February 1, 2015

Kata: LCD Digits in Clojure

I've just done the LCD Digits kata in Clojure.

In this kata you have to create an LCD string representation of an integer value using a 3x3 grid of space, underscore, and pipe characters for each digit.

Each digit is shown below (using a dot instead of a space)
._.   ...   ._.   ._.   ...   ._.   ._.   ._.   ._.   ._.
|.|   ..|   ._|   ._|   |_|   |_.   |_.   ..|   |_|   |_|
|_|   ..|   |_.   ._|   ..|   ._|   |_|   ..|   |_|   ..|


Example: 910

._. ... ._.
|_| ..| |.|
..| ..| |_|
These are the tests using Midje:

(ns lcd-digits.core-test
(:use midje.sweet)
(:use [lcd-digits.core]))
(facts
"LCD digits for numbers"
(facts
"with one digit"
(fact
"1 is displayed"
(display 1) => (str " \n"
" |\n"
" |\n"))
(fact
"7 is displayed"
(display 7) => (str " _ \n"
" |\n"
" |\n"))
(fact
"4 is displayed"
(display 4) => (str " \n"
"|_|\n"
" |\n"))
(fact
"0 is displayed"
(display 0) => (str " _ \n"
"| |\n"
"|_|\n"))
(fact
"5 is displayed"
(display 5) => (str " _ \n"
"|_ \n"
" _|\n"))
(fact
"2 is displayed"
(display 2) => (str " _ \n"
" _|\n"
"|_ \n"))
(fact
"9 is displayed"
(display 9) => (str " _ \n"
"|_|\n"
" |\n"))
(fact
"6 is displayed"
(display 6) => (str " _ \n"
"|_ \n"
"|_|\n"))
(fact
"3 is displayed"
(display 3) => (str " _ \n"
" _|\n"
" _|\n"))
(fact
"8 is displayed"
(display 8) => (str " _ \n"
"|_|\n"
"|_|\n")))
(facts
"with several digits"
(display 18) => (str " _ \n"
" | |_|\n"
" | |_|\n")
(display 910) => (str " _ _ \n"
"|_| | | |\n"
" | | |_|\n")))
and this is the resulting code:

(ns lcd-digits.core
(:require [clojure.string :refer [join]]))
(defn- digits-in [n]
(map #(Integer/parseInt (str %)) (str n)))
(def ^:private fns-by-row
{:first (fn [n]
(if (or (= n 1) (= n 4))
" "
" _ "))
:second (fn [n]
(cond
(or (= n 8) (= n 9) (= n 4)) "|_|"
(= n 0) "| |"
(or (= n 5) (= n 6)) "|_ "
(or (= n 2) (= n 3)) " _|"
:else " |"))
:third (fn [n]
(cond
(or (= n 8) (= n 0) (= n 6)) "|_|"
(or (= n 5) (= n 3)) " _|"
(= n 2) "|_ "
:else " |"))})
(defn- row [row-num n]
(str
(join
" "
(map (fns-by-row row-num) (digits-in n)))
"\n"))
(defn display [n]
(str
(row :first n)
(row :second n)
(row :third n)))
view raw lcd-digits.clj hosted with ❤ by GitHub
I used a mix of TDD and REPL-driven development to code it.

To document the process I commited the code after every passing test and every refactoring and also commited the REPL history.

You can find the commits step by step here and the code in this repository in GitHub.

No comments:

Post a Comment