matrix_sdk_crypto_ffi/machine.rs
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
use std::{
collections::{BTreeMap, HashMap},
io::Cursor,
mem::ManuallyDrop,
ops::Deref,
sync::Arc,
time::Duration,
};
use js_int::UInt;
use matrix_sdk_common::deserialized_responses::AlgorithmInfo;
use matrix_sdk_crypto::{
backups::{
MegolmV1BackupKey as RustBackupKey, SignatureState,
SignatureVerification as RustSignatureCheckResult,
},
decrypt_room_key_export, encrypt_room_key_export,
olm::ExportedRoomKey,
store::{BackupDecryptionKey, Changes},
types::requests::ToDeviceRequest,
DecryptionSettings, LocalTrust, OlmMachine as InnerMachine, UserIdentity as SdkUserIdentity,
};
use ruma::{
api::{
client::{
backup::add_backup_keys::v3::Response as KeysBackupResponse,
keys::{
claim_keys::v3::Response as KeysClaimResponse,
get_keys::v3::Response as KeysQueryResponse,
upload_keys::v3::Response as KeysUploadResponse,
upload_signatures::v3::Response as SignatureUploadResponse,
},
message::send_message_event::v3::Response as RoomMessageResponse,
sync::sync_events::{v3::ToDevice, DeviceLists as RumaDeviceLists},
to_device::send_event_to_device::v3::Response as ToDeviceResponse,
},
IncomingResponse,
},
events::{
key::verification::VerificationMethod, room::message::MessageType, AnyMessageLikeEvent,
AnySyncMessageLikeEvent, MessageLikeEvent,
},
serde::Raw,
to_device::DeviceIdOrAllDevices,
DeviceKeyAlgorithm, EventId, OneTimeKeyAlgorithm, OwnedTransactionId, OwnedUserId, RoomId,
UserId,
};
use serde::{Deserialize, Serialize};
use serde_json::{value::RawValue, Value};
use tokio::runtime::Runtime;
use zeroize::Zeroize;
use crate::{
dehydrated_devices::DehydratedDevices,
error::{CryptoStoreError, DecryptionError, SecretImportError, SignatureError},
parse_user_id,
responses::{response_from_string, OwnedResponse},
BackupKeys, BackupRecoveryKey, BootstrapCrossSigningResult, CrossSigningKeyExport,
CrossSigningStatus, DecodeError, DecryptedEvent, Device, DeviceLists, EncryptionSettings,
EventEncryptionAlgorithm, KeyImportError, KeysImportResult, MegolmV1BackupKey,
ProgressListener, Request, RequestType, RequestVerificationResult, RoomKeyCounts, RoomSettings,
Sas, SignatureUploadRequest, StartSasResult, UserIdentity, Verification, VerificationRequest,
};
/// The return value for the [`OlmMachine::receive_sync_changes()`] method.
///
/// Will contain various information about the `/sync` changes the
/// [`OlmMachine`] processed.
#[derive(uniffi::Record)]
pub struct SyncChangesResult {
/// The, now possibly decrypted, to-device events the [`OlmMachine`]
/// received, decrypted, and processed.
to_device_events: Vec<String>,
/// Information about the room keys that were extracted out of the to-device
/// events.
room_key_infos: Vec<RoomKeyInfo>,
}
/// Information on a room key that has been received or imported.
#[derive(uniffi::Record)]
pub struct RoomKeyInfo {
/// The [messaging algorithm] that this key is used for. Will be one of the
/// `m.megolm.*` algorithms.
///
/// [messaging algorithm]: https://spec.matrix.org/v1.6/client-server-api/#messaging-algorithms
pub algorithm: String,
/// The room where the key is used.
pub room_id: String,
/// The Curve25519 key of the device which initiated the session originally.
pub sender_key: String,
/// The ID of the session that the key is for.
pub session_id: String,
}
impl From<matrix_sdk_crypto::store::RoomKeyInfo> for RoomKeyInfo {
fn from(value: matrix_sdk_crypto::store::RoomKeyInfo) -> Self {
Self {
algorithm: value.algorithm.to_string(),
room_id: value.room_id.to_string(),
sender_key: value.sender_key.to_base64(),
session_id: value.session_id,
}
}
}
/// A high level state machine that handles E2EE for Matrix.
#[derive(uniffi::Object)]
pub struct OlmMachine {
pub(crate) inner: ManuallyDrop<InnerMachine>,
pub(crate) runtime: Runtime,
}
impl Drop for OlmMachine {
fn drop(&mut self) {
// Dropping the inner OlmMachine must happen within a tokio context
// because deadpool drops sqlite connections in the DB pool on tokio's
// blocking threadpool to avoid blocking async worker threads.
let _guard = self.runtime.enter();
// SAFETY: self.inner is never used again, which is the only requirement
// for ManuallyDrop::drop to be used safely.
unsafe {
ManuallyDrop::drop(&mut self.inner);
}
}
}
/// A pair of outgoing room key requests, both of those are sendToDevice
/// requests.
#[derive(uniffi::Record)]
pub struct KeyRequestPair {
/// The optional cancellation, this is None if no previous key request was
/// sent out for this key, thus it doesn't need to be cancelled.
pub cancellation: Option<Request>,
/// The actual key request.
pub key_request: Request,
}
/// The result of a signature verification of a signed JSON object.
#[derive(Clone, Debug, PartialEq, Eq, uniffi::Record)]
pub struct SignatureVerification {
/// The result of the signature verification using the public key of our own
/// device.
pub device_signature: SignatureState,
/// The result of the signature verification using the public key of our own
/// user identity.
pub user_identity_signature: SignatureState,
/// The result of the signature verification using public keys of other
/// devices we own.
pub other_devices_signatures: HashMap<String, SignatureState>,
/// Is the signed JSON object trusted.
///
/// This flag tells us if the result has a valid signature from any of the
/// following:
///
/// * Our own device
/// * Our own user identity, provided the identity is trusted as well
/// * Any of our own devices, provided the device is trusted as well
pub trusted: bool,
}
impl From<RustSignatureCheckResult> for SignatureVerification {
fn from(r: RustSignatureCheckResult) -> Self {
let trusted = r.trusted();
Self {
device_signature: r.device_signature,
user_identity_signature: r.user_identity_signature,
other_devices_signatures: r
.other_signatures
.into_iter()
.map(|(k, v)| (k.to_string(), v))
.collect(),
trusted,
}
}
}
#[matrix_sdk_ffi_macros::export]
impl OlmMachine {
/// Create a new `OlmMachine`
///
/// # Arguments
///
/// * `user_id` - The unique ID of the user that owns this machine.
///
/// * `device_id` - The unique ID of the device that owns this machine.
///
/// * `path` - The path where the state of the machine should be persisted.
///
/// * `passphrase` - The passphrase that should be used to encrypt the data
/// at rest in the crypto store. **Warning**, if no passphrase is given,
/// the store and all its data will remain unencrypted.
#[uniffi::constructor]
pub fn new(
user_id: String,
device_id: String,
path: String,
mut passphrase: Option<String>,
) -> Result<Arc<Self>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let device_id = device_id.as_str().into();
let runtime = Runtime::new().expect("Couldn't create a tokio runtime");
let store = runtime
.block_on(matrix_sdk_sqlite::SqliteCryptoStore::open(path, passphrase.as_deref()))?;
passphrase.zeroize();
let inner = runtime.block_on(InnerMachine::with_store(
&user_id,
device_id,
Arc::new(store),
None,
))?;
Ok(Arc::new(OlmMachine { inner: ManuallyDrop::new(inner), runtime }))
}
/// Get the user ID of the owner of this `OlmMachine`.
pub fn user_id(&self) -> String {
self.inner.user_id().to_string()
}
/// Get the device ID of the device of this `OlmMachine`.
pub fn device_id(&self) -> String {
self.inner.device_id().to_string()
}
/// Get our own identity keys.
pub fn identity_keys(&self) -> HashMap<String, String> {
let identity_keys = self.inner.identity_keys();
let curve_key = identity_keys.curve25519.to_base64();
let ed25519_key = identity_keys.ed25519.to_base64();
HashMap::from([("ed25519".to_owned(), ed25519_key), ("curve25519".to_owned(), curve_key)])
}
/// Get the status of the private cross signing keys.
///
/// This can be used to check which private cross signing keys we have
/// stored locally.
pub fn cross_signing_status(&self) -> CrossSigningStatus {
self.runtime.block_on(self.inner.cross_signing_status()).into()
}
/// Get a cross signing user identity for the given user ID.
///
/// # Arguments
///
/// * `user_id` - The unique id of the user that the identity belongs to
///
/// * `timeout` - The time in seconds we should wait before returning if the
/// user's device list has been marked as stale. Passing a 0 as the
/// timeout means that we won't wait at all. **Note**, this assumes that
/// the requests from [`OlmMachine::outgoing_requests`] are being
/// processed and sent out. Namely, this waits for a `/keys/query`
/// response to be received.
pub fn get_identity(
&self,
user_id: String,
timeout: u32,
) -> Result<Option<UserIdentity>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let timeout = if timeout == 0 { None } else { Some(Duration::from_secs(timeout.into())) };
Ok(
if let Some(identity) =
self.runtime.block_on(self.inner.get_identity(&user_id, timeout))?
{
Some(self.runtime.block_on(UserIdentity::from_rust(identity))?)
} else {
None
},
)
}
/// Check if a user identity is considered to be verified by us.
pub fn is_identity_verified(&self, user_id: String) -> Result<bool, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
Ok(
if let Some(identity) =
self.runtime.block_on(self.inner.get_identity(&user_id, None))?
{
identity.is_verified()
} else {
false
},
)
}
/// Manually the user with the given user ID.
///
/// This method will attempt to sign the user identity using either our
/// private cross signing key, for other user identities, or our device keys
/// for our own user identity.
///
/// This method can fail if we don't have the private part of our
/// user-signing key.
///
/// Returns a request that needs to be sent out for the user identity to be
/// marked as verified.
pub fn verify_identity(
&self,
user_id: String,
) -> Result<SignatureUploadRequest, SignatureError> {
let user_id = UserId::parse(user_id)?;
let user_identity = self.runtime.block_on(self.inner.get_identity(&user_id, None))?;
if let Some(user_identity) = user_identity {
Ok(match user_identity {
SdkUserIdentity::Own(i) => self.runtime.block_on(i.verify())?,
SdkUserIdentity::Other(i) => self.runtime.block_on(i.verify())?,
}
.into())
} else {
Err(SignatureError::UnknownUserIdentity(user_id.to_string()))
}
}
/// Get a `Device` from the store.
///
/// # Arguments
///
/// * `user_id` - The id of the device owner.
///
/// * `device_id` - The id of the device itself.
///
/// * `timeout` - The time in seconds we should wait before returning if the
/// user's device list has been marked as stale. Passing a 0 as the
/// timeout means that we won't wait at all. **Note**, this assumes that
/// the requests from [`OlmMachine::outgoing_requests`] are being
/// processed and sent out. Namely, this waits for a `/keys/query`
/// response to be received.
pub fn get_device(
&self,
user_id: String,
device_id: String,
timeout: u32,
) -> Result<Option<Device>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let timeout = if timeout == 0 { None } else { Some(Duration::from_secs(timeout.into())) };
Ok(self
.runtime
.block_on(self.inner.get_device(&user_id, device_id.as_str().into(), timeout))?
.map(|d| d.into()))
}
/// Manually the device of the given user with the given device ID.
///
/// This method will attempt to sign the device using our private cross
/// signing key.
///
/// This method will always fail if the device belongs to someone else, we
/// can only sign our own devices.
///
/// It can also fail if we don't have the private part of our self-signing
/// key.
///
/// Returns a request that needs to be sent out for the device to be marked
/// as verified.
pub fn verify_device(
&self,
user_id: String,
device_id: String,
) -> Result<SignatureUploadRequest, SignatureError> {
let user_id = UserId::parse(user_id)?;
let device = self.runtime.block_on(self.inner.get_device(
&user_id,
device_id.as_str().into(),
None,
))?;
if let Some(device) = device {
Ok(self.runtime.block_on(device.verify())?.into())
} else {
Err(SignatureError::UnknownDevice(user_id, device_id))
}
}
/// Set local trust state for the device of the given user without creating
/// or uploading any signatures if verified
pub fn set_local_trust(
&self,
user_id: String,
device_id: String,
trust_state: LocalTrust,
) -> Result<(), CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let device = self.runtime.block_on(self.inner.get_device(
&user_id,
device_id.as_str().into(),
None,
))?;
if let Some(device) = device {
self.runtime.block_on(device.set_local_trust(trust_state))?;
}
Ok(())
}
/// Get all devices of an user.
///
/// # Arguments
///
/// * `user_id` - The id of the device owner.
///
/// * `timeout` - The time in seconds we should wait before returning if the
/// user's device list has been marked as stale. Passing a 0 as the
/// timeout means that we won't wait at all. **Note**, this assumes that
/// the requests from [`OlmMachine::outgoing_requests`] are being
/// processed and sent out. Namely, this waits for a `/keys/query`
/// response to be received.
pub fn get_user_devices(
&self,
user_id: String,
timeout: u32,
) -> Result<Vec<Device>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let timeout = if timeout == 0 { None } else { Some(Duration::from_secs(timeout.into())) };
Ok(self
.runtime
.block_on(self.inner.get_user_devices(&user_id, timeout))?
.devices()
.map(|d| d.into())
.collect())
}
/// Get the list of outgoing requests that need to be sent to the
/// homeserver.
///
/// After the request was sent out and a successful response was received
/// the response body should be passed back to the state machine using the
/// [mark_request_as_sent()](Self::mark_request_as_sent) method.
///
/// **Note**: This method call should be locked per call.
pub fn outgoing_requests(&self) -> Result<Vec<Request>, CryptoStoreError> {
Ok(self
.runtime
.block_on(self.inner.outgoing_requests())?
.into_iter()
.map(|r| r.into())
.collect())
}
/// Mark a request that was sent to the server as sent.
///
/// # Arguments
///
/// * `request_id` - The unique ID of the request that was sent out. This
/// needs to be an UUID.
///
/// * `request_type` - The type of the request that was sent out.
///
/// * `response_body` - The body of the response that was received.
pub fn mark_request_as_sent(
&self,
request_id: String,
request_type: RequestType,
response_body: String,
) -> Result<(), CryptoStoreError> {
let id: OwnedTransactionId = request_id.into();
let response = response_from_string(&response_body);
let response: OwnedResponse = match request_type {
RequestType::KeysUpload => {
KeysUploadResponse::try_from_http_response(response).map(Into::into)
}
RequestType::KeysQuery => {
KeysQueryResponse::try_from_http_response(response).map(Into::into)
}
RequestType::ToDevice => {
ToDeviceResponse::try_from_http_response(response).map(Into::into)
}
RequestType::KeysClaim => {
KeysClaimResponse::try_from_http_response(response).map(Into::into)
}
RequestType::SignatureUpload => {
SignatureUploadResponse::try_from_http_response(response).map(Into::into)
}
RequestType::KeysBackup => {
KeysBackupResponse::try_from_http_response(response).map(Into::into)
}
RequestType::RoomMessage => {
RoomMessageResponse::try_from_http_response(response).map(Into::into)
}
}
.expect("Can't convert json string to response");
self.runtime.block_on(self.inner.mark_request_as_sent(&id, &response))?;
Ok(())
}
/// Let the state machine know about E2EE related sync changes that we
/// received from the server.
///
/// This needs to be called after every sync, ideally before processing
/// any other sync changes.
///
/// # Arguments
///
/// * `events` - A serialized array of to-device events we received in the
/// current sync response.
///
/// * `device_changes` - The list of devices that have changed in some way
/// since the previous sync.
///
/// * `key_counts` - The map of uploaded one-time key types and counts.
pub fn receive_sync_changes(
&self,
events: String,
device_changes: DeviceLists,
key_counts: HashMap<String, i32>,
unused_fallback_keys: Option<Vec<String>>,
next_batch_token: String,
) -> Result<SyncChangesResult, CryptoStoreError> {
let to_device: ToDevice = serde_json::from_str(&events)?;
let device_changes: RumaDeviceLists = device_changes.into();
let key_counts: BTreeMap<OneTimeKeyAlgorithm, UInt> = key_counts
.into_iter()
.map(|(k, v)| {
(
OneTimeKeyAlgorithm::from(k),
v.clamp(0, i32::MAX)
.try_into()
.expect("Couldn't convert key counts into an UInt"),
)
})
.collect();
let unused_fallback_keys: Option<Vec<OneTimeKeyAlgorithm>> =
unused_fallback_keys.map(|u| u.into_iter().map(OneTimeKeyAlgorithm::from).collect());
let (to_device_events, room_key_infos) = self.runtime.block_on(
self.inner.receive_sync_changes(matrix_sdk_crypto::EncryptionSyncChanges {
to_device_events: to_device.events,
changed_devices: &device_changes,
one_time_keys_counts: &key_counts,
unused_fallback_keys: unused_fallback_keys.as_deref(),
next_batch_token: Some(next_batch_token),
}),
)?;
let to_device_events =
to_device_events.into_iter().map(|event| event.json().get().to_owned()).collect();
let room_key_infos = room_key_infos.into_iter().map(|info| info.into()).collect();
Ok(SyncChangesResult { to_device_events, room_key_infos })
}
/// Add the given list of users to be tracked, triggering a key query
/// request for them.
///
/// The OlmMachine maintains a list of users whose devices we are keeping
/// track of: these are known as "tracked users". These must be users
/// that we share a room with, so that the server sends us updates for
/// their device lists.
///
/// *Note*: Only users that aren't already tracked will be considered for an
/// update. It's safe to call this with already tracked users, it won't
/// result in excessive `/keys/query` requests.
///
/// # Arguments
///
/// `users` - The users that should be queued up for a key query.
pub fn update_tracked_users(&self, users: Vec<String>) -> Result<(), CryptoStoreError> {
let users: Vec<OwnedUserId> =
users.into_iter().filter_map(|u| UserId::parse(u).ok()).collect();
self.runtime.block_on(self.inner.update_tracked_users(users.iter().map(Deref::deref)))?;
Ok(())
}
/// Check if the given user is considered to be tracked.
///
/// A user can be marked for tracking using the
/// [`OlmMachine::update_tracked_users()`] method.
pub fn is_user_tracked(&self, user_id: String) -> Result<bool, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
Ok(self.runtime.block_on(self.inner.tracked_users())?.contains(&user_id))
}
/// Generate one-time key claiming requests for all the users we are missing
/// sessions for.
///
/// After the request was sent out and a successful response was received
/// the response body should be passed back to the state machine using the
/// [mark_request_as_sent()](Self::mark_request_as_sent) method.
///
/// This method should be called every time before a call to
/// [`share_room_key()`](Self::share_room_key) is made.
///
/// # Arguments
///
/// * `users` - The list of users for which we would like to establish 1:1
/// Olm sessions for.
pub fn get_missing_sessions(
&self,
users: Vec<String>,
) -> Result<Option<Request>, CryptoStoreError> {
let users: Vec<OwnedUserId> =
users.into_iter().filter_map(|u| UserId::parse(u).ok()).collect();
Ok(self
.runtime
.block_on(self.inner.get_missing_sessions(users.iter().map(Deref::deref)))?
.map(|r| r.into()))
}
/// Get the stored room settings, such as the encryption algorithm or
/// whether to encrypt only for trusted devices.
///
/// These settings can be modified via
/// [set_room_algorithm()](Self::set_room_algorithm) and
/// [set_room_only_allow_trusted_devices()](Self::set_room_only_allow_trusted_devices)
/// methods.
pub fn get_room_settings(
&self,
room_id: String,
) -> Result<Option<RoomSettings>, CryptoStoreError> {
let room_id = RoomId::parse(room_id)?;
let settings = self
.runtime
.block_on(self.inner.store().get_room_settings(&room_id))?
.map(|v| v.try_into())
.transpose()?;
Ok(settings)
}
/// Set the room algorithm used for encrypting messages to one of the
/// available variants
pub fn set_room_algorithm(
&self,
room_id: String,
algorithm: EventEncryptionAlgorithm,
) -> Result<(), CryptoStoreError> {
let room_id = RoomId::parse(room_id)?;
self.runtime.block_on(async move {
let mut settings =
self.inner.store().get_room_settings(&room_id).await?.unwrap_or_default();
settings.algorithm = algorithm.into();
self.inner
.store()
.save_changes(Changes {
room_settings: HashMap::from([(room_id, settings)]),
..Default::default()
})
.await?;
Ok(())
})
}
/// Set flag whether this room should encrypt messages for untrusted
/// devices, or whether they should be excluded from the conversation.
///
/// Note that per-room setting may be overridden by a global
/// [set_only_allow_trusted_devices()](Self::set_only_allow_trusted_devices)
/// method.
pub fn set_room_only_allow_trusted_devices(
&self,
room_id: String,
only_allow_trusted_devices: bool,
) -> Result<(), CryptoStoreError> {
let room_id = RoomId::parse(room_id)?;
self.runtime.block_on(async move {
let mut settings =
self.inner.store().get_room_settings(&room_id).await?.unwrap_or_default();
settings.only_allow_trusted_devices = only_allow_trusted_devices;
self.inner
.store()
.save_changes(Changes {
room_settings: HashMap::from([(room_id, settings)]),
..Default::default()
})
.await?;
Ok(())
})
}
/// Check whether there is a global flag to only encrypt messages for
/// trusted devices or for everyone.
///
/// Note that if the global flag is false, individual rooms may still be
/// encrypting only for trusted devices, depending on the per-room
/// `only_allow_trusted_devices` flag.
pub fn get_only_allow_trusted_devices(&self) -> Result<bool, CryptoStoreError> {
let block = self.runtime.block_on(self.inner.store().get_only_allow_trusted_devices())?;
Ok(block)
}
/// Set global flag whether to encrypt messages for untrusted devices, or
/// whether they should be excluded from the conversation.
///
/// Note that if enabled, it will override any per-room settings.
pub fn set_only_allow_trusted_devices(
&self,
only_allow_trusted_devices: bool,
) -> Result<(), CryptoStoreError> {
self.runtime.block_on(
self.inner.store().set_only_allow_trusted_devices(only_allow_trusted_devices),
)?;
Ok(())
}
/// Share a room key with the given list of users for the given room.
///
/// After the request was sent out and a successful response was received
/// the response body should be passed back to the state machine using the
/// [mark_request_as_sent()](Self::mark_request_as_sent) method.
///
/// This method should be called every time before a call to
/// [`encrypt()`](Self::encrypt) with the given `room_id` is made.
///
/// # Arguments
///
/// * `room_id` - The unique id of the room, note that this doesn't strictly
/// need to be a Matrix room, it just needs to be an unique identifier for
/// the group that will participate in the conversation.
///
/// * `users` - The list of users which are considered to be members of the
/// room and should receive the room key.
///
/// * `settings` - The settings that should be used for the room key.
pub fn share_room_key(
&self,
room_id: String,
users: Vec<String>,
settings: EncryptionSettings,
) -> Result<Vec<Request>, CryptoStoreError> {
let users: Vec<OwnedUserId> =
users.into_iter().filter_map(|u| UserId::parse(u).ok()).collect();
let room_id = RoomId::parse(room_id)?;
let requests = self.runtime.block_on(self.inner.share_room_key(
&room_id,
users.iter().map(Deref::deref),
settings,
))?;
Ok(requests.into_iter().map(|r| r.as_ref().into()).collect())
}
/// Encrypt the given event with the given type and content for the given
/// room.
///
/// **Note**: A room key needs to be shared with the group of users that are
/// members in the given room. If this is not done this method will panic.
///
/// The usual flow to encrypt an event using this state machine is as
/// follows:
///
/// 1. Get the one-time key claim request to establish 1:1 Olm sessions for
/// the room members of the room we wish to participate in. This is done
/// using the [`get_missing_sessions()`](Self::get_missing_sessions)
/// method. This method call should be locked per call.
///
/// 2. Share a room key with all the room members using the
/// [`share_room_key()`](Self::share_room_key). This method call should
/// be locked per room.
///
/// 3. Encrypt the event using this method.
///
/// 4. Send the encrypted event to the server.
///
/// After the room key is shared steps 1 and 2 will become noops, unless
/// there's some changes in the room membership or in the list of devices a
/// member has.
///
/// # Arguments
///
/// * `room_id` - The unique id of the room where the event will be sent to.
///
/// * `even_type` - The type of the event.
///
/// * `content` - The serialized content of the event.
pub fn encrypt(
&self,
room_id: String,
event_type: String,
content: String,
) -> Result<String, CryptoStoreError> {
let room_id = RoomId::parse(room_id)?;
let content = serde_json::from_str(&content)?;
let encrypted_content = self
.runtime
.block_on(self.inner.encrypt_room_event_raw(&room_id, &event_type, &content))
.expect("Encrypting an event produced an error");
Ok(serde_json::to_string(&encrypted_content)?)
}
/// Encrypt the given event with the given type and content for the given
/// device. This method is used to send an event to a specific device.
///
/// # Arguments
///
/// * `user_id` - The ID of the user who owns the target device.
/// * `device_id` - The ID of the device to which the message will be sent.
/// * `event_type` - The event type.
/// * `content` - The serialized content of the event.
///
/// # Returns
/// A `Result` containing the request to be sent out if the encryption was
/// successful. If the device is not found, the result will be `Ok(None)`.
///
/// The caller should ensure that there is an olm session (see
/// `get_missing_sessions`) with the target device before calling this
/// method.
pub fn create_encrypted_to_device_request(
&self,
user_id: String,
device_id: String,
event_type: String,
content: String,
) -> Result<Option<Request>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let device_id = device_id.as_str().into();
let content = serde_json::from_str(&content)?;
let device = self.runtime.block_on(self.inner.get_device(&user_id, device_id, None))?;
if let Some(device) = device {
let encrypted_content =
self.runtime.block_on(device.encrypt_event_raw(&event_type, &content))?;
let request = ToDeviceRequest::new(
user_id.as_ref(),
DeviceIdOrAllDevices::DeviceId(device_id.to_owned()),
"m.room.encrypted",
encrypted_content.cast(),
);
Ok(Some(request.into()))
} else {
Ok(None)
}
}
/// Decrypt the given event that was sent in the given room.
///
/// # Arguments
///
/// * `event` - The serialized encrypted version of the event.
///
/// * `room_id` - The unique id of the room where the event was sent to.
///
/// * `strict_shields` - If `true`, messages will be decorated with strict
/// warnings (use `false` to match legacy behaviour where unsafe keys have
/// lower severity warnings and unverified identities are not decorated).
/// * `decryption_settings` - The setting for decrypting messages.
pub fn decrypt_room_event(
&self,
event: String,
room_id: String,
handle_verification_events: bool,
strict_shields: bool,
decryption_settings: DecryptionSettings,
) -> Result<DecryptedEvent, DecryptionError> {
// Element Android wants only the content and the type and will create a
// decrypted event with those two itself, this struct makes sure we
// throw away all the other fields.
#[derive(Deserialize, Serialize)]
struct Event<'a> {
#[serde(rename = "type")]
event_type: String,
#[serde(borrow)]
content: &'a RawValue,
}
let event: Raw<_> = serde_json::from_str(&event)?;
let room_id = RoomId::parse(room_id)?;
let decrypted = self.runtime.block_on(self.inner.decrypt_room_event(
&event,
&room_id,
&decryption_settings,
))?;
if handle_verification_events {
if let Ok(e) = decrypted.event.deserialize() {
match &e {
AnyMessageLikeEvent::RoomMessage(MessageLikeEvent::Original(
original_event,
)) => {
if let MessageType::VerificationRequest(_) = &original_event.content.msgtype
{
self.runtime.block_on(self.inner.receive_verification_event(&e))?;
}
}
_ if e.event_type().to_string().starts_with("m.key.verification") => {
self.runtime.block_on(self.inner.receive_verification_event(&e))?;
}
_ => (),
}
}
}
let encryption_info = decrypted.encryption_info;
let event_json: Event<'_> = serde_json::from_str(decrypted.event.json().get())?;
Ok(match &encryption_info.algorithm_info {
AlgorithmInfo::MegolmV1AesSha2 { curve25519_key, sender_claimed_keys } => {
DecryptedEvent {
clear_event: serde_json::to_string(&event_json)?,
sender_curve25519_key: curve25519_key.to_owned(),
claimed_ed25519_key: sender_claimed_keys
.get(&DeviceKeyAlgorithm::Ed25519)
.cloned(),
forwarding_curve25519_chain: vec![],
shield_state: if strict_shields {
encryption_info.verification_state.to_shield_state_strict().into()
} else {
encryption_info.verification_state.to_shield_state_lax().into()
},
}
}
})
}
/// Request or re-request a room key that was used to encrypt the given
/// event.
///
/// # Arguments
///
/// * `event` - The undecryptable event that we would wish to request a room
/// key for.
///
/// * `room_id` - The id of the room the event was sent to.
pub fn request_room_key(
&self,
event: String,
room_id: String,
) -> Result<KeyRequestPair, DecryptionError> {
let event: Raw<_> = serde_json::from_str(&event)?;
let room_id = RoomId::parse(room_id)?;
let (cancel, request) =
self.runtime.block_on(self.inner.request_room_key(&event, &room_id))?;
let cancellation = cancel.map(|r| r.into());
let key_request = request.into();
Ok(KeyRequestPair { cancellation, key_request })
}
/// Export all of our room keys.
///
/// # Arguments
///
/// * `passphrase` - The passphrase that should be used to encrypt the key
/// export.
///
/// * `rounds` - The number of rounds that should be used when expanding the
/// passphrase into an key.
pub fn export_room_keys(
&self,
passphrase: String,
rounds: i32,
) -> Result<String, CryptoStoreError> {
let keys = self.runtime.block_on(self.inner.store().export_room_keys(|_| true))?;
let encrypted = encrypt_room_key_export(&keys, &passphrase, rounds as u32)
.map_err(CryptoStoreError::Serialization)?;
Ok(encrypted)
}
/// Import room keys from the given serialized key export.
///
/// # Arguments
///
/// * `keys` - The serialized version of the key export.
///
/// * `passphrase` - The passphrase that was used to encrypt the key export.
///
/// * `progress_listener` - A callback that can be used to introspect the
/// progress of the key import.
pub fn import_room_keys(
&self,
keys: String,
passphrase: String,
progress_listener: Box<dyn ProgressListener>,
) -> Result<KeysImportResult, KeyImportError> {
let keys = Cursor::new(keys);
let keys = decrypt_room_key_export(keys, &passphrase)?;
self.import_room_keys_helper(keys, None, progress_listener)
}
/// Import room keys from the given serialized unencrypted key export.
///
/// This method is the same as [`OlmMachine::import_room_keys`] but the
/// decryption step is skipped and should be performed by the caller. This
/// should be used if the room keys are coming from the server-side backup,
/// the method will mark all imported room keys as backed up.
///
/// **Note**: This has been deprecated. Use
/// [`OlmMachine::import_room_keys_from_backup`] instead.
///
/// # Arguments
///
/// * `keys` - The serialized version of the unencrypted key export.
///
/// * `progress_listener` - A callback that can be used to introspect the
/// progress of the key import.
pub fn import_decrypted_room_keys(
&self,
keys: String,
progress_listener: Box<dyn ProgressListener>,
) -> Result<KeysImportResult, KeyImportError> {
// Assume that the keys came from the current backup version.
let backup_version = self.runtime.block_on(self.inner.backup_machine().backup_version());
let keys: Vec<Value> = serde_json::from_str(&keys)?;
let keys = keys.into_iter().map(serde_json::from_value).filter_map(|k| k.ok()).collect();
self.import_room_keys_helper(keys, backup_version.as_deref(), progress_listener)
}
/// Import room keys from the given serialized unencrypted key export.
///
/// This method is the same as [`OlmMachine::import_room_keys`] but the
/// decryption step is skipped and should be performed by the caller. This
/// should be used if the room keys are coming from the server-side backup.
/// The method will mark all imported room keys as backed up.
///
/// # Arguments
///
/// * `keys` - The serialized version of the unencrypted key export.
///
/// * `backup_version` - The version of the backup that these keys came
/// from.
///
/// * `progress_listener` - A callback that can be used to introspect the
/// progress of the key import.
pub fn import_room_keys_from_backup(
&self,
keys: String,
backup_version: String,
progress_listener: Box<dyn ProgressListener>,
) -> Result<KeysImportResult, KeyImportError> {
let keys: Vec<Value> = serde_json::from_str(&keys)?;
let keys = keys.into_iter().map(serde_json::from_value).filter_map(|k| k.ok()).collect();
self.import_room_keys_helper(keys, Some(&backup_version), progress_listener)
}
/// Discard the currently active room key for the given room if there is
/// one.
pub fn discard_room_key(&self, room_id: String) -> Result<(), CryptoStoreError> {
let room_id = RoomId::parse(room_id)?;
self.runtime.block_on(self.inner.discard_room_key(&room_id))?;
Ok(())
}
/// Receive an unencrypted verification event.
///
/// This method can be used to pass verification events that are happening
/// in unencrypted rooms to the `OlmMachine`.
///
/// **Note**: This has been deprecated.
pub fn receive_unencrypted_verification_event(
&self,
event: String,
room_id: String,
) -> Result<(), CryptoStoreError> {
self.receive_verification_event(event, room_id)
}
/// Receive a verification event.
///
/// This method can be used to pass verification events that are happening
/// in rooms to the `OlmMachine`. The event should be in the decrypted form.
pub fn receive_verification_event(
&self,
event: String,
room_id: String,
) -> Result<(), CryptoStoreError> {
let room_id = RoomId::parse(room_id)?;
let event: AnySyncMessageLikeEvent = serde_json::from_str(&event)?;
let event = event.into_full_event(room_id);
self.runtime.block_on(self.inner.receive_verification_event(&event))?;
Ok(())
}
/// Get all the verification requests that we share with the given user.
///
/// # Arguments
///
/// * `user_id` - The ID of the user for which we would like to fetch the
/// verification requests.
pub fn get_verification_requests(&self, user_id: String) -> Vec<Arc<VerificationRequest>> {
let Ok(user_id) = UserId::parse(user_id) else {
return vec![];
};
self.inner
.get_verification_requests(&user_id)
.into_iter()
.map(|v| {
VerificationRequest { inner: v, runtime: self.runtime.handle().to_owned() }.into()
})
.collect()
}
/// Get a verification requests that we share with the given user with the
/// given flow id.
///
/// # Arguments
///
/// * `user_id` - The ID of the user for which we would like to fetch the
/// verification requests.
///
/// * `flow_id` - The ID that uniquely identifies the verification flow.
pub fn get_verification_request(
&self,
user_id: String,
flow_id: String,
) -> Option<Arc<VerificationRequest>> {
let user_id = UserId::parse(user_id).ok()?;
self.inner.get_verification_request(&user_id, flow_id).map(|v| {
VerificationRequest { inner: v, runtime: self.runtime.handle().to_owned() }.into()
})
}
/// Get an m.key.verification.request content for the given user.
///
/// # Arguments
///
/// * `user_id` - The ID of the user which we would like to request to
/// verify.
///
/// * `methods` - The list of verification methods we want to advertise to
/// support.
pub fn verification_request_content(
&self,
user_id: String,
methods: Vec<String>,
) -> Result<Option<String>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let identity = self.runtime.block_on(self.inner.get_identity(&user_id, None))?;
let methods = methods.into_iter().map(VerificationMethod::from).collect();
Ok(if let Some(identity) = identity.and_then(|i| i.other()) {
let content = identity.verification_request_content(Some(methods));
Some(serde_json::to_string(&content)?)
} else {
None
})
}
/// Request a verification flow to begin with the given user in the given
/// room.
///
/// # Arguments
///
/// * `user_id` - The ID of the user which we would like to request to
/// verify.
///
/// * `room_id` - The ID of the room that represents a DM with the given
/// user.
///
/// * `event_id` - The event ID of the `m.key.verification.request` event
/// that we sent out to request the verification to begin. The content for
/// this request can be created using the [verification_request_content()]
/// method.
///
/// * `methods` - The list of verification methods we advertised as
/// supported in the `m.key.verification.request` event.
///
/// [verification_request_content()]: Self::verification_request_content
pub fn request_verification(
&self,
user_id: String,
room_id: String,
event_id: String,
methods: Vec<String>,
) -> Result<Option<Arc<VerificationRequest>>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let event_id = EventId::parse(event_id)?;
let room_id = RoomId::parse(room_id)?;
let identity = self.runtime.block_on(self.inner.get_identity(&user_id, None))?;
let methods = methods.into_iter().map(VerificationMethod::from).collect();
Ok(if let Some(identity) = identity.and_then(|i| i.other()) {
let request = identity.request_verification(&room_id, &event_id, Some(methods));
Some(
VerificationRequest { inner: request, runtime: self.runtime.handle().to_owned() }
.into(),
)
} else {
None
})
}
/// Request a verification flow to begin with the given user's device.
///
/// # Arguments
///
/// * `user_id` - The ID of the user which we would like to request to
/// verify.
///
/// * `device_id` - The ID of the device that we wish to verify.
///
/// * `methods` - The list of verification methods we advertised as
/// supported in the `m.key.verification.request` event.
pub fn request_verification_with_device(
&self,
user_id: String,
device_id: String,
methods: Vec<String>,
) -> Result<Option<RequestVerificationResult>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let device_id = device_id.as_str().into();
let methods = methods.into_iter().map(VerificationMethod::from).collect();
Ok(
if let Some(device) =
self.runtime.block_on(self.inner.get_device(&user_id, device_id, None))?
{
let (verification, request) = device.request_verification_with_methods(methods);
Some(RequestVerificationResult {
verification: VerificationRequest {
inner: verification,
runtime: self.runtime.handle().to_owned(),
}
.into(),
request: request.into(),
})
} else {
None
},
)
}
/// Request a verification flow to begin with our other devices.
///
/// # Arguments
///
/// `methods` - The list of verification methods we want to advertise to
/// support.
pub fn request_self_verification(
&self,
methods: Vec<String>,
) -> Result<Option<RequestVerificationResult>, CryptoStoreError> {
let identity =
self.runtime.block_on(self.inner.get_identity(self.inner.user_id(), None))?;
let methods = methods.into_iter().map(VerificationMethod::from).collect();
Ok(if let Some(identity) = identity.and_then(|i| i.own()) {
let (verification, request) =
self.runtime.block_on(identity.request_verification_with_methods(methods))?;
Some(RequestVerificationResult {
verification: VerificationRequest {
inner: verification,
runtime: self.runtime.handle().to_owned(),
}
.into(),
request: request.into(),
})
} else {
None
})
}
/// Get a verification flow object for the given user with the given flow
/// id.
///
/// # Arguments
///
/// * `user_id` - The ID of the user for which we would like to fetch the
/// verification.
///
/// * `flow_id` - The ID that uniquely identifies the verification flow.
pub fn get_verification(&self, user_id: String, flow_id: String) -> Option<Arc<Verification>> {
let user_id = UserId::parse(user_id).ok()?;
self.inner
.get_verification(&user_id, &flow_id)
.map(|v| Verification { inner: v, runtime: self.runtime.handle().to_owned() }.into())
}
/// Start short auth string verification with a device without going
/// through a verification request first.
///
/// **Note**: This has been largely deprecated and the
/// [request_verification_with_device()] method should be used instead.
///
/// # Arguments
///
/// * `user_id` - The ID of the user for which we would like to start the
/// SAS verification.
///
/// * `device_id` - The ID of device we would like to verify.
///
/// [request_verification_with_device()]: Self::request_verification_with_device
pub fn start_sas_with_device(
&self,
user_id: String,
device_id: String,
) -> Result<Option<StartSasResult>, CryptoStoreError> {
let user_id = parse_user_id(&user_id)?;
let device_id = device_id.as_str().into();
Ok(
if let Some(device) =
self.runtime.block_on(self.inner.get_device(&user_id, device_id, None))?
{
let (sas, request) = self.runtime.block_on(device.start_verification())?;
Some(StartSasResult {
sas: Sas { inner: sas, runtime: self.runtime.handle().to_owned() }.into(),
request: request.into(),
})
} else {
None
},
)
}
/// Create a new private cross signing identity and create a request to
/// upload the public part of it to the server.
pub fn bootstrap_cross_signing(&self) -> Result<BootstrapCrossSigningResult, CryptoStoreError> {
Ok(self.runtime.block_on(self.inner.bootstrap_cross_signing(true))?.into())
}
/// Export all our private cross signing keys.
///
/// The export will contain the seed for the ed25519 keys as a base64
/// encoded string.
///
/// This method returns `None` if we don't have any private cross signing
/// keys.
pub fn export_cross_signing_keys(
&self,
) -> Result<Option<CrossSigningKeyExport>, CryptoStoreError> {
Ok(self.runtime.block_on(self.inner.export_cross_signing_keys())?.map(|e| e.into()))
}
/// Import our private cross signing keys.
///
/// The export needs to contain the seed for the ed25519 keys as a base64
/// encoded string.
pub fn import_cross_signing_keys(
&self,
export: CrossSigningKeyExport,
) -> Result<(), SecretImportError> {
self.runtime.block_on(self.inner.import_cross_signing_keys(export.into()))?;
Ok(())
}
/// Request missing local secrets from our devices (cross signing private
/// keys, megolm backup). This will ask the sdk to create outgoing
/// request to get the missing secrets.
///
/// The requests will be processed as soon as `outgoing_requests()` is
/// called to process them.
pub fn query_missing_secrets_from_other_sessions(&self) -> Result<bool, CryptoStoreError> {
Ok(self.runtime.block_on(self.inner.query_missing_secrets_from_other_sessions())?)
}
/// Activate the given backup key to be used with the given backup version.
///
/// **Warning**: The caller needs to make sure that the given `BackupKey` is
/// trusted, otherwise we might be encrypting room keys that a malicious
/// party could decrypt.
///
/// The [`OlmMachine::verify_backup`] method can be used to so.
pub fn enable_backup_v1(
&self,
key: MegolmV1BackupKey,
version: String,
) -> Result<(), DecodeError> {
let backup_key = RustBackupKey::from_base64(&key.public_key)?;
backup_key.set_version(version);
self.runtime.block_on(self.inner.backup_machine().enable_backup_v1(backup_key))?;
Ok(())
}
/// Are we able to encrypt room keys.
///
/// This returns true if we have an active `BackupKey` and backup version
/// registered with the state machine.
pub fn backup_enabled(&self) -> bool {
self.runtime.block_on(self.inner.backup_machine().enabled())
}
/// Disable and reset our backup state.
///
/// This will remove any pending backup request, remove the backup key and
/// reset the backup state of each room key we have.
pub fn disable_backup(&self) -> Result<(), CryptoStoreError> {
Ok(self.runtime.block_on(self.inner.backup_machine().disable_backup())?)
}
/// Encrypt a batch of room keys and return a request that needs to be sent
/// out to backup the room keys.
pub fn backup_room_keys(&self) -> Result<Option<Request>, CryptoStoreError> {
let request = self.runtime.block_on(self.inner.backup_machine().backup())?;
let request = request.map(|r| r.into());
Ok(request)
}
/// Get the number of backed up room keys and the total number of room keys.
pub fn room_key_counts(&self) -> Result<RoomKeyCounts, CryptoStoreError> {
Ok(self.runtime.block_on(self.inner.backup_machine().room_key_counts())?.into())
}
/// Store the recovery key in the crypto store.
///
/// This is useful if the client wants to support gossiping of the backup
/// key.
pub fn save_recovery_key(
&self,
key: Option<Arc<BackupRecoveryKey>>,
version: Option<String>,
) -> Result<(), CryptoStoreError> {
let key = key.map(|k| {
// We need to clone here due to FFI limitations but RecoveryKey does
// not want to expose clone since it's private key material.
let mut encoded = k.to_base64();
let key = BackupDecryptionKey::from_base64(&encoded)
.expect("Encoding and decoding from base64 should always work");
encoded.zeroize();
key
});
Ok(self.runtime.block_on(self.inner.backup_machine().save_decryption_key(key, version))?)
}
/// Get the backup keys we have saved in our crypto store.
pub fn get_backup_keys(&self) -> Result<Option<Arc<BackupKeys>>, CryptoStoreError> {
Ok(self
.runtime
.block_on(self.inner.backup_machine().get_backup_keys())?
.try_into()
.ok()
.map(Arc::new))
}
/// Sign the given message using our device key and if available cross
/// signing master key.
pub fn sign(
&self,
message: String,
) -> Result<HashMap<String, HashMap<String, String>>, CryptoStoreError> {
Ok(self
.runtime
.block_on(self.inner.sign(&message))?
.into_iter()
.map(|(k, v)| {
(
k.to_string(),
v.into_iter()
.map(|(k, v)| {
(
k.to_string(),
match v {
Ok(s) => s.to_base64(),
Err(i) => i.source,
},
)
})
.collect(),
)
})
.collect())
}
/// Check if the given backup has been verified by us or by another of our
/// devices that we trust.
///
/// The `backup_info` should be a JSON encoded object with the following
/// format:
///
/// ```json
/// {
/// "algorithm": "m.megolm_backup.v1.curve25519-aes-sha2",
/// "auth_data": {
/// "public_key":"XjhWTCjW7l59pbfx9tlCBQolfnIQWARoKOzjTOPSlWM",
/// "signatures": {}
/// }
/// }
/// ```
pub fn verify_backup(
&self,
backup_info: String,
) -> Result<SignatureVerification, CryptoStoreError> {
let backup_info = serde_json::from_str(&backup_info)?;
Ok(self
.runtime
.block_on(self.inner.backup_machine().verify_backup(backup_info, false))?
.into())
}
/// Manage dehydrated devices.
pub fn dehydrated_devices(&self) -> Arc<DehydratedDevices> {
DehydratedDevices {
inner: ManuallyDrop::new(self.inner.dehydrated_devices()),
runtime: self.runtime.handle().to_owned(),
}
.into()
}
}
impl OlmMachine {
fn import_room_keys_helper(
&self,
keys: Vec<ExportedRoomKey>,
from_backup_version: Option<&str>,
progress_listener: Box<dyn ProgressListener>,
) -> Result<KeysImportResult, KeyImportError> {
let listener = |progress: usize, total: usize| {
progress_listener.on_progress(progress as i32, total as i32)
};
let result = self.runtime.block_on(self.inner.store().import_room_keys(
keys,
from_backup_version,
listener,
))?;
Ok(KeysImportResult {
imported: result.imported_count as i64,
total: result.total_count as i64,
keys: result
.keys
.into_iter()
.map(|(r, m)| {
(
r.to_string(),
m.into_iter().map(|(s, k)| (s, k.into_iter().collect())).collect(),
)
})
.collect(),
})
}
}