Yes, I am still alive and coding.  Besides from blogging being so last decade, I’ve been excessively busy these past two years.

In the course of a little over two years I left my cushy job, started a new one, watched it crash and burn, and went back to my former job, and left again to work with a different former employer.  2014 was an exciting and fun for a year watching and helping the BPlusTree perform inside a from-scratch effort to build a .NET NoSQL database.

At present I am no longer working with C#, or even Microsoft Windows for that matter. I’m enjoying life on the edge working with nodejs, React, Couchbase, etc.  Since I am no longer involved, I am archiving this site and will not be posting again.

 

So, just finally made time to port the last project out of my old Google code repo. So here are all the links for the new packages and repositories:

BPlusTree (and supporting parts of Library) -> CSharpTest.Net.Collections
https://github.com/csharptest/CSharpTest.Net.Collections
https://www.nuget.org/packages/CSharpTest.Net.Collections

Library\Commands -> CSharpTest.Net.Commands
https://github.com/csharptest/CSharpTest.Net.Commands
https://www.nuget.org/packages/CSharpTest.Net.Commands

RpcLibrary -> CSharpTest.Net.RpcLibrary
https://github.com/csharptest/CSharpTest.Net.RpcLibrary
https://www.nuget.org/packages/CSharpTest.Net.RpcLibrary

Library\Tools\* -> CSharpTest.Net.Tools
https://github.com/csharptest/CSharpTest.Net.Tools
https://www.nuget.org/packages/CSharpTest.Net.Tools

The former package for CSharpTest.Net.BPlusTree has been deprecated. This package depended upon the CSharpTest.Net.Library and I wanted to make the package stand-alone.  To avoid causing unneeded headaches I’ve chosen to rename the package to eliminate the confusion with the previous version(s).  The new Collections package contains all the BPlusTree code, plus the code within the Library that it depended on.  Hopefully this stand-alone version will make it much more usable.

For all the packages, my goal was to not change code, add features, or fix bugs during the move.  This is 99% the case, a few changes were made to reduce dependencies in some cases, but the overall code remains basically the same.

 

So to start with what does “LurchTable” stand for?

Least
Used
Recently
Concurrent
Hash
Table

Of course I am dyslexic so I can get away with swapping U and R around. My dyslexia aside, It’s a fair representation of what the class does. It essentially is a ConcurrentDictionary that keeps and maintains a linked-list of nodes in specific way. It does differ significantly from ConcurrentDictionary in a few very important ways…

  1. The number of hash buckets available can not change after construction. This keeps the code simple and maintainable while providing all the tread-safety goodness. This is also going to be the biggest change from the ConcurrentDictionary. The LurchTable is typically used with a hard-limit on items. For example a cache might allow no more than 10k items. So we probably want at least 5k hash buckets, each ‘bucket’ is just an integer so this would pre-allocate 20kb of memory as an int[]. On the extreme end, if you were to supply int.Max as the hash size you would exceed .NET’s ability to allocate the memory required.
  2. Key/Value pairs (entries) are allocated and expanded dynamically as-needed. Unused entries are tracked in a separate linked-list. Unlike the .NET Framework’s Dictionary that will fail when adding the ‘nth’ entry due to an OutOfMemoryException being raise, the LurchTable does not allocate all entries as a single array. The allocation size is specified (or derived) at construction and the LurchTable will allocate a new array of this size and ‘append’ it to the existing allocated entries. This preserves time and memory as the contents of the dictionary fluctuate and prevent the LurchTable from attempting excessively large allocations.
  3. The linked lists, both used and unused entries, are maintained via lockless linked lists. The use of non-blocking linked lists allows for a high-degree of concurrent modifications to be made to the contents of the collection. This approach also greatly reduces the contention on the ‘free’ entries required to find an empty entry to use for a new item. In addition, the LurchTable maintains several ‘free’ lists to even further reduce contention.

Linking Entries

Entries can be either non-linked, linked by insertion, lined by insertion or modification, or linked by insertion, modification or access. The internal linking strategy is determined at construction by specifying one of the LurchTableOrder enumeration members (Access, Insertion, Modified, None). When ordering by anything other than None, a hard-limit on items can be specified at construction as well. When a hard-limit is set, the insertion of n+1 items will cause the ‘oldest’ item in the ordered list to be removed. Typically all this is specified at construction by using the more verbose ctor on the LurchTable:

    public LurchTable<TKey, TValue>(
        LurchTableOrder ordering,         // One of Access, Insertion, Modified, or None
        int limit,                        // Hard-limit number of items, or int.MaxValue for no limit
        int hashSize,                     // The number of hash buckets to allocate (adjusted up to a prime number)
        int allocSize,                    // The number of items to allocate at once (power of 2 that is < = allocSize)
        int lockSize,                     // The number of locks to allocate (adjusted up to a prime number)
        IEqualityComparer<TKTKey> comparer  // The comparer to use for the keys
    )

Other Deltas from the ConcurrentDictionary

New methods not typically found on a dictionary include the ability to Peek, Dequeue, or TryDequeue the oldest item in the collection. Peek will return the oldest entry based upon the link order. TryDequeue will attept to remove the oldest entry based upon the link order and can optionally take a predicate to control removal. Lastly, Dequeue is a tight-polling loop on TryDequeue and returns only after an item is successfully dequeued (Note: For obvious reasons Dequeue should be used cautiously).

All enumerations of the LurchTable are thread-safe and in Hash-order. Due to the lockless nature of the internal linking, it is not possible to enumerate the contents of the collection in the linked order. Enumeration of the links could easily be added; however, it would not be thread-safe and thus is not currently implemented.

All methods on the collection are thread-safe except the “Initialize” method. The Initialize() method recreates the internal ‘entries’ collection and essentially removes all items in O(1) whereas the Clear() method is now an O(n) time operation.

Events for ItemAdded, ItemUpdated, and ItemRemoved are exposed from the collection and are executed in-lock with the operation. While I don’t like events that execute from synchronized code, there really isn’t a better way to deal with this. Since I heavily rely on ItemRemoved events to flush data from a LurchTable cache to primary store, the event must act as an atomic operation to the consumer of the collection. All events are fire after internal structures have been modified and just prior to lock-release. Care should be taken not to raise exceptions from these events as these will propagate to the caller attempting to add/update/remove the item.

Uses for LurchTable

  • LRU Cache An LRU (Least Recently Used) cache is the most common of applications for this structure. Simply configure a hard-limit on the items and use LurchTableOrder.Access at construction. Then from the caller use the GetOrAdd call to either pull from cache or fetch from primary and add to cache in a single call.
  • Write-through Cache Another common usage might be a write-behind/delayed-write strategy for an external storage mechanism. Constructing with a hard-limit and using LurchTableOrder.Modified will give you a read-through/write-through cache. Use the GetOrAdd to fetch and any of the available set operations to write, then hook the ItemRemoved to flush to external storage.
  • Throttling Work Queue An interesting use (or abuse?) of the LurchTable is using it to distribute work across several threads. When a producer of work can outpace the ability of the consumers one needs to throttle the producer. One way is to simply sleep the producer until more work can be queued, another is to let the producer also consume work. Construct with LurchTableOrder.Insert and a hard-limit on the back-log to allow. Hook the ItemRemoved event to implement the work item processing. Start one or more threads producing work items by adding them to the dictionary. Finally start one or more threads consuming data by calling Dequeue/TryDequeue. This works well if the work to be performed is small (since the consumer can block the producer), mileage may vary for longer running tasks.

I’ve used this collection extensively for the past year and have been very pleased with the results and ease of use. It’s probably one of the more versatile and better pieces of code I’ve put together in a while. Give it a try by just including the source directly (/browse/src/Library/Collections/LurchTable.cs) or by using the NuGet package CSharpTest.Net.Library. You can also find the online help at http://help.csharptest.net.

 

Time has clearly come to accomplish two things…

  1. Move to GitHub.com instead of google code
  2. Split the library apart based on consumer feedback
Why move to GitHub?  While I still prefer mercurial there are a couple of things that motivate me to make the switch.  Firstly Google has utterly failed to get to a point where community contribution are easy and painless.  They also do not provide a whole-project download and with the removal of downloads I can no longer provide one easily.  Lastly I’m no longer receiving appropriate alerts about issues being entered, and thus much of your valuable feedback is being ignored.

As to breaking the library apart, I think it’s just well past due.  At the onset of this library the goal was not to really provide any one thing that was useful, but rather a collection of small things that support a larger project.  That just simply no longer holds true.  Many users have requested that the BPlusTree be split off as well as the SslTunnel and the RpcLibrary.  This makes a lot of sense as these components have matured to a state of being able to stand alone. So I am in the process of breaking out the following projects:

  • CSharpTest.Net.Collections (BPlusTree, LurchTable, OrdinalList, and others)
  • CSharpTest.Net.Commands (The CommandInterpreter and dependecies)
  • CSharpTest.Net.RpcLibrary
  • CSharpTest.Net.SslTunnel
  • CSharpTest.Net.Tools (CmdTool, ResX Exception Generators, StampVersion, StampCopyright)
I am leaning towards keeping the CSharpTest.Net.Library around but pruning out most of the functionality that is encompassed above as well as some more-or-less obsolete stuff.  The issue I struggle with is keeping it’s name or not…  TBD
 
Also, be aware that projects are being migrated to .NET 4 builds with Visual Studio 2012 projects.  They should still compile under 2.0/3.5 but after this past release they will no longer be included in nuget packages.
 
Please leave comments if you like to make any specific requests regarding the move/transition…
 

Additions in this release:

  1. Added CSharpTest.Net.Collections.LurchTable a thread-safe dictionary with the option of linking entries by insert, modify, or access. (LinkedHashMap for C#)
  2. Added CSharpTest.Net.Data.DbGuid to provide time based sequential GUID generation (COMB Guid).
  3. BPlusTree added INodeStoreWithCount and allowed injection of IObjectKeepAlive implementation.
  4. Added Crc64 for a quick 64-bit CRC using algorithm (CRC-64/XZ)
  5. Added a simple HttpServer class.
  6. Added Services/ServiceAccessRights and Services/SvcControlManager to provide more control over services.
  7. Added Http/MimeMessage to parse raw HTML form where ContentType = “multipart/form-data”, including one or more attachments.
  8. Extended the CommandInterpreter to allow exposing console commands over REST services via built-in service.
  9. Added a CallsPerSecondCounter to allow quick estimation of performance metrics in high-traffic code.
  10. Added an experimental TcpServer (currently under test)
  11. Extended the RpcError enumeration to encompass more errors and decorated descriptions.
  12. RpcLibrary now supports RpcServerRegisterIf2 allowing un-authenticated TCP access and control of max TCP request size.
  13. Added the IDL for the RpcLibrary for unmanaged interop

Fixes in this release:

  1. Converted BPlusTree’s Storage.Cache to use LurchTable to address memory issues in buggy LRU cache.
  2. Optimization of BPlusTree’s TransactedCompoundFile in location of free data blocks.
  3. Fixed the dreaded SEHException in the RpcLibrary, now expect acurate RpcException with correct RpcError details.
 

In my previous post “Why GUID primary keys are a database’s worst nightmare” I spoke about some of downsides to using GUID primary keys. In this post I’m going to focus more specifically on the .NET Framework’s implementation of System.Guid. I have a few complaints about this class, let’s cover them… 1. Guid.ToByteArray() This, IMHO, [...]

 

When you ask most people why using a GUID column for a primary key in a database might be slower than auto-incremented number the answer your likely to get is usually along these lines: “Guids are 16 bytes, and integers are only 4 bytes.” While this information is technically accurate, it is completely the wrong [...]

 
 

Release Notes: NOTES: Major version increment primarily due to extensive changes in BPlusTree’s capabilities and storage format. The next release will flag the v1 Options class as Obsolete to ensure people are using the latest version. All new code should be using ‘OptionsV2′ when constructing a BPlusTree. Additions in this release: Added BPlusTree.OptionsV2 to provide [...]

 

Continued from: BPlusTree 2.0 Changes Part 4 – Rewriting the Storage Format Getting Started To utilize the new file format in the BPlusTree you will need to use OptionsV2 class. The previous Options class is still there and continues to use the same file format. // Create the OptionsV2 class to specify construction arguments: var [...]