3

.net クライアントを使用した次のシナリオで何が起こるか知りたいです。

using (IDocumentSession session = documentStore.OpenSession())
{
    thingToUpdate = session.Load<TUpdateThing>(id);

    // Modify thingToUpdate here

    // ** Someplace else the object is updated and saved. **

    session.SaveChanges();  // What happens here?
}

これは、変更された etag に基づいて自動的にエラーをスローしますか? それとも、これがオフになり、他の誰かが行った変更を上書きしますか?

http api に関連して、これに関するいくつかのものを見てきました: http://ravendb.net/docs/http-api/http-api-comcurrency

4

1 に答える 1

9

あなたが話しているのは、楽観的並行性です。それを使用したい場合は、設定します

session.Advanced.UseOptimisticConcurrency = true;

デフォルトでは、設定されていません。

これを示す合格テストは次のとおりです。

public class ConcurrentUpdates : LocalClientTest
{
    [Fact]
    public void ConcurrentUpdatesWillThrowAConcurrencyException()
    {
        using (var store = NewDocumentStore())
        {
            var originalPost = new Post { Text = "Nothing yet" };
            using (var s = store.OpenSession())
            {
                s.Store(originalPost);
                s.SaveChanges();
            }

            using (var session1 = store.OpenSession())
            using (var session2 = store.OpenSession())
            {
                session1.Advanced.UseOptimisticConcurrency = true;
                session2.Advanced.UseOptimisticConcurrency = true;

                var post1 = session1.Load<Post>(originalPost.Id);
                var post2 = session2.Load<Post>(originalPost.Id);

                post1.Text = "First change";
                post2.Text = "Second change";

                session1.SaveChanges();

                // Saving the second text will throw a concurrency exception
                Assert.Throws<ConcurrencyException>(() => session2.SaveChanges());
            }

            using (var s = store.OpenSession())
            {
                Assert.Equal("First change", s.Load<Post>(originalPost.Id).Text);
            }
        }
    }

    public class Post
    {
        public string Id { get; set; }
        public string Text { get; set; }
    }
}
于 2012-05-15T17:24:28.847 に答える