vfs/
token_registry.rs

1// Copyright 2019 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5//! Implementation of [`TokenRegistry`].
6
7use crate::directory::entry_container::MutableDirectory;
8use fidl::{Event, Handle, HandleBased, Rights};
9use fuchsia_sync::Mutex;
10use pin_project::{pin_project, pinned_drop};
11use std::collections::hash_map::{Entry, HashMap};
12use std::ops::{Deref, DerefMut};
13use std::pin::Pin;
14use std::sync::Arc;
15use zx_status::Status;
16
17#[cfg(not(target_os = "fuchsia"))]
18use fuchsia_async::emulated_handle::{AsHandleRef, Koid};
19#[cfg(target_os = "fuchsia")]
20use zx::{AsHandleRef, Koid};
21
22const DEFAULT_TOKEN_RIGHTS: Rights = Rights::BASIC;
23
24pub struct TokenRegistry {
25    inner: Mutex<Inner>,
26}
27
28struct Inner {
29    /// Maps an owner to a handle used as a token for the owner.  Handles do not change their koid
30    /// value while they are alive.  We will use the koid of a handle we receive later from the user
31    /// of the API to find the owner that has this particular handle associated with it.
32    ///
33    /// Every entry in owner_to_token will have a reverse mapping in token_to_owner.
34    ///
35    /// Owners must be wrapped in Tokenizable which will ensure tokens are unregistered when
36    /// Tokenizable is dropped.  They must be pinned since pointers are used.  They must also
37    /// implement the TokenInterface trait which extracts the information that `get_owner` returns.
38    owner_to_token: HashMap<*const (), Handle>,
39
40    /// Maps a koid of an owner to the owner.
41    token_to_owner: HashMap<Koid, *const dyn TokenInterface>,
42}
43
44unsafe impl Send for Inner {}
45
46impl TokenRegistry {
47    pub fn new() -> Self {
48        Self {
49            inner: Mutex::new(Inner {
50                owner_to_token: HashMap::new(),
51                token_to_owner: HashMap::new(),
52            }),
53        }
54    }
55
56    /// Returns a token for the owner, creating one if one doesn't already exist.  Tokens will be
57    /// automatically removed when Tokenizable is dropped.
58    pub fn get_token<T: TokenInterface>(owner: Pin<&Tokenizable<T>>) -> Result<Handle, Status> {
59        let ptr = owner.get_ref() as *const _ as *const ();
60        let mut this = owner.token_registry().inner.lock();
61        let Inner { owner_to_token, token_to_owner, .. } = &mut *this;
62        match owner_to_token.entry(ptr) {
63            Entry::Occupied(o) => o.into_mut(),
64            Entry::Vacant(v) => {
65                let handle = Event::create().into_handle();
66                let koid = handle.get_koid()?;
67                assert!(
68                    token_to_owner.insert(koid, &owner.0 as &dyn TokenInterface).is_none(),
69                    "koid is a duplicate"
70                );
71                v.insert(handle)
72            }
73        }
74        .duplicate_handle(DEFAULT_TOKEN_RIGHTS)
75    }
76
77    /// Returns the information provided by get_node_and_flags for the given token.  Returns None if
78    /// no such token exists (perhaps because the owner has been dropped).
79    pub fn get_owner(&self, token: Handle) -> Result<Option<Arc<dyn MutableDirectory>>, Status> {
80        let koid = token.get_koid()?;
81        let this = self.inner.lock();
82
83        match this.token_to_owner.get(&koid) {
84            Some(owner) => {
85                // SAFETY: This is safe because Tokenizable's drop will ensure that unregister is
86                // called to avoid any dangling pointers.
87                Ok(Some(unsafe { (**owner).get_node() }))
88            }
89            None => Ok(None),
90        }
91    }
92
93    // Unregisters the token. This is done automatically by Tokenizable below.
94    fn unregister<T: TokenInterface>(&self, owner: &Tokenizable<T>) {
95        let ptr = owner as *const _ as *const ();
96        let mut this = self.inner.lock();
97
98        if let Some(handle) = this.owner_to_token.remove(&ptr) {
99            this.token_to_owner.remove(&handle.get_koid().unwrap()).unwrap();
100        }
101    }
102}
103
104pub trait TokenInterface: 'static {
105    /// Returns the node and flags that correspond with this token.  This information is returned by
106    /// the `get_owner` method.  For now this always returns Arc<dyn MutableDirectory> but it should
107    /// be possible to change this so that files can be represented in future if and when the need
108    /// arises.
109    fn get_node(&self) -> Arc<dyn MutableDirectory>;
110
111    /// Returns the token registry.
112    fn token_registry(&self) -> &TokenRegistry;
113}
114
115/// Tokenizable is to be used to wrap anything that might need to have tokens generated.  It will
116/// ensure that the token is unregistered when Tokenizable is dropped.
117#[pin_project(!Unpin, PinnedDrop)]
118pub struct Tokenizable<T: TokenInterface>(#[pin] T);
119
120impl<T: TokenInterface> Tokenizable<T> {
121    pub fn new(inner: T) -> Self {
122        Self(inner)
123    }
124
125    pub fn as_mut(self: Pin<&mut Self>) -> Pin<&mut T> {
126        self.project().0
127    }
128}
129
130impl<T: TokenInterface> Deref for Tokenizable<T> {
131    type Target = T;
132
133    fn deref(&self) -> &T {
134        &self.0
135    }
136}
137
138impl<T: TokenInterface> DerefMut for Tokenizable<T> {
139    fn deref_mut(&mut self) -> &mut T {
140        &mut self.0
141    }
142}
143
144#[pinned_drop]
145impl<T: TokenInterface> PinnedDrop for Tokenizable<T> {
146    fn drop(self: Pin<&mut Self>) {
147        self.0.token_registry().unregister(&self);
148    }
149}
150
151#[cfg(test)]
152mod tests {
153    use self::mocks::{MockChannel, MockDirectory};
154    use super::{TokenRegistry, Tokenizable, DEFAULT_TOKEN_RIGHTS};
155    use fidl::{AsHandleRef, HandleBased, Rights};
156    use futures::pin_mut;
157    use std::sync::Arc;
158
159    #[test]
160    fn client_register_same_token() {
161        let registry = Arc::new(TokenRegistry::new());
162        let client = Tokenizable(MockChannel(registry.clone(), MockDirectory::new()));
163        pin_mut!(client);
164
165        let token1 = TokenRegistry::get_token(client.as_ref()).unwrap();
166        let token2 = TokenRegistry::get_token(client.as_ref()).unwrap();
167
168        let koid1 = token1.get_koid().unwrap();
169        let koid2 = token2.get_koid().unwrap();
170        assert_eq!(koid1, koid2);
171    }
172
173    #[test]
174    fn token_rights() {
175        let registry = Arc::new(TokenRegistry::new());
176        let client = Tokenizable(MockChannel(registry.clone(), MockDirectory::new()));
177        pin_mut!(client);
178
179        let token = TokenRegistry::get_token(client.as_ref()).unwrap();
180
181        assert_eq!(token.basic_info().unwrap().rights, DEFAULT_TOKEN_RIGHTS);
182    }
183
184    #[test]
185    fn client_unregister() {
186        let registry = Arc::new(TokenRegistry::new());
187
188        let token = {
189            let client = Tokenizable(MockChannel(registry.clone(), MockDirectory::new()));
190            pin_mut!(client);
191
192            let token = TokenRegistry::get_token(client.as_ref()).unwrap();
193
194            {
195                let res = registry
196                    .get_owner(token.duplicate_handle(Rights::SAME_RIGHTS).unwrap())
197                    .unwrap()
198                    .unwrap();
199                // Note this ugly cast in place of `Arc::ptr_eq(&client, &res)` here is to ensure we
200                // don't compare vtable pointers, which are not strictly guaranteed to be the same
201                // across casts done in different code generation units at compilation time.
202                assert_eq!(Arc::as_ptr(&client.1) as *const (), Arc::as_ptr(&res) as *const ());
203            }
204
205            token
206        };
207
208        assert!(
209            registry
210                .get_owner(token.duplicate_handle(Rights::SAME_RIGHTS).unwrap())
211                .unwrap()
212                .is_none(),
213            "`registry.get_owner() is not `None` after an connection dropped."
214        );
215    }
216
217    #[test]
218    fn client_get_token_twice_unregister() {
219        let registry = Arc::new(TokenRegistry::new());
220
221        let token = {
222            let client = Tokenizable(MockChannel(registry.clone(), MockDirectory::new()));
223            pin_mut!(client);
224
225            let token = TokenRegistry::get_token(client.as_ref()).unwrap();
226
227            {
228                let token2 = TokenRegistry::get_token(client.as_ref()).unwrap();
229
230                let koid1 = token.get_koid().unwrap();
231                let koid2 = token2.get_koid().unwrap();
232                assert_eq!(koid1, koid2);
233            }
234
235            token
236        };
237
238        assert!(
239            registry
240                .get_owner(token.duplicate_handle(Rights::SAME_RIGHTS).unwrap())
241                .unwrap()
242                .is_none(),
243            "`registry.get_owner() is not `None` after connection dropped."
244        );
245    }
246
247    mod mocks {
248        use crate::directory::dirents_sink;
249        use crate::directory::entry::{EntryInfo, GetEntryInfo};
250        use crate::directory::entry_container::{Directory, DirectoryWatcher, MutableDirectory};
251        use crate::directory::traversal_position::TraversalPosition;
252        use crate::execution_scope::ExecutionScope;
253        use crate::node::Node;
254        use crate::path::Path;
255        use crate::token_registry::{TokenInterface, TokenRegistry};
256        use crate::ObjectRequestRef;
257        use fidl::endpoints::ServerEnd;
258        use fidl_fuchsia_io as fio;
259        use std::sync::Arc;
260        use zx_status::Status;
261
262        pub(super) struct MockChannel(pub Arc<TokenRegistry>, pub Arc<MockDirectory>);
263
264        impl TokenInterface for MockChannel {
265            fn get_node(&self) -> Arc<dyn MutableDirectory> {
266                self.1.clone()
267            }
268
269            fn token_registry(&self) -> &TokenRegistry {
270                &self.0
271            }
272        }
273
274        pub(super) struct MockDirectory {}
275
276        impl MockDirectory {
277            pub(super) fn new() -> Arc<Self> {
278                Arc::new(Self {})
279            }
280        }
281
282        impl GetEntryInfo for MockDirectory {
283            fn entry_info(&self) -> EntryInfo {
284                EntryInfo::new(fio::INO_UNKNOWN, fio::DirentType::Directory)
285            }
286        }
287
288        impl Node for MockDirectory {
289            async fn get_attributes(
290                &self,
291                _query: fio::NodeAttributesQuery,
292            ) -> Result<fio::NodeAttributes2, Status> {
293                unimplemented!("Not implemented");
294            }
295        }
296
297        impl Directory for MockDirectory {
298            fn open(
299                self: Arc<Self>,
300                _scope: ExecutionScope,
301                _flags: fio::OpenFlags,
302                _path: Path,
303                _server_end: ServerEnd<fio::NodeMarker>,
304            ) {
305            }
306
307            fn open3(
308                self: Arc<Self>,
309                _scope: ExecutionScope,
310                _path: Path,
311                _flags: fio::Flags,
312                _object_request: ObjectRequestRef<'_>,
313            ) -> Result<(), Status> {
314                unimplemented!("Not implemented");
315            }
316
317            async fn read_dirents<'a>(
318                &'a self,
319                _pos: &'a TraversalPosition,
320                _sink: Box<dyn dirents_sink::Sink>,
321            ) -> Result<(TraversalPosition, Box<dyn dirents_sink::Sealed>), Status> {
322                unimplemented!("Not implemented!")
323            }
324
325            fn register_watcher(
326                self: Arc<Self>,
327                _scope: ExecutionScope,
328                _mask: fio::WatchMask,
329                _watcher: DirectoryWatcher,
330            ) -> Result<(), Status> {
331                unimplemented!("Not implemented!")
332            }
333
334            fn unregister_watcher(self: Arc<Self>, _key: usize) {
335                unimplemented!("Not implemented!")
336            }
337        }
338
339        impl MutableDirectory for MockDirectory {
340            async fn unlink(
341                self: Arc<Self>,
342                _name: &str,
343                _must_be_directory: bool,
344            ) -> Result<(), Status> {
345                unimplemented!("Not implemented!")
346            }
347
348            async fn update_attributes(
349                &self,
350                _attributes: fio::MutableNodeAttributes,
351            ) -> Result<(), Status> {
352                unimplemented!("Not implemented!")
353            }
354
355            async fn sync(&self) -> Result<(), Status> {
356                unimplemented!("Not implemented!");
357            }
358        }
359    }
360}