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
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
//! Implements the [`ActorSystem`] and related types of Maxim.
//!
//! When the [`ActorSystem`] starts up, a number of Reactors will be spawned that will iterate over
//! Actor's inbound messages, processing them asynchronously. Actors will be ran as many times as
//! they can over a given time slice until they are pending or have no more messages. If the Actor
//! is Pending, it will be re-queued when the pending future wakes it. If the Actor has no more
//! messages, it will be returned to the Executor until it has messages again. This process cycles
//! until the [`ActorSystem`] is shutdown.
//!
//! The user should refer to test cases and examples as "how-to" guides for using Maxim.
#[cfg(feature = "actor-pool")]
use crate::actors::ActorPoolBuilder;
use crate::actors::{Actor, ActorBuilder, ActorStream};
use crate::executor::MaximExecutor;
use crate::prelude::*;
use crate::system::system_actor::SystemActor;
use dashmap::DashMap;
use log::{debug, error, info, trace, warn};
use once_cell::sync::OnceCell;
use secc::{SeccReceiver, SeccSender};
use serde::{Deserialize, Serialize};
use std::collections::{BinaryHeap, HashSet};
use std::error::Error;
use std::fmt;
use std::sync::atomic::{AtomicBool, Ordering};
use std::sync::{Arc, Condvar, Mutex};
use std::thread;
use std::thread::JoinHandle;
use std::time::{Duration, Instant};
use uuid::Uuid;
mod system_actor;
// Holds an ActorSystem in a std::thread_local so that the Aid deserializer and other types can
// obtain a clone if needed at any time. This needs to be set by each Reactor that is processing
// messages with the actors.
std::thread_local! {
static ACTOR_SYSTEM: OnceCell<ActorSystem> = OnceCell::new();
}
/// An enum containing messages that are sent to actors by the actor system itself and are
/// universal to all actors.
#[derive(Debug, Eq, PartialEq, Serialize, Deserialize)]
pub enum SystemMsg {
/// A message that is sent by the system and guaranteed to be the first message that the
/// actor receives in its lifetime.
Start,
/// A message that instructs an actor to shut down. The actor receiving this message should
/// shut down all open file handles and any other resources and return a [`Status::Stop`]
/// from the call to the message processor. Regardless of the return from the actor's
/// message processor the actor will be shut down by the actor system.
Stop,
/// A message sent to an actor when a monitored actor is stopped and thus not able to
/// process additional messages. The value is the `aid` of the actor that stopped.
Stopped { aid: Aid, error: Option<String> },
}
/// A type used for sending messages to other actor systems.
#[derive(Clone, Serialize, Deserialize)]
pub enum WireMessage {
/// A message sent as a response to another actor system connecting to this actor system.
Hello {
/// The `aid` for the system actor on the actor system sending the message.
system_actor_aid: Aid,
},
/// A container for a message from one actor on one system to an actor on another system.
ActorMessage {
/// The UUID of the [`Aid`] that the message is being sent to.
actor_uuid: Uuid,
/// The UUID of the system that the destination [`Aid`] is local to.
system_uuid: Uuid,
/// The message to be sent.
message: Message,
},
/// A container for sending a message with a specified duration delay.
DelayedActorMessage {
/// The duration to use to delay the message.
duration: Duration,
/// The UUID of the [`Aid`] that the message is being sent to.
actor_uuid: Uuid,
/// The UUID of the system that the destination [`Aid`] is local to.
system_uuid: Uuid,
/// The message to be sent.
message: Message,
},
}
/// Configuration structure for the Maxim actor system. Note that this configuration implements
/// serde serialize and deserialize to allow users to read the config from any serde supported
/// means.
#[derive(Clone, Debug, Serialize, Deserialize)]
pub struct ActorSystemConfig {
/// The default size for the channel that is created for each actor. This can be overridden on
/// a per-actor basis during spawning as well. Making the default channel size bigger allows
/// for more bandwidth in sending messages to actors but also takes more memory. Also the
/// user should consider if their actor needs a large channel then it might need to be
/// refactored or the threads size should be increased because messages aren't being processed
/// fast enough. The default value for this is 32.
pub message_channel_size: u16,
/// Max duration to wait between attempts to send to an actor's message channel. This is used
/// to poll a busy channel that is at its capacity limit. The larger this value is, the longer
/// `send` will wait for capacity in the channel but the user should be aware that if the
/// system is often waiting on capacity that channel may be too small or the actor may need to
/// be refactored to process messages faster. The default value is 1 millisecond.
pub send_timeout: Duration,
/// The size of the thread pool which governs how many worker threads there are in the system.
/// The number of threads should be carefully considered to have sufficient parallelism but not
/// over-schedule the CPU on the target hardware. The default value is 4 * the number of logical
/// CPUs.
pub thread_pool_size: u16,
/// The threshold at which the dispatcher thread will warn the user that the message took too
/// long to process. If this warning is being logged then the user probably should reconsider
/// how their message processing works and refactor big tasks into a number of smaller tasks.
/// The default value is 1 millisecond.
pub warn_threshold: Duration,
/// This controls how long a processor will spend working on messages for an actor before
/// yielding to work on other actors in the system. The dispatcher will continue to pluck
/// messages off the actor's channel and process them until this time slice is exceeded. Note
/// that actors themselves can exceed this in processing a single message and if so, only one
/// message will be processed before yielding. The default value is 1 millisecond.
pub time_slice: Duration,
/// While Reactors will constantly attempt to get more work, they may run out. At that point,
/// they will idle for this duration, or until they get a wakeup notification. Said
/// notifications can be missed, so it's best to not set this too high. The default value is 10
/// milliseconds. This implementation is backed by a [`Condvar`].
pub thread_wait_time: Duration,
/// Determines whether the actor system will immediately start when it is created. The default
/// value is true.
pub start_on_launch: bool,
}
impl ActorSystemConfig {
/// Return a new config with the changed `message_channel_size`.
pub fn message_channel_size(mut self, value: u16) -> Self {
self.message_channel_size = value;
self
}
/// Return a new config with the changed `send_timeout`.
pub fn send_timeout(mut self, value: Duration) -> Self {
self.send_timeout = value;
self
}
/// Return a new config with the changed `thread_pool_size`.
pub fn thread_pool_size(mut self, value: u16) -> Self {
self.thread_pool_size = value;
self
}
/// Return a new config with the changed `warn_threshold`.
pub fn warn_threshold(mut self, value: Duration) -> Self {
self.warn_threshold = value;
self
}
/// Return a new config with the changed `time_slice`.
pub fn time_slice(mut self, value: Duration) -> Self {
self.time_slice = value;
self
}
/// Return a new config with the changed `thread_wait_time`.
pub fn thread_wait_time(mut self, value: Duration) -> Self {
self.thread_wait_time = value;
self
}
}
impl Default for ActorSystemConfig {
/// Create the config with the default values.
fn default() -> ActorSystemConfig {
ActorSystemConfig {
thread_pool_size: (num_cpus::get() * 4) as u16,
warn_threshold: Duration::from_millis(1),
time_slice: Duration::from_millis(1),
thread_wait_time: Duration::from_millis(100),
message_channel_size: 32,
send_timeout: Duration::from_millis(1),
start_on_launch: true,
}
}
}
/// Errors produced by the ActorSystem
#[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
pub enum SystemError {
/// An error returned when an actor is already using a local name at the time the user tries
/// to register that name for a new actor. The error contains the name that was attempted
/// to be registered.
NameAlreadyUsed(String),
}
impl std::fmt::Display for SystemError {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{:?}", self)
}
}
impl Error for SystemError {}
/// Information for communicating with a remote actor system.
pub struct RemoteInfo {
/// The UUID of the remote system.
pub system_uuid: Uuid,
/// The channel to use to send messages to the remote system.
pub sender: SeccSender<WireMessage>,
/// The channel to use to receive messages from the remote system.
pub receiver: SeccReceiver<WireMessage>,
/// The AID to the system actor for the remote system.
pub system_actor_aid: Aid,
/// The handle returned by the thread processing remote messages.
// FIXME (Issue #76) Add graceful shutdown for threads handling remotes.
_handle: JoinHandle<()>,
}
/// Stores a message that will be sent to an actor with a delay.
struct DelayedMessage {
/// A unique identifier for a message.
uuid: Uuid,
/// The Aid that the message will be sent to.
destination: Aid,
/// The minimum instant that the message should be sent.
instant: Instant,
/// The message to sent.
message: Message,
}
impl std::cmp::PartialEq for DelayedMessage {
fn eq(&self, other: &Self) -> bool {
self.uuid == other.uuid
}
}
impl std::cmp::Eq for DelayedMessage {}
impl std::cmp::PartialOrd for DelayedMessage {
fn partial_cmp(&self, other: &DelayedMessage) -> Option<std::cmp::Ordering> {
Some(other.instant.cmp(&self.instant)) // Uses an inverted sort.
}
}
impl std::cmp::Ord for DelayedMessage {
fn cmp(&self, other: &Self) -> std::cmp::Ordering {
self.partial_cmp(other)
.expect("DelayedMessage::partial_cmp() returned None; can't happen")
}
}
/// Contains the inner data used by the actor system.
pub(crate) struct ActorSystemData {
/// Unique version 4 UUID for this actor system.
pub(crate) uuid: Uuid,
/// The config for the actor system which was passed to it when created.
pub(crate) config: ActorSystemConfig,
/// Holds handles to the pool of threads processing the work channel.
threads: Mutex<Vec<JoinHandle<()>>>,
/// The Executor responsible for managing the runtime of the Actors
executor: MaximExecutor,
/// Whether the ActorSystem has started or not.
started: AtomicBool,
/// A flag and condvar that can be used to send a signal when the system begins to shutdown.
shutdown_triggered: Arc<(Mutex<bool>, Condvar)>,
/// Holds the [`Actor`] objects keyed by the [`Aid`].
actors_by_aid: Arc<DashMap<Aid, Arc<Actor>>>,
/// Holds a map of the actor ids by the UUID in the actor id. UUIDs of actor ids are assigned
/// when an actor is spawned using version 4 UUIDs.
aids_by_uuid: Arc<DashMap<Uuid, Aid>>,
/// Holds a map of user assigned names to actor ids set when the actors were spawned. Note
/// that only actors with an assigned name will be in this map.
aids_by_name: Arc<DashMap<String, Aid>>,
/// Holds a map of monitors where the key is the `aid` of the actor being monitored and
/// the value is a vector of `aid`s that are monitoring the actor.
monitoring_by_monitored: Arc<DashMap<Aid, HashSet<Aid>>>,
/// Holds a map of information objects about links to remote actor systems.
remotes: Arc<DashMap<Uuid, RemoteInfo>>,
/// Holds the messages that have been enqueued for delayed send.
delayed_messages: Arc<(Mutex<BinaryHeap<DelayedMessage>>, Condvar)>,
}
/// An actor system that contains and manages the actors spawned inside it.
#[derive(Clone)]
pub struct ActorSystem {
/// This field means the user doesnt have to worry about declaring `Arc<ActorSystem>` all
/// over the place but can just use `ActorSystem` instead. Wrapping the data also allows
/// `&self` semantics on the methods which feels more ergonomic.
pub(crate) data: Arc<ActorSystemData>,
}
impl ActorSystem {
/// Creates an actor system with the given config. The user should benchmark how many slots
/// are needed in the work channel, the number of threads they need in the system and and so
/// on in order to satisfy the requirements of the software they are creating.
pub fn create(config: ActorSystemConfig) -> ActorSystem {
let uuid = Uuid::new_v4();
let threads = Mutex::new(Vec::with_capacity(config.thread_pool_size as usize));
let shutdown_triggered = Arc::new((Mutex::new(false), Condvar::new()));
let executor = MaximExecutor::new(shutdown_triggered.clone());
let start_on_launch = config.start_on_launch;
// Creates the actor system with the thread pools and actor map initialized.
let system = ActorSystem {
data: Arc::new(ActorSystemData {
uuid,
config,
threads,
executor,
started: AtomicBool::new(false),
shutdown_triggered,
actors_by_aid: Arc::new(DashMap::default()),
aids_by_uuid: Arc::new(DashMap::default()),
aids_by_name: Arc::new(DashMap::default()),
monitoring_by_monitored: Arc::new(DashMap::default()),
remotes: Arc::new(DashMap::default()),
delayed_messages: Arc::new((Mutex::new(BinaryHeap::new()), Condvar::new())),
}),
};
// Starts the actor system if configured to do so
if start_on_launch {
system.start();
}
system
}
/// Starts an unstarted ActorSystem. The function will do nothing if the ActorSystem has already been started.
pub fn start(&self) {
if !self
.data
.started
.compare_and_swap(false, true, Ordering::Relaxed)
{
info!("ActorSystem {} has spawned", self.data.uuid);
self.data.executor.init(self);
// We have the thread pool in a mutex to avoid a chicken & egg situation with the actor
// system not being created yet but needed by the thread. We put this code in a block to
// get around rust borrow constraints without unnecessarily copying things.
{
let mut guard = self.data.threads.lock().unwrap();
// Start the thread that reads from the `delayed_messages` queue.
// FIXME Put in ability to confirm how many of these to start.
for _ in 0..1 {
let thread = self.start_send_after_thread();
guard.push(thread);
}
}
// Launch the SystemActor and give it the name "System"
self.spawn()
.name("System")
.with(SystemActor, SystemActor::processor)
.unwrap();
}
}
/// Starts a thread that monitors the delayed_messages and sends the messages when their
/// delays have elapsed.
// FIXME Add a graceful shutdown to this thread and notifications.
fn start_send_after_thread(&self) -> JoinHandle<()> {
let system = self.clone();
let delayed_messages = self.data.delayed_messages.clone();
thread::spawn(move || {
while !*system.data.shutdown_triggered.0.lock().unwrap() {
let (ref mutex, ref condvar) = &*delayed_messages;
let mut data = mutex.lock().unwrap();
match data.peek() {
None => {
// wait to be notified something is added.
let _ = condvar.wait(data).unwrap();
}
Some(msg) => {
let now = Instant::now();
if now >= msg.instant {
trace!("Sending delayed message");
msg.destination
.send(msg.message.clone())
.unwrap_or_else(|error| {
warn!(
"Cannot send scheduled message to {}: Error {:?}",
msg.destination, error
);
});
data.pop();
} else {
let duration = msg.instant.duration_since(now);
let _result = condvar.wait_timeout(data, duration).unwrap();
}
}
}
}
})
}
/// Returns a reference to the config for this actor system.
pub fn config(&self) -> &ActorSystemConfig {
&self.data.config
}
/// Locates the sender for the remote actor system with the given Uuid.
pub(crate) fn remote_sender(&self, system_uuid: &Uuid) -> Option<SeccSender<WireMessage>> {
self.data
.remotes
.get(system_uuid)
.map(|info| info.sender.clone())
}
/// Adds a connection to a remote actor system. When the connection is established the
/// actor system will announce itself to the remote system with a [`WireMessage::Hello`].
pub fn connect(
&self,
sender: &SeccSender<WireMessage>,
receiver: &SeccReceiver<WireMessage>,
) -> Uuid {
// Announce ourselves to the other system and get their info.
let hello = WireMessage::Hello {
system_actor_aid: self.system_actor_aid(),
};
sender.send(hello).unwrap();
debug!("Sending hello from {}", self.data.uuid);
// FIXME (Issue #75) Make error handling in ActorSystem::connect more robust.
let system_actor_aid =
match receiver.receive_await_timeout(self.data.config.thread_wait_time) {
Ok(message) => match message {
WireMessage::Hello { system_actor_aid } => system_actor_aid,
_ => panic!("Expected first message to be a Hello"),
},
Err(e) => panic!("Expected to read a Hello message {:?}", e),
};
// Starts a thread to read incoming wire messages and process them.
let system = self.clone();
let receiver_clone = receiver.clone();
let thread_timeout = self.data.config.thread_wait_time;
let sys_uuid = system_actor_aid.system_uuid();
let handle = thread::spawn(move || {
system.init_current();
// FIXME (Issue #76) Add graceful shutdown for threads handling remotes including
// informing remote that the system is exiting.
while !*system.data.shutdown_triggered.0.lock().unwrap() {
match receiver_clone.receive_await_timeout(thread_timeout) {
Err(_) => (), // not an error, just loop and try again.
Ok(wire_msg) => system.process_wire_message(&sys_uuid, &wire_msg),
}
}
});
// Save the info and thread to the remotes map.
let info = RemoteInfo {
system_uuid: system_actor_aid.system_uuid(),
sender: sender.clone(),
receiver: receiver.clone(),
_handle: handle,
system_actor_aid,
};
let uuid = info.system_uuid;
self.data.remotes.insert(uuid.clone(), info);
uuid
}
/// Disconnects this actor system from the remote actor system with the given UUID.
// FIXME Connectivity management needs a lot of work and testing.
pub fn disconnect(&self, system_uuid: Uuid) -> Result<(), AidError> {
self.data.remotes.remove(&system_uuid);
Ok(())
}
/// Connects two actor systems using two channels directly. This can be used as a utility
/// in testing or to link two actor systems directly within the same process.
pub fn connect_with_channels(system1: &ActorSystem, system2: &ActorSystem) {
let (tx1, rx1) = secc::create::<WireMessage>(32, system1.data.config.thread_wait_time);
let (tx2, rx2) = secc::create::<WireMessage>(32, system2.data.config.thread_wait_time);
// We will do this in 2 threads because one connect would block waiting on a message
// from the other actor system, causing a deadlock.
let system1_clone = system1.clone();
let system2_clone = system2.clone();
let h1 = thread::spawn(move || system1_clone.connect(&tx1, &rx2));
let h2 = thread::spawn(move || system2_clone.connect(&tx2, &rx1));
// Wait for the completion of the connection.
h1.join().unwrap();
h2.join().unwrap();
}
/// A helper function to process a wire message from another actor system. The passed uuid
/// is the uuid of the remote that sent the message.
// FIXME (Issue #74) Make error handling in ActorSystem::process_wire_message more robust.
fn process_wire_message(&self, _uuid: &Uuid, wire_message: &WireMessage) {
match wire_message {
WireMessage::ActorMessage {
actor_uuid,
system_uuid,
message,
} => {
if let Some(aid) = self.find_aid(&system_uuid, &actor_uuid) {
aid.send(message.clone()).unwrap_or_else(|error| {
warn!("Could not send wire message to {}. Error: {}", aid, error);
})
}
}
WireMessage::DelayedActorMessage {
duration,
actor_uuid,
system_uuid,
message,
} => {
self.find_aid(&system_uuid, &actor_uuid)
.map(|aid| self.send_after(message.clone(), aid, *duration))
.expect("Error not handled yet");
}
WireMessage::Hello { system_actor_aid } => {
debug!("{:?} Got Hello from {}", self.data.uuid, system_actor_aid);
}
}
}
/// Initializes this actor system to use for the current thread which is necessary if the
/// user wishes to serialize and deserialize [`Aid`]s.
///
/// ## Contract
/// You must run this exactly once per thread where needed.
pub fn init_current(&self) {
ACTOR_SYSTEM.with(|actor_system| {
actor_system
.set(self.clone())
.expect("Unable to set ACTOR_SYSTEM.");
});
}
/// Fetches a clone of a reference to the actor system for the current thread.
#[inline]
pub fn current() -> ActorSystem {
ACTOR_SYSTEM.with(|actor_system| {
actor_system
.get()
.expect("Thread local ACTOR_SYSTEM not set! See `ActorSystem::init_current()`")
.clone()
})
}
/// Returns the unique UUID for this actor system.
#[inline]
pub fn uuid(&self) -> Uuid {
self.data.uuid
}
/// Triggers a shutdown but doesn't wait for the Reactors to stop.
pub fn trigger_shutdown(&self) {
let (ref mutex, ref condvar) = &*self.data.shutdown_triggered;
*mutex.lock().unwrap() = true;
condvar.notify_all();
}
/// Awaits the Executor shutting down all Reactors. This is backed by a barrier that Reactors
/// will wait on after [`ActorSystem::trigger_shutdown`] is called, blocking until all Reactors
/// have stopped.
pub fn await_shutdown(&self, timeout: impl Into<Option<Duration>>) -> ShutdownResult {
info!("System awaiting shutdown");
let start = Instant::now();
let timeout = timeout.into();
let result = match timeout {
Some(dur) => self.await_shutdown_trigger_with_timeout(dur),
None => self.await_shutdown_trigger_without_timeout(),
};
if let Some(r) = result {
return r;
}
let timeout = {
match timeout {
Some(timeout) => {
let elapsed = Instant::now().duration_since(start);
if let Some(t) = timeout.checked_sub(elapsed) {
Some(t)
} else {
return ShutdownResult::TimedOut;
}
}
None => None,
}
};
// Wait for the executor to finish shutting down
self.data.executor.await_shutdown(timeout)
}
fn await_shutdown_trigger_with_timeout(&self, mut dur: Duration) -> Option<ShutdownResult> {
let (ref mutex, ref condvar) = &*self.data.shutdown_triggered;
let mut guard = mutex.lock().unwrap();
while !*guard {
let started = Instant::now();
let (new_guard, timeout) = match condvar.wait_timeout(guard, dur) {
Ok(ret) => ret,
Err(_) => return Some(ShutdownResult::Panicked),
};
if timeout.timed_out() {
return Some(ShutdownResult::TimedOut);
}
guard = new_guard;
dur -= started.elapsed();
}
None
}
fn await_shutdown_trigger_without_timeout(&self) -> Option<ShutdownResult> {
let (ref mutex, ref condvar) = &*self.data.shutdown_triggered;
let mut guard = mutex.lock().unwrap();
while !*guard {
guard = match condvar.wait(guard) {
Ok(ret) => ret,
Err(_) => return Some(ShutdownResult::Panicked),
};
}
None
}
/// Triggers a shutdown of the system and returns only when all Reactors have shutdown.
pub fn trigger_and_await_shutdown(
&self,
timeout: impl Into<Option<Duration>>,
) -> ShutdownResult {
self.trigger_shutdown();
self.await_shutdown(timeout)
}
// An internal helper to register an actor in the actor system.
pub(crate) fn register_actor(
&self,
actor: Arc<Actor>,
stream: ActorStream,
) -> Result<Aid, SystemError> {
let aids_by_name = &self.data.aids_by_name;
let actors_by_aid = &self.data.actors_by_aid;
let aids_by_uuid = &self.data.aids_by_uuid;
let aid = actor.context.aid.clone();
if let Some(name_string) = &aid.name() {
if aids_by_name.contains_key(name_string) {
return Err(SystemError::NameAlreadyUsed(name_string.clone()));
} else {
aids_by_name.insert(name_string.clone(), aid.clone());
}
}
actors_by_aid.insert(aid.clone(), actor);
aids_by_uuid.insert(aid.uuid(), aid.clone());
self.data.executor.register_actor(stream);
aid.send(Message::new(SystemMsg::Start)).unwrap(); // Actor was just made
Ok(aid)
}
/// Creates a single use builder for this actor system that allows a user to build actors
/// using a chained syntax while optionally providing configuration parameters if desired.
///
/// # Examples
/// ```
/// use maxim::prelude::*;
///
/// let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
///
/// async fn handler(mut count: usize, _: Context, _: Message) -> ActorResult<usize> {
/// count += 1;
/// Ok(Status::done(count))
/// }
///
/// let state = 0 as usize;
///
/// let aid1 = system.spawn().with(state, handler).unwrap();
/// let aid2 = system.spawn().name("Foo").with(state, handler).unwrap();
/// let aid3 = system.spawn().channel_size(10).with(state, handler).unwrap();
/// ```
pub fn spawn(&self) -> ActorBuilder {
ActorBuilder {
system: self.clone(),
name: None,
channel_size: None,
}
}
/// Create a one use actor pool builder that can be used to create a pool of actors.
///
/// The state and the handler function will be cloned and the `count` of actors will be spawned
/// and their [`Aid`]s added to an [`AidPool`]. With the [`AidPool`] you can send messages to
/// the pool to have one of the actors in the pool handle each message. The method that is used
/// to select an actor to handle the message depends on the [`AidPool`] implmentation. The most
/// common actor pool implementation is [`RandomAidPool`].
///
/// # Examples
/// ```
/// use maxim::prelude::*;
///
/// let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
///
/// async fn handler(mut count: usize, _: Context, _: Message) -> ActorResult<usize> {
/// // Do something
/// Ok(Status::done(count))
/// }
///
/// let state = 0 as usize;
///
/// let mut aid_pool: RandomAidPool = system.spawn_pool(10).with(state, handler).unwrap();
/// // Send a message to one of the actors in the pool
/// aid_pool.send_new(()).unwrap();
/// ```
#[cfg(feature = "actor-pool")]
pub fn spawn_pool(&self, count: usize) -> ActorPoolBuilder {
ActorPoolBuilder::new(
ActorBuilder {
system: self.clone(),
name: None,
channel_size: None,
},
count,
)
}
/// Schedules the `aid` for work. Note that this is the only time that we have to use the
/// lookup table. This function gets called when an actor goes from 0 receivable messages to
/// 1 receivable message. If the actor has more receivable messages then this will not be
/// needed to be called because the dispatcher threads will handle the process of resending
/// the actor to the work channel.
// TODO Put tests verifying the resend on multiple messages.
pub(crate) fn schedule(&self, aid: Aid) {
let actors_by_aid = &self.data.actors_by_aid;
if actors_by_aid.contains_key(&aid) {
self.data.executor.wake(aid);
} else {
// The actor was removed from the map so ignore the problem and just log
// a warning.
warn!(
"Attempted to schedule actor with aid {:?} on system with node_id {:?} but
the actor does not exist.",
aid,
self.data.uuid.to_string(),
);
}
}
/// Stops an actor by shutting down its channels and removing it from the actors list and
/// telling the [`Aid`] to not allow messages to be sent to the actor since the receiving
/// side of the actor is gone.
///
/// This is something that should rarely be called from the outside as it is much better to
/// send the actor a [`SystemMsg::Stop`] message and allow it to stop gracefully.
pub fn stop_actor(&self, aid: &Aid) {
self.internal_stop_actor(aid, None);
}
/// Internal implementation of stop_actor, so we have the ability to send an error along with
/// the notification of stop.
pub(crate) fn internal_stop_actor(&self, aid: &Aid, error: impl Into<Option<StdError>>) {
{
let actors_by_aid = &self.data.actors_by_aid;
let aids_by_uuid = &self.data.aids_by_uuid;
let aids_by_name = &self.data.aids_by_name;
actors_by_aid.remove(aid);
aids_by_uuid.remove(&aid.uuid());
if let Some(name_string) = aid.name() {
aids_by_name.remove(&name_string);
}
aid.stop().unwrap();
}
// Notify all of the actors monitoring the actor that is stopped and remove the
// actor from the map of monitors.
if let Some((_, monitoring)) = self.data.monitoring_by_monitored.remove(&aid) {
let error = error.into().map(|e| format!("{}", e));
for m_aid in monitoring {
let value = SystemMsg::Stopped {
aid: aid.clone(),
error: error.clone(),
};
m_aid.send(Message::new(value)).unwrap_or_else(|error| {
error!(
"Could not send 'Stopped' to monitoring actor {}: Error: {:?}",
m_aid, error
);
});
}
}
}
/// Checks to see if the actor with the given [`Aid`] is alive within this actor system.
pub fn is_actor_alive(&self, aid: &Aid) -> bool {
let actors_by_aid = &self.data.actors_by_aid;
actors_by_aid.contains_key(aid)
}
/// Look up an [`Aid`] by the unique UUID of the actor and either returns the located
/// [`Aid`] in a [`Option::Some`] or [`Option::None`] if not found.
pub fn find_aid_by_uuid(&self, uuid: &Uuid) -> Option<Aid> {
let aids_by_uuid = &self.data.aids_by_uuid;
aids_by_uuid.get(uuid).map(|aid| aid.clone())
}
/// Look up an [`Aid`] by the user assigned name of the actor and either returns the
/// located [`Aid`] in a [`Option::Some`] or [`Option::None`] if not found.
pub fn find_aid_by_name(&self, name: &str) -> Option<Aid> {
let aids_by_name = &self.data.aids_by_name;
aids_by_name.get(&name.to_string()).map(|aid| aid.clone())
}
/// A helper that finds an [`Aid`] on this system from the `system_uuid` and `actor_uuid`
/// passed to the function. If the `system_uuid` doesn't match this system then a `None` will
/// be returned. Also if the `system_uuid` matches but the actor is not found a `None` will
/// be returned.
fn find_aid(&self, system_uuid: &Uuid, actor_uuid: &Uuid) -> Option<Aid> {
if self.uuid() == *system_uuid {
self.find_aid_by_uuid(&actor_uuid)
} else {
None
}
}
/// Returns the [`Aid`] to the "System" actor for this actor system.
pub fn system_actor_aid(&self) -> Aid {
self.find_aid_by_name(&"System").unwrap()
}
/// Adds a monitor so that `monitoring` will be informed if `monitored` stops.
pub fn monitor(&self, monitoring: &Aid, monitored: &Aid) {
let mut monitoring_by_monitored = self
.data
.monitoring_by_monitored
.get_raw_mut_from_key(&monitored);
let monitoring_vec = monitoring_by_monitored
.entry(monitored.clone())
.or_insert(HashSet::new());
monitoring_vec.insert(monitoring.clone());
}
/// Asynchronously send a message to the system actors on all connected actor systems.
// FIXME (Issue #72) Add try_send ability.
pub fn send_to_system_actors(&self, message: Message) {
let remotes = &*self.data.remotes;
trace!("Sending message to Remote System Actors");
for remote in remotes.iter() {
let aid = &remote.value().system_actor_aid;
aid.send(message.clone()).unwrap_or_else(|error| {
error!("Could not send to system actor {}. Error: {}", aid, error)
});
}
}
/// Schedules a `message` to be sent to the `destination` [`Aid`] after a `delay`. Note
/// That this method makes a best attempt at sending the message on time but the message may
/// not be sent on exactly the delay passed. However, the message will never be sent before
/// the given delay.
pub(crate) fn send_after(&self, message: Message, destination: Aid, delay: Duration) {
let instant = Instant::now().checked_add(delay).unwrap();
let entry = DelayedMessage {
uuid: Uuid::new_v4(),
destination,
instant,
message,
};
let (ref mutex, ref condvar) = &*self.data.delayed_messages;
let mut data = mutex.lock().unwrap();
data.push(entry);
condvar.notify_all();
}
#[cfg(test)]
pub(crate) fn executor(&self) -> &MaximExecutor {
&self.data.executor
}
}
impl fmt::Debug for ActorSystem {
fn fmt(&self, formatter: &'_ mut fmt::Formatter) -> fmt::Result {
write!(
formatter,
"ActorSystem{{uuid: {}, config: {:?}}}",
self.data.uuid.to_string(),
self.data.config,
)
}
}
#[cfg(test)]
mod tests {
use super::*;
use crate::system::system_actor::SystemActorMessage;
use crate::tests::*;
use futures::future;
use std::thread;
// A helper to start two actor systems and connect them.
fn start_and_connect_two_systems() -> (ActorSystem, ActorSystem) {
let system1 = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let system2 = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
ActorSystem::connect_with_channels(&system1, &system2);
(system1, system2)
}
/// Helper to wait for 2 actor systems to shutdown or panic if they don't do so within
/// 2000 milliseconds.
fn await_two_system_shutdown(system1: ActorSystem, system2: ActorSystem) {
let h1 = thread::spawn(move || {
system1.await_shutdown(None);
});
let h2 = thread::spawn(move || {
system2.await_shutdown(None);
});
h1.join().unwrap();
h2.join().unwrap();
}
/// Test that verifies that the actor system shutdown mechanisms that wait for a specific
/// timeout work properly.
#[test]
fn test_shutdown_await_timeout() {
use std::time::Duration;
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
system
.spawn()
.with((), |_state: (), context: Context, _: Message| {
async move {
// Block for enough time so we can test timeout twice
sleep(100);
context.system.trigger_shutdown();
Ok(Status::done(()))
}
})
.unwrap();
// Expecting to timeout
assert_eq!(
system.await_shutdown(Duration::from_millis(10)),
ShutdownResult::TimedOut
);
// Expecting to NOT timeout
assert_eq!(
system.await_shutdown(Duration::from_millis(200)),
ShutdownResult::Ok
);
// Validate that if the system is already shutdown the method doesn't hang.
// FIXME Design a means that this cannot ever hang the test.
system.await_shutdown(None);
}
/// This test verifies that an actor can be found by its uuid.
#[test]
fn test_find_by_uuid() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid = system.spawn().with((), simple_handler).unwrap();
aid.send_new(11).unwrap();
await_received(&aid, 2, 1000).unwrap();
let found = system.find_aid_by_uuid(&aid.uuid()).unwrap();
assert!(Aid::ptr_eq(&aid, &found));
assert_eq!(None, system.find_aid_by_uuid(&Uuid::new_v4()));
system.trigger_and_await_shutdown(None);
}
/// This test verifies that an actor can be found by its name if it has one.
#[test]
fn test_find_by_name() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid = system.spawn().name("A").with((), simple_handler).unwrap();
aid.send_new(11).unwrap();
await_received(&aid, 2, 1000).unwrap();
let found = system.find_aid_by_name(&aid.name().unwrap()).unwrap();
assert!(Aid::ptr_eq(&aid, &found));
assert_eq!(None, system.find_aid_by_name("B"));
system.trigger_and_await_shutdown(None);
}
/// This tests the find_aid function that takes a system uuid and an actor uuid.
#[test]
fn test_find_aid() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid = system.spawn().name("A").with((), simple_handler).unwrap();
await_received(&aid, 1, 1000).unwrap();
let found = system.find_aid(&aid.system_uuid(), &aid.uuid()).unwrap();
assert!(Aid::ptr_eq(&aid, &found));
assert_eq!(None, system.find_aid(&aid.system_uuid(), &Uuid::new_v4()));
assert_eq!(None, system.find_aid(&Uuid::new_v4(), &aid.uuid()));
system.trigger_and_await_shutdown(None);
}
/// Tests that actors that are stopped are removed from all relevant lookup maps and
/// are reported as not being alive.
#[test]
fn test_stop_actor() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid = system.spawn().name("A").with((), simple_handler).unwrap();
aid.send_new(11).unwrap();
await_received(&aid, 2, 1000).unwrap();
// Now we stop the actor.
system.stop_actor(&aid);
assert_eq!(false, system.is_actor_alive(&aid));
// Verify the actor is NOT in the maps.
let sys_clone = system.clone();
let actors_by_aid = &sys_clone.data.actors_by_aid;
assert_eq!(false, actors_by_aid.contains_key(&aid));
let aids_by_uuid = &sys_clone.data.aids_by_uuid;
assert_eq!(false, aids_by_uuid.contains_key(&aid.uuid()));
assert_eq!(None, system.find_aid_by_name("A"));
assert_eq!(None, system.find_aid_by_uuid(&aid.uuid()));
system.trigger_and_await_shutdown(None);
}
/// This test verifies that the system can send a message after a particular delay.
// FIXME need separate test for remotes.
#[test]
fn test_send_after() {
init_test_log();
info!("Preparing test");
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid = system.spawn().name("A").with((), simple_handler).unwrap();
await_received(&aid, 1, 1000).unwrap();
info!("Test prepared, sending delayed message");
system.send_after(Message::new(11), aid.clone(), Duration::from_millis(10));
info!("Sleeping for initial check");
sleep(5);
assert_eq!(1, aid.received().unwrap());
info!("Sleeping till we're 100% sure we should have the message");
sleep(10);
assert_eq!(2, aid.received().unwrap());
system.trigger_and_await_shutdown(None);
}
/// Tests that if we execute two send_after calls, one for a longer duration than the
/// second, that the message will be sent for the second one before the first one enqueued
/// and that the second one will still arrive properly.
#[test]
fn test_send_after_before_current() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid1 = system.spawn().name("A").with((), simple_handler).unwrap();
await_received(&aid1, 1, 1000).unwrap();
let aid2 = system.spawn().name("B").with((), simple_handler).unwrap();
await_received(&aid2, 1, 1000).unwrap();
aid1.send_after(Message::new(11), Duration::from_millis(50))
.unwrap();
aid2.send_after(Message::new(11), Duration::from_millis(10))
.unwrap();
assert_eq!(1, aid1.received().unwrap());
assert_eq!(1, aid2.received().unwrap());
// We overshoot the timing on the asserts because when the tests are run the CPU is
// busy and the timing can be tricky.
sleep(15);
assert_eq!(1, aid1.received().unwrap());
assert_eq!(2, aid2.received().unwrap());
sleep(50);
assert_eq!(2, aid1.received().unwrap());
assert_eq!(2, aid2.received().unwrap());
system.trigger_and_await_shutdown(None);
}
/// This test verifies that the system does not panic if we schedule to an actor that does
/// not exist in the lookup map. This can happen if a message is sent to an actor after the
/// actor is stopped but before the system notifies the [`Aid`] that the actor has been
/// stopped.
#[test]
fn test_actor_not_in_map() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid = system.spawn().with((), simple_handler).unwrap();
await_received(&aid, 1, 1000).unwrap(); // Now it is started for sure.
// We force remove the actor from the system without calling stop so now it cannot
// be scheduled.
let sys_clone = system.clone();
let actors_by_aid = &sys_clone.data.actors_by_aid;
actors_by_aid.remove(&aid);
// Send a message to the actor which should not schedule it but write out a warning.
aid.send_new(11).unwrap();
system.trigger_and_await_shutdown(None);
}
/// Tests connection between two different actor systems using channels.
#[test]
fn test_connect_with_channels() {
let system1 = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let system2 = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
ActorSystem::connect_with_channels(&system1, &system2);
{
system1
.data
.remotes
.get(&system2.data.uuid)
.expect("Unable to find connection with system 2 in system 1");
}
{
system2
.data
.remotes
.get(&system1.data.uuid)
.expect("Unable to find connection with system 1 in system 2");
}
}
// Tests that monitors work in the actor system and send a message to monitoring actors
// when monitored actors stop.
#[test]
fn test_monitors() {
init_test_log();
let tracker = AssertCollect::new();
async fn monitor_handler(
state: (Aid, AssertCollect),
_: Context,
message: Message,
) -> ActorResult<(Aid, AssertCollect)> {
if let Some(msg) = message.content_as::<SystemMsg>() {
match &*msg {
SystemMsg::Stopped { aid, error } => {
state
.1
.assert(Aid::ptr_eq(&state.0, aid), "Pointers are not equal!");
state.1.assert(error.is_none(), "Actor was errored!");
Ok(Status::done(state))
}
SystemMsg::Start => Ok(Status::done(state)),
_ => state.1.panic("Received some other message!"),
}
} else {
state.1.panic("Received some other message!")
}
}
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let monitored = system.spawn().with((), simple_handler).unwrap();
let not_monitoring = system.spawn().with((), simple_handler).unwrap();
let monitoring1 = system
.spawn()
.with((monitored.clone(), tracker.clone()), monitor_handler)
.unwrap();
let monitoring2 = system
.spawn()
.with((monitored.clone(), tracker.clone()), monitor_handler)
.unwrap();
system.monitor(&monitoring1, &monitored);
system.monitor(&monitoring2, &monitored);
{
// Validate the monitors are there in a block to release mutex afterwards.
let monitoring_by_monitored = &system.data.monitoring_by_monitored;
let m_set = monitoring_by_monitored.get(&monitored).unwrap();
assert!(m_set.contains(&monitoring1));
assert!(m_set.contains(&monitoring2));
}
// Stop the actor and it should be out of the monitors map.
system.stop_actor(&monitored);
await_received(&monitoring1, 2, 1000).unwrap();
await_received(&monitoring2, 2, 1000).unwrap();
await_received(¬_monitoring, 1, 1000).unwrap();
system.trigger_and_await_shutdown(None);
tracker.collect();
}
#[test]
fn test_monitor_gets_panics_errors() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let tracker = AssertCollect::new();
let t = tracker.clone();
let aid = system
.spawn()
.with((), |_: (), _: Context, msg: Message| {
if let Some(_) = msg.content_as::<SystemMsg>() {
debug!("Not panicking this time");
return future::ok(Status::done(()));
}
debug!("About to panic");
panic!("I panicked")
})
.unwrap();
let monitor = system
.spawn()
.with(aid.clone(), move |state: Aid, _: Context, msg: Message| {
if let Some(msg) = msg.content_as::<SystemMsg>() {
match &*msg {
SystemMsg::Stopped { aid, error } => {
t.assert(*aid == state, "Aid is not expected Aid");
t.assert(error.is_some(), "Expected error");
t.assert(
error.as_ref().unwrap() == "I panicked",
"Error message does not match",
);
future::ok(Status::stop(state))
}
SystemMsg::Start => future::ok(Status::done(state)),
_ => t.panic("Unexpected message received!"),
}
} else {
t.panic("Unexpected message received!")
}
})
.unwrap();
system.monitor(&monitor, &aid);
aid.send_new(()).unwrap();
await_received(&monitor, 2, 1000).unwrap();
system.trigger_and_await_shutdown(Duration::from_millis(1000));
tracker.collect();
}
/// This test verifies that the concept of named actors works properly. When a user wants
/// to declare a named actor they cannot register the same name twice. When the actor using
/// the name currently stops the name should be removed from the registered names and be
/// available again.
#[test]
fn test_named_actor_restrictions() {
init_test_log();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
let aid1 = system.spawn().name("A").with((), simple_handler).unwrap();
await_received(&aid1, 1, 1000).unwrap();
let aid2 = system.spawn().name("B").with((), simple_handler).unwrap();
await_received(&aid2, 1, 1000).unwrap();
// Spawn an actor that attempts to overwrite "A" in the names and make sure the
// attempt returns an error to be handled.
let result = system.spawn().name("A").with((), simple_handler);
assert_eq!(Err(SystemError::NameAlreadyUsed("A".to_string())), result);
// Verify that the same actor has "A" name and is still up.
let found1 = system.find_aid_by_name("A").unwrap();
assert_eq!(true, system.is_actor_alive(&aid1));
assert!(Aid::ptr_eq(&aid1, &found1));
// Stop "B" and verify that the ActorSystem's maps are cleaned up.
system.stop_actor(&aid2);
assert_eq!(None, system.find_aid_by_name("B"));
assert_eq!(None, system.find_aid_by_uuid(&aid2.uuid()));
// Now we should be able to crate a new actor with the name "B".
let aid3 = system.spawn().name("B").with((), simple_handler).unwrap();
await_received(&aid3, 1, 1000).unwrap();
let found2 = system.find_aid_by_name("B").unwrap();
assert!(Aid::ptr_eq(&aid3, &found2));
system.trigger_and_await_shutdown(None);
}
/// Tests that remote actors can send and receive messages between each other.
#[test]
fn test_remote_actors() {
// In this test our messages are just structs.
#[derive(Serialize, Deserialize, Debug)]
struct Request {
reply_to: Aid,
}
#[derive(Serialize, Deserialize, Debug)]
struct Reply {}
init_test_log();
let tracker = AssertCollect::new();
let t = tracker.clone();
let (system1, system2) = start_and_connect_two_systems();
system1.init_current();
let aid = system1
.spawn()
.with((), move |_: (), context: Context, message: Message| {
let t = t.clone();
async move {
if let Some(msg) = message.content_as::<Request>() {
msg.reply_to.send_new(Reply {}).unwrap();
context.system.trigger_shutdown();
Ok(Status::stop(()))
} else if let Some(_) = message.content_as::<SystemMsg>() {
Ok(Status::done(()))
} else {
t.panic("Unexpected message received!")
}
}
})
.unwrap();
await_received(&aid, 1, 1000).unwrap();
let t = tracker.clone();
let serialized = bincode::serialize(&aid).unwrap();
system2
.spawn()
.with((), move |_: (), context: Context, message: Message| {
if let Some(_) = message.content_as::<Reply>() {
debug!("Received reply, shutting down");
context.system.trigger_shutdown();
future::ok(Status::stop(()))
} else if let Some(msg) = message.content_as::<SystemMsg>() {
match &*msg {
SystemMsg::Start => {
debug!("Starting request actor");
let target_aid: Aid = bincode::deserialize(&serialized).unwrap();
target_aid
.send_new(Request {
reply_to: context.aid.clone(),
})
.unwrap();
future::ok(Status::done(()))
}
_ => future::ok(Status::done(())),
}
} else {
t.panic("Unexpected message received!")
}
})
.unwrap();
await_two_system_shutdown(system1, system2);
tracker.collect();
}
/// Tests the ability to find an aid on a remote system by name using a `SystemActor`. This
/// also serves as a test for cross system actor communication as well as testing broadcast
/// to multiple system actors in the cluster.
#[test]
fn test_system_actor_find_by_name() {
init_test_log();
let tracker = AssertCollect::new();
let t = tracker.clone();
let (system1, system2) = start_and_connect_two_systems();
let aid1 = system1
.spawn()
.name("A")
.with((), |_: (), context: Context, message: Message| async move {
if let Some(_) = message.content_as::<bool>() {
context.system.trigger_shutdown();
Ok(Status::stop(()))
} else {
Ok(Status::done(()))
}
})
.unwrap();
await_received(&aid1, 1, 1000).unwrap();
system2
.spawn()
.with((), move |_: (), context: Context, message: Message| {
// We have to do this so each async block future gets its own copy.
let aid1 = aid1.clone();
let t = t.clone();
async move {
if let Some(msg) = message.content_as::<SystemActorMessage>() {
match &*msg {
SystemActorMessage::FindByNameResult { aid: found, .. } => {
debug!("FindByNameResult received");
if let Some(target) = found {
t.assert(
target.uuid() == aid1.uuid(),
"Target is not expected Actor",
);
target.send_new(true).unwrap();
context.system.trigger_shutdown();
Ok(Status::done(()))
} else {
t.panic("Didn't find AID.")
}
}
_ => t.panic("Unexpected message received!"),
}
} else if let Some(msg) = message.content_as::<SystemMsg>() {
debug!("Actor started, attempting to send FindByName request");
if let SystemMsg::Start = &*msg {
context.system.send_to_system_actors(Message::new(
SystemActorMessage::FindByName {
reply_to: context.aid.clone(),
name: "A".to_string(),
},
));
Ok(Status::done(()))
} else {
t.panic("Unexpected message received!")
}
} else {
t.panic("Unexpected message received!")
}
}
})
.unwrap();
await_two_system_shutdown(system1, system2);
tracker.collect();
}
/// Tests the ability create an [`AidPool`] and send messages to the pool.
#[test]
#[cfg(feature = "actor-pool")]
fn test_spawn_pool() {
let tracker = AssertCollect::new();
let system = ActorSystem::create(ActorSystemConfig::default().thread_pool_size(2));
async fn handler(_: (), _: Context, _: Message) -> ActorResult<()> {
Ok(Status::done(()))
}
// Create an actor pool
let mut aid_pool: RandomAidPool = system
.spawn_pool(3)
.name("handler")
.channel_size(100)
.with((), handler)
.unwrap();
// Send a bunch of messages to the pool
for _ in 0..=100 {
aid_pool.send_new(0).unwrap();
}
// Sleep to make sure we get the messages
sleep(10);
// Convert the pool to a `Vec` of `Aid`s
let aids: Vec<Aid> = aid_pool.into();
// Make sure each aid in the pool has received at least one message
for aid in aids {
assert!(aid.received().unwrap() > 1);
}
system.trigger_and_await_shutdown(None);
tracker.collect();
}
}