我使用SignalR 2.x进行了一个非常基本的自托管Web服务,其配置如下:
服务器
internal class WebService
{
public void Configuration( IAppBuilder app )
{
var config = new HttpConfiguration { DependencyResolver = new ControllerResolver() };
config.Formatters.XmlFormatter.SupportedMediaTypes.Clear();
config.Formatters.JsonFormatter.SerializerSettings.TypeNameHandling = TypeNameHandling.Objects;
config.Routes.MapHttpRoute( "Default", "{controller}/{id}", new { id = RouteParameter.Optional } );
app.UseWebApi( config );
app.MapConnection<EventDispatcher>( "", new ConnectionConfiguration { EnableCrossDomain = true } );
GlobalHost.DependencyResolver.Register(typeof(JsonSerializer), () => JsonSerializer.Create(new JsonSerializerSettings
{
TypeNameHandling = TypeNameHandling.All
}));
app.MapHubs();
}
}
发送消息的服务器代码:
public class Notifier
{
static readonly IPersistentConnectionContext Context = GlobalHost.ConnectionManager.GetConnectionContext<EventDispatcher>();
public static void NotifyAll( NotificationType type, object obj )
{
Context.Connection.Broadcast( ConstructEvent( type, obj ) );
}
public static object ConstructEvent( NotificationType type, object obj )
{
var notevent = new { Event = type.ToString(), Data = obj };
return notevent;
}
}
客户端:
void connect()
{
var _eventHandler = new Connection(Address);
_eventHandler.JsonSerializer.TypeNameHandling = TypeNameHandling.Objects;
_eventHandler.Received += eventHandler_Received;
_eventHandler.Start().Wait();
}
Web服务很好地返回类型化的JSON,但SignalR发送的更新是纯JSON。我在这里错过了什么吗?
答案 0 :(得分:2)
虽然整个设置相当深奥,但对于那些感兴趣的人来说,这是一个解决方案。
我认为问题是由GlobalHost.ConnectionManager.GetConnectionContext
静态造成的。通过这样做,我想我在正确设置WebService DependencyResolver之前创建了一个PersistentConnection
(虽然我不知道为什么会这样)。通过再次为每个事件抓取ConnectionContext来解决问题:
public class Notifier
{
public static void NotifyAll(NotificationType type, object obj)
{
var context = GlobalHost.ConnectionManager.GetConnectionContext<EventDispatcher>();
var output = ConstructEvent(type, obj);
context.Connection.Broadcast(output);
}
protected static object ConstructEvent(NotificationType type, object obj)
{
var notevent = new { Event = type.ToString(), Data = obj };
return notevent;
}
}
而不是:
public class Notifier
{
static readonly IPersistentConnectionContext Context = GlobalHost.ConnectionManager.GetConnectionContext<EventDispatcher>();
public static void NotifyAll(NotificationType type, object obj)
{
var output = ConstructEvent(type, obj);
Context.Connection.Broadcast(output);
}
protected static object ConstructEvent(NotificationType type, object obj)
{
var notevent = new { Event = type.ToString(), Data = obj };
return notevent;
}
}