我有一个这样的场景。
从哪个模块派生的基类 每个模块都有自己的信号器集线器 我想在一个主机中托管所有模块,由模块名称分隔 有些模块将共享集线器名称。
namespace domain.com.base
{
public class BaseClass
{
public string ApplicationName;
}
}
namespace domain.com.billing
{
public class Billing : BaseClass
{
ApplicationName = "Billing";
}
public class NotificationHub : Hub
{
public void Credit(decimal amount)
{
Clients.All.Notify(amount);
}
}
}
namespace domain.com.reporting
{
public class Reporting : BaseClass
{
ApplicationName = "Reporting";
}
public class ReportingHub : Hub
{
public Report GetReport(int Id)
{
return ReportModule.RetrieveReport(Id);
}
}
}
在OWIN.Startup.Configuration(IAppBuilder)中可以做类似的事情
namespace domain.com.external_access
{
public void Configuration(IAppBuilder app)
{
var asmList = GlobalResolver.Applications();
foreach(var asm in asmList)
{
app.MapSignalR(asm.ApplicationName,false);
}
}
}
有效地给你这样的东西......
http://domain.com.external_access/Reporting/hubs http://domain.com.external_access/Billing/hubs
答案 0 :(得分:5)
实际上这是可行的,即使它需要在GlobalHost
周围进行一些繁重的SignalR紧密耦合。
以下答案基于我的记忆,我现在无法访问我的代码。如果错误在那里,我会尽快更新答案。
编辑:昨天晚上我说得对。请按照下面的说明进行操作
您需要实施自己的IHubDescriptorProvider
和IHubActivator
,以便控制为每个“端点”找到Hub
。此外,您需要为每个端点提供自己的HubConfiguration
实例(继承自ConnectionConfiguration
),该实例不使用全局主机依赖性解析程序。这可能是这样的:
class CustomSignalRConnectionConfiguration : HubConfiguration
{
public CustomSignalRConnectionConfiguration()
{
this.Resolver = new DefaultDependencyResolver();
// configure your DI here...
var diContainer = new YourFavouriteDi();
// replace IHubActivator
this.Resolver.Register(
typeof(IHubActivator),
() => diContainer.Resolve<IHubActivator>());
// replace IHubDescriptorProvider
this.Resolver.Register(
typeof(IHubDescriptorProvider),
() => diContainer.Resolve<IHubDescriptorProvider>());
}
}
对于您的单个端点,您可以执行以下操作:
app.Map("/endpointName", mappedApp =>
{
var config = new CustomSignalRConnectionConfiguration();
mappedApp.MapSignalR(config);
});
祝你好运!