WCF数据服务客户端中没有内置的属性级别更改跟踪器,因此我创建了自己的属性更改跟踪器。

调用方调用DataServiceContext.SaveChanges()后,我想清除跟踪的修改后的属性集合。 I don't see any events or hooks使我知道何时调用SaveChanges()。我是否缺少任何事件或钩子,这比我用派生的DataServiceContext隐藏基础的SaveChanges()更加干净?

最佳答案

http://blogs.msdn.com/b/astoriateam/archive/2013/07/26/using-the-new-client-hooks-in-wcf-data-services-client.aspx上的钩子当然可以用来绑定到SaveChanges()调用。如果保存导致跟踪的实体被作为插入或更新推送,则可以在RequestPipeline的OnEntryEnding挂钩期间访问它们。

例如,我使用相同的钩子从插入/更新请求中删除不变的(干净的)属性:

    public BaseContext(Uri serviceRoot, DataServiceProtocolVersion maxProtocolVersion) :
        base(serviceRoot, maxProtocolVersion)
    {
        this.Configurations.RequestPipeline.OnEntryEnding(OnWritingEntryEnding);
    }

    private static readonly EntityStates[] _statesToPatchIfDirty =
    {
        EntityStates.Added, EntityStates.Modified
    };

    /// <summary>
    /// Removes unmodified and client-only properties prior to sending an update or insert request to the server.
    /// </summary>
    protected virtual void OnWritingEntryEnding(WritingEntryArgs args)
    {
        var editableBase = args.Entity as EditableBase;
        if (editableBase != null
            && editableBase.IsDirty
            && _statesToPatchIfDirty.Contains(GetEntityDescriptor(args.Entity).State))
        {
            var cleanProperties = args.Entry
                                      .Properties
                                      .Select(odp => odp.Name)
                                      .Where(p => !editableBase.IsDirtyProperty(p))
                                      .ToArray();
            args.Entry.RemoveProperties(cleanProperties);
        }
    }


您可以同时将它们从修改后的属性集合中删除。但是,您可能仍想在SaveChanges()周围添加一些处理,以防最终请求出错。

关于c# - 是否有任何事件或DataServiceContext.SaveChanges()的钩子(Hook),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/20974791/

10-13 06:52