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
/*!
This module represents common (but not all) columns in the `handle` table.
*/
use rusqlite::{CachedStatement, Connection, Result, Row};
use std::collections::{BTreeSet, HashMap, HashSet};
use crate::{
error::table::TableError,
tables::{
diagnostic::HandleDiagnostic,
table::{Cacheable, HANDLE, ME, Table},
},
};
// MARK: Handle
/// Represents a single row in the `handle` table.
#[derive(Debug)]
pub struct Handle {
/// The unique identifier for the handle in the database
pub rowid: i32,
/// Identifier for a contact, i.e. a phone number or email address
pub id: String,
/// Field used to disambiguate divergent handles that represent the same contact
pub person_centric_id: Option<String>,
}
// MARK: Table
impl Table for Handle {
fn from_row(row: &Row) -> Result<Handle> {
Ok(Handle {
rowid: row.get("rowid")?,
id: row.get("id")?,
person_centric_id: row.get("person_centric_id").unwrap_or(None),
})
}
fn get(db: &'_ Connection) -> Result<CachedStatement<'_>, TableError> {
Ok(db.prepare_cached(&format!("SELECT * from {HANDLE}"))?)
}
}
// MARK: Cache
impl Cacheable for Handle {
type K = i32;
type V = String;
/// Generate a `HashMap` for looking up contacts by their IDs, collapsing
/// duplicate contacts to the same ID String regardless of service
///
/// # Example:
///
/// ```
/// use imessage_database::util::dirs::default_db_path;
/// use imessage_database::tables::table::{Cacheable, get_connection};
/// use imessage_database::tables::handle::Handle;
///
/// let db_path = default_db_path();
/// let conn = get_connection(&db_path).unwrap();
/// let chatrooms = Handle::cache(&conn);
/// ```
fn cache(db: &Connection) -> Result<HashMap<Self::K, Self::V>, TableError> {
// Create cache for user IDs
let mut map = HashMap::new();
// Handle ID 0 is self in group chats
map.insert(0, ME.to_string());
// Create query
let mut statement = Handle::get(db)?;
// Execute query to build the Handles
let handles = statement.query_map([], |row| Ok(Handle::from_row(row)))?;
// Iterate over the handles and update the map
for handle in handles {
let contact = Handle::extract(handle)?;
map.insert(contact.rowid, contact.id);
}
// Condense contacts that share person_centric_id so their IDs map to the same strings
let dupe_contacts = Handle::get_person_id_map(db)?;
for contact in dupe_contacts {
let (id, new) = contact;
map.insert(id, new);
}
// Done!
Ok(map)
}
}
// MARK: Dedupe
impl Handle {
/// Given the initial set of duplicated handles, deduplicate them
///
/// This returns a new hashmap that maps the real handle ID to a new deduplicated unique handle ID
/// that represents a single handle for all of the deduplicate handles.
///
/// Assuming no new handles have been written to the database, deduplicated data is deterministic across runs.
///
/// # Example:
///
/// ```
/// use imessage_database::util::dirs::default_db_path;
/// use imessage_database::tables::table::{Cacheable, get_connection};
/// use imessage_database::tables::handle::Handle;
///
/// let db_path = default_db_path();
/// let conn = get_connection(&db_path).unwrap();
/// let handles = Handle::cache(&conn).unwrap();
/// let deduped_handles = Handle::dedupe(&handles);
/// ```
pub fn dedupe(duplicated_data: &HashMap<i32, String>) -> HashMap<i32, i32> {
let mut deduplicated_participants: HashMap<i32, i32> = HashMap::new();
let mut participant_to_unique_participant_id: HashMap<String, i32> = HashMap::new();
// Build cache of each unique set of participants to a new identifier:
let mut unique_participant_identifier = 0;
// Iterate over the values in a deterministic order
let mut sorted_dupes: Vec<(&i32, &String)> = duplicated_data.iter().collect();
sorted_dupes.sort_by(|(a, _), (b, _)| a.cmp(b));
for (participant_id, participant) in sorted_dupes {
if let Some(id) = participant_to_unique_participant_id.get(participant) {
deduplicated_participants.insert(*participant_id, *id);
} else {
participant_to_unique_participant_id
.insert(participant.to_owned(), unique_participant_identifier);
deduplicated_participants
.insert(*participant_id, unique_participant_identifier);
unique_participant_identifier += 1;
}
}
deduplicated_participants
}
}
// MARK: Diagnostic
impl Handle {
/// Compute diagnostic data for the Handles table
///
/// Counts the number of handles that are duplicated. The `person_centric_id`
/// is used to map handles that represent the same contact across ids (numbers,
/// emails, etc) and across services (iMessage, Jabber, iChat, SMS, etc).
///
/// In some databases, `person_centric_id` may not be available.
///
/// # Example:
///
/// ```
/// use imessage_database::util::dirs::default_db_path;
/// use imessage_database::tables::table::get_connection;
/// use imessage_database::tables::handle::Handle;
///
/// let db_path = default_db_path();
/// let conn = get_connection(&db_path).unwrap();
/// Handle::run_diagnostic(&conn);
/// ```
pub fn run_diagnostic(db: &Connection) -> Result<HandleDiagnostic, TableError> {
let query = concat!(
"SELECT COUNT(DISTINCT person_centric_id) ",
"FROM handle ",
"WHERE person_centric_id NOT NULL"
);
let handles_with_multiple_ids = if let Ok(mut rows) = db.prepare(query) {
rows.query_row([], |r| r.get::<_, i64>(0))
.ok()
.and_then(|count| usize::try_from(count).ok())
.unwrap_or(0)
} else {
0
};
// Cache all handles
let all_handles = Self::cache(db)?;
// Deduplicate handles
let unique_handles = Self::dedupe(&all_handles);
// Calculate total duplicated handles
let total_duplicated =
all_handles.len() - HashSet::<&i32>::from_iter(unique_handles.values()).len();
Ok(HandleDiagnostic {
total_handles: all_handles.len(),
handles_with_multiple_ids,
total_duplicated,
})
}
}
// MARK: Impl
impl Handle {
/// The handles table does not have a lot of information and can have many duplicate values.
///
/// This method generates a hashmap of each separate item in this table to a combined string
/// that represents all of the copies, so any handle ID will always map to the same string
/// for a given chat participant
fn get_person_id_map(db: &Connection) -> Result<HashMap<i32, String>, TableError> {
let mut person_to_id: HashMap<String, BTreeSet<String>> = HashMap::new();
let mut row_to_id: HashMap<i32, String> = HashMap::new();
let mut row_data: Vec<(String, i32, String)> = vec![];
// Build query
let query = concat!(
"SELECT DISTINCT A.person_centric_id, A.rowid, A.id ",
"FROM handle A ",
"INNER JOIN handle B ON B.id = A.id ",
"WHERE A.person_centric_id NOT NULL ",
"ORDER BY A.person_centric_id",
);
let statement = db.prepare(query);
if let Ok(mut statement) = statement {
// Cache the results of the query in memory
let contacts = statement.query_map([], |row| {
let person_centric_id: String = row.get(0)?;
let rowid: i32 = row.get(1)?;
let id: String = row.get(2)?;
Ok((person_centric_id, rowid, id))
})?;
for contact in contacts {
row_data.push(contact?);
}
// First pass: generate a map of each person_centric_id to its matching ids
for contact in &row_data {
let (person_centric_id, _, id) = contact;
if let Some(set) = person_to_id.get_mut(person_centric_id) {
set.insert(id.to_owned());
} else {
let mut set = BTreeSet::new();
set.insert(id.to_owned());
person_to_id.insert(person_centric_id.to_owned(), set);
}
}
// Second pass: point each ROWID to the matching ids
for contact in &row_data {
let (person_centric_id, rowid, _) = contact;
let data_to_insert = match person_to_id.get_mut(person_centric_id) {
Some(person) => person.iter().cloned().collect::<Vec<String>>().join(" "),
None => continue,
};
row_to_id.insert(rowid.to_owned(), data_to_insert);
}
}
Ok(row_to_id)
}
}
// MARK: Tests
#[cfg(test)]
mod tests {
use crate::tables::handle::Handle;
use std::collections::{HashMap, HashSet};
#[test]
fn test_can_dedupe() {
let mut input: HashMap<i32, String> = HashMap::new();
input.insert(1, String::from("A")); // 0
input.insert(2, String::from("A")); // 0
input.insert(3, String::from("A")); // 0
input.insert(4, String::from("B")); // 1
input.insert(5, String::from("B")); // 1
input.insert(6, String::from("C")); // 2
let output = Handle::dedupe(&input);
let expected_deduped_ids: HashSet<i32> = output.values().copied().collect();
assert_eq!(expected_deduped_ids.len(), 3);
}
#[test]
// Simulate 3 runs of the program and ensure that the order of the deduplicated contacts is stable
fn test_same_values() {
let mut input_1: HashMap<i32, String> = HashMap::new();
input_1.insert(1, String::from("A"));
input_1.insert(2, String::from("A"));
input_1.insert(3, String::from("A"));
input_1.insert(4, String::from("B"));
input_1.insert(5, String::from("B"));
input_1.insert(6, String::from("C"));
let mut input_2: HashMap<i32, String> = HashMap::new();
input_2.insert(1, String::from("A"));
input_2.insert(2, String::from("A"));
input_2.insert(3, String::from("A"));
input_2.insert(4, String::from("B"));
input_2.insert(5, String::from("B"));
input_2.insert(6, String::from("C"));
let mut input_3: HashMap<i32, String> = HashMap::new();
input_3.insert(1, String::from("A"));
input_3.insert(2, String::from("A"));
input_3.insert(3, String::from("A"));
input_3.insert(4, String::from("B"));
input_3.insert(5, String::from("B"));
input_3.insert(6, String::from("C"));
let mut output_1 = Handle::dedupe(&input_1)
.into_iter()
.collect::<Vec<(i32, i32)>>();
let mut output_2 = Handle::dedupe(&input_2)
.into_iter()
.collect::<Vec<(i32, i32)>>();
let mut output_3 = Handle::dedupe(&input_3)
.into_iter()
.collect::<Vec<(i32, i32)>>();
output_1.sort_unstable();
output_2.sort_unstable();
output_3.sort_unstable();
assert_eq!(output_1, output_2);
assert_eq!(output_1, output_3);
assert_eq!(output_2, output_3);
}
}