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 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935
#![doc(
html_root_url = "https://docs.rs/arc-swap/0.3.11/arc-swap/",
test(attr(deny(warnings)))
)]
#![deny(missing_docs, warnings)]
#![allow(renamed_and_removed_lints)]
//! Making [`Arc`][Arc] itself atomic
//!
//! This library provides the [`ArcSwapAny`][ArcSwapAny] type (which you probably don't want to use
//! directly) and several type aliases that set it up for common use cases:
//!
//! * [`ArcSwap`][ArcSwap], which operates on [`Arc<T>`][Arc].
//! * [`ArcSwapOption`][ArcSwapOption], which operates on `Option<Arc<T>>`.
//! * [`IndependentArcSwap`][ArcSwapOption], which uses slightly different trade-of decisions ‒ see
//! below.
//!
//! Note that as these are *type aliases*, the useful methods are defined on
//! [`ArcSwapAny`][ArcSwapAny] directly and you want to look at its documentation, not on the
//! aliases.
//!
//! This is similar to [`RwLock<Arc<T>>`][RwLock], but it is faster, the readers are never blocked
//! (not even by writes) and it is more configurable.
//!
//! Or, you can look at it this way. There's [`Arc<T>`][Arc] ‒ it knows when it stops being used and
//! therefore can clean up memory. But once there's a [`Arc<T>`][Arc] somewhere, shared between
//! threads, it has to keep pointing to the same thing. On the other hand, there's
//! [`AtomicPtr`][AtomicPtr] which can be changed even when shared between
//! threads, but it doesn't know when the data pointed to is no longer in use so it
//! doesn't clean up. This is a hybrid between the two.
//!
//! # Motivation
//!
//! First, the C++ [`shared_ptr`][shared_ptr] can act this way. The fact that it's only the surface
//! API and all the implementations I could find hide a mutex inside wasn't known to me when I
//! started working on this. So I decided Rust needs to keep up there.
//!
//! Second, I like hard problems and this seems like an apt supply of them.
//!
//! And third, I actually have few use cases for something like this.
//!
//! # Performance characteristics
//!
//! It is optimised for read-heavy situations with only occasional writes. Few examples might be:
//!
//! * Global configuration data structure, which is updated once in a blue moon when an operator
//! manually does some changes, but looked into through the whole program all the time. Looking
//! into it should be cheap and multiple threads should be able to look into it at the same time.
//! * Some in-memory database or maybe routing tables, where lookup latency matters. Updating the
//! routing tables isn't an excuse to stop processing packets even for a short while.
//!
//! ## Lock-free readers
//!
//! All the read operations are always [lock-free]. Most of the time, they are actually
//! [wait-free]. The only one that is *only* lock-free is the first [`lease`][lease] access in each
//! thread (across all the pointers).
//!
//! So, when the documentation talks about *contention*, it talks about multiple cores having to
//! sort out who changes the bytes in a cache line first and who is next. This slows things down,
//! but it still rolls forward and stop for no one, not like with the mutex-style contention when
//! one holds the lock and others wait outside.
//!
//! Unfortunately, there are cases where readers block writers from completion. It's much more
//! limited in scope than with [`Mutex`][Mutex] or [`RwLock`][RwLock] and steady stream of readers
//! will *not* prevent an update from happening indefinitely (only a reader stuck in a critical
//! section could, and when used according to recommendations, the critical sections contain no
//! loops and are only several instructions short).
//!
//! ## Speeds
//!
//! The base line speed of read operations is similar to using an *uncontended* [`Mutex`][Mutex].
//! However, [`lease`][lease] and [`peek`][peek] suffer no contention from any other read
//! operations and only slight ones during updates. The [`load`][load] operation is additionally
//! contended only on the reference count of the [`Arc`][Arc] inside ‒ so, in general, while
//! [`Mutex`][Mutex] rapidly loses its performance when being in active use by multiple threads at
//! once and [`RwLock`][RwLock] is slow to start with, [`ArcSwapAny`][ArcSwapAny] mostly keeps its
//! performance even when read by many threads in parallel.
//!
//! Write operations are considered expensive. A write operation is more expensive than access to
//! an *uncontended* [`Mutex`][Mutex] and on some architectures even slower than uncontended
//! [`RwLock`][RwLock]. However, it is faster than either when contended.
//!
//! There are some (very unscientific) [benchmarks] within the source code of the library.
//!
//! The exact numbers are highly dependant on the machine used (both absolute numbers and relative
//! between different data structures). Not only architectures have a huge impact (eg. x86 vs ARM),
//! but even AMD vs. Intel or two different Intel processors. Therefore, if what matters is more
//! the speed than the wait-free guarantees, you're advised to do your own measurements.
//!
//! ## Choosing the right reading operation
//!
//! Performance is world of trade-offs. Therefore, the library offers several very similar methods
//! to read the pointer. The default choice should nevertheless probably be [`lease`][lease].
//!
//! Only one of them is functionally different ‒
//! [`peek_signal_safe`][peek_signal_safe]. See below for [signals](#unix-signal-handlers), but in
//! general, it is the only thing you want to use inside a signal handler and you don't want to use
//! it anywhere else.
//!
//! * [`load`][load] creates a full blown [`Arc`][Arc]. It's the most heavy-weight around and while
//! [wait-free], it suffers from contention on the reference count in the [`Arc`][Arc], so when
//! used from too many threads at once, it'll become slow. On the other hand, there's no
//! restriction on how long you can hold onto the result or how many of them you keep around, so
//! this is appropriate if creating handles for long-term storage. It also provides a bridge to
//! other algorithms which only take the [`Arc`][Arc].
//! * [`lease`][lease] returns a proxy object that works as a pointer to the stored data and can be
//! upgraded to full [`Arc`][Arc] later on if needed. There's no limit on how long it can live
//! around. However, it internally comes at two flavors, one cheap and one containing a full
//! [`Arc`][Arc] in it. Each thread is entitled to only limited total number of cheap ones at a
//! given time (currently 8) and if more are constructed, the others fall back on the full
//! version (which then uses [`load`][load] internally). Therefore, [`lease`][lease] can be fast
//! (almost as fast as [`peek`][peek]) but only as long as the thread calling it doesn't have too
//! many leases around at the time.
//! * [`peek`][peek] is the cheapest with the most predictable performance characteristics.
//! However, as long as the returned guard object is alive, the internal generation lock is being
//! held and that prevents write operations from completion and they'll spin-wait for the unlock.
//! By default, all the pointer instances share the *same* generation lock (and it'll therefore
//! prevent write operations even on *other* pointers from completion). However, the
//! [`IndependentArcSwap`][IndependentArcSwap] uses a private generation lock for each instance.
//! In general, this is suitable for very fast things ‒ like reading a single scalar value out of
//! a configuration, but not keeping it around or doing expensive lookups in data.
//!
//! Additionally, it is possible to use [cache handles](cache/index.html) to get further speed
//! improvement at the cost of less comfortable API and possibly keeping the older values alive for
//! longer than necessary.
//!
//! # RCU
//!
//! This also offers an [RCU implementation][rcu], for read-heavy
//! situations. Note that the RCU update is considered relatively slow operation (slower than
//! simple write). In case there's only one update thread, using
//! [`store`](struct.ArcSwapAny.html#method.store) is enough.
//!
//! # Atomic orderings
//!
//! It is guaranteed each operation performs at least one `SeqCst` atomic read-write operation,
//! therefore even operations on different instances have a defined global order of operations.
//!
//! # Unix signal handlers
//!
//! Unix signals are hard to use correctly, partly because there is a very restricted set of
//! functions one might use inside them. Specifically, it is *not* allowed to use mutexes inside
//! them (because that could cause a deadlock).
//!
//! On the other hand, it is possible to use [`peek_signal_safe`][peek_signal_safe] (but not the
//! others). Note that the signal handler is not allowed to allocate or deallocate
//! memory, therefore it is not recommended to [`upgrade`](struct.Guard.html#method.upgrade) the
//! returned guard (it is strictly speaking possible to use that safely, but it is hard and brings
//! no benefit).
//!
//! # Customization
//!
//! While the default [`ArcSwap`][ArcSwap] and [`lease`][lease] is probably good enough for most of
//! the needs, the library allows a wide range of customizations:
//!
//! * It allows storing nullable (`Option<Arc<_>>`) and non-nullable pointers.
//! * It is possible to store other reference counted pointers (eg. if you want to use it with a
//! hypothetical `Arc` that doesn't have weak counts), by implementing the [`RefCnt`][RefCnt]
//! trait.
//! * It allows choosing internal locking strategy by the [`LockStorage`][LockStorage] trait.
//!
//! # Examples
//!
//! ```rust
//! extern crate arc_swap;
//! extern crate crossbeam_utils;
//!
//! use std::sync::Arc;
//!
//! use arc_swap::ArcSwap;
//! use crossbeam_utils::thread;
//!
//! fn main() {
//! let config = ArcSwap::from(Arc::new(String::default()));
//! thread::scope(|scope| {
//! scope.spawn(|_| {
//! let new_conf = Arc::new("New configuration".to_owned());
//! config.store(new_conf);
//! });
//! for _ in 0..10 {
//! scope.spawn(|_| {
//! loop {
//! let cfg = config.lease();
//! if !cfg.is_empty() {
//! assert_eq!(*cfg, "New configuration");
//! return;
//! }
//! }
//! });
//! }
//! }).unwrap();
//! }
//! ```
//!
//! # Alternatives
//!
//! There are other means to get similar functionality you might want to consider:
//!
//! ## `Mutex<Arc<_>>` and `RwLock<Arc<_>>`
//!
//! They have significantly worse performance in the contented scenario but are comparable in
//! uncontended cases. They are directly in the standard library, which means better testing and
//! less dependencies.
//!
//! ## The same, but with [parking_lot]
//!
//! Parking lot contains alternative implementations of `Mutex` and `RwLock` that are faster than
//! the standard library primitives. They still suffer from contention.
//!
//! ## [`crossbeam::atomic::ArcCell`]
//!
//! This internally contains a spin-lock equivalent and is very close to the characteristics of
//! `parking_lot::Mutex<Arc<_>>`. This is unofficially deprecated. See the
//! [relevant issue](https://github.com/crossbeam-rs/crossbeam/issues/160).
//!
//! ## [`crossbeam-arccell`]
//!
//! It is mentioned here because of the name. Despite of the name, this does something very
//! different (which *might* possibly solve similar problems). It's API is not centric to `Arc` or
//! any kind of pointer, but rather it has snapshots of its internal value that can be exchanged
//! very fast.
//!
//! ## [`AtomicArc`]
//!
//! This one is probably the closest thing to [`ArcSwap`][ArcSwap] on the API level. Both read and
//! write operations are [lock-free], but neither is [wait-free], and the performance of reads and
//! writes are more balanced ‒ while [`ArcSwap`][ArcSwap] is optimized for reading, [`AtomicArc`]
//! is „balanced“.
//!
//! The biggest current downside is, it is in a prototype stage and not released yet.
//!
//! [Arc]: https://doc.rust-lang.org/std/sync/struct.Arc.html
//! [RwLock]: https://doc.rust-lang.org/std/sync/struct.RwLock.html
//! [Mutex]: https://doc.rust-lang.org/std/sync/struct.Mutex.html
//! [AtomicPtr]: https://doc.rust-lang.org/std/sync/atomic/struct.AtomicPtr.html
//! [ArcSwapAny]: struct.ArcSwapAny.html
//! [ArcSwap]: type.ArcSwap.html
//! [IndependentArcSwap]: type.IndependentArcSwap.html
//! [shared_ptr]: http://en.cppreference.com/w/cpp/memory/shared_ptr
//! [lock-free]: https://en.wikipedia.org/wiki/Non-blocking_algorithm#Lock-freedom
//! [wait-free]: https://en.wikipedia.org/wiki/Non-blocking_algorithm#Wait-freedom
//! [lease]: struct.ArcSwapAny.html#method.lease
//! [load]: struct.ArcSwapAny.html#method.load
//! [peek]: struct.ArcSwapAny.html#method.peek
//! [peek_signal_safe]: struct.ArcSwapAny.html#method.peek_signal_safe
//! [rcu]: struct.ArcSwapAny.html#method.rcu
//! [RefCnt]: trait.RefCnt.hmtl
//! [LockStorage]: gen_lock/trait.LockStorage.html
//! [benchmarks]: https://github.com/vorner/arc-swap/tree/master/benches
//! [parking_lot]: https://docs.rs/parking_lot
//! [`crossbeam::atomic::ArcCell`]: https://docs.rs/crossbeam/0.5.0/crossbeam/atomic/struct.ArcCell.html
//! [`crossbeam-arccell`]: https://docs.rs/crossbeam-arccell/
//! [`AtomicArc`]: https://github.com/stjepang/atomic/blob/master/src/atomic_arc.rs#L20
mod as_raw;
pub mod cache;
mod compile_fail_tests;
mod debt;
pub mod gen_lock;
mod ref_cnt;
use std::fmt::{Debug, Display, Formatter, Result as FmtResult};
use std::isize;
use std::marker::PhantomData;
use std::mem;
use std::ops::Deref;
use std::process;
use std::ptr;
use std::sync::atomic::{self, AtomicPtr, Ordering};
use std::sync::Arc;
use std::thread;
pub use as_raw::AsRaw;
use debt::Debt;
use gen_lock::{Global, LockStorage, PrivateUnsharded, GEN_CNT};
pub use ref_cnt::{NonNull, RefCnt};
// # Implementation details
//
// The first idea would be to just use AtomicPtr with whatever the Arc::into_raw returns. Then
// replacing it would be fine (there's no need to update ref counts). The load needs to increment
// the reference count ‒ one still stays inside and another is returned to the caller. This is done
// by re-creating the Arc from the raw pointer and then cloning it, throwing one instance away
// (without destroying it).
//
// This approach has a problem. There's a short time between we read the raw pointer and increment
// the count. If some other thread replaces the stored Arc and throws it away, the ref count could
// drop to 0, get destroyed and we would be trying to bump ref counts in a ghost, which would be
// totally broken.
//
// To prevent this, we actually use two approaches in a hybrid manner.
//
// The first one is based on hazard pointers idea, but slightly modified. There's a global
// repository of pointers that owe a reference. When someone swaps a pointer, it walks this list
// and pays all the debts (and takes them out of the repository).
//
// For simplicity and performance, storing into the repository is fallible. If storing into the
// repository fails (because the thread used up all its own slots, or because the pointer got
// replaced in just the wrong moment and it can't confirm the reservation), unlike the full
// hazard-pointers approach, we don't retry, but fall back onto secondary the strategy.
//
// Each reader registers itself so it can be tracked, but only as a number. Each writer first
// switches the pointer. Then it takes a snapshot of all the current readers and waits until all of
// them confirm bumping their reference count. Only then the writer returns to the caller, handing
// it the ownership of the Arc and allowing possible bad things (like being destroyed) to happen to
// it. This has its own disadvantages, so it is only the second opportunity.
//
// # Unsafety
//
// All the uses of the unsafe keyword is just to turn the raw pointer back to Arc. It originated
// from an Arc in the first place, so the only thing to ensure is it is still valid. That means its
// ref count never dropped to 0.
//
// At the beginning, there's ref count of 1 stored in the raw pointer (and maybe some others
// elsewhere, but we can't rely on these). This 1 stays there for the whole time the pointer is
// stored there. When the arc is replaced, this 1 is returned to the caller, so we just have to
// make sure no more readers access it by that time.
//
// # Tracking of readers
//
// The simple way would be to have a count of all readers that could be in the dangerous area
// between reading the pointer and bumping the reference count. We could „lock“ the ref count by
// incrementing this atomic counter and „unlock“ it when done. The writer would just have to
// busy-wait for this number to drop to 0 ‒ then there are no readers at all. This is safe, but a
// steady inflow of readers could make a writer wait forever.
//
// Therefore, we separate readers into two groups, odd and even ones (see below how). When we see
// both groups to drop to 0 (not necessarily at the same time, though), we are sure all the
// previous readers were flushed ‒ each of them had to be either odd or even.
//
// To do that, we define a generation. A generation is a number, incremented at certain times and a
// reader decides by this number if it is odd or even.
//
// One of the writers may increment the generation when it sees a zero in the next-generation's
// group (if the writer sees 0 in the odd group and the current generation is even, all the current
// writers are even ‒ so it remembers it saw odd-zero and increments the generation, so new readers
// start to appear in the odd group and the even has a chance to drop to zero later on). Only one
// writer does this switch, but all that witness the zero can remember it.
//
// We also split the reader threads into shards ‒ we have multiple copies of the counters, which
// prevents some contention and sharing of the cache lines. The writer reads them all and sums them
// up.
//
// # Leases and debts
//
// Instead of incrementing the reference count, the pointer reference can be owed. In such case, it
// is recorded into a global storage. As each thread has its own storage (the global storage is
// composed of multiple thread storages), the readers don't contend. When the pointer is no longer
// in use, the debt is erased.
//
// The writer pays all the existing debts, therefore the reader have the full Arc with ref count at
// that time. The reader is made aware the debt was paid and decrements the reference count.
//
// # Memory orders
//
// ## Synchronizing the data pointed to by the pointer.
//
// We have AcqRel (well, SeqCst, but that's included) on the swap and Acquire on the loads. In case
// of the double read around the debt allocation, we do that on the *second*, because of ABA.
// That's also why that SeqCst on the allocation of debt itself is not enough.
//
// ## The generation lock
//
// Second, the dangerous area when we borrowed the pointer but haven't yet incremented its ref
// count needs to stay between incrementing and decrementing the reader count (in either group). To
// accomplish that, using Acquire on the increment and Release on the decrement would be enough.
// The loads in the writer use Acquire to complete the edge and make sure no part of the dangerous
// area leaks outside of it in the writers view. This Acquire, however, forms the edge only with
// the *latest* decrement. By making both the increment and decrement AcqRel, we effectively chain
// the edges together.
//
// Now the hard part :-). We need to ensure that whatever zero a writer sees is not stale in the
// sense that it happened before the switch of the pointer. In other words, we need to make sure
// that at the time we start to look for the zeroes, we already see all the current readers. To do
// that, we need to synchronize the time lines of the pointer itself and the corresponding group
// counters. As these are separate, unrelated, atomics, it calls for SeqCst ‒ on the swap and on
// the increment. This'll guarantee that they'll know which happened first (either increment or the
// swap), making a base line for the following operations (load of the pointer or looking for
// zeroes).
//
// # Memory orders around debts
//
// The linked list of debt nodes only grows. The shape of the list (existence of nodes) is
// synchronized through Release on creation and Acquire on load on the head pointer.
//
// The debts work similar to locks ‒ Acquire and Release make all the pointer manipulation at the
// interval where it is written down. However, we use the SeqCst on the allocation of the debt for
// the same reason we do so with the generation lock.
//
// In case the writer pays the debt, it sees the new enough data (for the same reasons the stale
// zeroes are not seen). The reference count on the Arc is AcqRel and makes sure it is not
// destroyed too soon. The writer traverses all the slots, therefore they don't need to synchronize
// with each other.
//
// # Orderings on the rest
//
// We don't really care much if we use a stale generation number ‒ it only works to route the
// readers into one or another bucket, but even if it was completely wrong, it would only slow the
// waiting for 0 down. So, the increments of it are just hints.
//
// All other operations can be Relaxed (they either only claim something, which doesn't need to
// synchronize with anything else, or they are failed attempts at something ‒ and another attempt
// will be made, the successful one will do the necessary synchronization).
const MAX_GUARDS: usize = (isize::MAX) as usize;
/// Generation lock, to abstract locking and unlocking readers.
struct GenLock<'a, S: LockStorage + 'a> {
shard: usize,
gen: usize,
lock_storage: &'a S,
}
impl<'a, S: LockStorage> GenLock<'a, S> {
/// Creates a generation lock.
fn new(signal_safe: SignalSafety, lock_storage: &'a S) -> Self {
let shard = match signal_safe {
SignalSafety::Safe => 0,
SignalSafety::Unsafe => lock_storage.choose_shard(),
};
let gen = lock_storage.gen_idx().load(Ordering::Relaxed) % GEN_CNT;
// SeqCst: Acquire, so the dangerous section stays in. SeqCst to sync timelines with the
// swap on the ptr in writer thread.
let old = lock_storage.shards().as_ref()[shard].0[gen].fetch_add(1, Ordering::SeqCst);
// The trick is taken from Arc.
if old > MAX_GUARDS {
process::abort();
}
GenLock {
shard,
gen,
lock_storage,
}
}
/// Removes a generation lock.
fn unlock(self) {
// Release, so the dangerous section stays in.
self.lock_storage.shards().as_ref()[self.shard].0[self.gen].fetch_sub(1, Ordering::AcqRel);
// Disarm the drop-bomb
mem::forget(self);
}
}
/// A bomb so one doesn't forget to unlock generations.
#[cfg(debug_assertions)] // The bomb actually makes it ~20% slower, so don't put it into production
impl<'a, S: LockStorage> Drop for GenLock<'a, S> {
fn drop(&mut self) {
unreachable!("Forgot to unlock generation");
}
}
/// A short-term proxy object from [`peek`](struct.ArcSwapAny.html#method.peek).
///
/// This allows for upgrading to a full smart pointer and borrowing of the value inside. It also
/// dereferences to the actual pointed to type if the smart pointer guarantees not to contain NULL
/// values (eg. on `Arc`, but not on `Option<Arc>`).
///
/// # Warning
///
/// Do not store or keep around for a long time, as this prevents all the writer methods from
/// completing on all the swap objects in the whole program from completing.
pub struct Guard<'a, T: RefCnt + 'a, S: LockStorage + 'a = Global>
where
T::Base: 'a,
{
lock: Option<GenLock<'a, S>>,
ptr: *const T::Base,
_arc_swap: PhantomData<&'a T::Base>,
}
impl<'a, T: RefCnt, S: LockStorage> Guard<'a, T, S> {
/// Upgrades the guard to a real `Arc`.
///
/// This shares the reference count with all the `Arc` inside the corresponding `ArcSwap`. Use
/// this if you need to hold the object for longer periods of time.
///
/// See [`peek`](struct.ArcSwapAny.html#method.peek) for details.
///
/// Note that this is associated function (so it doesn't collide with the thing pointed to):
///
/// # Examples
///
/// ```rust
/// # use std::sync::Arc;
/// # use arc_swap::{ArcSwap, Guard};
/// let a = ArcSwap::from(Arc::new(42));
/// let mut ptr = None;
/// { // limit the scope where the guard lives
/// let guard = a.peek();
/// if *guard > 40 {
/// ptr = Some(Guard::upgrade(&guard));
/// }
/// }
/// # let _ = ptr;
/// ```
pub fn upgrade(guard: &Self) -> T {
let res = unsafe { T::from_ptr(guard.ptr) };
T::inc(&res);
res
}
/// Upgrades the guard to a [`Lease`](struct.Lease.html).
///
/// This is preserved here for backwards compatibility. Use [`upgrade`](#method.upgrade)
/// instead (it has the same cost).
#[deprecated(note = "Use upgrade instead")]
pub fn lease(guard: &Self) -> Lease<T> {
let res = unsafe { T::from_ptr(guard.ptr) };
T::inc(&res);
T::into_ptr(res);
Lease {
ptr: guard.ptr,
debt: None,
_data: PhantomData,
}
}
/// Gets a reference to the value inside.
///
/// This is returned as `Option` even for pointers that can't return Null, to have a common
/// interface. The non-null ones also implement the `Deref` trait, so they can more easily be
/// used as that.
// Explicit lifetimes here:
// * The ptr.as_ref() is more than willing to provide *any* lifetime we ask for. So being extra
// careful around it.
// * While this is the lifetime that would get elided, one could also think the 'a lifetime
// would make sense. However, it is not so, because the arc-swap can replace the Arc inside
// and drop, the only thing preventing it from doing so is this guard. Therefore, at any time
// after the guard goes away, the pointed-to value can too.
#[cfg_attr(feature = "cargo-clippy", allow(needless_lifetimes))]
pub fn get_ref<'g>(guard: &'g Self) -> Option<&'g T::Base> {
unsafe { guard.ptr.as_ref() }
}
}
impl<'a, T: NonNull, S: LockStorage> Deref for Guard<'a, T, S> {
type Target = T::Base;
fn deref(&self) -> &T::Base {
unsafe { self.ptr.as_ref().unwrap() }
}
}
impl<'a, T: RefCnt, S: LockStorage> Drop for Guard<'a, T, S> {
fn drop(&mut self) {
self.lock.take().unwrap().unlock();
}
}
// We contain a raw pointer, therefore we are automatically not Send.
//
// We act mostly as a reference. So, if T is Sync, we are Send.
// This is fine, because we use the shards for locking and it doesn't matter what thread unlocks
// the shard ‒ we keep the shard index in a private variable, don't use the thread ID again to
// regenerate it.
//
// However, through some gymnastics it would be possible to extract the original T::Base out of it,
// so it could be used to smuggle it between threads. We need Send of our T::Base too.
unsafe impl<'a, T, S> Send for Guard<'a, T, S>
where
T: RefCnt + Send + Sync,
S: LockStorage,
T::Base: Send + Sync,
{
}
// The same reasoning as above.
unsafe impl<'a, T, S> Sync for Guard<'a, T, S>
where
T: RefCnt + Send + Sync,
S: LockStorage,
T::Base: Send + Sync,
{
}
/// A temporary storage of the pointer.
///
/// This, unlike [`Guard`](struct.Guard.html), does not block any write operations and is usually
/// faster than loading the full `Arc`. However, this holds only if each thread keeps only small
/// number of `Lease`s around and if too many are held, the following ones will just fall back to
/// creating the `Arc` internally.
pub struct Lease<T: RefCnt> {
ptr: *const T::Base,
debt: Option<&'static Debt>,
_data: PhantomData<T>,
}
impl<T: RefCnt> Lease<T> {
/// Loads a full `Arc` from the lease.
pub fn upgrade(lease: &Self) -> T {
let res = unsafe { T::from_ptr(lease.ptr) };
T::inc(&res);
res
}
/// A consuming version of [`upgrade`](#method.upgrade).
///
/// This is a bit faster in certain situations, but consumes the lease.
// Associated function on purpose, because of deref
#[cfg_attr(feature = "cargo-clippy", allow(wrong_self_convention))]
pub fn into_upgrade(lease: Self) -> T {
let res = unsafe { T::from_ptr(lease.ptr) };
if let Some(debt) = lease.debt {
T::inc(&res);
if !debt.pay::<T>(lease.ptr) {
unsafe { T::dec(lease.ptr) };
}
}
mem::forget(lease);
res
}
/// Returns access to the data held.
///
/// This returns `Option` even when it can't hold `NULL` internally, to keep the interface the
/// same. But there's also the `Deref` trait for the non-`NULL` cases, which is usually more
/// comfortable.
pub fn get_ref(lease: &Self) -> Option<&T::Base> {
unsafe { lease.ptr.as_ref() }
}
/// Checks if it contains a null pointer.
///
/// Note that for non-`NULL` `T`, this always returns `false`.
pub fn is_null(lease: &Self) -> bool {
lease.ptr.is_null()
}
}
impl<T: NonNull> Lease<Option<T>> {
/// Like [`unwrap`][Lease::unwrap], but with a panic message.
///
/// # Panics
///
/// If the lease contains a NULL pointer.
pub fn expect(self, msg: &str) -> Lease<T> {
assert!(
!Self::is_null(&self),
"Expect on NULL arc-swap Lease: {}",
msg
);
let ptr = self.ptr;
let debt = self.debt;
// Ownership passed into the new result, don't drop this one.
mem::forget(self);
Lease {
ptr,
debt,
_data: PhantomData,
}
}
/// Asserts the lease contains non-NULL content and gets direct access to it.
///
/// This is very much like [`Option::unwrap`].
///
/// # Panics
///
/// If the lease contains a NULL pointer.
pub fn unwrap(self) -> Lease<T> {
assert!(!Self::is_null(&self), "Unwrap of NULL arc-swap Lease");
self.expect("")
}
/// Transposes the `Lease<Option<RefCnt>>` into `Option<Lease<RefCnt>>`.
///
/// # Examples
///
/// ```
/// # use arc_swap::ArcSwapOption;
/// let shared = ArcSwapOption::from_pointee(42);
/// if let Some(ptr) = shared.lease().into_option() {
/// println!("It is {}", ptr);
/// } else {
/// println!("Nothing present");
/// }
/// ```
pub fn into_option(self) -> Option<Lease<T>> {
if Self::is_null(&self) {
None
} else {
Some(self.unwrap())
}
}
}
/// Comparison of two pointer-like things.
// A and B are likely to *be* references, or thin wrappers around that. Calling that with extra
// reference is just annoying.
#[cfg_attr(feature = "cargo-clippy", allow(needless_pass_by_value))]
pub fn ptr_eq<Base, A, B>(a: A, b: B) -> bool
where
A: AsRaw<Base>,
B: AsRaw<Base>,
{
let a = a.as_raw();
let b = b.as_raw();
ptr::eq(a, b)
}
impl<T: NonNull> Deref for Lease<T> {
type Target = T::Base;
fn deref(&self) -> &T::Base {
unsafe { self.ptr.as_ref().unwrap() }
}
}
impl<T> Debug for Lease<T>
where
T: RefCnt,
T::Base: Debug,
{
fn fmt(&self, formatter: &mut Formatter) -> FmtResult {
let l = Lease::get_ref(&self);
if T::can_null() {
l.fmt(formatter)
} else {
l.unwrap().fmt(formatter)
}
}
}
impl<T> Display for Lease<T>
where
T: NonNull,
T::Base: Display,
{
fn fmt(&self, formatter: &mut Formatter) -> FmtResult {
self.deref().fmt(formatter)
}
}
impl<T: RefCnt> Drop for Lease<T> {
fn drop(&mut self) {
if let Some(debt) = self.debt {
if debt.pay::<T>(self.ptr) {
return;
}
}
unsafe { T::dec(self.ptr) };
}
}
// The same reasoning as for Guard.
//
// Note that paying a debt from a different thread is fine as well (it actually is done as part of
// swapping the content of the pointer there).
unsafe impl<T> Send for Lease<T>
where
T: RefCnt + Send + Sync,
T::Base: Send + Sync,
{
}
unsafe impl<T> Sync for Lease<T>
where
T: RefCnt + Send + Sync,
T::Base: Send + Sync,
{
}
#[derive(Copy, Clone)]
enum SignalSafety {
Safe,
Unsafe,
}
/// When waiting to something, yield the thread every so many iterations so something else might
/// get a chance to run and release whatever is being held.
const YIELD_EVERY: usize = 16;
/// An atomic storage for a smart pointer like [`Arc`] or `Option<Arc>`.
///
/// This is a storage where a smart pointer may live. It can be read and written atomically from
/// several threads, but doesn't act like a pointer itself.
///
/// One can be created [`from`] an [`Arc`]. To get the pointer back, use the [`load`](#method.load)
/// method. But to general access to the data, [`lease`](#method.lease) may be more appropriate.
///
/// # Note
///
/// This is the generic low-level implementation. This allows sharing the same code for storing
/// both `Arc` and `Option<Arc>` (and possibly other similar types).
///
/// In your code, you most probably want to interact with it through the
/// [`ArcSwap`](type.ArcSwap.html) and [`ArcSwapOption`](type.ArcSwapOption.html) aliases. However,
/// the methods they share are described here and are applicable to both of them. That's why the
/// examples here use `ArcSwap` ‒ but they could as well be written with `ArcSwapOption` or
/// `ArcSwapAny`.
///
/// # Type parameters
///
/// * `T`: The smart pointer to be kept inside. This crate provides implementation for `Arc<_>` and
/// `Option<Arc<_>>`. But third party could provide implementations of the
/// [`RefCnt`] trait and plug in others.
/// * `S`: This describes where the generation lock is stored and how it works.
///
/// # Examples
///
/// ```rust
/// # use std::sync::Arc;
/// # use arc_swap::ArcSwap;
/// let arc = Arc::new(42);
/// let arc_swap = ArcSwap::from(arc);
/// assert_eq!(42, *arc_swap.load());
/// // It can be read multiple times
/// assert_eq!(42, *arc_swap.load());
///
/// // Put a new one in there
/// let new_arc = Arc::new(0);
/// assert_eq!(42, *arc_swap.swap(new_arc));
/// assert_eq!(0, *arc_swap.load());
/// ```
///
/// [`Arc`]: https://doc.rust-lang.org/std/sync/struct.Arc.html
/// [`from`]: https://doc.rust-lang.org/nightly/std/convert/trait.From.html#tymethod.from
/// [`RefCnt`]: trait.RefCnt.html
pub struct ArcSwapAny<T: RefCnt, S: LockStorage = Global> {
// Notes: AtomicPtr needs Sized
/// The actual pointer, extracted from the Arc.
ptr: AtomicPtr<T::Base>,
/// We are basically an Arc in disguise. Inherit parameters from Arc by pretending to contain
/// it.
_phantom_arc: PhantomData<T>,
lock_storage: S,
}
impl<T: RefCnt, S: LockStorage> From<T> for ArcSwapAny<T, S> {
fn from(val: T) -> Self {
// The AtomicPtr requires *mut in its interface. We are more like *const, so we cast it.
// However, we always go back to *const right away when we get the pointer on the other
// side, so it should be fine.
let ptr = T::into_ptr(val);
Self {
ptr: AtomicPtr::new(ptr),
_phantom_arc: PhantomData,
lock_storage: S::default(),
}
}
}
impl<T: RefCnt, S: LockStorage> Drop for ArcSwapAny<T, S> {
fn drop(&mut self) {
let ptr = *self.ptr.get_mut();
// To pay any possible debts
self.wait_for_readers(ptr);
// We are getting rid of the one stored ref count
unsafe { T::dec(ptr) };
}
}
impl<T: RefCnt, S: LockStorage> Clone for ArcSwapAny<T, S> {
fn clone(&self) -> Self {
Self::from(self.load())
}
}
impl<T, S: LockStorage> Debug for ArcSwapAny<T, S>
where
T: RefCnt,
T::Base: Debug,
{
fn fmt(&self, formatter: &mut Formatter) -> FmtResult {
let guard = self.peek();
let r = Guard::get_ref(&guard);
if T::can_null() {
r.fmt(formatter)
} else {
r.unwrap().fmt(formatter)
}
}
}
impl<T, S: LockStorage> Display for ArcSwapAny<T, S>
where
T: NonNull,
T::Base: Display,
{
fn fmt(&self, formatter: &mut Formatter) -> FmtResult {
self.peek().deref().fmt(formatter)
}
}
impl<T: RefCnt, S: LockStorage> ArcSwapAny<T, S> {
/// Constructs a new value.
pub fn new(val: T) -> Self {
Self::from(val)
}
/// Extracts the value inside.
pub fn into_inner(mut self) -> T {
let ptr = *self.ptr.get_mut();
// To pay all the debts
self.wait_for_readers(ptr);
mem::forget(self);
unsafe { T::from_ptr(ptr) }
}
/// Loads the value.
///
/// This makes another copy (reference) and returns it, atomically (it is safe even when other
/// thread stores into the same instance at the same time).
///
/// The method is lock-free and wait-free, but usually more expensive than
/// [`lease`](#method.lease).
///
/// # Signal safety
///
/// The method is *not* async-signal-safe. Use [`peek_signal_safe`](#method.peek_signal_safe)
/// for that.
pub fn load(&self) -> T {
Guard::upgrade(&self.peek())
}
fn peek_inner(&self, signal_safe: SignalSafety) -> Guard<T, S> {
let gen = GenLock::new(signal_safe, &self.lock_storage);
let ptr = self.ptr.load(Ordering::Acquire);
Guard {
lock: Some(gen),
_arc_swap: PhantomData,
ptr,
}
}
/// Provides a peek inside the held value.
///
/// This returns a temporary borrow of the object currently held inside. This is slightly
/// faster than [`load`](#method.load), but it is not suitable for holding onto for longer
/// periods of time.
///
/// If you discover later on that you need to hold onto it for longer, you can
/// [`Guard::upgrade`](struct.Guard.html#method.upgrade) it.
///
/// # Warning
///
/// This currently prevents the pointer inside from being replaced. Any [`swap`](#method.swap),
/// [`store`](#method.store) or [`rcu`](#method.rcu) will busy-loop while waiting for the proxy
/// object to be destroyed, even on unrelated objects. Therefore, this is suitable only for
/// things like reading a (reasonably small) configuration value, but not for eg. computations
/// on the held values.
///
/// If you want to do anything non-trivial, prefer [`lease`](#method.lease).
///
/// If you are not sure what is better, benchmarking is recommended.
///
/// # Signal safety
///
/// For an async-signal-safe version, use [`peek_signal_safe`](#method.peek_signal_safe).
pub fn peek(&self) -> Guard<T, S> {
self.peek_inner(SignalSafety::Unsafe)
}
/// An async-signal-safe version of [`peek`](#method.peek)
///
/// This method uses only restricted set of primitives to be async-signal-safe, at a slight
/// performance hit in a contended scenario (signals should be rare, so it shouldn't be a
/// problem in practice).
///
/// As the returned guard prevents the value inside to be dropped, the value can be used during
/// the signal handler. Unless it is upgraded (which is *not* recommended in a signal handler),
/// there's also no way the signal handler would have to drop the pointed to value.
///
/// The same performance warning about writer methods of [`peek`](#method.peek) applies, so it
/// is recommended not to spend too much time holding the returned guard.
pub fn peek_signal_safe(&self) -> Guard<T, S> {
self.peek_inner(SignalSafety::Safe)
}
#[inline]
fn lease_fallible(&self) -> Option<Lease<T>> {
// Relaxed is good enough here, see the Acquire below
let ptr = self.ptr.load(Ordering::Relaxed);
// Try to get a debt slot. If not possible, fail.
let debt = Debt::new(ptr as usize)?;
let confirm = self.ptr.load(Ordering::Acquire);
if ptr == confirm {
Some(Lease {
ptr,
debt: Some(debt),
_data: PhantomData,
})
} else if debt.pay::<T>(ptr) {
None
} else {
Some(Lease {
ptr,
debt: None,
_data: PhantomData,
})
}
}
/// Provides a temporary borrow of the object inside.
///
/// This returns a proxy object allowing access to the thing held inside and it is *usually*
/// as fast as [`peek`](#method.peek). However, there's only limited amount of possible cheap
/// proxies in existence for each thread ‒ if more are created, it falls back to
/// [`load`](#method.load) internally.
///
/// This is therefore a good choice to use for eg. searching a data structure or juggling the
/// pointers around a bit, but not as something to store in larger amounts. The rule of thumb
/// is this is suited for local variables on stack, but not in structures.
#[allow(deprecated)] // Allow Guard::lease internally
#[inline]
pub fn lease(&self) -> Lease<T> {
self.lease_fallible()
.unwrap_or_else(|| Guard::lease(&self.peek()))
}
/// Replaces the value inside this instance.
///
/// Further loads will yield the new value. Uses [`swap`](#method.swap) internally.
pub fn store(&self, val: T) {
drop(self.swap(val));
}
/// Exchanges the value inside this instance.
///
/// While multiple `swap`s can run concurrently and won't block each other, each one needs to
/// wait for all the [`load`s](#method.load) and [`peek` Guards](#method.peek) that have seen
/// the old value to finish before returning. This is in a way similar to locking ‒ a living
/// [`Guard`](struct.Guard.html) can prevent this from finishing. However, unlike `RwLock`, a
/// steady stream of readers will not block writers and if each guard is held only for a short
/// period of time, writers will progress too.
///
/// However, it is also possible to cause a deadlock (eg. this is an example of *broken* code):
///
/// ```rust,no_run
/// # use std::sync::Arc;
/// # use arc_swap::ArcSwap;
/// let shared = ArcSwap::from(Arc::new(42));
/// let guard = shared.peek();
/// // This will deadlock, because the guard is still active here and swap
/// // can't pull the value from under its feet.
/// shared.swap(Arc::new(0));
/// # drop(guard);
/// ```
pub fn swap(&self, new: T) -> T {
let new = T::into_ptr(new);
// AcqRel needed to publish the target of the new pointer and get the target of the old
// one.
//
// SeqCst to synchronize the time lines with the group counters.
let old = self.ptr.swap(new, Ordering::SeqCst);
self.wait_for_readers(old);
unsafe { T::from_ptr(old) }
}
/// Swaps the stored Arc if it is equal to `current`.
///
/// If the current value of the `ArcSwapAny` is equal to `current`, the `new` is stored inside.
/// If not, nothing happens.
///
/// The previous value (no matter if the swap happened or not) is returned. Therefore, if the
/// returned value is equal to `current`, the swap happened. You want to do a pointer-based
/// comparison to determine it (like `Arc::ptr_eq`).
///
/// In other words, if the caller „guesses“ the value of current correctly, it acts like
/// [`swap`](#method.swap), otherwise it acts like [`load`](#method.load) (including the
/// limitations).
///
/// The `current` can be specified as `&Arc`, [`Guard`](struct.Guard.html),
/// [`&Lease`](struct.Lease.html) or as a raw pointer.
pub fn compare_and_swap<C: AsRaw<T::Base>>(&self, current: C, new: T) -> Lease<T> {
let cur_ptr = current.as_raw();
let new = T::into_ptr(new);
// As noted above, this method has either semantics of load or of store. We don't know
// which ones upfront, so we need to implement safety measures for both.
let gen = GenLock::new(SignalSafety::Unsafe, &self.lock_storage);
let previous_ptr = self.ptr.compare_and_swap(cur_ptr, new, Ordering::SeqCst);
let swapped = ptr::eq(cur_ptr, previous_ptr);
// Drop it here, because:
// * We can't drop it before the compare_and_swap ‒ in such case, it could get recycled,
// put into the pointer by another thread with a different value and create a fake
// success.
// * We drop it before waiting for readers, because it could have been a Guard. In such
// case, the caller doesn't have it any more and can't check if it succeeded, but that's
// OK.
drop(current);
let debt = if swapped {
// New went in, previous out, but their ref counts are correct. So nothing to do here.
None
} else {
// Previous is a new copy of what is inside (and it stays there as well), so bump its
// ref count. New is thrown away so dec its ref count (but do it outside of the
// gen-lock).
//
// We try to do that by registering a debt and only if that fails by actually bumping
// the ref.
let debt = Debt::new(previous_ptr as usize);
if debt.is_none() {
let previous = unsafe { T::from_ptr(previous_ptr) };
T::inc(&previous);
T::into_ptr(previous);
}
debt
};
gen.unlock();
if swapped {
// We swapped. Before releasing the (possibly only) ref count of previous to user, wait
// for all readers to make sure there are no more untracked copies of it.
self.wait_for_readers(previous_ptr);
} else {
// We didn't swap, so new is black-holed.
unsafe { T::dec(new) };
}
Lease {
ptr: previous_ptr,
debt,
_data: PhantomData,
}
}
/// Wait until all readers go away.
fn wait_for_readers(&self, old: *const T::Base) {
let mut seen_group = [false; GEN_CNT];
let mut iter = 0usize;
while !seen_group.iter().all(|seen| *seen) {
// Note that we don't need the snapshot to be consistent. We just need to see both
// halves being zero, not necessarily at the same time.
let gen = self.lock_storage.gen_idx().load(Ordering::Relaxed);
let groups = self
.lock_storage
.shards()
.as_ref()
.iter()
.fold([0, 0], |[a1, a2], s| {
let [v1, v2] = s.snapshot();
[a1 + v1, a2 + v2]
});
// Should we increment the generation? Is the next one empty?
let next_gen = gen.wrapping_add(1);
if groups[next_gen % GEN_CNT] == 0 {
// Replace it only if someone else didn't do it in the meantime
self.lock_storage
.gen_idx()
.compare_and_swap(gen, next_gen, Ordering::Relaxed);
}
for i in 0..GEN_CNT {
seen_group[i] = seen_group[i] || (groups[i] == 0);
}
iter = iter.wrapping_add(1);
if iter % YIELD_EVERY == 0 {
thread::yield_now();
} else {
atomic::spin_loop_hint();
}
}
Debt::pay_all::<T>(old);
}
/// Read-Copy-Update of the pointer inside.
///
/// This is useful in read-heavy situations with several threads that sometimes update the data
/// pointed to. The readers can just repeatedly use [`load`](#method.load) without any locking.
/// The writer uses this method to perform the update.
///
/// In case there's only one thread that does updates or in case the next version is
/// independent of the previous one, simple [`swap`](#method.swap) or [`store`](#method.store)
/// is enough. Otherwise, it may be needed to retry the update operation if some other thread
/// made an update in between. This is what this method does.
///
/// # Examples
///
/// This will *not* work as expected, because between loading and storing, some other thread
/// might have updated the value.
///
/// ```rust
/// extern crate arc_swap;
/// extern crate crossbeam_utils;
///
/// use std::sync::Arc;
///
/// use arc_swap::ArcSwap;
/// use crossbeam_utils::thread;
///
/// fn main() {
/// let cnt = ArcSwap::from(Arc::new(0));
/// thread::scope(|scope| {
/// for _ in 0..10 {
/// scope.spawn(|_| {
/// let inner = cnt.load();
/// // Another thread might have stored some other number than what we have
/// // between the load and store.
/// cnt.store(Arc::new(*inner + 1));
/// });
/// }
/// }).unwrap();
/// // This will likely fail:
/// // assert_eq!(10, *cnt.load());
/// }
/// ```
///
/// This will, but it can call the closure multiple times to do retries:
///
/// ```rust
/// extern crate arc_swap;
/// extern crate crossbeam_utils;
///
/// use std::sync::Arc;
///
/// use arc_swap::ArcSwap;
/// use crossbeam_utils::thread;
///
/// fn main() {
/// let cnt = ArcSwap::from(Arc::new(0));
/// thread::scope(|scope| {
/// for _ in 0..10 {
/// scope.spawn(|_| cnt.rcu(|inner| **inner + 1));
/// }
/// }).unwrap();
/// assert_eq!(10, *cnt.load());
/// }
/// ```
///
/// Due to the retries, you might want to perform all the expensive operations *before* the
/// rcu. As an example, if there's a cache of some computations as a map, and the map is cheap
/// to clone but the computations are not, you could do something like this:
///
/// ```rust
/// extern crate arc_swap;
/// extern crate crossbeam_utils;
/// #[macro_use]
/// extern crate lazy_static;
///
/// use std::collections::HashMap;
/// use std::sync::Arc;
///
/// use arc_swap::ArcSwap;
///
/// fn expensive_computation(x: usize) -> usize {
/// x * 2 // Let's pretend multiplication is really expensive
/// }
///
/// type Cache = HashMap<usize, usize>;
///
/// lazy_static! {
/// static ref CACHE: ArcSwap<Cache> = ArcSwap::from(Arc::new(HashMap::new()));
/// }
///
/// fn cached_computation(x: usize) -> usize {
/// let cache = CACHE.load();
/// if let Some(result) = cache.get(&x) {
/// return *result;
/// }
/// // Not in cache. Compute and store.
/// // The expensive computation goes outside, so it is not retried.
/// let result = expensive_computation(x);
/// CACHE.rcu(|cache| {
/// // The cheaper clone of the cache can be retried if need be.
/// let mut cache = HashMap::clone(&cache);
/// cache.insert(x, result);
/// cache
/// });
/// result
/// }
///
/// fn main() {
/// assert_eq!(42, cached_computation(21));
/// assert_eq!(42, cached_computation(21));
/// }
/// ```
///
/// # The cost of cloning
///
/// Depending on the size of cache above, the cloning might not be as cheap. You can however
/// use persistent data structures ‒ each modification creates a new data structure, but it
/// shares most of the data with the old one (which is usually accomplished by using `Arc`s
/// inside to share the unchanged values). Something like
/// [`rpds`](https://crates.io/crates/rpds) or [`im`](https://crates.io/crates/im) might do
/// what you need.
pub fn rcu<R, F>(&self, mut f: F) -> T
where
F: FnMut(&Lease<T>) -> R,
R: Into<T>,
{
let mut cur = self.lease();
loop {
let new = f(&cur).into();
let prev = self.compare_and_swap(&cur, new);
let swapped = ptr_eq(&cur, &prev);
if swapped {
return Lease::into_upgrade(prev);
} else {
cur = prev;
}
}
}
}
/// An atomic storage for `Arc`.
///
/// This is a type alias only. Most of its methods are described on
/// [`ArcSwapAny`](struct.ArcSwapAny.html).
pub type ArcSwap<T> = ArcSwapAny<Arc<T>>;
impl<T, S: LockStorage> ArcSwapAny<Arc<T>, S> {
/// A convenience constructor directly from the pointed-to value.
///
/// Direct equivalent for `ArcSwap::new(Arc::new(val))`.
pub fn from_pointee(val: T) -> Self {
Self::from(Arc::new(val))
}
/// An [`rcu`](struct.ArcSwapAny.html#method.rcu) which waits to be the sole owner of the
/// original value and unwraps it.
///
/// This one works the same way as the [`rcu`](struct.ArcSwapAny.html#method.rcu) method, but
/// works on the inner type instead of `Arc`. After replacing the original, it waits until
/// there are no other owners of the arc and unwraps it.
///
/// Possible use case might be an RCU with a structure that is rather slow to drop ‒ if it was
/// left to random reader (the last one to hold the old value), it could cause a timeout or
/// jitter in a query time. With this, the deallocation is done in the updater thread,
/// therefore outside of the hot path.
///
/// # Warning
///
/// Note that if you store a copy of the `Arc` somewhere except the `ArcSwap` itself for
/// extended period of time, this'll busy-wait the whole time. Unless you need the assurance
/// the `Arc` is deconstructed here, prefer [`rcu`](#method.rcu).
pub fn rcu_unwrap<R, F>(&self, mut f: F) -> T
where
F: FnMut(&T) -> R,
R: Into<Arc<T>>,
{
let mut wrapped = self.rcu(|prev| f(&*prev));
loop {
match Arc::try_unwrap(wrapped) {
Ok(val) => return val,
Err(w) => {
wrapped = w;
thread::yield_now();
}
}
}
}
}
impl<T, S: LockStorage> ArcSwapAny<Option<Arc<T>>, S> {
/// A convenience constructor directly from a pointed-to value.
///
/// This just allocates the `Arc` under the hood.
///
/// # Examples
///
/// ```rust
/// use arc_swap::ArcSwapOption;
///
/// let empty: ArcSwapOption<usize> = ArcSwapOption::from_pointee(None);
/// assert!(empty.load().is_none());
/// let non_empty: ArcSwapOption<usize> = ArcSwapOption::from_pointee(42);
/// assert_eq!(42, *non_empty.load().unwrap());
/// ```
pub fn from_pointee<V: Into<Option<T>>>(val: V) -> Self {
Self::new(val.into().map(Arc::new))
}
/// A convenience constructor for an empty value.
///
/// This is equivalent to `ArcSwapOption::new(None)`.
pub fn empty() -> Self {
Self::new(None)
}
}
impl<T: RefCnt + Default, S: LockStorage> Default for ArcSwapAny<T, S> {
fn default() -> Self {
Self::new(T::default())
}
}
/// An atomic storage for `Option<Arc>`.
///
/// This is very similar to [`ArcSwap`](type.ArcSwap.html), but allows storing NULL values, which
/// is useful in some situations.
///
/// This is a type alias only. Most of the methods are described on
/// [`ArcSwapAny`](struct.ArcSwapAny.html). Even though the examples there often use `ArcSwap`,
/// they are applicable to `ArcSwapOption` with appropriate changes.
///
/// # Examples
///
/// ```
/// use std::sync::Arc;
/// use arc_swap::ArcSwapOption;
///
/// let shared = ArcSwapOption::from(None);
/// assert!(shared.load().is_none());
/// assert!(shared.swap(Some(Arc::new(42))).is_none());
/// assert_eq!(42, *shared.load().unwrap());
/// ```
pub type ArcSwapOption<T> = ArcSwapAny<Option<Arc<T>>>;
/// An atomic storage that doesn't share the internal generation locks with others.
///
/// This makes it bigger and it also might suffer contention (on the HW level) if used from many
/// threads at once. But a peek [`Guard`](struct.Guard.html) produced by it won't block other
/// storages from updating.
///
/// ```rust
/// # use std::sync::Arc;
/// # use arc_swap::{ArcSwap, IndependentArcSwap};
/// // This one shares locks with others.
/// let shared = ArcSwap::from_pointee(42);
/// // But this one has an independent lock.
/// let independent = IndependentArcSwap::from_pointee(42);
///
/// // This'll hold a lock so any writers there wouldn't complete
/// let l = independent.peek();
/// // But the lock doesn't influence the shared one, so this goes through just fine
/// shared.store(Arc::new(43));
///
/// assert_eq!(42, *l);
/// ```
pub type IndependentArcSwap<T> = ArcSwapAny<Arc<T>, PrivateUnsharded>;
#[cfg(test)]
mod tests {
extern crate crossbeam_utils;
use std::panic;
use std::sync::atomic::AtomicUsize;
use std::sync::Barrier;
use self::crossbeam_utils::thread;
use super::*;
/// Similar to the one in doc tests of the lib, but more times and more intensive (we want to
/// torture it a bit).
///
/// Takes some time, presumably because this starts 21 000 threads during its lifetime and 20
/// 000 of them just wait in a tight loop for the other thread to happen.
#[test]
fn publish() {
for _ in 0..100 {
let config = ArcSwap::<String>::default();
let ended = AtomicUsize::new(0);
thread::scope(|scope| {
for _ in 0..20 {
scope.spawn(|_| loop {
let cfg = config.load();
if !cfg.is_empty() {
assert_eq!(*cfg, "New configuration");
ended.fetch_add(1, Ordering::Relaxed);
return;
}
atomic::spin_loop_hint();
});
}
scope.spawn(|_| {
let new_conf = Arc::new("New configuration".to_owned());
config.store(new_conf);
});
})
.unwrap();
assert_eq!(20, ended.load(Ordering::Relaxed));
assert_eq!(2, Arc::strong_count(&config.load()));
assert_eq!(0, Arc::weak_count(&config.load()));
}
}
/// Similar to the doc tests of ArcSwap, but happens more times.
#[test]
fn swap_load() {
for _ in 0..100 {
let arc = Arc::new(42);
let arc_swap = ArcSwap::from(Arc::clone(&arc));
assert_eq!(42, *arc_swap.load());
// It can be read multiple times
assert_eq!(42, *arc_swap.load());
// Put a new one in there
let new_arc = Arc::new(0);
assert_eq!(42, *arc_swap.swap(Arc::clone(&new_arc)));
assert_eq!(0, *arc_swap.load());
// One loaded here, one in the arc_swap, one in new_arc
assert_eq!(3, Arc::strong_count(&arc_swap.load()));
assert_eq!(0, Arc::weak_count(&arc_swap.load()));
// The original got released from the arc_swap
assert_eq!(1, Arc::strong_count(&arc));
assert_eq!(0, Arc::weak_count(&arc));
}
}
/// Two different writers publish two series of values. The readers check that it is always
/// increasing in each serie.
///
/// For performance, we try to reuse the threads here.
#[test]
fn multi_writers() {
let first_value = Arc::new((0, 0));
let shared = ArcSwap::from(Arc::clone(&first_value));
const WRITER_CNT: usize = 2;
const READER_CNT: usize = 3;
const ITERATIONS: usize = 100;
const SEQ: usize = 50;
let barrier = Barrier::new(READER_CNT + WRITER_CNT);
thread::scope(|scope| {
for w in 0..WRITER_CNT {
// We need to move w into the closure. But we want to just reference the other
// things.
let barrier = &barrier;
let shared = &shared;
let first_value = &first_value;
scope.spawn(move |_| {
for _ in 0..ITERATIONS {
barrier.wait();
shared.store(Arc::clone(&first_value));
barrier.wait();
for i in 0..SEQ {
shared.store(Arc::new((w, i + 1)));
}
}
});
}
for _ in 0..READER_CNT {
scope.spawn(|_| {
for _ in 0..ITERATIONS {
barrier.wait();
barrier.wait();
let mut previous = [0; 2];
let mut last = Arc::clone(&first_value);
loop {
let cur = shared.load();
if Arc::ptr_eq(&last, &cur) {
atomic::spin_loop_hint();
continue;
}
let (w, s) = *cur;
assert!(previous[w] < s);
previous[w] = s;
last = cur;
if s == SEQ {
break;
}
}
}
});
}
})
.unwrap();
}
#[test]
/// Make sure the reference count and compare_and_swap works as expected.
fn cas_ref_cnt() {
const ITERATIONS: usize = 50;
let shared = ArcSwap::from(Arc::new(0));
for i in 0..ITERATIONS {
let orig = shared.load();
assert_eq!(i, *orig);
if i % 2 == 1 {
// One for orig, one for shared
assert_eq!(2, Arc::strong_count(&orig));
}
let n1 = Arc::new(i + 1);
// Fill up the slots sometimes
let fillup = || {
if i % 2 == 0 {
Some(
(0..50)
.into_iter()
.map(|_| shared.lease())
.collect::<Vec<_>>(),
)
} else {
None
}
};
let leases = fillup();
// Success
let prev = shared.compare_and_swap(&orig, Arc::clone(&n1));
assert!(ptr_eq(&orig, &prev));
drop(leases);
// One for orig, one for prev
assert_eq!(2, Arc::strong_count(&orig));
// One for n1, one for shared
assert_eq!(2, Arc::strong_count(&n1));
assert_eq!(i + 1, *shared.peek());
let n2 = Arc::new(i);
drop(prev);
let leases = fillup();
// Failure
let prev = Lease::into_upgrade(shared.compare_and_swap(&orig, Arc::clone(&n2)));
drop(leases);
assert!(ptr_eq(&n1, &prev));
// One for orig
assert_eq!(1, Arc::strong_count(&orig));
// One for n1, one for shared, one for prev
assert_eq!(3, Arc::strong_count(&n1));
// n2 didn't get increased
assert_eq!(1, Arc::strong_count(&n2));
assert_eq!(i + 1, *shared.peek());
}
let a = shared.load();
// One inside shared, one for a
assert_eq!(2, Arc::strong_count(&a));
drop(shared);
// Only a now
assert_eq!(1, Arc::strong_count(&a));
}
#[test]
/// Multiple RCUs interacting.
fn rcu() {
const ITERATIONS: usize = 50;
const THREADS: usize = 10;
let shared = ArcSwap::from(Arc::new(0));
thread::scope(|scope| {
for _ in 0..THREADS {
scope.spawn(|_| {
for _ in 0..ITERATIONS {
shared.rcu(|old| **old + 1);
}
});
}
})
.unwrap();
assert_eq!(THREADS * ITERATIONS, *shared.load());
}
#[test]
/// Multiple RCUs interacting, with unwrapping.
fn rcu_unwrap() {
const ITERATIONS: usize = 50;
const THREADS: usize = 10;
let shared = ArcSwap::from(Arc::new(0));
thread::scope(|scope| {
for _ in 0..THREADS {
scope.spawn(|_| {
for _ in 0..ITERATIONS {
shared.rcu_unwrap(|old| *old + 1);
}
});
}
})
.unwrap();
assert_eq!(THREADS * ITERATIONS, *shared.load());
}
/// Handling null/none values
#[test]
fn nulls() {
let shared = ArcSwapOption::from(Some(Arc::new(0)));
let orig = shared.swap(None);
assert_eq!(1, Arc::strong_count(&orig.unwrap()));
let null = shared.load();
assert!(null.is_none());
let a = Arc::new(42);
let orig = shared.compare_and_swap(ptr::null(), Some(Arc::clone(&a)));
assert!(Lease::is_null(&orig));
assert_eq!(2, Arc::strong_count(&a));
let orig = Lease::into_upgrade(shared.compare_and_swap(&None::<Arc<_>>, None));
assert_eq!(3, Arc::strong_count(&a));
assert!(ptr_eq(&a, &orig));
}
/// We have a callback in RCU. Check what happens if we access the value from within.
#[test]
fn recursive() {
let shared = ArcSwap::from(Arc::new(0));
shared.rcu(|i| {
if **i < 10 {
shared.rcu(|i| **i + 1);
}
**i
});
assert_eq!(10, *shared.peek());
assert_eq!(2, Arc::strong_count(&shared.load()));
}
/// A panic from within the rcu callback should not change anything.
#[test]
fn rcu_panic() {
let shared = ArcSwap::from(Arc::new(0));
assert!(panic::catch_unwind(|| shared.rcu(|_| -> usize { panic!() })).is_err());
assert_eq!(1, Arc::strong_count(&shared.swap(Arc::new(42))));
}
/// Accessing the value inside ArcSwap with Lease (and checks for the reference counts).
#[test]
fn lease_cnt() {
let a = Arc::new(0);
let shared = ArcSwap::from(Arc::clone(&a));
// One in shared, one in a
assert_eq!(2, Arc::strong_count(&a));
let lease = shared.lease();
assert_eq!(0, *lease);
// The lease doesn't have its own ref count now
assert_eq!(2, Arc::strong_count(&a));
let lease_2 = shared.lease();
// Unlike with guard, this does not deadlock
shared.store(Arc::new(1));
// But now, each lease got a full Arc inside it
assert_eq!(3, Arc::strong_count(&a));
// And when we get rid of them, they disappear
drop(lease_2);
assert_eq!(2, Arc::strong_count(&a));
let _b = Lease::upgrade(&lease);
assert_eq!(3, Arc::strong_count(&a));
// We can drop the lease it came from
drop(lease);
assert_eq!(2, Arc::strong_count(&a));
let lease = shared.lease();
assert_eq!(1, *lease);
drop(shared);
// We can still use the lease after the shared disappears
assert_eq!(1, *lease);
let ptr = Lease::upgrade(&lease);
// One in shared, one in lease
assert_eq!(2, Arc::strong_count(&ptr));
drop(lease);
assert_eq!(1, Arc::strong_count(&ptr));
}
/// There can be only limited amount of leases on one thread. Following ones are created, but
/// contain full Arcs.
#[test]
fn lease_overflow() {
let a = Arc::new(0);
let shared = ArcSwap::from(Arc::clone(&a));
assert_eq!(2, Arc::strong_count(&a));
let mut leases = (0..1000)
.into_iter()
.map(|_| shared.lease())
.collect::<Vec<_>>();
let count = Arc::strong_count(&a);
assert!(count > 2);
let lease = shared.lease();
assert_eq!(count + 1, Arc::strong_count(&a));
drop(lease);
assert_eq!(count, Arc::strong_count(&a));
// When we delete the first one, it didn't have an Arc in it, so the ref count doesn't drop
leases.swap_remove(0);
// But new one reuses now vacant the slot and doesn't create a new Arc
let _lease = shared.lease();
assert_eq!(count, Arc::strong_count(&a));
}
#[test]
fn lease_null() {
let shared = ArcSwapOption::<usize>::default();
let lease = shared.lease();
assert!(Lease::get_ref(&lease).is_none());
shared.store(Some(Arc::new(42)));
assert_eq!(42, *Lease::get_ref(&shared.lease()).unwrap());
}
#[test]
fn from_into() {
let a = Arc::new(42);
let shared = ArcSwap::new(a);
let lease = shared.lease();
let a = shared.into_inner();
assert_eq!(42, *a);
assert_eq!(2, Arc::strong_count(&a));
drop(lease);
assert_eq!(1, Arc::strong_count(&a));
}
// Note on the Relaxed order here. This should be enough, because there's that barrier.wait
// in between that should do the synchronization of happens-before for us. And using SeqCst
// would probably not help either, as there's nothing else with SeqCst here in this test to
// relate it to.
#[derive(Default)]
struct ReportDrop(Arc<AtomicUsize>);
impl Drop for ReportDrop {
fn drop(&mut self) {
self.0.fetch_add(1, Ordering::Relaxed);
}
}
const ITERATIONS: usize = 50;
/// Interaction of two threads about a lease and dropping it.
///
/// We make sure everything works in timely manner (eg. dropping of stuff) even if multiple
/// threads interact.
///
/// The idea is:
/// * Thread 1 leases a value.
/// * Thread 2 replaces the shared value. The original value is not destroyed.
/// * Thread 1 drops the lease. The value is destroyed and this is observable in both threads.
#[test]
fn lease_drop_in_thread() {
for _ in 0..ITERATIONS {
let cnt = Arc::new(AtomicUsize::new(0));
let shared = ArcSwap::from_pointee(ReportDrop(cnt.clone()));
assert_eq!(cnt.load(Ordering::Relaxed), 0, "Dropped prematurely");
// We need the threads to wait for each other at places.
let sync = Barrier::new(2);
thread::scope(|scope| {
scope.spawn(|_| {
let lease = shared.lease();
sync.wait();
// Thread 2 replaces the shared value. We wait for it to confirm.
sync.wait();
drop(lease);
assert_eq!(cnt.load(Ordering::Relaxed), 1, "Value not dropped");
// Let thread 2 know we already dropped it.
sync.wait();
});
scope.spawn(|_| {
// Thread 1 leases, we wait for that
sync.wait();
shared.store(Default::default());
assert_eq!(cnt.load(Ordering::Relaxed), 0, "Dropped while still leased");
// Let thread 2 know we replaced it
sync.wait();
// Thread 1 drops its lease. We wait for it to confirm.
sync.wait();
assert_eq!(cnt.load(Ordering::Relaxed), 1, "Value not dropped");
});
})
.unwrap();
}
}
/// Check dropping a lease in a different thread than it was created doesn't cause any
/// problems.
#[test]
fn lease_drop_in_another_thread() {
for _ in 0..ITERATIONS {
let cnt = Arc::new(AtomicUsize::new(0));
let shared = ArcSwap::from_pointee(ReportDrop(cnt.clone()));
assert_eq!(cnt.load(Ordering::Relaxed), 0, "Dropped prematurely");
let lease = shared.lease();
drop(shared);
assert_eq!(cnt.load(Ordering::Relaxed), 0, "Dropped prematurely");
thread::scope(|scope| {
scope.spawn(|_| {
drop(lease);
});
})
.unwrap();
assert_eq!(cnt.load(Ordering::Relaxed), 1, "Not dropped");
}
}
/// Similar, but for peek guard.
#[test]
fn guard_drop_in_another_thread() {
for _ in 0..ITERATIONS {
let cnt = Arc::new(AtomicUsize::new(0));
let shared = ArcSwap::from_pointee(ReportDrop(cnt.clone()));
assert_eq!(cnt.load(Ordering::Relaxed), 0, "Dropped prematurely");
let guard = shared.peek();
// We can't drop here, sorry. Or, not even replace, as that would deadlock.
thread::scope(|scope| {
scope.spawn(|_| {
drop(guard);
});
assert_eq!(cnt.load(Ordering::Relaxed), 0, "Dropped prematurely");
shared.swap(Default::default());
assert_eq!(cnt.load(Ordering::Relaxed), 1, "Not dropped");
})
.unwrap();
}
}
#[test]
fn lease_unwrap() {
let shared = ArcSwapOption::from_pointee(42);
assert_eq!(42, *shared.lease().unwrap());
assert_eq!(42, *shared.lease().expect("Failed"));
}
#[test]
fn lease_unwrap_none() {
let shared: ArcSwapOption<usize> = ArcSwapOption::empty();
panic::catch_unwind(|| shared.lease().unwrap()).unwrap_err();
panic::catch_unwind(|| shared.lease().expect("Failed")).unwrap_err();
}
#[test]
fn lease_option() {
let shared = ArcSwapOption::from_pointee(42);
// The type here is not needed in real code, it's just addition test the type matches.
let opt: Option<_> = shared.lease().into_option();
assert_eq!(42, *opt.unwrap());
shared.store(None);
assert!(shared.lease().into_option().is_none());
}
// The following "tests" are not run, only compiled. They check that things that should be
// Send/Sync actually are.
fn _check_stuff_is_send_sync() {
let shared = ArcSwap::from_pointee(42);
let moved = ArcSwap::from_pointee(42);
let shared_ref = &shared;
let lease = shared.lease();
let lease_ref = &lease;
let lease = shared.lease();
let guard = shared.peek();
let guard_ref = &guard;
let guard = shared.peek();
thread::scope(|s| {
s.spawn(move |_| {
drop(guard);
drop(guard_ref);
drop(lease);
drop(lease_ref);
drop(shared_ref);
drop(moved);
});
})
.unwrap();
}
}