Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Tree data structure in Mathematica

I have used mathematica mostly as a mathematics workbench and for writing relatively small ad-hoc programs. I am however designing a system which I intend to program in Mathematica. I need to store data in a tree, and search and traverse the tree. Although I know how to implement a tree, I prefer standard, tested code. I looked at what sort of packages there are for basic datastructures at the Mathematica users wiki. I have found none, although there is a small example in the Mathematica documentation.

Now to my question(s):

  1. Is there an ( open source ) package for data structures available somewhere?

  2. What approach have you used with regard to data structures? Gradually developing your own util package?

( Not a question, just a remark. Maybe... the lack of ( lots of available ) open source packages is the reason why Mathematica doesn't have the momentum it deserves. A chicken / egg issue, I am afraid. )

like image 762
nilo de roock Avatar asked May 23 '11 12:05

nilo de roock


People also ask

What mathematical function is a tree?

A tree is a mathematical structure that can be viewed as either a graph or as a data structure. The two views are equivalent, since a tree data structure contains not only a set of elements, but also connections between elements, giving a tree graph. Trees were first studied by Cayley (1857).

What is the vertices of a tree?

A vertex of a tree is called a leaf if it has no children. Vertices that have children are called internal vertices. If a is a vertex in a tree, the subtree with a as its root is the subgraph of the tree consisting of a and its descendants and all edges incident to these descendants.


2 Answers

In Mathematica, most of what you do is based on expressions. Expressions naturally have the tree structure. For depth-first traversals (which are probably most common), you can then use functions like Scan,Map, Cases etc. The difference w.r.t the more traditional languages is that there is no simple way to preserve the identity of individual node in an expression tree, since there are no pointers in Mathematica. Also, many operations on expressions that are idiomatic in Mathematica would copy the entire expression when you only need to modify it in a few places, because expressions are immutable.

Using immutable Mathematica expressions as trees still has several advantages. One is that, because they are immutable, it is easy to understand what they store by just looking at them (state and behavior are not mixed). Another is that there are efficient and generic functions such as Map, MapIndexed or Scan, that traverse them. For example, the visitor design pattern is invisible - it is just Map[f,tree,Infinity], built into the langauge. Also, there are built-in functions such as Cases, Replace, ReplaceAll, etc, which allow one to write very concise and declarative code to destructure trees, find pieces of trees with certain syntax or satisfying some condition, etc. Since trees are not restricted to only be built from lists and be built from different heads, one can effectively use this to write very concise tree-processing code. Finally, a freedom to very easily build any tree structure you want makes it much easier to perform experiments and prototype things, in the spirit of exploratory and bottom-up programming, which shortens the development cycle and ultimately leads to better designs.

That said, you can certainly implement "stateful" (mutable) tree data structure. The real reason it has not been done yet generally is, I suspect, the performance hit associated with building, modifying and traversing such a tree, since it will undergo a full symbolic evaluation process at every step (see this post for more details on that). For 2 examples of how, for example, a binary search tree can be used in Mathematica context for pretty efficient code, see my posts here (generic symbolic setting) and here (in the context of Compiled code). For general ways to construct data structures idiomatically in Mathematica, I recommend books of Roman Maeder: "Programming in Mathematica", "Mathematica programmer I&II", and especially "Computer Science in Mathematica". In the latter he has a detailed discussion of how to implement binary search tree in Mathematica. EDIT As @Simon mentioned, the talk of @Daniel Lichtblau is also a great resource, which shows how to build data structures and make them efficient.

Regarding general ways to implement data structures in Mathematica which would incorporate some state, here is a simple example extracted from my post in this Mathgroup thread - it implements a "pair" data structure.

Unprotect[pair, setFirst, getFirst, setSecond, getSecond, new, delete]; ClearAll[pair, setFirst, getFirst, setSecond, getSecond, new, delete]; Module[{first, second},   first[_] := {};   second[_] := {};   pair /: new[pair[]] := pair[Unique[]];   pair /: pair[tag_].delete[] := (first[tag] =.; second[tag] =.);   pair /: pair[tag_].setFirst[value_] := first[tag] = value;   pair /: pair[tag_].getFirst[] := first[tag];   pair /: pair[tag_].setSecond[value_] := second[tag] = value;   pair /: pair[tag_].getSecond[] := second[tag];   Format[pair[x_Symbol]] := "pair[" <> ToString[Hash[x]] <> "]"; ]; Protect[pair, setFirst, getFirst, setSecond, getSecond, new, delete];  

Here is how you could use it:

pr = new[pair[]]; pr.setFirst[10]; pr.setSecond[20]; {pr.getFirst[], pr.getSecond[]}  {10, 20} 

Creating a list of new pair objects :

pairs = Table[new[pair[]], {10}]  {"pair[430427975]", "pair[430428059]", "pair[430428060]", "pair[430428057]", "pair[430428058]", "pair[430428063]", "pair[430428064]", "pair[430428061]",  "pair[430428062]", "pair[430428051]"} 

Setting the fields :

Module[{i},  For[i = 1, i <= 10, i++,   pairs[[i]].setFirst[10*i];   pairs[[i]].setSecond[20*i];]] 

Checking the fields :

#.getFirst[] & /@ pairs  {10, 20, 30, 40, 50, 60, 70, 80, 90, 100}  #.getSecond[] & /@ pairs  {20, 40, 60, 80, 100, 120, 140, 160, 180, 200}  

In the post I mentioned there is a more detailed discussion. One big problem for "objects" created in this way is that there is no automatic garbage collection for them, which may be one of the major reasons why OOP extensions implemented in top-level Mathematica itself did not really take off.

There are several OOP extensions for Mathematica, such as the classes.m package by Roman Maeder (the source is in his "Mathematica Programmer" book), the Objectica commercial package, and several others. But until Mathematica itself would provide efficient mechanisms (perhaps based on some kind of pointer or reference mechanism) for building mutable data structures (if this ever happens), there will probably be a large performance hit associated with top-level implementations of such data structures in mma. Also, since mma is based on immutability as one of the core ideas, it is not very easy to make mutable data structures fit well with other idioms of Mathematica programming.

EDIT

Here is a bare-bones stateful tree implementation along the lines of the example above:

Module[{parent, children, value},   children[_] := {};   value[_] := Null;   node /: new[node[]] := node[Unique[]];   node /: node[tag_].getChildren[] := children[tag];   node /: node[tag_].addChild[child_node, index_] :=          children[tag] = Insert[children[tag], child, index];   node /: node[tag_].removeChild[index_] :=          children[tag] = Delete[children[tag], index];   node /: node[tag_].getChild[index_] := children[tag][[index]];   node /: node[tag_].getValue[] := value[tag];   node /: node[tag_].setValue[val_] := value[tag] = val; ]; 

Some examples of use:

In[68]:= root = new[node[]]  Out[68]= node[$7]  In[69]:= root.addChild[new[node[]], 1]  Out[69]= {node[$8]}  In[70]:= root.addChild[new[node[]], 2]  Out[70]= {node[$8], node[$9]}  In[71]:= root.getChild[1].addChild[new[node[]], 1]  Out[71]= {node[$10]}  In[72]:= root.getChild[1].getChild[1].setValue[10]  Out[72]= 10  In[73]:= root.getChild[1].getChild[1].getValue[]  Out[73]= 10 

For one non-trivial example of use of this mutable tree data structure, see this post of mine. It also confronts this method with the one more heavily reusing Mathematica native data structures and functions, and illustrates well the points discussed at the beginning of this post.

like image 146
Leonid Shifrin Avatar answered Oct 06 '22 00:10

Leonid Shifrin


I have used mathematica mostly as a mathematics workbench and for writing relatively small ad-hoc programs.

Mathematica really excels at this.

What approach have you used with regard to data structures? Gradually developing your own util package?

I avoid creating my own data structures in Mathematica because it cannot handle them efficiently. Specifically, general data structures tend to be 10-1,000× slower in Mathematica than elsewhere which greatly limits their practical usefulness. For example, Mathematica is 100× slower than F# at computing the range of depths in a red-black tree.

Logic programming with lists is one example where Mathematica is typically orders of magnitude slower than other compiled languages. The following Mathematica program uses linked lists to solve the n-queens problem:

safe[{x0_, y0_}][{x1_, y1_}] :=   x0 != x1 && y0 != y1 && x0 - y0 != x1 - y1 && x0 + y0 != x1 + y1  filter[_, {}] := {} filter[p_, {h_, t_}] := If[p[h], {h, filter[p, t]}, filter[p, t]]  search[n_, nqs_, qs_, {}, a_] := If[nqs == n, a + 1, a] search[n_, nqs_, qs_, {q_, ps_}, a_] :=   search[n, nqs, qs, ps,    search[n, nqs + 1, {q, qs}, filter[safe[q], ps], a]]  ps[n_] :=   Fold[{#2, #1} &, {}, Flatten[Table[{i, j}, {i, n}, {j, n}], 1]]  solve[n_] := search[n, 0, {}, ps[n], 0] 

Here is the equivalent F#:

let safe (x0, y0) (x1, y1) =   x0<>x1 && y0<>y1 && x0-y0<>x1-y1 && x0+y0<>x1+y1  let rec filter f = function   | [] -> []   | x::xs -> if f x then x::filter f xs else filter f xs  let rec search n nqs qs ps a =   match ps with   | [] -> if nqs=n then a+1 else a   | q::ps ->       search n (nqs+1) (q::qs) (filter (safe q) ps) a       |> search n nqs qs ps  let ps n =   [ for i in 1..n do       for j in 1..n do         yield i, j ]  let solve n = search n 0 [] (ps n) 0  solve 8 

Solving the 8-queens problem takes 10.5s with Mathematica and 0.07s with F#. So F# is 150× faster than Mathematica in this case.

The Stack Overflow question Mathematica "linked lists" and performance gives a more extreme example. Naive translation of that Mathematica code into F# gives an equivalent program that runs between 4,000 and 200,000× faster than the Mathematica:

let rand = System.Random() let xs = List.init 10000 (fun _ -> rand.Next 100) Array.init 100 (fun _ ->   let t = System.Diagnostics.Stopwatch.StartNew()   ignore(List.length xs)   t.Elapsed.TotalSeconds) 

Specifically, Mathematica takes 0.156s to 16s to perform a single iteration whereas the F# takes 42µs to 86µs.

If I really want to stay in Mathematica then I shoehorn everything I'm doing into Mathematica's handful of built-in data structures, e.g. Dispatch.

like image 22
J D Avatar answered Oct 06 '22 00:10

J D