I've just updated some SignalR references and things have changed somewhat in order to allow for generically typed Hubs Hub<T>
. In the existing examples and documentation such as at:
we have a static class holding references to clients via the following mechanisms:
public class StockTicker()
{
private readonly static Lazy<StockTicker> _instance = new Lazy<StockTicker>(
() => new StockTicker(GlobalHost.ConnectionManager.GetHubContext<StockTickerHub>().Clients));
IHubConnectionContext Clients {get;set;}
private StockTicker(IHubConnectionContext clients)
{
Clients = clients;
}
}
So a static reference is checked and if null it reaches out to :
GlobalHost.ConnectionManager.GetHubContext<StockTickerHub>().Clients
to create an instance and supply the clients via the constructor.
So this was how it used to work and indeed is how the url above has it. But now with Hub<T>
there is a slight change required in the constructor:
private StockTicker(IHubConnectionContext<dynamic> clients)
{
Clients = clients;
}
Now my question is how can I extend this further such that my version of StockTicker can have a strongly typed property for clients of type x.
IHubConnectionContext<StockTickerHub> Clients {get;set;}
private StockTicker(IHubConnectionContext<dynamic> clients)
{
Clients = clients; // Fails, wont compile
}
By maintaining strongly typed references I would be able to call strongly typed methods, etc.
There is now a new overload of GetHubContext that takes two generic parameters. The first is the Hub type like before, but the second generic parameter is TClient (which is the T in Hub<T>
).
Assuming that StockTickerHub is defined as follows:
public class TypedDemoHub : Hub<IClient>
Then
GlobalHost.ConnectionManager.GetHubContext<StockTickerHub>().Clients
becomes
GlobalHost.ConnectionManager.GetHubContext<StockTickerHub, IClient>().Clients
The type returned by the new overload to GetHubContext would be IHubContext<IClient>
and the Clients property would be IHubConnectionContext<IClient>
instead of IHubConnectionContext<dynamic>
or IHubConnectionContext<StockTickerHub>
.