NB: The usual blog disclaimer for this site applies to posts around HoloLens. I am not on the HoloLens team. I have no details on HoloLens other than what is on the public web and so what I post here is just from my own experience experimenting with pieces that are publicly available and you should always check out the official developer site for the product documentation.
This post is an interesting one in that it represents two sides of a day or so of technical failure! I tried to get something up and running and it didn’t quite work out but I thought it was worth sharing regardless but apply a large pinch of salt as the result isn’t anything that works too well
Background – Catching up with AllJoyn
It’s been a little while since I looked at AllJoyn and the AllSeen Alliance.
In fact, long enough that the landscape has changed with the merger between the OCF (IoTivity) and the AllSeen Alliance (AllJoyn) with the result that (from the website);
Both projects will collaborate to support future versions of the OCF specification in a single IoTivity implementation that combines the best of both technologies into a unified solution. Current devices running on either AllJoyn or IoTivity solutions will be interoperable and backward-compatible. Companies already developing IoT solutions based on either technology can proceed with the confidence that their products will be compatible with the unified IoT standard that the industry has been asking for.
and so I guess that any use of AllJoyn at this point has to be seen against that backdrop.
Scenario – Using AllJoyn to Share Holograms Across Devices
With that said, I still have AllJoyn APIs in Windows 10 and I wanted to see whether I could use those as a basis for the sharing of Holograms across devices.
The idea would be that a HoloLens app becomes both an AllJoyn consumer and producer and so each device on a network could find all the other devices and then share data such that a common co-ordinate system could be established via world anchors and hologram creation/removal and positioning could also be shared.
If you’re not so familiar with this idea of shared holographic experiences then the official documentation lives here;
https://developer.microsoft.com/en-us/windows/mixed-reality/development
and I’ve written a number of posts around this area of which this one would be the most recent;
Hitchhiking the HoloToolkit-Unity, Leg 13–Continuing with Shared Experiences
My idea for AllJoyn was to avoid any central server and let it do the work of having devices discover each other and connect so that they could form a network where they consume each others’ services as below;
Now, I don’t think that I’d tried this previously but there was something nagging at the back of my mind about the AllJoyn APIs not being something that I could use in the way that I wanted to on HoloLens and I should really have taken heed.
Instead, I ploughed ahead…
Making a “Hello World” AllJoyn Interface
I figured that the “Hello World” here might involve a HoloLens app offering an interface whereby a remote caller could create some object (e.g. a cube) at a particular location in world space.
That seemed like a simple enough thing to figure out and so I sketched out a quick interface for AllJoyn to do something like that;
<interface name=”com.taulty.RemoteHolograms”>
<method name=”CreateCube”>
<arg name=”x” type=”d” direction=”in” />
<arg name=”y” type=”d” direction=”in” />
<arg name=”z” type=”d” direction=”in” />
</method>
</interface>
I then struggled a little with respect to knowing where to go next in that the tool alljoyncodegen.exe which I used to use to generate UWP code from an AllJoyn interface seemed to have disappeared from the SDKs.
I found this doc page which suggested that the tool was deprecated and for a while I landed on this page which sounded similar but turned out have only been tested on Linux and not to generate UWP code so was actually very different
I gave up on the command line tool and went off to try and find AllJoyn Studio which does seem to still exist but only for Visual Studio 2015 which was ‘kind of ok’ because I still have VS2015 on my system alongside VS2017.
Whether all these changes are because of the AllJoyn/IoTivity merging, I’ve no idea but it certainly foxed me for a little while.
Regardless, I fed AllJoyn Studio in Visual Studio 2015 my little XML interface definition;
and it spat out some C++/CX code providing me a bunch of boiler plate AllJoyn implementation code which I retargeted to platform version 14393 as the tool seemed to favour 10586;
Writing Some Code for Unity to Consume
At this point, I was a little over-zealous in that I thought that the next step would be to try and write a library which would make it easy for Unity to make use of the code that I’d just had generated.
So, I went off and made a C# library project that referenced the newly generated code and I wrote this code to sit on top of it although I never really got around to figuring out whether this code worked or not as we’ll see in a moment;
namespace AllJoynHoloServer { using com.taulty.RemoteHolograms; using System; using System.Threading.Tasks; using Windows.Devices.AllJoyn; using Windows.Foundation; public class AllJoynCreateCubeEventArgs : EventArgs { internal AllJoynCreateCubeEventArgs() { } public double X { get; internal set; } public double Y { get; internal set; } public double Z { get; internal set; } } public class ServiceDispatcher : IRemoteHologramsService { public ServiceDispatcher(Action<double, double, double> handler) { this.handler = handler; } public IAsyncOperation<RemoteHologramsCreateCubeResult> CreateCubeAsync( AllJoynMessageInfo info, double x, double y, double z) { return (this.CreateCubeAsyncInternal(x, y, z).AsAsyncOperation()); } async Task<RemoteHologramsCreateCubeResult> CreateCubeAsyncInternal( double x, double y, double z) { // Likelihood that the thread we're calling from here is going to // break Unity's threading model. this.handler?.Invoke(x, y, z); return (RemoteHologramsCreateCubeResult.CreateSuccessResult()); } Action<double, double, double> handler; } public static class AllJoynEventAdvertiser { public static event EventHandler<AllJoynCreateCubeEventArgs> CubeCreated; public static void Start() { if (busAttachment == null) { busAttachment = new AllJoynBusAttachment(); busAttachment.AboutData.DateOfManufacture = DateTime.Now; busAttachment.AboutData.DefaultAppName = "Remote Holograms"; busAttachment.AboutData.DefaultDescription = "Creation and Manipulation of Holograms"; busAttachment.AboutData.DefaultManufacturer = "Mike Taulty"; busAttachment.AboutData.ModelNumber = "Number One"; busAttachment.AboutData.SoftwareVersion = "1.0"; busAttachment.AboutData.SupportUrl = new Uri("http://www.mtaulty.com"); producer = new RemoteHologramsProducer(busAttachment); producer.Service = new ServiceDispatcher(OnCreateCube); producer.Start(); } } public static void Stop() { producer?.Stop(); producer?.Dispose(); busAttachment?.Disconnect(); producer = null; busAttachment = null; } static void OnCreateCube(double x, double y, double z) { CubeCreated?.Invoke( EventArgs.Empty, new AllJoynCreateCubeEventArgs() { X = x, Y = y, Z = z }); } static AllJoynBusAttachment busAttachment; static RemoteHologramsProducer producer; } }
There’s nothing particularly exciting or new here, it’s just a static class which hides the underlying AllJoyn code from anything above it and it offers the IRemoteHologramsService over the network and fires a static event whenever some caller remotely invokes the one method on that interface.
I thought that this would be pretty easy for Unity to consume and so I dragged the DLLs into Unity (as per this post) and then added the script below to a blank GameObject to run when the app started up;
#if UNITY_UWP && !UNITY_EDITOR using AllJoynHoloServer; #endif using System.Collections; using System.Collections.Generic; using UnityEngine; public class Startup : MonoBehaviour { // Use this for initialization void Start() { #if UNITY_UWP && !UNITY_EDITOR AllJoynEventAdvertiser.CubeCreated += this.OnCubeCreated; AllJoynEventAdvertiser.Start(); #endif } #if UNITY_UWP && !UNITY_EDITOR void OnCubeCreated(object sender, AllJoynCreateCubeEventArgs args) { } #endif }
Clearly, this isn’t fully formed or entirely thought through but I wanted to just see if I could get something up and running and so I tried to debug this code having, first, made sure that my Unity app was asking for the AllJoyn security capability.
Debugging the AllJoyn Experience
I used the IoT AllJoyn Explorer to try and see if my Unity app from the HoloLens was advertising itself correctly on the local network.
That app still comes from the Windows Store and I’ve used it before and it’s always been pretty good for me.
It took me a little while to remember that I need to think about loopback exemption when it comes to this app so that’s worth flagging here.
I found that when I ran my Unity code on the HoloLens, I didn’t seem to see the service being advertised on the AllJoyn network as displayed by the IoT Explorer. I only ended up seeing a blank screen;
in order to sanity check this, I ended up lifting the code that I had built into Unity out of that environment and into a 2D XAML experience to run on my local PC where things lit up as I’d expect – i.e. IoT Explorer then shows;
and so the code seemed to be ok and, at this point, I realised that I could have tested out the whole concept in 2D XAML and never dropped into Unity at all – there’s a lesson in there somewhere!
Having proved the point on my PC, I also ran the same code on my phone and saw a similar result – the service showed up on the network.
However, no matter how I went about it I couldn’t get HoloLens to advertise this AllJoyn service and so I have to think that perhaps that part of AllJoyn isn’t present on HoloLens today.
That doesn’t surprise me too much and I’ve tried to confirm it and will update this post if I get a confirmation either way.
If this is the case though, what might be done to achieve my original aim which was to use AllJoyn as the basis of a shared holographic experience across devices.
I decided that there was more than one way to achieve this…
HoloLens as AllJoyn Consumer, not Producer
It wasn’t what I’d originally had in mind but I figured I could change my scenario such that the HoloLens did not offer an AllJoyn service to be consumed but, instead, consumed an AllJoyn service offered by a device (like a PC or Phone) which could offer a service onto the network. The diagram then becomes…
and so there’s a need for an extra player here (the PC) and also a need for using events or signals in AllJoyn to inform devices when something has happened on ‘the server’ that they need to know about such as a world anchor being created and uploaded or a new hologram being created.
A New Interface with Signals
I figured that I was onto a winner and so set about implementing this. Firstly, I conjured up a basic interface to try and model the code scenarios of;
- Devices join/leave the network and other devices might want to know how many devices they are in a shared experience with.
- World anchors get uploaded to the network and other devices might want to import them in order to add a common co-ordinate system.
- Holograms get added by a user (I’m assuming that they would be added as a child of a world anchor and so there would be an association there).
- Holograms get removed by a user.
In addition, I’d also want to add the ability for the transforms (scale, rotate, translate) of a hologram to be changed but I left that to one side while trying to see if I could get these bits to work.
With this in mind, I created a new AllJoyn interface as below;
- I used GUIDs to identify world anchors and holograms.
- I’m assuming that types of holograms can be represented by simple strings – e.g. device 1 may create a hologram of an Xmas tree and I’m assuming that device 2 will get a string “Xmas tree” and know what to do with it.
- I wanted to have a single method which returns the [Id/Name/Type/Position] of a hologram but I found that this broke the code generation tool hence my methods GetHologramIdsAndNames and GetHologramTransforms – these should really be one method.
and a larger thing;
- My original method for AddWorldAnchor simply took a byte array but I later discovered that AllJoyn seems to have a maximum message size of 128K whereas world anchors can be megabytes and so I added a capability here to “chunk” the world anchor into pieces and that affected this method and also the GetWorldAnchor method.
I should have stopped at this point as this limitation of 128K was flashing a warning light but I ignored it and pressed ahead.
A ‘Server’ App to Implement the Interface
Having generated the code from that new interface (highlighted blue below) I went ahead and generated a UWP app which could act as the ‘server’ (or producer) on the PC (highlighted orange below);
That involved implementing the generated IAJHoloServerService interface which I did as below;
and then I can build this up (with the UI XAML which isn’t really worth listing) and have it run on my desktop;
waiting for connections to come in.
A Client Library to make it ‘Easier’ from Unity
I also wanted to have a small client library my life easier in the Unity environment in terms of consuming this service and so I added a 3rd UWP project to my solution;
and added a static class which gathered up the various bits of code needed to get the AllJoyn pieces working;
and that relied on this simple callback interface in order to call back into any user of the class which would be my Unity code;
Consuming from Unity
At this point, I should have really tested what it was like to consume this code from a 2D app as I’d have learned a lot while expending little effort but I didn’t do that. Instead, I went and built a largely empty scene in Unity;
Where the Parent object is an empty GameObject and the UITextPrefab is straight from the HoloToolkit-Unity with a couple of voice keywords attached to it via the toolkit’s Keyword Manager;
I made sure my 2 DLLs (the AllJoyn generated DLL plus my client library) were present in a Plugins folder;
with appropriate settings on them;
and made sure that my project was requesting the AllJoyn capability. At this point, I realised that I needed to have some capability where I could relatively easily import/export world anchors in Unity without getting into a lot of code with Update() loops and state machines.
Towards that end, I wrote a couple of simple classes which I think function ok outside of the Unity editor in the UWP world but which wouldn’t work in the editor. I wrote a class to help with exporting world anchors;
and a class to help with importing world anchors;
and they rely on this a class which tries to do a simplistic bridge between the Update() oriented loop world of Unity and the async world of UWP as I wanted to be able to write async/await code which ‘waited’ for the isLocated flag on a WorldAnchor to be set true;
With that all done, I could attach a script to my empty GameObject to form the basis of my logic stringing together the handling of the voice keywords with the import/export of the world anchors, creation of a single, simple type of hologram (a cube) and calls to the AllJoyn service on the PC;
That took quite a bit of effort, but was it worth it? Possibly not…
Testing – AllJoyn and Large Buffers
In testing, things initially looked good. I’d run the consumer app on the PC, the client app on the HoloLens and I’d see it connect;
and disconnect when I shut it down and my voice command of “lock” seemed to go through the motions of creating a world anchor and it was quickly exported from the device and then it started to transfer over the network.
And it transferred…
And it transferred…
And it took a long time…minutes…
I spent quite some time debugging this. My first investigation was to look at the network performance graph from the HoloLens and it looked like this while transferring a 2-3MB world anchor across the network in chunks (64KB) using the AllJoyn interface that I’d written;
It’s the classic sawtooth and I moved my same client code onto both a Phone and a PC to see if it showed the same behaviour there and, to some extent, it did although it wasn’t as pronounced.
I played quite a bit with the size of the chunks that were being sent over the network and I could see that the gaps between the bursts of traffic seemed to be directly related to the size of the buffer and some native debugging combined with a quick experiment with the Visual Studio profiler pointed to this function in the generated code as being the cause of all my troubles;
and in so far as I can tell this runs some relatively expensive conversion function on every element in the array which burns up a bunch of CPU cycles on the HoloLens prior to the transmission of the data over the network. This seemed to slow down the world anchor transfers dramatically – I would find that it might take minutes for a world anchor to transfer which, clearly, isn’t very practical.
Putting the terrible performance that I’ve created to one side, I hit another problem…
Testing – Unexpected Method Signatures
Once I’d managed to be patient enough to upload a world anchor to my server, I found a particular problem testing out the method which downloads it back to another device. It’s AllJoyn signature in the interface looks like this;
<method name=”GetWorldAnchor”>
<arg name=”anchorId” type=”s” direction=”in”/>
<arg name=”byteIndex” type=”u” direction=”in”/>
<arg name=”byteLength” type=”u” directon=”in”/>
<arg name=”anchorData” type=”ay” direction=”out”/>
</method>
and I found that when I called this at runtime from the client then my method’s implementation code on the server side wasn’t getting hit. All I was seeing was a client-side AllJoyn error;
ER_BUS_UNEXPECTED_SIGNATURE = 0x9015
now my method has 3 incoming parameters and a return value but it was curious to me that if I used the IoT Explorer on that interface it was showing up differently;
and so IoT Explorer was showing my method as having 2 inward parameters and 2 outgoing parameters or return values which isn’t what the interface specification actually says
I wondered whether this was a bug in IoT Explorer or a bug in the runtime pieces and, through debugging the native code, I could use the debugger to cause the code to send 2 parameters rather than 3 and I could see that if I did this then the method call would cross the network and fail on the server side so it seemed that the IoT Explorer was right and my function expected 2 inward parameters and 2 outward parameters.
What wasn’t clear was…why and how to fix?
I spent about an hour before I realised that this problem came down to a type in the XML where the word “direction” had been turned into “directon” and that proved to be causing my problem – there’s a lesson in there somewhere too as the code generation tool didn’t seem to tell me anything about it and just defaulted the parameter to be outgoing.
With that simple typo fixed, I could get my code up and running properly for the first time.
Wrapping Up
Once I’d got past these stumbling blocks, the code as I have it actually seems to work in that I can run through the steps of;
- Run the server.
- Run the app on my HoloLens.
- See the server display that the app has connected.
- Use the voice command “lock” to create a world anchor, export it and upload it to the server taking a very long time.
- Use the voice command “cube” in a few places to create cubes.
- Shutdown the app and repeat 2, 3 above to see the device connect, download the anchor (taking a very long time), import it and recreate the cubes from step 5 where they were previously.
and I’ve placed the source for what I built up here;
but, because of the bad performance on copying the world anchor buffers around, I don’t think this would be a great starting point for implementing a shared holographic server and I’d go back to using the regular pieces from the HoloToolkit rather than trying to take this forward.
That said, I learned some things in playing with it and there’s probably some code in here that I’ll re-use in the future so it was worth while.