Book Image

Clojure for Domain-specific Languages

By : Ryan D. Kelker
Book Image

Clojure for Domain-specific Languages

By: Ryan D. Kelker

Overview of this book

<p>Clojure is a very new and rapidly growing language that runs on top of the JVM. The language being hosted on the Java platform allows for Clojure applications to use existing Java components. Although there are objects in Clojure, the language is not object oriented.</p> <p>"Clojure for Domain-specific Languages" is an example-oriented guide to building custom languages. Many of the core components of Clojure are covered to help you understand your options when making a domain-specific language. By the end of this book, you should be able to make an internal DSL. Starting with a comparison of existing DSLs, this book will move on to guide you through general programming, Clojure editing, and project management. The chapters after that are code oriented.</p> <p>"Clojure for Domain-specific Languages" tries to expose you to as much Clojure code as possible. Many of the examples are executed in a Read-Evaluate-Print-Loop environment, so the reader can also follow along on their own machine. This book uses Leiningen, but no prior knowledge of it is required.</p> <p>"Clojure for Domain-Specific Languages" aims to make you familiar with the Clojure language and help you learn the tools to make your own language.</p>
Table of Contents (19 chapters)
Clojure for Domain-specific Languages
Credits
About the Author
About the Reviewers
www.PacktPub.com
Preface
Index

Maps


Clojure has two types of maps. The PersistentArrayMap and the PersistentHashMap data types are responsible for key-value collections. The only exception is the PersistentHashSet data type, which looks like #{:key-here :key-here}. The difference between a Map and a Set is that the key is the value in a set, where as a key holds a separate value in a Map.

Maps by example

The hash-map form can be used to make a key-value collection:

user> (def -hmap (hash-map :key1 "value" :key2 "value2"))
#'user/-hmap
user> (vals -hmap)
("value2" "value")
user> (keys -hmap)
(:key2 :key1)
user> (:key2 -hmap)
"value2"

The array-map form can do the same:

user> (def -amap (array-map "a" 1 "b" 2))
#'user/-amap
user> (keys -amap)
("a" "b")

Remember to use the get form when needing to set default values for missing keys:

user> (get -amap "a" :not-found)
1
user> (get -amap "c" :not-found)
:not-found
user> (-hmap :key2)
"value2"
user> (-hmap :key3)
nil
user> (-hmap :key3 :not-found...