2

我正在使用带有 SignalR 的 MassTransit 请求和响应。该网站向创建文件的 Windows 服务发出请求。创建文件后,Windows 服务将向网站发送回响应消息。该网站将打开该文件并使其可供用户查看。我想处理用户在创建文件之前关闭网页的情况。在这种情况下,我希望将创建的文件通过电子邮件发送给他们。

无论用户是否关闭了网页,都会运行响应消息的消息处理程序。我想要做的是在响应消息处理程序中以某种方式知道网页已关闭。这是我已经做过的。它不起作用,但它确实说明了我的想法。在我的网页上

$(window).unload(function () {
            if (event.clientY < 0) {
                // $.connection.hub.stop();
                $.connection.exportcreate.setIsDisconnected();
    }
});

exportcreate 是我的 Hub 名称。在 setIsDisconnected 中,我会在 Caller 上设置一个属性吗?假设我成功设置了一个属性以指示网页已关闭。如何在响应消息处理程序中找出该值。这就是它现在所做的

    protected void BasicResponseHandler(BasicResponse message)
    {
        string groupName = CorrelationIdGroupName(message.CorrelationId);

        GetClients()[groupName].display(message.ExportGuid);
    }

    private static dynamic GetClients()
    {
        return AspNetHost.DependencyResolver.Resolve<IConnectionManager>().GetClients<ExportCreateHub>();
    }

我将消息相关 ID 用作一个组。现在对我来说,消息上的 ExportGuid 非常重要。那是用来识别文件的。因此,如果我要通过电子邮件发送创建的文件,我必须在响应处理程序中进行,因为我需要 ExportGuid 值。如果我确实在我的集线器中的 Caller 上存储了一个值以关闭网页,我将如何在响应处理程序中访问它。

以防万一你需要知道。显示在网页上定义为

            exportCreate.display = function (guid) {
                setTimeout(function () {
                    top.location.href = 'GetExport.ashx?guid=' + guid;
                }, 500);
            };

GetExport.ashx 打开文件并将其作为响应返回。

谢谢,

问候本

4

1 回答 1

3

我认为更好的选择是实施适当的连接处理。具体来说,让您的集线器实现 IDisconnect 和 IConnected。然后,您将拥有 connectionId 到文档 Guid 的映射。

    public Task Connect()
    {
        connectionManager.MapConnectionToUser(Context.ConnectionId, Context.User.Name);
    }

    public Task Disconnect()
    {
        var connectionId = Context.ConnectionId;
        var docId = connectionManager.LookupDocumentId(connectionId);
        if (docId != Guid.Empty) 
        {
           var userName = connectionManager.GetUserFromConnectionId(connectionId);
           var user = userRepository.GetUserByUserName(userName);
           bus.Publish( new EmailDocumentToUserCommand(docId, user.Email));
        }
    }

    // Call from client
    public void GenerateDocument(ClientParameters docParameters) 
    {
        var docId = Guid.NewGuid();
        connectionManager.MapDocumentIdToConnection(Context.ConnectionId, docId);
        var command = new CreateDocumentCommand(docParameters);
        command.Correlationid = docId;
        bus.Publish(command);
        Caller.creatingDocument(docId);
    }

    // Acknowledge you got the doc.
    // Call this from the display method on the client.
    // If this is not called, the disconnect method will handle sending
    // by email.
    public void Ack(Guid docId) 
    {          
       connectionManager.UnmapDocumentFromConnectionId(connectionId, docId);
       Caller.sendMessage("ok");
    }

当然,这是我的想法。

于 2012-08-29T21:35:42.917 回答