forked from couchbaselabs/devguide-examples
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Cas.cs
92 lines (81 loc) · 3.33 KB
/
Cas.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
using Couchbase;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace DevGuide
{
public class Cas : ConnectionBase
{
public override async Task ExecuteAsync()
{
var key = "dotnetDevguideExampleCas-" + DateTime.Now.Ticks;
var data = new Data
{
Number = 0
};
// Set the inital number value to 0
await _bucket.UpsertAsync(key, data);
// Try to increment the number 1000 times without using CAS (10 threads x 100 increments)
// We would expect the result to be Number == 1000 at the end of the process.
var tasksWithoutCas = Enumerable.Range(1, 10).Select(i => UpdateNumberWithoutCas(key, 100));
await Task.WhenAll(tasksWithoutCas);
// Check if the actual result is 1000 as expected
var result = await _bucket.GetAsync<Data>(key);
Console.WriteLine("Expected number = 1000, actual number = " + result.Value.Number);
// Set the inital number value back to 0
await _bucket.UpsertAsync(key, data);
// Now try to increment the number 1000 times with CAS
var tasksWithCas = Enumerable.Range(1, 10).Select(i => UpdateNumberWithCas(key, 100));
await Task.WhenAll(tasksWithCas);
// Check if the actual result is 1000 as expected
var result2 = await _bucket.GetAsync<Data>(key);
Console.WriteLine("Expected number = 1000, actual number = " + result2.Value.Number);
}
private Task UpdateNumberWithoutCas(string key, int count)
{
return Task.Run(async () =>
{
for (int i = 0; i < count; i++)
{
// Get the document
var result = await _bucket.GetAsync<Data>(key);
// Update the document
result.Value.Number++;
// Store the document back without CAS
await _bucket.ReplaceAsync(key, result.Value);
}
});
}
private Task UpdateNumberWithCas(string key, int count)
{
return Task.Run(async () =>
{
for (int i = 0; i < count; i++)
{
IOperationResult<Data> result = null;
var retries = 100;
do
{
// Get the document
result = await _bucket.GetAsync<Data>(key);
// Update the document
result.Value.Number++;
// Store the document back without CAS
result = await _bucket.ReplaceAsync(key, result.Value, result.Cas);
}
while (result != null &&
!result.Success &&
// The .NET SDK returns a KeyExists status when the provided CAS doesn't match
result.Status == Couchbase.IO.ResponseStatus.KeyExists &&
retries-- > 0);
}
});
}
static void Main(string[] args)
{
new Cas().ExecuteAsync().Wait();
}
}
}