forked from torrust/torrust-tracker
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathmod.rs
More file actions
312 lines (260 loc) · 10.8 KB
/
mod.rs
File metadata and controls
312 lines (260 loc) · 10.8 KB
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
pub mod auth;
pub mod mode;
pub mod peer;
pub mod statistics;
pub mod torrent;
use std::collections::btree_map::Entry;
use std::collections::BTreeMap;
use std::net::SocketAddr;
use std::sync::Arc;
use std::time::Duration;
use tokio::sync::mpsc::error::SendError;
use tokio::sync::{RwLock, RwLockReadGuard};
use crate::config::Configuration;
use crate::databases::{self, Database};
use crate::protocol::info_hash::InfoHash;
pub struct Tracker {
pub config: Arc<Configuration>,
mode: mode::Mode,
keys: RwLock<std::collections::HashMap<String, auth::Key>>,
whitelist: RwLock<std::collections::HashSet<InfoHash>>,
torrents: RwLock<std::collections::BTreeMap<InfoHash, torrent::Entry>>,
stats_event_sender: Option<Box<dyn statistics::EventSender>>,
stats_repository: statistics::Repo,
database: Box<dyn Database>,
}
impl Tracker {
/// # Errors
///
/// Will return a `r2d2::Error` if unable to connect to database.
pub fn new(
config: &Arc<Configuration>,
stats_event_sender: Option<Box<dyn statistics::EventSender>>,
stats_repository: statistics::Repo,
) -> Result<Tracker, r2d2::Error> {
let database = databases::connect(&config.db_driver, &config.db_path)?;
Ok(Tracker {
config: config.clone(),
mode: config.mode,
keys: RwLock::new(std::collections::HashMap::new()),
whitelist: RwLock::new(std::collections::HashSet::new()),
torrents: RwLock::new(std::collections::BTreeMap::new()),
stats_event_sender,
stats_repository,
database,
})
}
pub fn is_public(&self) -> bool {
self.mode == mode::Mode::Public
}
pub fn is_private(&self) -> bool {
self.mode == mode::Mode::Private || self.mode == mode::Mode::PrivateListed
}
pub fn is_whitelisted(&self) -> bool {
self.mode == mode::Mode::Listed || self.mode == mode::Mode::PrivateListed
}
/// # Errors
///
/// Will return a `database::Error` if unable to add the `auth_key` to the database.
pub async fn generate_auth_key(&self, lifetime: Duration) -> Result<auth::Key, databases::error::Error> {
let auth_key = auth::generate(lifetime);
self.database.add_key_to_keys(&auth_key).await?;
self.keys.write().await.insert(auth_key.key.clone(), auth_key.clone());
Ok(auth_key)
}
/// # Errors
///
/// Will return a `database::Error` if unable to remove the `key` to the database.
pub async fn remove_auth_key(&self, key: &str) -> Result<(), databases::error::Error> {
self.database.remove_key_from_keys(key).await?;
self.keys.write().await.remove(key);
Ok(())
}
/// # Errors
///
/// Will return a `key::Error` if unable to get any `auth_key`.
pub async fn verify_auth_key(&self, auth_key: &auth::Key) -> Result<(), auth::Error> {
match self.keys.read().await.get(&auth_key.key) {
None => Err(auth::Error::KeyInvalid),
Some(key) => auth::verify(key),
}
}
/// # Errors
///
/// Will return a `database::Error` if unable to `load_keys` from the database.
pub async fn load_keys(&self) -> Result<(), databases::error::Error> {
let keys_from_database = self.database.load_keys().await?;
let mut keys = self.keys.write().await;
keys.clear();
for key in keys_from_database {
keys.insert(key.key.clone(), key);
}
Ok(())
}
/// Adding torrents is not relevant to public trackers.
///
/// # Errors
///
/// Will return a `database::Error` if unable to add the `info_hash` into the whitelist database.
pub async fn add_torrent_to_whitelist(&self, info_hash: &InfoHash) -> Result<(), databases::error::Error> {
self.add_torrent_to_database_whitelist(info_hash).await?;
self.add_torrent_to_memory_whitelist(info_hash).await;
Ok(())
}
/// It adds a torrent to the whitelist if it has not been whitelisted previously
async fn add_torrent_to_database_whitelist(&self, info_hash: &InfoHash) -> Result<(), databases::error::Error> {
if self.database.is_info_hash_whitelisted(info_hash).await.unwrap() {
return Ok(());
}
self.database.add_info_hash_to_whitelist(*info_hash).await?;
Ok(())
}
pub async fn add_torrent_to_memory_whitelist(&self, info_hash: &InfoHash) -> bool {
self.whitelist.write().await.insert(*info_hash)
}
/// Removing torrents is not relevant to public trackers.
///
/// # Errors
///
/// Will return a `database::Error` if unable to remove the `info_hash` from the whitelist database.
pub async fn remove_torrent_from_whitelist(&self, info_hash: &InfoHash) -> Result<(), databases::error::Error> {
self.database.remove_info_hash_from_whitelist(*info_hash).await?;
self.whitelist.write().await.remove(info_hash);
Ok(())
}
pub async fn is_info_hash_whitelisted(&self, info_hash: &InfoHash) -> bool {
self.whitelist.read().await.contains(info_hash)
}
/// # Errors
///
/// Will return a `database::Error` if unable to load the list whitelisted `info_hash`s from the database.
pub async fn load_whitelist(&self) -> Result<(), databases::error::Error> {
let whitelisted_torrents_from_database = self.database.load_whitelist().await?;
let mut whitelist = self.whitelist.write().await;
whitelist.clear();
for info_hash in whitelisted_torrents_from_database {
let _ = whitelist.insert(info_hash);
}
Ok(())
}
/// # Errors
///
/// Will return a `torrent::Error::PeerKeyNotValid` if the `key` is not valid.
///
/// Will return a `torrent::Error::PeerNotAuthenticated` if the `key` is `None`.
///
/// Will return a `torrent::Error::TorrentNotWhitelisted` if the the Tracker is in listed mode and the `info_hash` is not whitelisted.
pub async fn authenticate_request(&self, info_hash: &InfoHash, key: &Option<auth::Key>) -> Result<(), torrent::Error> {
// no authentication needed in public mode
if self.is_public() {
return Ok(());
}
// check if auth_key is set and valid
if self.is_private() {
match key {
Some(key) => {
if self.verify_auth_key(key).await.is_err() {
return Err(torrent::Error::PeerKeyNotValid);
}
}
None => {
return Err(torrent::Error::PeerNotAuthenticated);
}
}
}
// check if info_hash is whitelisted
if self.is_whitelisted() && !self.is_info_hash_whitelisted(info_hash).await {
return Err(torrent::Error::TorrentNotWhitelisted);
}
Ok(())
}
/// Loading the torrents from database into memory
///
/// # Errors
///
/// Will return a `database::Error` if unable to load the list of `persistent_torrents` from the database.
pub async fn load_persistent_torrents(&self) -> Result<(), databases::error::Error> {
let persistent_torrents = self.database.load_persistent_torrents().await?;
let mut torrents = self.torrents.write().await;
for (info_hash, completed) in persistent_torrents {
// Skip if torrent entry already exists
if torrents.contains_key(&info_hash) {
continue;
}
let torrent_entry = torrent::Entry {
peers: BTreeMap::default(),
completed,
};
torrents.insert(info_hash, torrent_entry);
}
Ok(())
}
/// Get all torrent peers for a given torrent filtering out the peer with the client address
pub async fn get_torrent_peers(&self, info_hash: &InfoHash, client_addr: &SocketAddr) -> Vec<peer::Peer> {
let read_lock = self.torrents.read().await;
match read_lock.get(info_hash) {
None => vec![],
Some(entry) => entry.get_peers(Some(client_addr)).into_iter().copied().collect(),
}
}
/// Get all torrent peers for a given torrent
pub async fn get_all_torrent_peers(&self, info_hash: &InfoHash) -> Vec<peer::Peer> {
let read_lock = self.torrents.read().await;
match read_lock.get(info_hash) {
None => vec![],
Some(entry) => entry.get_peers(None).into_iter().copied().collect(),
}
}
pub async fn update_torrent_with_peer_and_get_stats(&self, info_hash: &InfoHash, peer: &peer::Peer) -> torrent::SwamStats {
let mut torrents = self.torrents.write().await;
let torrent_entry = match torrents.entry(*info_hash) {
Entry::Vacant(vacant) => vacant.insert(torrent::Entry::new()),
Entry::Occupied(entry) => entry.into_mut(),
};
let stats_updated = torrent_entry.update_peer(peer);
// todo: move this action to a separate worker
if self.config.persistent_torrent_completed_stat && stats_updated {
let _ = self
.database
.save_persistent_torrent(info_hash, torrent_entry.completed)
.await;
}
let (seeders, completed, leechers) = torrent_entry.get_stats();
torrent::SwamStats {
completed,
seeders,
leechers,
}
}
pub async fn get_torrents(&self) -> RwLockReadGuard<'_, BTreeMap<InfoHash, torrent::Entry>> {
self.torrents.read().await
}
pub async fn get_stats(&self) -> RwLockReadGuard<'_, statistics::Metrics> {
self.stats_repository.get_stats().await
}
pub async fn send_stats_event(&self, event: statistics::Event) -> Option<Result<(), SendError<statistics::Event>>> {
match &self.stats_event_sender {
None => None,
Some(stats_event_sender) => stats_event_sender.send_event(event).await,
}
}
// Remove inactive peers and (optionally) peerless torrents
pub async fn cleanup_torrents(&self) {
let mut torrents_lock = self.torrents.write().await;
// If we don't need to remove torrents we will use the faster iter
if self.config.remove_peerless_torrents {
torrents_lock.retain(|_, torrent_entry| {
torrent_entry.remove_inactive_peers(self.config.max_peer_timeout);
if self.config.persistent_torrent_completed_stat {
torrent_entry.completed > 0 || !torrent_entry.peers.is_empty()
} else {
!torrent_entry.peers.is_empty()
}
});
} else {
for (_, torrent_entry) in torrents_lock.iter_mut() {
torrent_entry.remove_inactive_peers(self.config.max_peer_timeout);
}
}
}
}