1 module nxt.tree; 2 3 /** N-ary tree that cannot shrink but only grow (in breadth and depth). 4 * 5 * Because of this a region allocator can be used for internal memory 6 * allocation. 7 * 8 * See_Also: http://forum.dlang.org/post/prsxfcmkngfwomygmthi@forum.dlang.org 9 */ 10 struct GrowOnlyNaryTree(E) 11 { 12 alias N = Node!E; 13 14 /* @safe pure: */ 15 public: 16 17 /// Create with region size in bytes. 18 this(size_t regionSize) @trusted 19 { 20 _allocator = Allocator(regionSize); 21 } 22 23 this(in E e, size_t regionSize) @trusted 24 { 25 _allocator = Allocator(regionSize); 26 _root = _allocator.make!N(e); 27 } 28 29 /// Returns: top node. 30 inout(Node!E)* root() inout return scope 31 { 32 return _root; 33 } 34 35 private: 36 N* _root; 37 38 import std.experimental.allocator : make, makeArray; 39 import std.experimental.allocator.building_blocks.region : Region; 40 import nxt.my_mallocator : Mallocator; 41 alias Allocator = Region!Mallocator; 42 43 Allocator _allocator; 44 } 45 46 /*@safe*/ unittest 47 { 48 struct X { string src; } 49 50 const e = X("alpha"); 51 auto tree = GrowOnlyNaryTree!X(e, 1024 * 1024); 52 assert(tree.root.data == e); 53 54 // TODO: this should fail to compile with -dip1000 55 Node!X* dumb() 56 { 57 auto tree = GrowOnlyNaryTree!X(e, 1024 * 1024); 58 return tree.root; 59 } 60 61 dumb(); 62 } 63 64 /// Tree node containing `E`. 65 private struct Node(E) 66 { 67 private: 68 E data; 69 70 // allocate with pointers with std.experimental.allocator.makeArray and each 71 // pointer with std.experimental.allocator.makeArray 72 Node!E*[] subs; 73 }