A wrapper to use Apache Tinkerpop3 - a JVM graph traversal library - from Scala.
- Beautiful DSL to create vertices and edges
- Type safe traversals
- Scala friendly function signatures
- Minimal runtime overhead - only allocates additional instances if absolutely necessary
- Nothing is hidden away, you can always easily access the underlying Gremlin-Java objects if needed, e.g. to access graph db specifics things like indexes
- Getting started
- Using the sbt console
- Simple traversals
- Vertices and edges with type safe properties
- Compiler helps to eliminate invalid traversals
- Type safe traversals
- A note on predicates
- Build a custom DSL on top of Gremlin-Scala
- Common and useful steps
- Mapping vertices from/to case classes
- More advanced traversals
- Serialise to and from files
- Help - it's open source!
- Why such a long version number?
- Talks
- Further reading
- Random things worth knowing
- Releases
- Breaking changes
The examples project comes with working examples for different graph databases. Typically you just need to add a dependency on "com.michaelpollmeier" %% "gremlin-scala" % "SOME_VERSION"
and one for the graph db of your choice to your build.sbt
(this readme assumes tinkergraph). The latest version is displayed at the top of this readme in the maven badge.
sbt gremlin-scala/Test/console
import gremlin.scala._
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerFactory
implicit val graph = TinkerFactory.createModern.asScala
val name = Key[String]("name")
val g = graph.traversal
g.V.hasLabel("person").value(name).toList
// List(marko, vadas, josh, peter)
The below create traversals, which are lazy computations. To run a traversal, you can use e.g. toSet
, toList
, head
, headOption
etc.
import gremlin.scala._
import org.apache.tinkerpop.gremlin.process.traversal.{Order, P}
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerFactory
implicit val graph = TinkerFactory.createModern.asScala
val g = graph.traversal
g.V //all vertices
g.E //all edges
g.V(1).outE("knows") //follow outgoing edges
g.V(1).out("knows") //follow outgoing edges to incoming vertex
val weight = Key[Double]("weight")
for {
person <- g.V.hasLabel("person")
favorite <- person.outE("likes").order(By(weight, Order.decr)).limit(1).inV
} yield (person, favorite.label)
// remove all people over 30 from the g - also removes corresponding edges
val Age = Key[Int]("age")
g.V.hasLabel("person").has(Age, P.gte(30)).drop.iterate
Warning: GremlinScala is not a monad, because the underlying Tinkerpop GraphTraversal is not. I.e. while GremlinScala offers map
, flatMap
etc. and you can use it in a for comprehension for syntactic sugar, it does not fulfil all monad laws.
More working examples in TraversalSpec.
import gremlin.scala._
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerGraph
import scala.language.postfixOps
implicit val graph = TinkerGraph.open.asScala
// Keys for properties which can later be used for type safe traversals
val Founded = Key[String]("founded")
val Distance = Key[Int]("distance")
// create labelled vertex
val paris = graph + "Paris"
// create vertex with typed properties
val london = graph + ("London", Founded -> "43 AD")
// create labelled edges
paris --- "OneWayRoad" --> london
paris <-- "OtherWayAround" --- london
paris <-- "Eurostar" --> london
// create edge with typed properties
paris --- ("Eurostar", Distance -> 495) --> london
// type safe access to properties
paris.out("Eurostar").value(Founded).head //43 AD
paris.outE("Eurostar").value(Distance).head //495
london.valueOption(Founded) //Some(43 AD)
london.valueOption(Distance) //None
paris.setProperty(Founded, "300 BC")
val Name = Key[String]("name")
val Age = Key[Int]("age")
val v1 = graph + ("person", Name -> "marko", Age -> 29) asScala
v1.keys // Set(Key("name"), Key("age"))
v1.property(Name) // "marko"
v1.valueMap // Map("name" -> "marko", "age" -> 29)
v1.valueMap("name", "age") // Map("name" -> "marko", "age" -> 29)
More working examples in SchemaSpec, ArrowSyntaxSpec and ElementSpec.
Gremlin-Scala aims to helps you at compile time as much as possible. Take this simple example:
import gremlin.scala._
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerGraph
implicit val graph = TinkerGraph.open.asScala
val g = graph.traversal
g.V.outE.inV //compiles
g.V.outE.outE //does _not_ compile
In Gremlin-Groovy there's nothing stopping you to create the second traversal - it will explode at runtime, as outgoing edges do not have outgoing edges. In Gremlin-Scala this simply doesn't compile.
You can label any step using as(StepLabel)
and the compiler will infer the correct types for you in the select step using an HList (a type safe list, i.e. the compiler knows the types of the elements of the list). In Gremlin-Java and Gremlin-Groovy you get a Map[String, Any]
, so you have to cast to the type you think it will be, which is ugly and error prone. For example:
import gremlin.scala._
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerFactory
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerGraph
def graph = TinkerFactory.createModern.asScala
val g = graph.traversal
// select all labelled steps
g.V(1).as("a").outE.as("b").select.toList
// returns a `(Vertex, Edge)` for each path
// select subset of labelled steps
val a = StepLabel[Vertex]()
val b = StepLabel[Edge]()
val c = StepLabel[Double]()
val traversal = g.V(1).as(a).outE("created").as(b).value("weight").as(c)
traversal.select((b, c)).head
// returns a `(Edge, Double)`
More working examples in SelectSpec. Kudos to shapeless and Scala's sophisticated type system that made this possible.
As of 3.3.3.2 there is a typesafe union
step that supports heterogeneous queries:
val traversal =
g.V(1).union(
_.join(_.outE)
.join(_.out)
)
// derived type: GremlinScala[(List[Edge], List[Vertex])]
val (outEdges, outVertices) = traversal.head
tl;dr: use gremlin.scala.P to create predicates of type P.
Many steps in take a tinkerpop3 predicate of type org.apache.tinkerpop.gremlin.process.traversal.P
. Creating Ps that take collection types is dangerous though, because you need to ensure you're creating the correct P. For example P.within(Set("a", "b"))
would be calling the wrong overload (which checks if the value IS the given set). In that instance you actually wanted to create P.within(Set("a", "b").asJava: java.util.Collection[String])
. To avoid that confusion, it's best to just import gremlin.scala._
and create it as P.within(Set("a", "b"))
.
You can now build your own domain specific language, which is super helpful if you don't want to expose your users to the world of graphs and tinkerpop, but merely build an API for them. All you need to do is setup your ADT as case classes, define your DSL as Steps and create one implicit constructor (the only boilerplate code). The magic in gremlin.scala.dsl._ allows you to even write for comprehensions like this (DSL for tinkerpop testgraph):
case class Person (name: String, age: Integer) extends DomainRoot
case class Software(name: String, lang: String) extends DomainRoot
val traversal = for {
person <- PersonSteps(graph)
software <- person.created
} yield (person.name, software)
// note: `traversal` is inferred by the compiler as `gremlin.scala.dsl.Steps[(String, Software)]`
traversal.toSet // returns:
Set(
("marko", Software("lop", "java")),
("josh", Software("lop", "java")),
("peter", Software("lop", "java")),
("josh", Software("ripple", "java"))
)
// DSL also supports typesafe as/select:
PersonSteps(graph)
.as("person")
.created
.as("software")
.select
.toList
// inferred return type is `List[(Person, Software)]`
See the full setup and more tests in DslSpec.
// get a vertex by id
g.V(1).headOption
// get all vertices
g.V.toList
// group all vertices by their label
g.V.group(By.label)
// group vertices by a property
val age = Key[Int]("age")
g.V.has(age).group(By(age))
// order by property decreasing
val age = Key[Int]("age")
g.V.has(age).order(By(age, Order.decr))
More working examples in TraversalSpec.
You can save and load case classes as a vertex - implemented with a blackbox macro.
- You can optionally specify the label of your class using
@label
Option
members will be automatically unwrapped, i.e. aSome[A]
will be stored as the value of typeA
in the database, ornull
if it'sNone
. If we wouldn't unwrap it, the database would have to understand Scala's Option type itself.- The same goes for value classes, i.e. a
case class ShoeSize(value: Int) extends AnyVal
will be stored as an Integer. List
members will be stored as multi-properties, i.e. Cardinality.list- Annotating members with
@id
and@underlying
will instruct the marshaller to set the element id and/or the underlying element in the class. Note: you cannot specify the id when adding a vertex like this. Using@id
only works when retrieving the vertex back from the graph and it therefor must be anOption
. - Your classes must be defined outside the scope where they are being used (e.g. in the code below the class
Example
cannot be insideobject Main
).
Warning: this may not work with your particular remote graph, depending on the implementation/configuration. That's because the graph may choose to only return referenced elements which doesn't contain it's properties.
// this does _not_ work in a REPL
import gremlin.scala._
import org.apache.tinkerpop.gremlin.tinkergraph.structure.TinkerGraph
@label("my_custom_label")
case class Example(longValue: Long, stringValue: Option[String], @underlying vertex: Option[Vertex] = None)
object Main extends App {
implicit val graph = TinkerGraph.open.asScala
val example = Example(Long.MaxValue, Some("optional value"))
val v = graph + example
v.toCC[Example] // equal to `example`, but with `vertex` set
// find all vertices with the label of the case class `Example`
graph.V.hasLabel[Example]
// modify the vertex like a case class
v.updateAs[Example](_.copy(longValue = 0L))
}
You can also define your own marshaller, if the macro generated one doesn't quite cut it. For that and more examples check out the MarshallableSpec.
Here are some examples of more complex traversals from the examples repo. If you want to run them yourself, check out the tinkergraph examples in there.
What's the property distribution of all vertices?
graph.V.groupCount(By(__.properties().count)).head
What is Die Hard's
average rating?
graph.V.has("movie", "name", "Die Hard")
.inE("rated")
.values("stars")
.mean
.head
Get the maximum number of movies a single user rated
g.V.hasLabel("person")
.flatMap(_.outE("rated").count)
.max
.head
What 80's action movies do 30-something programmers like? Group count the movies by their name and sort the group count map in decreasing order by value.
g.V
.`match`(
__.as("a").hasLabel("movie"),
__.as("a").out("hasGenre").has("name", "Action"),
__.as("a").has("year", P.between(1980, 1990)),
__.as("a").inE("rated").as("b"),
__.as("b").has("stars", 5),
__.as("b").outV().as("c"),
__.as("c").out("hasOccupation").has("name", "programmer"),
__.as("c").has("age", P.between(30, 40))
)
.select[Vertex]("a")
.map(_.value[String]("name"))
.groupCount()
.order(Scope.local).by(Order.valueDecr)
.limit(Scope.local, 10)
.head
What is the most liked movie in each decade?
g.V()
.hasLabel(Movie)
.where(_.inE(Rated).count().is(P.gt(10)))
.groupBy { movie =>
val year = movie.value2(Year)
val decade = (year / 10)
(decade * 10): Integer
}
.map { moviesByDecade =>
val highestRatedByDecade = moviesByDecade.mapValues { movies =>
movies.toList
.sortBy { _.inE(Rated).value(Stars).mean().head }
.reverse.head //get the movie with the highest mean rating
}
highestRatedByDecade.mapValues(_.value2(Name))
}
.order(Scope.local).by(Order.keyIncr)
.head
Currently graphML, graphson and gryo/kryo are supported file formats, it is very easy to serialise and deserialise into those: see GraphSerialisationSpec. An easy way to visualise your graph is to export it into graphML and import it into gephi.
If you would like to help, here's a list of things that needs to be addressed:
- add more graph databases and examples into the examples project
- port over more TP3 steps - see TP3 testsuite and Gremlin-Scala StandardTests
- ideas for more type safety in traversals
- fill this readme and provide other documentation, or how-tos, e.g. a blog post or tutorial
The first three digits is the TP3 version number, only the last digit is automatically incremented on every release of gremlin-scala.
For more information about Gremlin see the Gremlin docs and the Gremlin users mailinglist. Please note that while Gremlin-Scala is very close to the original Gremlin, there are differences to Gremlin-Groovy - don't be afraid, they hopefully all make sense to a Scala developer ;)
Random links:
- Social Network using Titan Db: part 1 and part 2
- Shortest path algorithm with Gremlin-Scala 3.0.0 (Michael Pollmeier)
- Shortest path algorithm with Gremlin-Scala 2.4.1 (Stefan Bleibinhaus)
org.apache.tinkerpop.gremlin.structure.Transaction
is not thread-safe. It's implemented with Apache's ThreadLocal class, see #196 (comment)
... happen automatically for every commit on master
from travis.ci thanks to sbt-ci-release-early
YourKit supports open source projects with innovative and intelligent tools for monitoring and profiling Java and .NET applications.
YourKit is the creator of YourKit Java Profiler,
YourKit .NET Profiler, and YourKit YouMonitor.
Marshallable now treats Sets as multi-properties, i.e. one property for each element in the set. This is similar to how
List properties are handled and allows for a natural representation of vertex properties whose cardinality is set
in case classes. This change breaks compatibility with Marshallable's previous behaviour in which Sets were effectively
treated as single
cardinality properties, i.e. a single property whose value is the entire set.
The implementation for @label
with non literal values (e.g. @label(SomeClass.LABEL)
) was dropped due to it's bad performance. Please use String literals instead, e.g. @label("MyLabel")
.
We now have a fully typed union
step which supports heterogeneous queries. The old version is still available as unionFlat
, since it may still be relevant in some situations where the union traversals are homogeneous.
The by
modulator is now called By
. E.g. order(by(Order.decr))
becomes order(By(Order.decr))
.
Background: case insensitive platforms like OSX (default) and Windows fail to compile object by
and trait By
because they lead to two separate .class files. I decided for this option because it conforms to Scala's naming best practices.
See #237 (comment).
To fix problems with remote graphs and the arrow syntax (e.g. vertex1 --- "label" --> vertex2
) there now needs to be an implicit ScalaGraph
in scope. Background: the configuration for remote is unfortunately not stored in the Tinkerpop Graph instance, but in the TraversalSource. Since a vertex only holds a reference to the graph instance, this configuration must be passed somehow. ScalaGraph
does contain the configuration, e.g. for remote connections, so we now pass it implicitly.
The type signature of GremlinScala changed: the former type parameter Labels
is now a type member, which shortens the type if you don't care about Labels. The Labels were only used in a small percentage of steps, but had to be written out by users all the time even if they didn't care.
Rewrite rules (old -> new), using Vertex
as an example:
GremlinScala[Vertex, _]
-> GremlinScala[Vertex]
(existential type: most common, i.e the user doesn't use or care about the Labels)
GremlinScala[Vertex, HNil]
-> GremlinScala.Aux[Vertex, HNil]
(equivalent: GremlinScala[Vertex] {type Labels = HNil}
)
GremlinScala[Vertex, Vertex :: HNil]
-> GremlinScala.Aux[Vertex, Vertex :: HNil]
(equivalent: GremlinScala[Vertex] {type Labels = Vertex :: HNil}
)
Notice: GremlinScala isn't a case class any more - it shouldn't have been in the first place.
The filter
step changed it's signature and now takes a traversal: filter(predicate: GremlinScala[End, _] => GremlinScala[_, _])
. The old filter(predicate: End => Boolean)
is now called filterOnEnd
, in case you still need it. This change might affect your for comprehensions.
The reasoning for the change is that it's discouraged to use lambdas (see http://tinkerpop.apache.org/docs/current/reference/#a-note-on-lambdas). Instead we are now creating anonymous traversals, which can be optimised by the driver, sent over the wire as gremlin binary for remote execution etc.