1

有一项服务不断将新内容写入文件:

using (var stream = File.Create(FileName))     // overwrites the file
{
    stream.Write(data, 0, data.Length);
}

多个阅读器(包括从该文件呈现其内容的 Web 应用程序)不断访问该文件。我无法控制读者客户端代码。该文件应始终可供读者访问。更重要的是,他们应该看到整个内容,而不是正在写入文件的内容。

像这样的任何技术:

using (var stream = File.Create(FileName + ".tmp"))
{
    stream.Write(data, 0, data.Length);
}

File.Delete(FileName);
File.Move(FileName + ".tmp", FileName);

可能导致网页上缺少内容(有一定的可能性)。并且该服务有时会抛出IOException异常消息“该进程无法访问该文件,因为它正在被另一个进程使用”。

问题是:如何在不中断读者客户端访问的情况下不断更换文件内容?

4

1 回答 1

0

在 IIS 中,您可以调整此模块(我写的完全公开)以将同步注入到读取请求中。您可以通过继承 InterceptingHandler 并添加如下代码来做到这一点:

SychronizingHandler : InterceptingHandler
{
    // ...

    Semaphore mySemaphore;

    protected override bool PreFilter(System.Web.HttpContext context)
    {
        context.RewritePath("myFilePath");
        if( mySemaphore == null)
        {
            bool created;
            mySemaphore = new Semaphore(100, 0, "semphoreName", out created);
        }

        if( mySemaphore != null)
        {
            mySemaphore.WaitOne();
        }
        reutrn true;
    }

    // note this function isn't in the base class
    // you would need to add it  and call it right after the call to
    // innerHandler.ProcessRequest
    protected override void PostFilter(System.Web.HttpContext context) 
    {
        mySemaphore.Release();
        return;
    }

    protected virtual void OnError(HttpContext context, Exception except)
    {
        mySemaphore.Release();
        return base.OnError(context, except);
    }

桌面应用程序有点棘手,因为它取决于应用程序的实现细节。希望在这种情况下,您有一些方法可以扩展它并添加同步。

正如 Fun 在评论中指出的那样,您还可以在预过滤器中进行条件重写,这样您就不会尝试访问正在写入的文件,这是一个非常好的主意。

于 2011-05-24T03:51:57.450 回答