How to add updating to the Ignite UI Tree’s Drag & Drop

Damyan Petev / Thursday, January 3, 2013

Ignite UI Tree’s Drag & Drop with Updating and Undo / Redo

As it turns out the Drag & Drop feature is like the gift that keeps on giving – new year and new enhancement to the functionality! May be because the Ignite UI Tree is flexible enough or maybe because the functionality itself is based on simple Add and Remove API coupled with jQuery UI interactions, both of which are easy to understand, manipulate and extend :)

I’m thinking once you allow a user to move nodes around at one point you might come to the conclusion that some of those changes can be persisted. And as with most user actions - no surprise here! -   mistakes do and will happen. That gets us to yet another point – why not add functionality for the user to undo and redo Drag & Drop operations? Indeed, why not!

And while it does require some custom code, as we are trying to make this interaction feature into an editing one, which is not how it is intended in its current implementation. On the other hand, the custom code is heavily reduced as we have a number of building blocks right there at our disposal. So far we’ve been looking into the usability side in the previous post with Tips on Drag & Drop with the Ignite UI Tree and some basics of the Drag & Drop with the Ignite UI Tree – make sure you check those out as we’ll be building on top of some of the knowledge gained and this time dive into the functionality. I’m not saying the enhanced selection and Load On Demand were not functional, they were, but if you look at it this way – they were tweaks based on the Draggable and Droppable nature implemented by the control. Now remember the other API part? That’s our target now..

Leaving a trace behind

I’ll try not to bore you too much with Add/Remove ‘getting-started’ stuff, as someone else was kind enough to do that – check out the Adding and Removing Nodes Help topic and there are some online samples for those API methods too! The thing that matters the most to us is that those operations create transactions in the underlying data source log and that Drag & Drop uses them. Essentially, we already have a history of the node moves, all you have to do is send it and provide server-side logic to handle the changes. The only thing to keep in mind is that a drop actually calls both methods – removing the original node and adding it to it’s new place. That in turn equals two transactions per drop, rather than one.

The tree also provides an update URL property to set to an endpoint to send transactions to (I’ll use the a similar Tree as the last two blogs for simplicity, again with Northwind’s Categories) :

  1. @model IQueryable<TreeDragDrop.Models.Category>
  2. @using Infragistics.Web.Mvc;
  3. @(Html.Infragistics().Tree(Model).ID("tree")
  4.     .DragAndDrop(true)
  5.     .DragAndDropSettings(d =>
  6.     {
  7.         d.DragAndDropMode(DragAndDropMode.Default);
  8.         d.Revert(true);
  9.         d.CustomDropValidation("customValidation");
  10.     })
  11.     .UpdateUrl(Url.Action("saveChanges"))
  12.     .Bindings(binding =>
  13.     {
  14.         binding.PrimaryKey("CategoryID")
  15.             .TextKey("CategoryName")
  16.             .ValueKey("CategoryID")
  17.             .ChildDataProperty("Products")
  18.             .Bindings(b1 =>
  19.             {
  20.                 b1.TextKey("ProductName")
  21.                 .ValueKey("ProductID")
  22.                 .PrimaryKey("ProductID");
  23.             });
  24.     })
  25.     .DataBind().Render()
  26.     )

Note line 11 where we set the action link. And, of course, this can be in client-only script as well:

  1. $('#tree').igTree({
  2.     dataSource: '/Home/getData',
  3.     dragAndDrop: true,
  4.     dragAndDropSettings : {
  5.         dragStartDelay : 100,
  6.         revert : true,
  7.         customDropValidation : 'customValidation'
  8.     },
  9.     updateUrl: '/Home/saveChanges',
  10.     bindings : {
  11.         primaryKey : 'CategoryID',
  12.         textKey : 'CategoryName',
  13.         valueKey : 'CategoryID',
  14.         childDataProperty : 'Products',
  15.         bindings : {
  16.             textKey : 'ProductName',
  17.             valueKey : 'ProductID',
  18.             primaryKey : 'ProductID'
  19.         }
  20.     }
  21. });

The controller action will have to deserialize the transactions and make sense of them. You have to do the same too I think, here a quick anatomy of a Tree transaction:

  • type – either "addnode" or "removenode" based on the method used. Remember you get both per single drop!
  • tid – generated ID of the transaction, useful for deleting a specific transaction.
  • tdata – all the important goodies are here : the ‘path’ of the node on which the method was performed and its entire ‘data’ record. It also contains a ‘parentPath’ for add operations.

As you can tell from the path we can assert from where the node was removed or to which parent was it added. Don’t forget to validate! That is the reason of the custom function, the Drag & Drop would usually allow much more that it might make sense to your model, especially so if you slack on the binding definitions. The function in this example denies a node from being dropped on it’s current parent or one of the other nodes with the same depth as they are all products. Saving  the changes should generally be as simple as calling a method, however in this case, since the Add Node API method accepts multiple nodes (unlike the remove that is by path which is pretty specific), its path is an array instead of simple string. In a Drag & Drop scenario the add method will only be called with one value so you can go through the changes and normalize the path of the transaction (Drag & Drop would not add multiples) and unify them:

  1. function save() {
  2.     var transLog = $('#tree').igTree('option', 'dataSource').root().allTransactions();
  3.     //normalize transactions
  4.     for (var i = 0; i < transLog.length; i++) {
  5.         if (transLog[i].tdata.path instanceof Array) transLog[i].tdata.path = transLog[i].tdata.path[0];
  6.     }
  7.     //send to server
  8.     $('#tree').igTree('option', 'dataSource').root().saveChanges();
  9. }

Here’s how the controller action looks like:

  1. public ActionResult saveChanges()
  2.  {
  3.      var transactions = JsonConvert.DeserializeObject<List<JObject>>(Request.Form["ig_transactions"]);
  4.      if (transactions.Count % 2 != 0)
  5.      {
  6.          return new HttpStatusCodeResult(System.Net.HttpStatusCode.Conflict);
  7.      }
  8.      for (var i = 0; i < transactions.Count; i+=2 )
  9.      {
  10.          // a single drag&drop produces 2 transactions - one removeing from the original spot and one adding to the new one.
  11.          if (((string)transactions[i]["type"] == "addnode" && (string)transactions[i + 1]["type"] == "removenode") ||
  12.              ((string)transactions[i]["type"] == "removenode" && (string)transactions[i + 1]["type"] == "addnode"))
  13.          {
  14.              // node was moved moved
  15.              if ((string)transactions[i]["tdata"]["path"] == (string)transactions[i + 1]["tdata"]["path"])
  16.              {
  17.                  //merely a change in order, ignore (this will also skip category moves)
  18.                  continue;
  19.              }
  20.              Product prod = JsonConvert.DeserializeObject<Product>(transactions[i]["tdata"]["data"].ToString());
  21.              var product = db.Products.Where(x => x.ProductID == prod.ProductID).Single();
  22.              int catId;
  23.              if ((string)transactions[i]["type"] == "addnode")
  24.              {
  25.                  catId = int.Parse(transactions[i]["tdata"]["path"].ToString().Split('_').First());
  26.              }
  27.              else
  28.              {
  29.                  catId = int.Parse(transactions[i+1]["tdata"]["path"].ToString().Split('_').First());
  30.              }
  31.              product.CategoryID = catId;
  32.              db.SaveChanges();
  33.          }
  34.      }
  35.      // tell the data source we are cool
  36.      Response.Write("{\"Success\": true}");
  37.      return new JsonResult();
  38.  }

As you can see I’ve pretty much made this for the Drag& Drop only (thus the validation if it divides by 2). If you use this in addition to programmatic calls to the Add/Remove API this will require more work ..or the result will be unpredictable. I’m also validating that each two are an add and remove combo and if the path is identical it means this is merely a change in order. Once that is done the actual business part is getting the Category ID (which is the parent part of the path when you have primary keys defined) and assign the one from the add operation to the product.

Ignite UI Tree’s Drag & Drop with Updating

Go there! No, come back! Actually…

Undo that and redo this. It’s those ‘phew’ moments that always make me happy when I realize I haven’t forever lost something. This part however can be either pretty simple ..or somewhat harder to implement than updating depending if you care for nodes being dragged and dropped around under their parent – as in if you care for order. The reason for this is that the paths for nodes generated by the control instead indexes normally, will actually consist of the primary keys if you have some. However, primary keys will only reflect the node’s place in hierarchy but not the order. Since the igTree I’ve been using so far has primary key I figured going the extra mile for a better experience is totally worth it.

var redoStack = [], indexMap = {};
  1. function undo() {
  2.     igtree = igtree || $("#tree").data("igTree");
  3.     treeDS = treeDS || $('#tree').igTree('option', 'dataSource');
  4.     var allTransactions = treeDS.root().allTransactions();
  5.     if (allTransactions.length > 0 && (allTransactions.length % 2 === 0)) {
  6.         var transactions = [allTransactions[allTransactions.length - 2], allTransactions[allTransactions.length - 1]];
  7.         if (transactions[0].type == "removenode") {
  8.             //always need to remove node before adding again!
  9.             transactions = transactions.reverse();
  10.         }
  11.         var deferredIndex = {};
  12.         for (var i = 0; i < 2; i++) {
  13.             var transaction = transactions[i];
  14.             var parentPath = ''; //for root node
  15.             if (transaction.tdata.path.indexOf(igtree.options.pathSeparator) !== -1) {
  16.                 parentPath = transaction.tdata.path.split(igtree.options.pathSeparator).slice(0, this.length - 1).join(igtree.options.pathSeparator);
  17.             }
  18.             if (transaction.type == "removenode") {
  19.                 var parent = parentPath == '' ? igtree.element.children('ul') : igtree.nodeByPath(parentPath);
  20.                 var index = null;
  21.                 if (indexMap[transaction.tdata.path] < parent.children().length) {
  22.                     index = indexMap[transaction.tdata.path];
  23.                 }
  24.                 igtree.addNode(transaction.tdata.data, parent, index);
  25.             }
  26.             else {
  27.                 //save index only after add
  28.                 var theNode = igtree.nodeByPath(transaction.tdata.path[0]);
  29.                 deferredIndex[transaction.tdata.path[0]] = theNode.parent().children().index(theNode);
  30.                 igtree.removeAt(transaction.tdata.path[0]);
  31.             }
  32.             treeDS.root()._removeTransactionByTransactionId(transaction.tid, true);
  33.             redoStack.push(allTransactions.slice(-1)[0]);
  34.             // also remove the two newly created last transaction..
  35.             treeDS.root()._removeTransactionByTransactionId(allTransactions.slice(-1)[0].tid, true);
  36.         }
  37.         $.extend(indexMap, deferredIndex);
  38.     }
  39. }
  1. function redo() {
  2.     igtree = igtree || $("#tree").data("igTree");
  3.     treeDS = treeDS || $('#tree').igTree('option', 'dataSource');
  4.     if (redoStack.length > 0 && (redoStack.length % 2 === 0)) {
  5.         //always need to remove node before adding again!
  6.         //this keeps the order:
  7.         var transactions = [redoStack.pop(), redoStack.pop()];
  8.         var deferredIndex = {};
  9.         for (var i = 0; i < 2; i++) {
  10.             var parentPath = ''; //for root node
  11.             if (transactions[i].tdata.path.indexOf(igtree.options.pathSeparator) !== -1) {
  12.                 parentPath = transactions[i].tdata.path.split(igtree.options.pathSeparator).slice(0, this.length - 1).join(igtree.options.pathSeparator);
  13.             }
  14.             if (transactions[i].type == "removenode") {
  15.                 var parent = parentPath == '' ? igtree.element.children('ul') : igtree.nodeByPath(parentPath);
  16.                 var index = null;
  17.                 if (indexMap[transactions[i].tdata.path] < parent.children().length) {
  18.                     index = indexMap[transactions[i].tdata.path];
  19.                 }
  20.                 igtree.addNode(transactions[i].tdata.data, parent, index);
  21.             }
  22.             else {
  23.                 //save index only after add
  24.                 var theNode = igtree.nodeByPath(transactions[i].tdata.path[0]);
  25.                 deferredIndex[transactions[i].tdata.path[0]] = theNode.parent().children().index(theNode);
  26.                 igtree.removeAt(transactions[i].tdata.path[0]);
  27.             }
  28.         }
  29.         $.extend(indexMap, deferredIndex);
  30.     }
  31. }

We always want to remove first and then add, this is because the way path is created by primary keys as mentioned. If we add a node with the same path (change in order) and then call remove it will delete both the old and new ones. Also notice the two functions deal with somewhat different issues – the ‘undo’ must clean up additional transactions created by the API methods, while the redo takes advantage the latter in order to have transactions back to the log. Furthermore, processing the ‘addnode’ transaction first means more complications when saving an index, since we need the ‘indexMap’ to still contain the old node’s place when undoing the ‘removenode’, so this calls for saving that index to the side and updating it last. Also to gain initial index we hook up to the node dropping event to save it:

  1. $(document).delegate("#tree", "igtreenodedropping", function (evt, ui) {
  2.     indexMap[ui.draggable.data('path')] = ui.draggable.parent().children().index(ui.draggable);
  3. });Ignite UI Tree Documentatio

Note that caring for node index in this implementation only has meaning on the client-side, but I think it’s nice to have. Check out below the (slightly large) capture of the Undo/Redo in action – note how the transaction log gets cleared when you undo and the ‘Tofu’ node is back under produce, but the redo stack now holds transactions for it. And as expected it shuffles the two moved nodes afterwards as well:

Ignite UI Tree’s Drag & Drop Undo / Redo in action

Resources

As usual the Ignite UI Tree Documentation and jQuery API Reference and detailed samples are at your disposal to draw code and knowledge from!

For the batch updating and undo/redo sample grab the ASP.NET MVC demo project ( with everything from here included in with both MVC helper and script-only demos). Make sure to check that one out!  You would need at least a trial version of Ignite UI so hit the banner below if you are still lacking one.

Also you can go for fiddling right now on JSFiddle: Ignite UI Tree Drag & Drop + Updating demo.

If this has caught your interest and want to know what other cool tricks you can do with this feature – once more the Tips on Drag & Drop with the Ignite UI Tree await!

Summary

Yet another spin of the in-depth look at the Ignite UI Tree’s Drag and Drop feature. With some insight on the API methods used we were able to use this interaction feature as editing one, by implementing batch updating with the help of the underlying data source. Building on top of that you can actually manipulate the log and use the very same API to add Undo / Redo functionality. And since we change the actual log, transactions going to the server for saving will also be in tune! Again it’s all thanks to the building blocks of the feature and their extensibility!

Donwload your Ignite UI Free Trial now!

And as always, you can follow us on Twitter @DamyanPetev and @Infragistics and stay in touch on Facebook, Google+ and LinkedIn!