1use crate::common::{
6 decode_extended_attribute_value, encode_extended_attribute_value, extended_attributes_sender,
7 inherit_rights_for_clone, io1_to_io2_attrs,
8};
9use crate::execution_scope::ExecutionScope;
10use crate::file::common::new_connection_validate_options;
11use crate::file::{File, FileIo, FileOptions, RawFileIoConnection, SyncMode};
12use crate::name::parse_name;
13use crate::node::OpenNode;
14use crate::object_request::{
15 run_synchronous_future_or_spawn, ConnectionCreator, ObjectRequest, Representation,
16};
17use crate::protocols::ToFileOptions;
18use crate::request_handler::{RequestHandler, RequestListener};
19use crate::{ObjectRequestRef, ProtocolsExt, ToObjectRequest};
20use anyhow::Error;
21use fidl::endpoints::ServerEnd;
22use fidl_fuchsia_io as fio;
23use static_assertions::assert_eq_size;
24use std::convert::TryInto as _;
25use std::future::Future;
26use std::ops::{ControlFlow, Deref, DerefMut};
27use std::pin::Pin;
28use std::sync::Arc;
29use storage_trace::{self as trace, TraceFutureExt};
30use zx_status::Status;
31
32#[cfg(target_os = "fuchsia")]
33use {
34 crate::file::common::get_backing_memory_validate_flags,
35 crate::temp_clone::{unblock, TempClonable},
36 std::io::SeekFrom,
37 zx::{self as zx, HandleBased},
38};
39
40async fn create_connection<
42 T: 'static + File,
43 U: Deref<Target = OpenNode<T>> + DerefMut + IoOpHandler + Unpin,
44>(
45 scope: ExecutionScope,
46 file: U,
47 options: FileOptions,
48 object_request: ObjectRequestRef<'_>,
49) -> Result<(), Status> {
50 new_connection_validate_options(&options, file.readable(), file.writable(), file.executable())?;
51
52 file.open_file(&options).await?;
53 if object_request.truncate {
54 file.truncate(0).await?;
55 }
56
57 let connection = FileConnection { scope: scope.clone(), file, options };
58 if let Ok(requests) = object_request.take().into_request_stream(&connection).await {
59 scope.spawn(RequestListener::new(requests, Some(connection)));
60 }
61 Ok(())
62}
63
64trait IoOpHandler: Send + Sync + Sized + 'static {
66 fn read(&mut self, count: u64) -> impl Future<Output = Result<Vec<u8>, Status>> + Send;
69
70 fn read_at(
72 &self,
73 offset: u64,
74 count: u64,
75 ) -> impl Future<Output = Result<Vec<u8>, Status>> + Send;
76
77 fn write(&mut self, data: Vec<u8>) -> impl Future<Output = Result<u64, Status>> + Send;
81
82 fn write_at(
84 &self,
85 offset: u64,
86 data: Vec<u8>,
87 ) -> impl Future<Output = Result<u64, Status>> + Send;
88
89 fn seek(
91 &mut self,
92 offset: i64,
93 origin: fio::SeekOrigin,
94 ) -> impl Future<Output = Result<u64, Status>> + Send;
95
96 fn set_flags(&mut self, flags: fio::Flags) -> Result<(), Status>;
98
99 #[cfg(target_os = "fuchsia")]
102 fn duplicate_stream(&self) -> Result<Option<zx::Stream>, Status>;
103
104 fn clone_connection(&self, options: FileOptions) -> Result<Self, Status>;
106}
107
108pub struct FidlIoConnection<T: 'static + File> {
111 file: OpenNode<T>,
113
114 seek: u64,
126
127 is_append: bool,
129}
130
131impl<T: 'static + File> Deref for FidlIoConnection<T> {
132 type Target = OpenNode<T>;
133
134 fn deref(&self) -> &Self::Target {
135 &self.file
136 }
137}
138
139impl<T: 'static + File> DerefMut for FidlIoConnection<T> {
140 fn deref_mut(&mut self) -> &mut Self::Target {
141 &mut self.file
142 }
143}
144
145impl<T: 'static + File + FileIo> FidlIoConnection<T> {
146 pub async fn create(
152 scope: ExecutionScope,
153 file: Arc<T>,
154 options: impl ToFileOptions,
155 object_request: ObjectRequestRef<'_>,
156 ) -> Result<(), Status> {
157 let file = OpenNode::new(file);
158 let options = options.to_file_options()?;
159 create_connection(
160 scope,
161 FidlIoConnection { file, seek: 0, is_append: options.is_append },
162 options,
163 object_request,
164 )
165 .await
166 }
167
168 pub fn create_sync(
171 scope: ExecutionScope,
172 file: Arc<T>,
173 options: impl ToFileOptions,
174 object_request: ObjectRequest,
175 ) {
176 run_synchronous_future_or_spawn(
177 scope.clone(),
178 object_request.handle_async(async |object_request| {
179 Self::create(scope, file, options, object_request).await
180 }),
181 )
182 }
183}
184
185impl<T: 'static + File + FileIo> ConnectionCreator<T> for FidlIoConnection<T> {
186 async fn create<'a>(
187 scope: ExecutionScope,
188 node: Arc<T>,
189 protocols: impl ProtocolsExt,
190 object_request: ObjectRequestRef<'a>,
191 ) -> Result<(), Status> {
192 Self::create(scope, node, protocols, object_request).await
193 }
194}
195
196impl<T: 'static + File + FileIo> IoOpHandler for FidlIoConnection<T> {
197 async fn read(&mut self, count: u64) -> Result<Vec<u8>, Status> {
198 let buffer = self.read_at(self.seek, count).await?;
199 let count: u64 = buffer.len().try_into().unwrap();
200 self.seek += count;
201 Ok(buffer)
202 }
203
204 async fn read_at(&self, offset: u64, count: u64) -> Result<Vec<u8>, Status> {
205 let mut buffer = vec![0u8; count as usize];
206 let count = self.file.read_at(offset, &mut buffer[..]).await?;
207 buffer.truncate(count.try_into().unwrap());
208 Ok(buffer)
209 }
210
211 async fn write(&mut self, data: Vec<u8>) -> Result<u64, Status> {
212 if self.is_append {
213 let (bytes, offset) = self.file.append(&data).await?;
214 self.seek = offset;
215 Ok(bytes)
216 } else {
217 let actual = self.write_at(self.seek, data).await?;
218 self.seek += actual;
219 Ok(actual)
220 }
221 }
222
223 async fn write_at(&self, offset: u64, data: Vec<u8>) -> Result<u64, Status> {
224 self.file.write_at(offset, &data).await
225 }
226
227 async fn seek(&mut self, offset: i64, origin: fio::SeekOrigin) -> Result<u64, Status> {
228 let new_seek = match origin {
230 fio::SeekOrigin::Start => offset as i128,
231 fio::SeekOrigin::Current => {
232 assert_eq_size!(usize, i64);
233 self.seek as i128 + offset as i128
234 }
235 fio::SeekOrigin::End => {
236 let size = self.file.get_size().await?;
237 assert_eq_size!(usize, i64, u64);
238 size as i128 + offset as i128
239 }
240 };
241
242 if let Ok(new_seek) = u64::try_from(new_seek) {
246 self.seek = new_seek;
247 Ok(self.seek)
248 } else {
249 Err(Status::OUT_OF_RANGE)
250 }
251 }
252
253 fn set_flags(&mut self, flags: fio::Flags) -> Result<(), Status> {
254 self.is_append = flags.intersects(fio::Flags::FILE_APPEND);
255 Ok(())
256 }
257
258 #[cfg(target_os = "fuchsia")]
259 fn duplicate_stream(&self) -> Result<Option<zx::Stream>, Status> {
260 Ok(None)
261 }
262
263 fn clone_connection(&self, options: FileOptions) -> Result<Self, Status> {
264 self.file.will_clone();
265 Ok(Self { file: OpenNode::new(self.file.clone()), seek: 0, is_append: options.is_append })
266 }
267}
268
269pub struct RawIoConnection<T: 'static + File> {
270 file: OpenNode<T>,
271}
272
273impl<T: 'static + File + RawFileIoConnection> RawIoConnection<T> {
274 pub async fn create(
275 scope: ExecutionScope,
276 file: Arc<T>,
277 options: impl ToFileOptions,
278 object_request: ObjectRequestRef<'_>,
279 ) -> Result<(), Status> {
280 let file = OpenNode::new(file);
281 create_connection(
282 scope,
283 RawIoConnection { file },
284 options.to_file_options()?,
285 object_request,
286 )
287 .await
288 }
289}
290
291impl<T: 'static + File + RawFileIoConnection> ConnectionCreator<T> for RawIoConnection<T> {
292 async fn create<'a>(
293 scope: ExecutionScope,
294 node: Arc<T>,
295 protocols: impl crate::ProtocolsExt,
296 object_request: ObjectRequestRef<'a>,
297 ) -> Result<(), Status> {
298 Self::create(scope, node, protocols, object_request).await
299 }
300}
301
302impl<T: 'static + File> Deref for RawIoConnection<T> {
303 type Target = OpenNode<T>;
304
305 fn deref(&self) -> &Self::Target {
306 &self.file
307 }
308}
309
310impl<T: 'static + File> DerefMut for RawIoConnection<T> {
311 fn deref_mut(&mut self) -> &mut Self::Target {
312 &mut self.file
313 }
314}
315
316impl<T: 'static + File + RawFileIoConnection> IoOpHandler for RawIoConnection<T> {
317 async fn read(&mut self, count: u64) -> Result<Vec<u8>, Status> {
318 self.file.read(count).await
319 }
320
321 async fn read_at(&self, offset: u64, count: u64) -> Result<Vec<u8>, Status> {
322 self.file.read_at(offset, count).await
323 }
324
325 async fn write(&mut self, data: Vec<u8>) -> Result<u64, Status> {
326 self.file.write(&data).await
327 }
328
329 async fn write_at(&self, offset: u64, data: Vec<u8>) -> Result<u64, Status> {
330 self.file.write_at(offset, &data).await
331 }
332
333 async fn seek(&mut self, offset: i64, origin: fio::SeekOrigin) -> Result<u64, Status> {
334 self.file.seek(offset, origin).await
335 }
336
337 fn set_flags(&mut self, flags: fio::Flags) -> Result<(), Status> {
338 self.file.set_flags(flags)
339 }
340
341 #[cfg(target_os = "fuchsia")]
342 fn duplicate_stream(&self) -> Result<Option<zx::Stream>, Status> {
343 Ok(None)
344 }
345
346 fn clone_connection(&self, _options: FileOptions) -> Result<Self, Status> {
347 self.file.will_clone();
348 Ok(Self { file: OpenNode::new(self.file.clone()) })
349 }
350}
351
352#[cfg(target_os = "fuchsia")]
353mod stream_io {
354 use super::*;
355 pub trait GetVmo {
356 const PAGER_ON_FIDL_EXECUTOR: bool = false;
362
363 fn get_vmo(&self) -> &zx::Vmo;
365 }
366
367 pub struct StreamIoConnection<T: 'static + File + GetVmo> {
370 file: OpenNode<T>,
372
373 stream: TempClonable<zx::Stream>,
375 }
376
377 impl<T: 'static + File + GetVmo> Deref for StreamIoConnection<T> {
378 type Target = OpenNode<T>;
379
380 fn deref(&self) -> &Self::Target {
381 &self.file
382 }
383 }
384
385 impl<T: 'static + File + GetVmo> DerefMut for StreamIoConnection<T> {
386 fn deref_mut(&mut self) -> &mut Self::Target {
387 &mut self.file
388 }
389 }
390
391 impl<T: 'static + File + GetVmo> StreamIoConnection<T> {
392 pub async fn create(
397 scope: ExecutionScope,
398 file: Arc<T>,
399 options: impl ToFileOptions,
400 object_request: ObjectRequestRef<'_>,
401 ) -> Result<(), Status> {
402 let file = OpenNode::new(file);
403 let options = options.to_file_options()?;
404 let stream = TempClonable::new(zx::Stream::create(
405 options.to_stream_options(),
406 file.get_vmo(),
407 0,
408 )?);
409 create_connection(scope, StreamIoConnection { file, stream }, options, object_request)
410 .await
411 }
412
413 pub fn create_sync(
416 scope: ExecutionScope,
417 file: Arc<T>,
418 options: impl ToFileOptions,
419 object_request: ObjectRequest,
420 ) {
421 run_synchronous_future_or_spawn(
422 scope.clone(),
423 object_request.handle_async(async |object_request| {
424 Self::create(scope, file, options, object_request).await
425 }),
426 )
427 }
428
429 async fn maybe_unblock<F, R>(&self, f: F) -> R
430 where
431 F: FnOnce(&zx::Stream) -> R + Send + 'static,
432 R: Send + 'static,
433 {
434 if T::PAGER_ON_FIDL_EXECUTOR {
435 let stream = self.stream.temp_clone();
436 unblock(move || f(&*stream)).await
437 } else {
438 f(&*self.stream)
439 }
440 }
441 }
442
443 impl<T: 'static + File + GetVmo> ConnectionCreator<T> for StreamIoConnection<T> {
444 async fn create<'a>(
445 scope: ExecutionScope,
446 node: Arc<T>,
447 protocols: impl crate::ProtocolsExt,
448 object_request: ObjectRequestRef<'a>,
449 ) -> Result<(), Status> {
450 Self::create(scope, node, protocols, object_request).await
451 }
452 }
453
454 impl<T: 'static + File + GetVmo> IoOpHandler for StreamIoConnection<T> {
455 async fn read(&mut self, count: u64) -> Result<Vec<u8>, Status> {
456 self.maybe_unblock(move |stream| {
457 stream.read_to_vec(zx::StreamReadOptions::empty(), count as usize)
458 })
459 .await
460 }
461
462 async fn read_at(&self, offset: u64, count: u64) -> Result<Vec<u8>, Status> {
463 self.maybe_unblock(move |stream| {
464 stream.read_at_to_vec(zx::StreamReadOptions::empty(), offset, count as usize)
465 })
466 .await
467 }
468
469 async fn write(&mut self, data: Vec<u8>) -> Result<u64, Status> {
470 self.maybe_unblock(move |stream| {
471 let actual = stream.write(zx::StreamWriteOptions::empty(), &data)?;
472 Ok(actual as u64)
473 })
474 .await
475 }
476
477 async fn write_at(&self, offset: u64, data: Vec<u8>) -> Result<u64, Status> {
478 self.maybe_unblock(move |stream| {
479 let actual = stream.write_at(zx::StreamWriteOptions::empty(), offset, &data)?;
480 Ok(actual as u64)
481 })
482 .await
483 }
484
485 async fn seek(&mut self, offset: i64, origin: fio::SeekOrigin) -> Result<u64, Status> {
486 let position = match origin {
487 fio::SeekOrigin::Start => {
488 if offset < 0 {
489 return Err(Status::INVALID_ARGS);
490 }
491 SeekFrom::Start(offset as u64)
492 }
493 fio::SeekOrigin::Current => SeekFrom::Current(offset),
494 fio::SeekOrigin::End => SeekFrom::End(offset),
495 };
496 self.stream.seek(position)
497 }
498
499 fn set_flags(&mut self, flags: fio::Flags) -> Result<(), Status> {
500 let append_mode = if flags.contains(fio::Flags::FILE_APPEND) { 1 } else { 0 };
501 self.stream.set_mode_append(&append_mode)
502 }
503
504 fn duplicate_stream(&self) -> Result<Option<zx::Stream>, Status> {
505 self.stream.duplicate_handle(zx::Rights::SAME_RIGHTS).map(|s| Some(s))
506 }
507
508 fn clone_connection(&self, options: FileOptions) -> Result<Self, Status> {
509 let stream = TempClonable::new(zx::Stream::create(
510 options.to_stream_options(),
511 self.file.get_vmo(),
512 0,
513 )?);
514 self.file.will_clone();
515 Ok(Self { file: OpenNode::new(self.file.clone()), stream })
516 }
517 }
518}
519
520#[cfg(target_os = "fuchsia")]
521pub use stream_io::*;
522
523enum ConnectionState {
525 Alive,
527 Closed(fio::FileCloseResponder),
530 Dropped,
533}
534
535struct FileConnection<U> {
537 scope: ExecutionScope,
540
541 file: U,
543
544 options: FileOptions,
546}
547
548impl<T: 'static + File, U: Deref<Target = OpenNode<T>> + DerefMut + IoOpHandler + Unpin>
549 FileConnection<U>
550{
551 async fn handle_request(&mut self, req: fio::FileRequest) -> Result<ConnectionState, Error> {
554 match req {
555 #[cfg(fuchsia_api_level_at_least = "26")]
556 fio::FileRequest::DeprecatedClone { flags, object, control_handle: _ } => {
557 trace::duration!(c"storage", c"File::DeprecatedClone");
558 self.handle_deprecated_clone(flags, object).await;
559 }
560 #[cfg(not(fuchsia_api_level_at_least = "26"))]
561 fio::FileRequest::Clone { flags, object, control_handle: _ } => {
562 trace::duration!(c"storage", c"File::Clone");
563 self.handle_deprecated_clone(flags, object).await;
564 }
565 #[cfg(fuchsia_api_level_at_least = "26")]
566 fio::FileRequest::Clone { request, control_handle: _ } => {
567 trace::duration!(c"storage", c"File::Clone");
568 self.handle_clone(ServerEnd::new(request.into_channel()));
569 }
570 #[cfg(not(fuchsia_api_level_at_least = "26"))]
571 fio::FileRequest::Clone2 { request, control_handle: _ } => {
572 trace::duration!(c"storage", c"File::Clone2");
573 self.handle_clone(ServerEnd::new(request.into_channel()));
574 }
575 fio::FileRequest::Close { responder } => {
576 return Ok(ConnectionState::Closed(responder));
577 }
578 #[cfg(not(target_os = "fuchsia"))]
579 fio::FileRequest::Describe { responder } => {
580 responder.send(fio::FileInfo {
581 stream: None,
582 observer: self.file.event()?,
583 ..Default::default()
584 })?;
585 }
586 #[cfg(target_os = "fuchsia")]
587 fio::FileRequest::Describe { responder } => {
588 trace::duration!(c"storage", c"File::Describe");
589 let stream = self.file.duplicate_stream()?;
590 responder.send(fio::FileInfo {
591 stream,
592 observer: self.file.event()?,
593 ..Default::default()
594 })?;
595 }
596 fio::FileRequest::LinkInto { dst_parent_token, dst, responder } => {
597 async move {
598 responder.send(
599 self.handle_link_into(dst_parent_token, dst)
600 .await
601 .map_err(Status::into_raw),
602 )
603 }
604 .trace(trace::trace_future_args!(c"storage", c"File::LinkInto"))
605 .await?;
606 }
607 fio::FileRequest::GetConnectionInfo { responder } => {
608 trace::duration!(c"storage", c"File::GetConnectionInfo");
609 responder.send(fio::ConnectionInfo {
611 rights: Some(self.options.rights),
612 ..Default::default()
613 })?;
614 }
615 fio::FileRequest::Sync { responder } => {
616 async move {
617 responder.send(self.file.sync(SyncMode::Normal).await.map_err(Status::into_raw))
618 }
619 .trace(trace::trace_future_args!(c"storage", c"File::Sync"))
620 .await?;
621 }
622 fio::FileRequest::GetAttr { responder } => {
623 async move {
624 let (status, attrs) =
625 crate::common::io2_to_io1_attrs(self.file.as_ref(), self.options.rights)
626 .await;
627 responder.send(status.into_raw(), &attrs)
628 }
629 .trace(trace::trace_future_args!(c"storage", c"File::GetAttr"))
630 .await?;
631 }
632 fio::FileRequest::SetAttr { flags, attributes, responder } => {
633 async move {
634 let result =
635 self.handle_update_attributes(io1_to_io2_attrs(flags, attributes)).await;
636 responder.send(Status::from_result(result).into_raw())
637 }
638 .trace(trace::trace_future_args!(c"storage", c"File::SetAttr"))
639 .await?;
640 }
641 fio::FileRequest::GetAttributes { query, responder } => {
642 async move {
643 let attrs = self.file.get_attributes(query).await;
645 responder.send(
646 attrs
647 .as_ref()
648 .map(|attrs| (&attrs.mutable_attributes, &attrs.immutable_attributes))
649 .map_err(|status| status.into_raw()),
650 )
651 }
652 .trace(trace::trace_future_args!(c"storage", c"File::GetAttributes"))
653 .await?;
654 }
655 fio::FileRequest::UpdateAttributes { payload, responder } => {
656 async move {
657 let result =
658 self.handle_update_attributes(payload).await.map_err(Status::into_raw);
659 responder.send(result)
660 }
661 .trace(trace::trace_future_args!(c"storage", c"File::UpdateAttributes"))
662 .await?;
663 }
664 fio::FileRequest::ListExtendedAttributes { iterator, control_handle: _ } => {
665 self.handle_list_extended_attribute(iterator)
666 .trace(trace::trace_future_args!(c"storage", c"File::ListExtendedAttributes"))
667 .await;
668 }
669 fio::FileRequest::GetExtendedAttribute { name, responder } => {
670 async move {
671 let res =
672 self.handle_get_extended_attribute(name).await.map_err(Status::into_raw);
673 responder.send(res)
674 }
675 .trace(trace::trace_future_args!(c"storage", c"File::GetExtendedAttribute"))
676 .await?;
677 }
678 fio::FileRequest::SetExtendedAttribute { name, value, mode, responder } => {
679 async move {
680 let res = self
681 .handle_set_extended_attribute(name, value, mode)
682 .await
683 .map_err(Status::into_raw);
684 responder.send(res)
685 }
686 .trace(trace::trace_future_args!(c"storage", c"File::SetExtendedAttribute"))
687 .await?;
688 }
689 fio::FileRequest::RemoveExtendedAttribute { name, responder } => {
690 async move {
691 let res =
692 self.handle_remove_extended_attribute(name).await.map_err(Status::into_raw);
693 responder.send(res)
694 }
695 .trace(trace::trace_future_args!(c"storage", c"File::RemoveExtendedAttribute"))
696 .await?;
697 }
698 #[cfg(fuchsia_api_level_at_least = "HEAD")]
699 fio::FileRequest::EnableVerity { options, responder } => {
700 async move {
701 let res = self.handle_enable_verity(options).await.map_err(Status::into_raw);
702 responder.send(res)
703 }
704 .trace(trace::trace_future_args!(c"storage", c"File::EnableVerity"))
705 .await?;
706 }
707 fio::FileRequest::Read { count, responder } => {
708 let trace_args =
709 trace::trace_future_args!(c"storage", c"File::Read", "bytes" => count);
710 async move {
711 let result = self.handle_read(count).await;
712 responder.send(result.as_deref().map_err(|s| s.into_raw()))
713 }
714 .trace(trace_args)
715 .await?;
716 }
717 fio::FileRequest::ReadAt { offset, count, responder } => {
718 let trace_args = trace::trace_future_args!(
719 c"storage",
720 c"File::ReadAt",
721 "offset" => offset,
722 "bytes" => count
723 );
724 async move {
725 let result = self.handle_read_at(offset, count).await;
726 responder.send(result.as_deref().map_err(|s| s.into_raw()))
727 }
728 .trace(trace_args)
729 .await?;
730 }
731 fio::FileRequest::Write { data, responder } => {
732 let trace_args =
733 trace::trace_future_args!(c"storage", c"File::Write", "bytes" => data.len());
734 async move {
735 let result = self.handle_write(data).await;
736 responder.send(result.map_err(Status::into_raw))
737 }
738 .trace(trace_args)
739 .await?;
740 }
741 fio::FileRequest::WriteAt { offset, data, responder } => {
742 let trace_args = trace::trace_future_args!(
743 c"storage",
744 c"File::WriteAt",
745 "offset" => offset,
746 "bytes" => data.len()
747 );
748 async move {
749 let result = self.handle_write_at(offset, data).await;
750 responder.send(result.map_err(Status::into_raw))
751 }
752 .trace(trace_args)
753 .await?;
754 }
755 fio::FileRequest::Seek { origin, offset, responder } => {
756 async move {
757 let result = self.handle_seek(offset, origin).await;
758 responder.send(result.map_err(Status::into_raw))
759 }
760 .trace(trace::trace_future_args!(c"storage", c"File::Seek"))
761 .await?;
762 }
763 fio::FileRequest::Resize { length, responder } => {
764 async move {
765 let result = self.handle_truncate(length).await;
766 responder.send(result.map_err(Status::into_raw))
767 }
768 .trace(trace::trace_future_args!(c"storage", c"File::Resize"))
769 .await?;
770 }
771 #[cfg(fuchsia_api_level_at_least = "NEXT")]
772 fio::FileRequest::GetFlags { responder } => {
773 trace::duration!(c"storage", c"File::GetFlags");
774 responder.send(Ok(fio::Flags::from(&self.options)))?;
775 }
776 #[cfg(fuchsia_api_level_at_least = "NEXT")]
777 fio::FileRequest::SetFlags { flags, responder } => {
778 trace::duration!(c"storage", c"File::SetFlags");
779 if flags.is_empty() || flags == fio::Flags::FILE_APPEND {
781 self.options.is_append = flags.contains(fio::Flags::FILE_APPEND);
782 responder.send(self.file.set_flags(flags).map_err(Status::into_raw))?;
783 } else {
784 responder.send(Err(Status::INVALID_ARGS.into_raw()))?;
785 }
786 }
787 #[cfg(fuchsia_api_level_at_least = "NEXT")]
788 fio::FileRequest::DeprecatedGetFlags { responder } => {
789 trace::duration!(c"storage", c"File::DeprecatedGetFlags");
790 responder.send(Status::OK.into_raw(), self.options.to_io1())?;
791 }
792 #[cfg(fuchsia_api_level_at_least = "NEXT")]
793 fio::FileRequest::DeprecatedSetFlags { flags, responder } => {
794 trace::duration!(c"storage", c"File::DeprecatedSetFlags");
795 let is_append = flags.contains(fio::OpenFlags::APPEND);
797 self.options.is_append = is_append;
798 let flags = if is_append { fio::Flags::FILE_APPEND } else { fio::Flags::empty() };
799 responder.send(Status::from_result(self.file.set_flags(flags)).into_raw())?;
800 }
801 #[cfg(not(fuchsia_api_level_at_least = "NEXT"))]
802 fio::FileRequest::GetFlags { responder } => {
803 trace::duration!(c"storage", c"File::GetFlags");
804 responder.send(Status::OK.into_raw(), self.options.to_io1())?;
805 }
806 #[cfg(not(fuchsia_api_level_at_least = "NEXT"))]
807 fio::FileRequest::SetFlags { flags, responder } => {
808 trace::duration!(c"storage", c"File::SetFlags");
809 let is_append = flags.contains(fio::OpenFlags::APPEND);
811 self.options.is_append = is_append;
812 let flags = if is_append { fio::Flags::FILE_APPEND } else { fio::Flags::empty() };
813 responder.send(Status::from_result(self.file.set_flags(flags)).into_raw())?;
814 }
815 #[cfg(target_os = "fuchsia")]
816 fio::FileRequest::GetBackingMemory { flags, responder } => {
817 async move {
818 let result = self.handle_get_backing_memory(flags).await;
819 responder.send(result.map_err(Status::into_raw))
820 }
821 .trace(trace::trace_future_args!(c"storage", c"File::GetBackingMemory"))
822 .await?;
823 }
824
825 #[cfg(not(target_os = "fuchsia"))]
826 fio::FileRequest::GetBackingMemory { flags: _, responder } => {
827 responder.send(Err(Status::NOT_SUPPORTED.into_raw()))?;
828 }
829 fio::FileRequest::AdvisoryLock { request: _, responder } => {
830 trace::duration!(c"storage", c"File::AdvisoryLock");
831 responder.send(Err(Status::NOT_SUPPORTED.into_raw()))?;
832 }
833 fio::FileRequest::Query { responder } => {
834 trace::duration!(c"storage", c"File::Query");
835 responder.send(fio::FILE_PROTOCOL_NAME.as_bytes())?;
836 }
837 fio::FileRequest::QueryFilesystem { responder } => {
838 trace::duration!(c"storage", c"File::QueryFilesystem");
839 match self.file.query_filesystem() {
840 Err(status) => responder.send(status.into_raw(), None)?,
841 Ok(info) => responder.send(0, Some(&info))?,
842 }
843 }
844 #[cfg(fuchsia_api_level_at_least = "HEAD")]
845 fio::FileRequest::Allocate { offset, length, mode, responder } => {
846 async move {
847 let result = self.handle_allocate(offset, length, mode).await;
848 responder.send(result.map_err(Status::into_raw))
849 }
850 .trace(trace::trace_future_args!(c"storage", c"File::Allocate"))
851 .await?;
852 }
853 fio::FileRequest::_UnknownMethod { .. } => (),
854 }
855 Ok(ConnectionState::Alive)
856 }
857
858 async fn handle_deprecated_clone(
859 &mut self,
860 flags: fio::OpenFlags,
861 server_end: ServerEnd<fio::NodeMarker>,
862 ) {
863 flags
864 .to_object_request(server_end)
865 .handle_async(async |object_request| {
866 let options =
867 inherit_rights_for_clone(self.options.to_io1(), flags)?.to_file_options()?;
868
869 let connection = Self {
870 scope: self.scope.clone(),
871 file: self.file.clone_connection(options)?,
872 options,
873 };
874
875 let requests = object_request.take().into_request_stream(&connection).await?;
876 self.scope.spawn(RequestListener::new(requests, Some(connection)));
877 Ok(())
878 })
879 .await;
880 }
881
882 fn handle_clone(&mut self, server_end: ServerEnd<fio::FileMarker>) {
883 let connection = match self.file.clone_connection(self.options) {
884 Ok(file) => Self { scope: self.scope.clone(), file, options: self.options },
885 Err(status) => {
886 let _ = server_end.close_with_epitaph(status);
887 return;
888 }
889 };
890 self.scope.spawn(RequestListener::new(server_end.into_stream(), Some(connection)));
891 }
892
893 async fn handle_read(&mut self, count: u64) -> Result<Vec<u8>, Status> {
894 if !self.options.rights.intersects(fio::Operations::READ_BYTES) {
895 return Err(Status::BAD_HANDLE);
896 }
897
898 if count > fio::MAX_TRANSFER_SIZE {
899 return Err(Status::OUT_OF_RANGE);
900 }
901 self.file.read(count).await
902 }
903
904 async fn handle_read_at(&self, offset: u64, count: u64) -> Result<Vec<u8>, Status> {
905 if !self.options.rights.intersects(fio::Operations::READ_BYTES) {
906 return Err(Status::BAD_HANDLE);
907 }
908 if count > fio::MAX_TRANSFER_SIZE {
909 return Err(Status::OUT_OF_RANGE);
910 }
911 self.file.read_at(offset, count).await
912 }
913
914 async fn handle_write(&mut self, content: Vec<u8>) -> Result<u64, Status> {
915 if !self.options.rights.intersects(fio::Operations::WRITE_BYTES) {
916 return Err(Status::BAD_HANDLE);
917 }
918 self.file.write(content).await
919 }
920
921 async fn handle_write_at(&self, offset: u64, content: Vec<u8>) -> Result<u64, Status> {
922 if !self.options.rights.intersects(fio::Operations::WRITE_BYTES) {
923 return Err(Status::BAD_HANDLE);
924 }
925
926 self.file.write_at(offset, content).await
927 }
928
929 async fn handle_seek(&mut self, offset: i64, origin: fio::SeekOrigin) -> Result<u64, Status> {
931 self.file.seek(offset, origin).await
932 }
933
934 async fn handle_update_attributes(
935 &mut self,
936 attributes: fio::MutableNodeAttributes,
937 ) -> Result<(), Status> {
938 if !self.options.rights.intersects(fio::Operations::UPDATE_ATTRIBUTES) {
939 return Err(Status::BAD_HANDLE);
940 }
941
942 self.file.update_attributes(attributes).await
943 }
944
945 #[cfg(fuchsia_api_level_at_least = "HEAD")]
946 async fn handle_enable_verity(
947 &mut self,
948 options: fio::VerificationOptions,
949 ) -> Result<(), Status> {
950 if !self.options.rights.intersects(fio::Operations::UPDATE_ATTRIBUTES) {
951 return Err(Status::BAD_HANDLE);
952 }
953 self.file.enable_verity(options).await
954 }
955
956 async fn handle_truncate(&mut self, length: u64) -> Result<(), Status> {
957 if !self.options.rights.intersects(fio::Operations::WRITE_BYTES) {
958 return Err(Status::BAD_HANDLE);
959 }
960
961 self.file.truncate(length).await
962 }
963
964 #[cfg(target_os = "fuchsia")]
965 async fn handle_get_backing_memory(&mut self, flags: fio::VmoFlags) -> Result<zx::Vmo, Status> {
966 get_backing_memory_validate_flags(flags, self.options.to_io1())?;
967 self.file.get_backing_memory(flags).await
968 }
969
970 async fn handle_list_extended_attribute(
971 &mut self,
972 iterator: ServerEnd<fio::ExtendedAttributeIteratorMarker>,
973 ) {
974 let attributes = match self.file.list_extended_attributes().await {
975 Ok(attributes) => attributes,
976 Err(status) => {
977 #[cfg(any(test, feature = "use_log"))]
978 log::error!(status:?; "list extended attributes failed");
979 iterator.close_with_epitaph(status).unwrap_or_else(|_error| {
980 #[cfg(any(test, feature = "use_log"))]
981 log::error!(_error:?; "failed to send epitaph")
982 });
983 return;
984 }
985 };
986 self.scope.spawn(extended_attributes_sender(iterator, attributes));
987 }
988
989 async fn handle_get_extended_attribute(
990 &mut self,
991 name: Vec<u8>,
992 ) -> Result<fio::ExtendedAttributeValue, Status> {
993 let value = self.file.get_extended_attribute(name).await?;
994 encode_extended_attribute_value(value)
995 }
996
997 async fn handle_set_extended_attribute(
998 &mut self,
999 name: Vec<u8>,
1000 value: fio::ExtendedAttributeValue,
1001 mode: fio::SetExtendedAttributeMode,
1002 ) -> Result<(), Status> {
1003 if name.contains(&0) {
1004 return Err(Status::INVALID_ARGS);
1005 }
1006 let val = decode_extended_attribute_value(value)?;
1007 self.file.set_extended_attribute(name, val, mode).await
1008 }
1009
1010 async fn handle_remove_extended_attribute(&mut self, name: Vec<u8>) -> Result<(), Status> {
1011 self.file.remove_extended_attribute(name).await
1012 }
1013
1014 async fn handle_link_into(
1015 &mut self,
1016 target_parent_token: fidl::Event,
1017 target_name: String,
1018 ) -> Result<(), Status> {
1019 let target_name = parse_name(target_name).map_err(|_| Status::INVALID_ARGS)?;
1020
1021 #[cfg(fuchsia_api_level_at_least = "HEAD")]
1022 if !self.options.is_linkable {
1023 return Err(Status::NOT_FOUND);
1024 }
1025
1026 if !self.options.rights.contains(
1027 fio::Operations::READ_BYTES
1028 | fio::Operations::WRITE_BYTES
1029 | fio::Operations::GET_ATTRIBUTES
1030 | fio::Operations::UPDATE_ATTRIBUTES,
1031 ) {
1032 return Err(Status::ACCESS_DENIED);
1033 }
1034
1035 let target_parent = self
1036 .scope
1037 .token_registry()
1038 .get_owner(target_parent_token.into())?
1039 .ok_or(Err(Status::NOT_FOUND))?;
1040
1041 self.file.clone().link_into(target_parent, target_name).await
1042 }
1043
1044 #[cfg(fuchsia_api_level_at_least = "HEAD")]
1045 async fn handle_allocate(
1046 &mut self,
1047 offset: u64,
1048 length: u64,
1049 mode: fio::AllocateMode,
1050 ) -> Result<(), Status> {
1051 self.file.allocate(offset, length, mode).await
1052 }
1053
1054 fn should_sync_before_close(&self) -> bool {
1055 self.options
1056 .rights
1057 .intersects(fio::Operations::WRITE_BYTES | fio::Operations::UPDATE_ATTRIBUTES)
1058 }
1059}
1060
1061impl<T: 'static + File, U: Deref<Target = OpenNode<T>> + DerefMut + IoOpHandler + Unpin>
1064 RequestHandler for Option<FileConnection<U>>
1065{
1066 type Request = Result<fio::FileRequest, fidl::Error>;
1067
1068 async fn handle_request(self: Pin<&mut Self>, request: Self::Request) -> ControlFlow<()> {
1069 let option_this = self.get_mut();
1070 let this = option_this.as_mut().unwrap();
1071 let _guard = this.scope.active_guard();
1072 let state = match request {
1073 Ok(request) => {
1074 this.handle_request(request)
1075 .await
1076 .unwrap_or(ConnectionState::Dropped)
1079 }
1080 Err(_) => {
1081 ConnectionState::Dropped
1085 }
1086 };
1087 match state {
1088 ConnectionState::Alive => ControlFlow::Continue(()),
1089 ConnectionState::Dropped => {
1090 if this.should_sync_before_close() {
1091 let _ = this.file.sync(SyncMode::PreClose).await;
1092 }
1093 ControlFlow::Break(())
1094 }
1095 ConnectionState::Closed(responder) => {
1096 async move {
1097 let this = option_this.as_mut().unwrap();
1098 let _ = responder.send({
1099 let result = if this.should_sync_before_close() {
1100 this.file.sync(SyncMode::PreClose).await.map_err(Status::into_raw)
1101 } else {
1102 Ok(())
1103 };
1104 std::mem::drop(option_this.take());
1107 result
1108 });
1109 }
1110 .trace(trace::trace_future_args!(c"storage", c"File::Close"))
1111 .await;
1112 ControlFlow::Break(())
1113 }
1114 }
1115 }
1116
1117 async fn stream_closed(self: Pin<&mut Self>) {
1118 let this = self.get_mut().as_mut().unwrap();
1119 if this.should_sync_before_close() {
1120 let _guard = this.scope.active_guard();
1121 let _ = this.file.sync(SyncMode::PreClose).await;
1122 }
1123 }
1124}
1125
1126impl<T: 'static + File, U: Deref<Target = OpenNode<T>> + IoOpHandler> Representation
1127 for FileConnection<U>
1128{
1129 type Protocol = fio::FileMarker;
1130
1131 async fn get_representation(
1132 &self,
1133 requested_attributes: fio::NodeAttributesQuery,
1134 ) -> Result<fio::Representation, Status> {
1135 Ok(fio::Representation::File(fio::FileInfo {
1137 is_append: Some(self.options.is_append),
1138 observer: self.file.event()?,
1139 #[cfg(target_os = "fuchsia")]
1140 stream: self.file.duplicate_stream()?,
1141 #[cfg(not(target_os = "fuchsia"))]
1142 stream: None,
1143 attributes: if requested_attributes.is_empty() {
1144 None
1145 } else {
1146 Some(self.file.get_attributes(requested_attributes).await?)
1147 },
1148 ..Default::default()
1149 }))
1150 }
1151
1152 async fn node_info(&self) -> Result<fio::NodeInfoDeprecated, Status> {
1153 #[cfg(target_os = "fuchsia")]
1154 let stream = self.file.duplicate_stream()?;
1155 #[cfg(not(target_os = "fuchsia"))]
1156 let stream = None;
1157 Ok(fio::NodeInfoDeprecated::File(fio::FileObject { event: self.file.event()?, stream }))
1158 }
1159}
1160
1161#[cfg(test)]
1162mod tests {
1163 use super::*;
1164 use crate::directory::entry::{EntryInfo, GetEntryInfo};
1165 use crate::node::Node;
1166 use assert_matches::assert_matches;
1167 use fuchsia_sync::Mutex;
1168 use futures::prelude::*;
1169
1170 const RIGHTS_R: fio::Operations =
1171 fio::Operations::READ_BYTES.union(fio::Operations::GET_ATTRIBUTES);
1172 const RIGHTS_W: fio::Operations = fio::Operations::WRITE_BYTES
1173 .union(fio::Operations::GET_ATTRIBUTES)
1174 .union(fio::Operations::UPDATE_ATTRIBUTES);
1175 const RIGHTS_RW: fio::Operations = fio::Operations::READ_BYTES
1176 .union(fio::Operations::WRITE_BYTES)
1177 .union(fio::Operations::GET_ATTRIBUTES)
1178 .union(fio::Operations::UPDATE_ATTRIBUTES);
1179
1180 #[derive(Debug, PartialEq)]
1181 enum FileOperation {
1182 Init {
1183 options: FileOptions,
1184 },
1185 ReadAt {
1186 offset: u64,
1187 count: u64,
1188 },
1189 WriteAt {
1190 offset: u64,
1191 content: Vec<u8>,
1192 },
1193 Append {
1194 content: Vec<u8>,
1195 },
1196 Truncate {
1197 length: u64,
1198 },
1199 #[cfg(target_os = "fuchsia")]
1200 GetBackingMemory {
1201 flags: fio::VmoFlags,
1202 },
1203 GetSize,
1204 GetAttributes {
1205 query: fio::NodeAttributesQuery,
1206 },
1207 UpdateAttributes {
1208 attrs: fio::MutableNodeAttributes,
1209 },
1210 Close,
1211 Sync,
1212 }
1213
1214 type MockCallbackType = Box<dyn Fn(&FileOperation) -> Status + Sync + Send>;
1215 struct MockFile {
1217 operations: Mutex<Vec<FileOperation>>,
1219 callback: MockCallbackType,
1221 file_size: u64,
1223 #[cfg(target_os = "fuchsia")]
1224 vmo: zx::Vmo,
1226 }
1227
1228 const MOCK_FILE_SIZE: u64 = 256;
1229 const MOCK_FILE_ID: u64 = 10;
1230 const MOCK_FILE_LINKS: u64 = 2;
1231 const MOCK_FILE_CREATION_TIME: u64 = 10;
1232 const MOCK_FILE_MODIFICATION_TIME: u64 = 100;
1233 impl MockFile {
1234 fn new(callback: MockCallbackType) -> Arc<Self> {
1235 Arc::new(MockFile {
1236 operations: Mutex::new(Vec::new()),
1237 callback,
1238 file_size: MOCK_FILE_SIZE,
1239 #[cfg(target_os = "fuchsia")]
1240 vmo: zx::Handle::invalid().into(),
1241 })
1242 }
1243
1244 #[cfg(target_os = "fuchsia")]
1245 fn new_with_vmo(callback: MockCallbackType, vmo: zx::Vmo) -> Arc<Self> {
1246 Arc::new(MockFile {
1247 operations: Mutex::new(Vec::new()),
1248 callback,
1249 file_size: MOCK_FILE_SIZE,
1250 vmo,
1251 })
1252 }
1253
1254 fn handle_operation(&self, operation: FileOperation) -> Result<(), Status> {
1255 let result = (self.callback)(&operation);
1256 self.operations.lock().push(operation);
1257 match result {
1258 Status::OK => Ok(()),
1259 err => Err(err),
1260 }
1261 }
1262 }
1263
1264 impl GetEntryInfo for MockFile {
1265 fn entry_info(&self) -> EntryInfo {
1266 EntryInfo::new(MOCK_FILE_ID, fio::DirentType::File)
1267 }
1268 }
1269
1270 impl Node for MockFile {
1271 async fn get_attributes(
1272 &self,
1273 query: fio::NodeAttributesQuery,
1274 ) -> Result<fio::NodeAttributes2, Status> {
1275 self.handle_operation(FileOperation::GetAttributes { query })?;
1276 Ok(attributes!(
1277 query,
1278 Mutable {
1279 creation_time: MOCK_FILE_CREATION_TIME,
1280 modification_time: MOCK_FILE_MODIFICATION_TIME,
1281 },
1282 Immutable {
1283 protocols: fio::NodeProtocolKinds::FILE,
1284 abilities: fio::Operations::GET_ATTRIBUTES
1285 | fio::Operations::UPDATE_ATTRIBUTES
1286 | fio::Operations::READ_BYTES
1287 | fio::Operations::WRITE_BYTES,
1288 content_size: self.file_size,
1289 storage_size: 2 * self.file_size,
1290 link_count: MOCK_FILE_LINKS,
1291 id: MOCK_FILE_ID,
1292 }
1293 ))
1294 }
1295
1296 fn close(self: Arc<Self>) {
1297 let _ = self.handle_operation(FileOperation::Close);
1298 }
1299 }
1300
1301 impl File for MockFile {
1302 fn writable(&self) -> bool {
1303 true
1304 }
1305
1306 async fn open_file(&self, options: &FileOptions) -> Result<(), Status> {
1307 self.handle_operation(FileOperation::Init { options: *options })?;
1308 Ok(())
1309 }
1310
1311 async fn truncate(&self, length: u64) -> Result<(), Status> {
1312 self.handle_operation(FileOperation::Truncate { length })
1313 }
1314
1315 #[cfg(target_os = "fuchsia")]
1316 async fn get_backing_memory(&self, flags: fio::VmoFlags) -> Result<zx::Vmo, Status> {
1317 self.handle_operation(FileOperation::GetBackingMemory { flags })?;
1318 Err(Status::NOT_SUPPORTED)
1319 }
1320
1321 async fn get_size(&self) -> Result<u64, Status> {
1322 self.handle_operation(FileOperation::GetSize)?;
1323 Ok(self.file_size)
1324 }
1325
1326 async fn update_attributes(&self, attrs: fio::MutableNodeAttributes) -> Result<(), Status> {
1327 self.handle_operation(FileOperation::UpdateAttributes { attrs })?;
1328 Ok(())
1329 }
1330
1331 async fn sync(&self, _mode: SyncMode) -> Result<(), Status> {
1332 self.handle_operation(FileOperation::Sync)
1333 }
1334 }
1335
1336 impl FileIo for MockFile {
1337 async fn read_at(&self, offset: u64, buffer: &mut [u8]) -> Result<u64, Status> {
1338 let count = buffer.len() as u64;
1339 self.handle_operation(FileOperation::ReadAt { offset, count })?;
1340
1341 let mut i = offset;
1343 buffer.fill_with(|| {
1344 let v = (i % 256) as u8;
1345 i += 1;
1346 v
1347 });
1348 Ok(count)
1349 }
1350
1351 async fn write_at(&self, offset: u64, content: &[u8]) -> Result<u64, Status> {
1352 self.handle_operation(FileOperation::WriteAt { offset, content: content.to_vec() })?;
1353 Ok(content.len() as u64)
1354 }
1355
1356 async fn append(&self, content: &[u8]) -> Result<(u64, u64), Status> {
1357 self.handle_operation(FileOperation::Append { content: content.to_vec() })?;
1358 Ok((content.len() as u64, self.file_size + content.len() as u64))
1359 }
1360 }
1361
1362 #[cfg(target_os = "fuchsia")]
1363 impl GetVmo for MockFile {
1364 fn get_vmo(&self) -> &zx::Vmo {
1365 &self.vmo
1366 }
1367 }
1368
1369 fn only_allow_init(op: &FileOperation) -> Status {
1371 match op {
1372 FileOperation::Init { .. } => Status::OK,
1373 _ => Status::IO,
1374 }
1375 }
1376
1377 fn always_succeed_callback(_op: &FileOperation) -> Status {
1379 Status::OK
1380 }
1381
1382 struct TestEnv {
1383 pub file: Arc<MockFile>,
1384 pub proxy: fio::FileProxy,
1385 pub scope: ExecutionScope,
1386 }
1387
1388 fn init_mock_file(callback: MockCallbackType, flags: fio::OpenFlags) -> TestEnv {
1389 let file = MockFile::new(callback);
1390 let (proxy, server_end) = fidl::endpoints::create_proxy::<fio::FileMarker>();
1391
1392 let scope = ExecutionScope::new();
1393
1394 flags.to_object_request(server_end).create_connection_sync::<FidlIoConnection<_>, _>(
1395 scope.clone(),
1396 file.clone(),
1397 flags,
1398 );
1399
1400 TestEnv { file, proxy, scope }
1401 }
1402
1403 #[fuchsia::test]
1404 async fn test_open_flag_truncate() {
1405 let env = init_mock_file(
1406 Box::new(always_succeed_callback),
1407 fio::OpenFlags::RIGHT_WRITABLE | fio::OpenFlags::TRUNCATE,
1408 );
1409 let () = env.proxy.sync().await.unwrap().map_err(Status::from_raw).unwrap();
1411 let events = env.file.operations.lock();
1412 assert_eq!(
1413 *events,
1414 vec![
1415 FileOperation::Init {
1416 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
1417 },
1418 FileOperation::Truncate { length: 0 },
1419 FileOperation::Sync,
1420 ]
1421 );
1422 }
1423
1424 #[fuchsia::test]
1425 async fn test_clone_same_rights() {
1426 let env = init_mock_file(
1427 Box::new(always_succeed_callback),
1428 fio::OpenFlags::RIGHT_READABLE | fio::OpenFlags::RIGHT_WRITABLE,
1429 );
1430 let _: Vec<u8> = env.proxy.read(6).await.unwrap().map_err(Status::from_raw).unwrap();
1432 let (clone_proxy, remote) = fidl::endpoints::create_proxy::<fio::FileMarker>();
1433 env.proxy
1434 .deprecated_clone(fio::OpenFlags::CLONE_SAME_RIGHTS, remote.into_channel().into())
1435 .unwrap();
1436 let _: u64 = clone_proxy
1438 .seek(fio::SeekOrigin::Start, 100)
1439 .await
1440 .unwrap()
1441 .map_err(Status::from_raw)
1442 .unwrap();
1443 let _: Vec<u8> = clone_proxy.read(5).await.unwrap().map_err(Status::from_raw).unwrap();
1444
1445 let _: Vec<u8> = env.proxy.read(5).await.unwrap().map_err(Status::from_raw).unwrap();
1447
1448 let events = env.file.operations.lock();
1449 assert_eq!(
1451 *events,
1452 vec![
1453 FileOperation::Init {
1454 options: FileOptions { rights: RIGHTS_RW, is_append: false, is_linkable: true }
1455 },
1456 FileOperation::ReadAt { offset: 0, count: 6 },
1457 FileOperation::ReadAt { offset: 100, count: 5 },
1458 FileOperation::ReadAt { offset: 6, count: 5 },
1459 ]
1460 );
1461 }
1462
1463 #[fuchsia::test]
1464 async fn test_close_succeeds() {
1465 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1466 let () = env.proxy.close().await.unwrap().map_err(Status::from_raw).unwrap();
1467
1468 let events = env.file.operations.lock();
1469 assert_eq!(
1470 *events,
1471 vec![
1472 FileOperation::Init {
1473 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1474 },
1475 FileOperation::Close {},
1476 ]
1477 );
1478 }
1479
1480 #[fuchsia::test]
1481 async fn test_close_fails() {
1482 let env = init_mock_file(
1483 Box::new(only_allow_init),
1484 fio::OpenFlags::RIGHT_READABLE | fio::OpenFlags::RIGHT_WRITABLE,
1485 );
1486 let status = env.proxy.close().await.unwrap().map_err(Status::from_raw);
1487 assert_eq!(status, Err(Status::IO));
1488
1489 let events = env.file.operations.lock();
1490 assert_eq!(
1491 *events,
1492 vec![
1493 FileOperation::Init {
1494 options: FileOptions { rights: RIGHTS_RW, is_append: false, is_linkable: true }
1495 },
1496 FileOperation::Sync,
1497 FileOperation::Close,
1498 ]
1499 );
1500 }
1501
1502 #[fuchsia::test]
1503 async fn test_close_called_when_dropped() {
1504 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1505 let _ = env.proxy.sync().await;
1506 std::mem::drop(env.proxy);
1507 env.scope.shutdown();
1508 env.scope.wait().await;
1509 let events = env.file.operations.lock();
1510 assert_eq!(
1511 *events,
1512 vec![
1513 FileOperation::Init {
1514 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1515 },
1516 FileOperation::Sync,
1517 FileOperation::Close,
1518 ]
1519 );
1520 }
1521
1522 #[fuchsia::test]
1523 async fn test_describe() {
1524 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1525 let protocol = env.proxy.query().await.unwrap();
1526 assert_eq!(protocol, fio::FILE_PROTOCOL_NAME.as_bytes());
1527 }
1528
1529 #[fuchsia::test]
1530 async fn test_get_attributes() {
1531 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::empty());
1532 let (mutable_attributes, immutable_attributes) = env
1533 .proxy
1534 .get_attributes(fio::NodeAttributesQuery::all())
1535 .await
1536 .unwrap()
1537 .map_err(Status::from_raw)
1538 .unwrap();
1539 let expected = attributes!(
1540 fio::NodeAttributesQuery::all(),
1541 Mutable {
1542 creation_time: MOCK_FILE_CREATION_TIME,
1543 modification_time: MOCK_FILE_MODIFICATION_TIME,
1544 },
1545 Immutable {
1546 protocols: fio::NodeProtocolKinds::FILE,
1547 abilities: fio::Operations::GET_ATTRIBUTES
1548 | fio::Operations::UPDATE_ATTRIBUTES
1549 | fio::Operations::READ_BYTES
1550 | fio::Operations::WRITE_BYTES,
1551 content_size: MOCK_FILE_SIZE,
1552 storage_size: 2 * MOCK_FILE_SIZE,
1553 link_count: MOCK_FILE_LINKS,
1554 id: MOCK_FILE_ID,
1555 }
1556 );
1557 assert_eq!(mutable_attributes, expected.mutable_attributes);
1558 assert_eq!(immutable_attributes, expected.immutable_attributes);
1559
1560 let events = env.file.operations.lock();
1561 assert_eq!(
1562 *events,
1563 vec![
1564 FileOperation::Init {
1565 options: FileOptions {
1566 rights: fio::Operations::GET_ATTRIBUTES,
1567 is_append: false,
1568 is_linkable: true
1569 }
1570 },
1571 FileOperation::GetAttributes { query: fio::NodeAttributesQuery::all() }
1572 ]
1573 );
1574 }
1575
1576 #[fuchsia::test]
1577 async fn test_getbuffer() {
1578 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1579 let result = env
1580 .proxy
1581 .get_backing_memory(fio::VmoFlags::READ)
1582 .await
1583 .unwrap()
1584 .map_err(Status::from_raw);
1585 assert_eq!(result, Err(Status::NOT_SUPPORTED));
1586 let events = env.file.operations.lock();
1587 assert_eq!(
1588 *events,
1589 vec![
1590 FileOperation::Init {
1591 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1592 },
1593 #[cfg(target_os = "fuchsia")]
1594 FileOperation::GetBackingMemory { flags: fio::VmoFlags::READ },
1595 ]
1596 );
1597 }
1598
1599 #[fuchsia::test]
1600 async fn test_getbuffer_no_perms() {
1601 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::empty());
1602 let result = env
1603 .proxy
1604 .get_backing_memory(fio::VmoFlags::READ)
1605 .await
1606 .unwrap()
1607 .map_err(Status::from_raw);
1608 #[cfg(target_os = "fuchsia")]
1610 assert_eq!(result, Err(Status::ACCESS_DENIED));
1611 #[cfg(not(target_os = "fuchsia"))]
1612 assert_eq!(result, Err(Status::NOT_SUPPORTED));
1613 let events = env.file.operations.lock();
1614 assert_eq!(
1615 *events,
1616 vec![FileOperation::Init {
1617 options: FileOptions {
1618 rights: fio::Operations::GET_ATTRIBUTES,
1619 is_append: false,
1620 is_linkable: true
1621 }
1622 },]
1623 );
1624 }
1625
1626 #[fuchsia::test]
1627 async fn test_getbuffer_vmo_exec_requires_right_executable() {
1628 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1629 let result = env
1630 .proxy
1631 .get_backing_memory(fio::VmoFlags::EXECUTE)
1632 .await
1633 .unwrap()
1634 .map_err(Status::from_raw);
1635 #[cfg(target_os = "fuchsia")]
1637 assert_eq!(result, Err(Status::ACCESS_DENIED));
1638 #[cfg(not(target_os = "fuchsia"))]
1639 assert_eq!(result, Err(Status::NOT_SUPPORTED));
1640 let events = env.file.operations.lock();
1641 assert_eq!(
1642 *events,
1643 vec![FileOperation::Init {
1644 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1645 },]
1646 );
1647 }
1648
1649 #[fuchsia::test]
1650 async fn test_deprecated_get_flags() {
1651 let env = init_mock_file(
1652 Box::new(always_succeed_callback),
1653 fio::OpenFlags::RIGHT_READABLE
1654 | fio::OpenFlags::RIGHT_WRITABLE
1655 | fio::OpenFlags::TRUNCATE,
1656 );
1657 let (status, flags) = env.proxy.deprecated_get_flags().await.unwrap();
1658 assert_eq!(Status::from_raw(status), Status::OK);
1659 assert_eq!(flags, fio::OpenFlags::RIGHT_READABLE | fio::OpenFlags::RIGHT_WRITABLE);
1661 let events = env.file.operations.lock();
1662 assert_eq!(
1663 *events,
1664 vec![
1665 FileOperation::Init {
1666 options: FileOptions { rights: RIGHTS_RW, is_append: false, is_linkable: true }
1667 },
1668 FileOperation::Truncate { length: 0 }
1669 ]
1670 );
1671 }
1672
1673 #[fuchsia::test]
1674 async fn test_open_flag_describe() {
1675 let env = init_mock_file(
1676 Box::new(always_succeed_callback),
1677 fio::OpenFlags::RIGHT_READABLE
1678 | fio::OpenFlags::RIGHT_WRITABLE
1679 | fio::OpenFlags::DESCRIBE,
1680 );
1681 let event = env.proxy.take_event_stream().try_next().await.unwrap();
1682 match event {
1683 Some(fio::FileEvent::OnOpen_ { s, info: Some(boxed) }) => {
1684 assert_eq!(Status::from_raw(s), Status::OK);
1685 assert_eq!(
1686 *boxed,
1687 fio::NodeInfoDeprecated::File(fio::FileObject { event: None, stream: None })
1688 );
1689 }
1690 Some(fio::FileEvent::OnRepresentation { payload }) => {
1691 assert_eq!(payload, fio::Representation::File(fio::FileInfo::default()));
1692 }
1693 e => panic!("Expected OnOpen event with fio::NodeInfoDeprecated::File, got {:?}", e),
1694 }
1695 let events = env.file.operations.lock();
1696 assert_eq!(
1697 *events,
1698 vec![FileOperation::Init {
1699 options: FileOptions { rights: RIGHTS_RW, is_append: false, is_linkable: true },
1700 }]
1701 );
1702 }
1703
1704 #[fuchsia::test]
1705 async fn test_read_succeeds() {
1706 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1707 let data = env.proxy.read(10).await.unwrap().map_err(Status::from_raw).unwrap();
1708 assert_eq!(data, vec![0, 1, 2, 3, 4, 5, 6, 7, 8, 9]);
1709
1710 let events = env.file.operations.lock();
1711 assert_eq!(
1712 *events,
1713 vec![
1714 FileOperation::Init {
1715 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1716 },
1717 FileOperation::ReadAt { offset: 0, count: 10 },
1718 ]
1719 );
1720 }
1721
1722 #[fuchsia::test]
1723 async fn test_read_not_readable() {
1724 let env = init_mock_file(Box::new(only_allow_init), fio::OpenFlags::RIGHT_WRITABLE);
1725 let result = env.proxy.read(10).await.unwrap().map_err(Status::from_raw);
1726 assert_eq!(result, Err(Status::BAD_HANDLE));
1727 }
1728
1729 #[fuchsia::test]
1730 async fn test_read_validates_count() {
1731 let env = init_mock_file(Box::new(only_allow_init), fio::OpenFlags::RIGHT_READABLE);
1732 let result =
1733 env.proxy.read(fio::MAX_TRANSFER_SIZE + 1).await.unwrap().map_err(Status::from_raw);
1734 assert_eq!(result, Err(Status::OUT_OF_RANGE));
1735 }
1736
1737 #[fuchsia::test]
1738 async fn test_read_at_succeeds() {
1739 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1740 let data = env.proxy.read_at(5, 10).await.unwrap().map_err(Status::from_raw).unwrap();
1741 assert_eq!(data, vec![10, 11, 12, 13, 14]);
1742
1743 let events = env.file.operations.lock();
1744 assert_eq!(
1745 *events,
1746 vec![
1747 FileOperation::Init {
1748 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1749 },
1750 FileOperation::ReadAt { offset: 10, count: 5 },
1751 ]
1752 );
1753 }
1754
1755 #[fuchsia::test]
1756 async fn test_read_at_validates_count() {
1757 let env = init_mock_file(Box::new(only_allow_init), fio::OpenFlags::RIGHT_READABLE);
1758 let result = env
1759 .proxy
1760 .read_at(fio::MAX_TRANSFER_SIZE + 1, 0)
1761 .await
1762 .unwrap()
1763 .map_err(Status::from_raw);
1764 assert_eq!(result, Err(Status::OUT_OF_RANGE));
1765 }
1766
1767 #[fuchsia::test]
1768 async fn test_seek_start() {
1769 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1770 let offset = env
1771 .proxy
1772 .seek(fio::SeekOrigin::Start, 10)
1773 .await
1774 .unwrap()
1775 .map_err(Status::from_raw)
1776 .unwrap();
1777 assert_eq!(offset, 10);
1778
1779 let data = env.proxy.read(1).await.unwrap().map_err(Status::from_raw).unwrap();
1780 assert_eq!(data, vec![10]);
1781 let events = env.file.operations.lock();
1782 assert_eq!(
1783 *events,
1784 vec![
1785 FileOperation::Init {
1786 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1787 },
1788 FileOperation::ReadAt { offset: 10, count: 1 },
1789 ]
1790 );
1791 }
1792
1793 #[fuchsia::test]
1794 async fn test_seek_cur() {
1795 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1796 let offset = env
1797 .proxy
1798 .seek(fio::SeekOrigin::Start, 10)
1799 .await
1800 .unwrap()
1801 .map_err(Status::from_raw)
1802 .unwrap();
1803 assert_eq!(offset, 10);
1804
1805 let offset = env
1806 .proxy
1807 .seek(fio::SeekOrigin::Current, -2)
1808 .await
1809 .unwrap()
1810 .map_err(Status::from_raw)
1811 .unwrap();
1812 assert_eq!(offset, 8);
1813
1814 let data = env.proxy.read(1).await.unwrap().map_err(Status::from_raw).unwrap();
1815 assert_eq!(data, vec![8]);
1816 let events = env.file.operations.lock();
1817 assert_eq!(
1818 *events,
1819 vec![
1820 FileOperation::Init {
1821 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1822 },
1823 FileOperation::ReadAt { offset: 8, count: 1 },
1824 ]
1825 );
1826 }
1827
1828 #[fuchsia::test]
1829 async fn test_seek_before_start() {
1830 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1831 let result =
1832 env.proxy.seek(fio::SeekOrigin::Current, -4).await.unwrap().map_err(Status::from_raw);
1833 assert_eq!(result, Err(Status::OUT_OF_RANGE));
1834 }
1835
1836 #[fuchsia::test]
1837 async fn test_seek_end() {
1838 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1839 let offset = env
1840 .proxy
1841 .seek(fio::SeekOrigin::End, -4)
1842 .await
1843 .unwrap()
1844 .map_err(Status::from_raw)
1845 .unwrap();
1846 assert_eq!(offset, MOCK_FILE_SIZE - 4);
1847
1848 let data = env.proxy.read(1).await.unwrap().map_err(Status::from_raw).unwrap();
1849 assert_eq!(data, vec![(offset % 256) as u8]);
1850 let events = env.file.operations.lock();
1851 assert_eq!(
1852 *events,
1853 vec![
1854 FileOperation::Init {
1855 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1856 },
1857 FileOperation::GetSize, FileOperation::ReadAt { offset, count: 1 },
1859 ]
1860 );
1861 }
1862
1863 #[fuchsia::test]
1864 async fn test_update_attributes() {
1865 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_WRITABLE);
1866 let attributes = fio::MutableNodeAttributes {
1867 creation_time: Some(40000),
1868 modification_time: Some(100000),
1869 mode: Some(1),
1870 ..Default::default()
1871 };
1872 let () = env
1873 .proxy
1874 .update_attributes(&attributes)
1875 .await
1876 .unwrap()
1877 .map_err(Status::from_raw)
1878 .unwrap();
1879
1880 let events = env.file.operations.lock();
1881 assert_eq!(
1882 *events,
1883 vec![
1884 FileOperation::Init {
1885 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
1886 },
1887 FileOperation::UpdateAttributes { attrs: attributes },
1888 ]
1889 );
1890 }
1891
1892 #[fuchsia::test]
1893 async fn test_deprecated_set_flags() {
1894 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_WRITABLE);
1895 let status = env.proxy.deprecated_set_flags(fio::OpenFlags::APPEND).await.unwrap();
1896 assert_eq!(Status::from_raw(status), Status::OK);
1897 let (status, flags) = env.proxy.deprecated_get_flags().await.unwrap();
1898 assert_eq!(Status::from_raw(status), Status::OK);
1899 assert_eq!(flags, fio::OpenFlags::RIGHT_WRITABLE | fio::OpenFlags::APPEND);
1900 }
1901
1902 #[fuchsia::test]
1903 async fn test_sync() {
1904 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::empty());
1905 let () = env.proxy.sync().await.unwrap().map_err(Status::from_raw).unwrap();
1906 let events = env.file.operations.lock();
1907 assert_eq!(
1908 *events,
1909 vec![
1910 FileOperation::Init {
1911 options: FileOptions {
1912 rights: fio::Operations::GET_ATTRIBUTES,
1913 is_append: false,
1914 is_linkable: true
1915 }
1916 },
1917 FileOperation::Sync
1918 ]
1919 );
1920 }
1921
1922 #[fuchsia::test]
1923 async fn test_resize() {
1924 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_WRITABLE);
1925 let () = env.proxy.resize(10).await.unwrap().map_err(Status::from_raw).unwrap();
1926 let events = env.file.operations.lock();
1927 assert_matches!(
1928 &events[..],
1929 [
1930 FileOperation::Init {
1931 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
1932 },
1933 FileOperation::Truncate { length: 10 },
1934 ]
1935 );
1936 }
1937
1938 #[fuchsia::test]
1939 async fn test_resize_no_perms() {
1940 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1941 let result = env.proxy.resize(10).await.unwrap().map_err(Status::from_raw);
1942 assert_eq!(result, Err(Status::BAD_HANDLE));
1943 let events = env.file.operations.lock();
1944 assert_eq!(
1945 *events,
1946 vec![FileOperation::Init {
1947 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1948 },]
1949 );
1950 }
1951
1952 #[fuchsia::test]
1953 async fn test_write() {
1954 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_WRITABLE);
1955 let data = "Hello, world!".as_bytes();
1956 let count = env.proxy.write(data).await.unwrap().map_err(Status::from_raw).unwrap();
1957 assert_eq!(count, data.len() as u64);
1958 let events = env.file.operations.lock();
1959 assert_matches!(
1960 &events[..],
1961 [
1962 FileOperation::Init {
1963 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
1964 },
1965 FileOperation::WriteAt { offset: 0, .. },
1966 ]
1967 );
1968 if let FileOperation::WriteAt { content, .. } = &events[1] {
1969 assert_eq!(content.as_slice(), data);
1970 } else {
1971 unreachable!();
1972 }
1973 }
1974
1975 #[fuchsia::test]
1976 async fn test_write_no_perms() {
1977 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_READABLE);
1978 let data = "Hello, world!".as_bytes();
1979 let result = env.proxy.write(data).await.unwrap().map_err(Status::from_raw);
1980 assert_eq!(result, Err(Status::BAD_HANDLE));
1981 let events = env.file.operations.lock();
1982 assert_eq!(
1983 *events,
1984 vec![FileOperation::Init {
1985 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
1986 },]
1987 );
1988 }
1989
1990 #[fuchsia::test]
1991 async fn test_write_at() {
1992 let env = init_mock_file(Box::new(always_succeed_callback), fio::OpenFlags::RIGHT_WRITABLE);
1993 let data = "Hello, world!".as_bytes();
1994 let count = env.proxy.write_at(data, 10).await.unwrap().map_err(Status::from_raw).unwrap();
1995 assert_eq!(count, data.len() as u64);
1996 let events = env.file.operations.lock();
1997 assert_matches!(
1998 &events[..],
1999 [
2000 FileOperation::Init {
2001 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
2002 },
2003 FileOperation::WriteAt { offset: 10, .. },
2004 ]
2005 );
2006 if let FileOperation::WriteAt { content, .. } = &events[1] {
2007 assert_eq!(content.as_slice(), data);
2008 } else {
2009 unreachable!();
2010 }
2011 }
2012
2013 #[fuchsia::test]
2014 async fn test_append() {
2015 let env = init_mock_file(
2016 Box::new(always_succeed_callback),
2017 fio::OpenFlags::RIGHT_WRITABLE | fio::OpenFlags::APPEND,
2018 );
2019 let data = "Hello, world!".as_bytes();
2020 let count = env.proxy.write(data).await.unwrap().map_err(Status::from_raw).unwrap();
2021 assert_eq!(count, data.len() as u64);
2022 let offset = env
2023 .proxy
2024 .seek(fio::SeekOrigin::Current, 0)
2025 .await
2026 .unwrap()
2027 .map_err(Status::from_raw)
2028 .unwrap();
2029 assert_eq!(offset, MOCK_FILE_SIZE + data.len() as u64);
2030 let events = env.file.operations.lock();
2031 assert_matches!(
2032 &events[..],
2033 [
2034 FileOperation::Init {
2035 options: FileOptions { rights: RIGHTS_W, is_append: true, .. }
2036 },
2037 FileOperation::Append { .. }
2038 ]
2039 );
2040 if let FileOperation::Append { content } = &events[1] {
2041 assert_eq!(content.as_slice(), data);
2042 } else {
2043 unreachable!();
2044 }
2045 }
2046
2047 #[cfg(target_os = "fuchsia")]
2048 mod stream_tests {
2049 use super::*;
2050
2051 fn init_mock_stream_file(vmo: zx::Vmo, flags: fio::OpenFlags) -> TestEnv {
2052 let file = MockFile::new_with_vmo(Box::new(always_succeed_callback), vmo);
2053 let (proxy, server_end) = fidl::endpoints::create_proxy::<fio::FileMarker>();
2054
2055 let scope = ExecutionScope::new();
2056
2057 let cloned_file = file.clone();
2058 let cloned_scope = scope.clone();
2059
2060 flags.to_object_request(server_end).create_connection_sync::<StreamIoConnection<_>, _>(
2061 cloned_scope,
2062 cloned_file,
2063 flags,
2064 );
2065
2066 TestEnv { file, proxy, scope }
2067 }
2068
2069 #[fuchsia::test]
2070 async fn test_stream_describe() {
2071 const VMO_CONTENTS: &[u8] = b"hello there";
2072 let vmo = zx::Vmo::create(VMO_CONTENTS.len() as u64).unwrap();
2073 vmo.write(VMO_CONTENTS, 0).unwrap();
2074 let flags = fio::OpenFlags::RIGHT_READABLE | fio::OpenFlags::RIGHT_WRITABLE;
2075 let env = init_mock_stream_file(vmo, flags);
2076
2077 let fio::FileInfo { stream: Some(stream), .. } = env.proxy.describe().await.unwrap()
2078 else {
2079 panic!("Missing stream")
2080 };
2081 let contents =
2082 stream.read_to_vec(zx::StreamReadOptions::empty(), 20).expect("read failed");
2083 assert_eq!(contents, VMO_CONTENTS);
2084 }
2085
2086 #[fuchsia::test]
2087 async fn test_stream_read() {
2088 let vmo_contents = [9, 8, 7, 6, 5, 4, 3, 2, 1, 0];
2089 let vmo = zx::Vmo::create(vmo_contents.len() as u64).unwrap();
2090 vmo.write(&vmo_contents, 0).unwrap();
2091 let flags = fio::OpenFlags::RIGHT_READABLE;
2092 let env = init_mock_stream_file(vmo, flags);
2093
2094 let data = env
2095 .proxy
2096 .read(vmo_contents.len() as u64)
2097 .await
2098 .unwrap()
2099 .map_err(Status::from_raw)
2100 .unwrap();
2101 assert_eq!(data, vmo_contents);
2102
2103 let events = env.file.operations.lock();
2104 assert_eq!(
2105 *events,
2106 [FileOperation::Init {
2107 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
2108 },]
2109 );
2110 }
2111
2112 #[fuchsia::test]
2113 async fn test_stream_read_at() {
2114 let vmo_contents = [9, 8, 7, 6, 5, 4, 3, 2, 1, 0];
2115 let vmo = zx::Vmo::create(vmo_contents.len() as u64).unwrap();
2116 vmo.write(&vmo_contents, 0).unwrap();
2117 let flags = fio::OpenFlags::RIGHT_READABLE;
2118 let env = init_mock_stream_file(vmo, flags);
2119
2120 const OFFSET: u64 = 4;
2121 let data = env
2122 .proxy
2123 .read_at((vmo_contents.len() as u64) - OFFSET, OFFSET)
2124 .await
2125 .unwrap()
2126 .map_err(Status::from_raw)
2127 .unwrap();
2128 assert_eq!(data, vmo_contents[OFFSET as usize..]);
2129
2130 let events = env.file.operations.lock();
2131 assert_eq!(
2132 *events,
2133 [FileOperation::Init {
2134 options: FileOptions { rights: RIGHTS_R, is_append: false, is_linkable: true }
2135 },]
2136 );
2137 }
2138
2139 #[fuchsia::test]
2140 async fn test_stream_write() {
2141 const DATA_SIZE: u64 = 10;
2142 let vmo = zx::Vmo::create(DATA_SIZE).unwrap();
2143 let flags = fio::OpenFlags::RIGHT_WRITABLE;
2144 let env = init_mock_stream_file(
2145 vmo.duplicate_handle(zx::Rights::SAME_RIGHTS).unwrap(),
2146 flags,
2147 );
2148
2149 let data: [u8; DATA_SIZE as usize] = [9, 8, 7, 6, 5, 4, 3, 2, 1, 0];
2150 let written = env.proxy.write(&data).await.unwrap().map_err(Status::from_raw).unwrap();
2151 assert_eq!(written, DATA_SIZE);
2152 let mut vmo_contents = [0; DATA_SIZE as usize];
2153 vmo.read(&mut vmo_contents, 0).unwrap();
2154 assert_eq!(vmo_contents, data);
2155
2156 let events = env.file.operations.lock();
2157 assert_eq!(
2158 *events,
2159 [FileOperation::Init {
2160 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
2161 },]
2162 );
2163 }
2164
2165 #[fuchsia::test]
2166 async fn test_stream_write_at() {
2167 const OFFSET: u64 = 4;
2168 const DATA_SIZE: u64 = 10;
2169 let vmo = zx::Vmo::create(DATA_SIZE + OFFSET).unwrap();
2170 let flags = fio::OpenFlags::RIGHT_WRITABLE;
2171 let env = init_mock_stream_file(
2172 vmo.duplicate_handle(zx::Rights::SAME_RIGHTS).unwrap(),
2173 flags,
2174 );
2175
2176 let data: [u8; DATA_SIZE as usize] = [9, 8, 7, 6, 5, 4, 3, 2, 1, 0];
2177 let written =
2178 env.proxy.write_at(&data, OFFSET).await.unwrap().map_err(Status::from_raw).unwrap();
2179 assert_eq!(written, DATA_SIZE);
2180 let mut vmo_contents = [0; DATA_SIZE as usize];
2181 vmo.read(&mut vmo_contents, OFFSET).unwrap();
2182 assert_eq!(vmo_contents, data);
2183
2184 let events = env.file.operations.lock();
2185 assert_eq!(
2186 *events,
2187 [FileOperation::Init {
2188 options: FileOptions { rights: RIGHTS_W, is_append: false, is_linkable: true }
2189 }]
2190 );
2191 }
2192
2193 #[fuchsia::test]
2194 async fn test_stream_seek() {
2195 let vmo_contents = [9, 8, 7, 6, 5, 4, 3, 2, 1, 0];
2196 let vmo = zx::Vmo::create(vmo_contents.len() as u64).unwrap();
2197 vmo.write(&vmo_contents, 0).unwrap();
2198 let flags = fio::OpenFlags::RIGHT_READABLE;
2199 let env = init_mock_stream_file(vmo, flags);
2200
2201 let position = env
2202 .proxy
2203 .seek(fio::SeekOrigin::Start, 8)
2204 .await
2205 .unwrap()
2206 .map_err(Status::from_raw)
2207 .unwrap();
2208 assert_eq!(position, 8);
2209 let data = env.proxy.read(2).await.unwrap().map_err(Status::from_raw).unwrap();
2210 assert_eq!(data, [1, 0]);
2211
2212 let position = env
2213 .proxy
2214 .seek(fio::SeekOrigin::Current, -4)
2215 .await
2216 .unwrap()
2217 .map_err(Status::from_raw)
2218 .unwrap();
2219 assert_eq!(position, 6);
2221 let data = env.proxy.read(2).await.unwrap().map_err(Status::from_raw).unwrap();
2222 assert_eq!(data, [3, 2]);
2223
2224 let position = env
2225 .proxy
2226 .seek(fio::SeekOrigin::End, -6)
2227 .await
2228 .unwrap()
2229 .map_err(Status::from_raw)
2230 .unwrap();
2231 assert_eq!(position, 4);
2232 let data = env.proxy.read(2).await.unwrap().map_err(Status::from_raw).unwrap();
2233 assert_eq!(data, [5, 4]);
2234
2235 let e = env
2236 .proxy
2237 .seek(fio::SeekOrigin::Start, -1)
2238 .await
2239 .unwrap()
2240 .map_err(Status::from_raw)
2241 .expect_err("Seeking before the start of a file should be an error");
2242 assert_eq!(e, Status::INVALID_ARGS);
2243 }
2244
2245 #[fuchsia::test]
2246 async fn test_stream_deprecated_set_flags() {
2247 let data = [0, 1, 2, 3, 4];
2248 let vmo = zx::Vmo::create_with_opts(zx::VmoOptions::RESIZABLE, 100).unwrap();
2249 let flags = fio::OpenFlags::RIGHT_WRITABLE;
2250 let env = init_mock_stream_file(
2251 vmo.duplicate_handle(zx::Rights::SAME_RIGHTS).unwrap(),
2252 flags,
2253 );
2254
2255 let written = env.proxy.write(&data).await.unwrap().map_err(Status::from_raw).unwrap();
2256 assert_eq!(written, data.len() as u64);
2257 assert_eq!(vmo.get_content_size().unwrap(), 100);
2259
2260 zx::ok(env.proxy.deprecated_set_flags(fio::OpenFlags::APPEND).await.unwrap()).unwrap();
2262 env.proxy
2263 .seek(fio::SeekOrigin::Start, 0)
2264 .await
2265 .unwrap()
2266 .map_err(Status::from_raw)
2267 .unwrap();
2268 let written = env.proxy.write(&data).await.unwrap().map_err(Status::from_raw).unwrap();
2269 assert_eq!(written, data.len() as u64);
2270 assert_eq!(vmo.get_content_size().unwrap(), 105);
2272
2273 zx::ok(env.proxy.deprecated_set_flags(fio::OpenFlags::empty()).await.unwrap()).unwrap();
2275 env.proxy
2276 .seek(fio::SeekOrigin::Start, 0)
2277 .await
2278 .unwrap()
2279 .map_err(Status::from_raw)
2280 .unwrap();
2281 let written = env.proxy.write(&data).await.unwrap().map_err(Status::from_raw).unwrap();
2282 assert_eq!(written, data.len() as u64);
2283 assert_eq!(vmo.get_content_size().unwrap(), 105);
2285 }
2286
2287 #[fuchsia::test]
2288 async fn test_stream_read_validates_count() {
2289 let vmo = zx::Vmo::create(10).unwrap();
2290 let flags = fio::OpenFlags::RIGHT_READABLE;
2291 let env = init_mock_stream_file(vmo, flags);
2292 let result =
2293 env.proxy.read(fio::MAX_TRANSFER_SIZE + 1).await.unwrap().map_err(Status::from_raw);
2294 assert_eq!(result, Err(Status::OUT_OF_RANGE));
2295 }
2296
2297 #[fuchsia::test]
2298 async fn test_stream_read_at_validates_count() {
2299 let vmo = zx::Vmo::create(10).unwrap();
2300 let flags = fio::OpenFlags::RIGHT_READABLE;
2301 let env = init_mock_stream_file(vmo, flags);
2302 let result = env
2303 .proxy
2304 .read_at(fio::MAX_TRANSFER_SIZE + 1, 0)
2305 .await
2306 .unwrap()
2307 .map_err(Status::from_raw);
2308 assert_eq!(result, Err(Status::OUT_OF_RANGE));
2309 }
2310 }
2311}