-
Notifications
You must be signed in to change notification settings - Fork 30
/
Copy pathService.cs
70 lines (58 loc) · 2.5 KB
/
Service.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
using System.Runtime.Serialization;
using MemoryPack;
using static System.Console;
namespace Samples.MultiServerRpc;
public record ServerId(Symbol Id); // Used just to display the message with Server ID
public interface IChat : IComputeService
{
[ComputeMethod]
Task<List<string>> GetRecentMessages(Symbol chatId, CancellationToken cancellationToken = default);
[ComputeMethod]
Task<int> GetWordCount(Symbol chatId, CancellationToken cancellationToken = default);
[CommandHandler]
Task Post(Chat_Post command, CancellationToken cancellationToken);
}
[DataContract, MemoryPackable(GenerateType.VersionTolerant)]
// ReSharper disable once InconsistentNaming
public partial record Chat_Post(
[property: DataMember, MemoryPackOrder(0)] Symbol ChatId,
[property: DataMember, MemoryPackOrder(1)] string Message
) : ICommand<Unit>;
public class Chat : IChat
{
private readonly object _lock = new();
private readonly Dictionary<Symbol, List<string>> _chats = new();
private ServerId ServerId { get; }
public Chat(ServerId serverId) => ServerId = serverId;
public virtual Task<List<string>> GetRecentMessages(Symbol chatId, CancellationToken cancellationToken = default)
{
lock (_lock)
return Task.FromResult(_chats.GetValueOrDefault(chatId) ?? new());
}
public virtual async Task<int> GetWordCount(Symbol chatId, CancellationToken cancellationToken = default)
{
// Note that GetRecentMessages call here becomes a dependency of WordCount call,
// and that's why it gets invalidated automatically.
var messages = await GetRecentMessages(chatId, cancellationToken).ConfigureAwait(false);
return messages
.Select(m => m.Split(" ", StringSplitOptions.RemoveEmptyEntries).Length)
.Sum();
}
public virtual Task Post(Chat_Post command, CancellationToken cancellationToken)
{
var chatId = command.ChatId;
if (Computed.IsInvalidating()) {
_ = GetRecentMessages(chatId, default); // No need to invalidate GetWordCount
return Task.CompletedTask;
}
WriteLine($"{ServerId.Id}: got {command}");
lock (_lock) {
var posts = _chats.GetValueOrDefault(chatId) ?? new(); // We can't update the list itself (it's shared), but can re-create it
posts.Add(command.Message);
if (posts.Count > 10)
posts.RemoveAt(0);
_chats[chatId] = posts;
}
return Task.CompletedTask;
}
}