Wednesday, January 25, 2017

A HTTP server embedded inside Unity3D.

Just 514 lines of code. Uses sockets only, no other dependencies.

https://github.com/simonwittber/uniwebserver

Example Component:

[RequireComponent(typeof(EmbeddedWebServerComponent))]
public class FileUpload : MonoBehaviour, IWebResource
{
    public string path = "/upload";
    public TextAsset html;
    EmbeddedWebServerComponent server;

    void Start ()
    {
        server = GetComponent<EmbeddedWebServerComponent>();
        server.AddResource(path, this);
    }
 
    public void HandleRequest (Request request, Response response)
    {
        response.statusCode = 200;
        response.message = "OK.";
        response.Write(html.text);
    }
}    

Tuesday, January 24, 2017

A widget to list Github repositories.

<div id="github-activity"></div>
<script type="text/javascript">
window.renderGitHubWidget = function(github) {
    console.log(github)
    var html = '<div class="widget"><ul>';
    for (var i=0; i<github.data.length; i++) {
        var item = github.data[i];
        var url = item.html_url;
        if(item.fork) continue; 
        var repo = '<a href="' + url + '" target="_blank">' + item.name + '</a>';
        html += "<li>" + repo + " <br/>" + item.description+ "</li>"
    }
    html += '</ul></div>';
    var el = document.createElement('div');
    el.innerHTML = html;
    document.getElementById('github-activity').appendChild(el);
};
{
    var URL = 'https://api.github.com/users/simonwittber/repos?callback=renderGitHubWidget';
    var script = document.createElement('script');
    script.setAttribute('type', 'text/javascript');
    script.setAttribute('src', URL);
    document.head.appendChild(script);
}
</script>

Tuesday, January 03, 2017

Notes on the Unity3D UNET HLAPI

The NetworkManager instantiates a Player prefab. This is your Player Object.

In a two player game, your GameObjects exist conceptually in 3 places, and logically in 2 places. An object exists on each game client, and on the game server. If the game server is also a client, it is called a host, and it shares the GameObject with the client.

By default:
- only methods on components on the Player Object can have the [Command] attribute.
- you can only call [Command] methods from other methods on the Player Object.

It is hard to see which code is server code, and which is client code. I recommend using the [Server] and [Client] attributes liberally to add this information to the source code. When this attribute cannot be applied to a method (only NetworkBehaviours support this attribute) then add the attribute inside a comment.

The NetworkTransform does not provide interpolation when in Transform mode, only when using RigidBody mode. You will need to write this code yourself using [SyncVar].

For fast iterative development, keep the NetworkManager in your development scene, and add the NetworkManagerHUD component. Set this scene as your startup scene, then Build and Run, choose Host or Client from the GUI, then press Play in the editor, and choose Host or Client.

NetworkServer.Spawn only create an instance on the client, and sets it's transform component to match the server. You will have to do any other configuration on this object via a secondary [ClientRpc] call.

Less Code is Less Bugs in Less Time

Some favourite quotes from Ron Jeffries, one of the three founders of the Extreme Programming software development methodology...

Often you will be building some class and you’ll hear yourself saying “We’re going to need…”.

Resist that impulse, every time. Always implement things when you actually need them, never when you just foresee that you need them. 

And this too...

The best way to implement code quickly is to implement less of it. The best way to have fewer bugs is to implement less code.



Is the Unity3D GameObject.GetComponent method slow?

TLDR; No, not really.

Update: Actually, it is slow if you are using IL2CPP. Test results are GetComponent:350, Field:50, Dict:290.

Using the below test script, using GetComponent is about 3x slower than using a direct reference. Caching the return calue in a Dictionary, is slightly faster.

A typical result for me is 232 GetComponent(), 74 for private field and 201 for a dictionary lookup. If you use a builtin Unity type, like Transform, GetComponent is twice as fast.

I made sure the compiler was not optimising out my tests by putting in some fake 'xyzzy' work which is not included in the timing.

Why this simple test? I'm proving to myself it is not terribly bad to use a GetComponent call in an update loop, or keep a Dictionary cache. The call itself is so fast (0.000000232 seconds) that there is really no issue using it a few times inside an update loop.


using System.Collections;
using System.Collections.Generic;
using UnityEngine;


public class GetComponentTest : MonoBehaviour {
    public int iterations = 1000000;

    GetComponentTest testComponentB, testComponentA;

    Dictionary<System.Type, Component> cache = new Dictionary<System.Type, Component>();

    void Start () {
        var sw = new System.Diagnostics.Stopwatch();
        for(var i=0; i<iterations; i++) {
            sw.Start();
            var r = GetComponent<GetComponentTest>();
            sw.Stop ();
            if(r.name == "xyzzy") {
                Debug.Log("xyzzy");
            }
        }
        Debug.Log(sw.ElapsedMilliseconds);

        testComponentB = GetComponent<GetComponentTest>();
        sw.Reset();
        for(var i=0; i<iterations; i++) {
            sw.Start();
            testComponentA = testComponentB;
            sw.Stop ();
            if(testComponentA.name == "xyzzy") {
                Debug.Log("xyzzy");
            }
        }
        Debug.Log(sw.ElapsedMilliseconds);
        sw.Reset();

        cache[typeof(GetComponentTest)] = GetComponent<GetComponentTest>();
        sw.Reset();
        for(var i=0; i<iterations; i++) {
            sw.Start();
            testComponentA = cache[typeof(GetComponentTest)] as GetComponentTest;
            sw.Stop ();
            if(testComponentA.name == "xyzzy") {
                Debug.Log("xyzzy");
            }
        }
        Debug.Log(sw.ElapsedMilliseconds);
        sw.Reset();
    }
}

Popular Posts