fyrox_resource/state.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306
// Copyright (c) 2019-present Dmitry Stepanov and Fyrox Engine contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
//! A module that handles resource states.
use crate::{
core::{reflect::prelude::*, uuid::Uuid, visitor::prelude::*},
manager::ResourceManager,
ResourceData, ResourceLoadError,
};
use std::{
ops::{Deref, DerefMut},
sync::Arc,
task::Waker,
};
#[doc(hidden)]
#[derive(Reflect, Debug, Default)]
#[reflect(hide_all)]
pub struct WakersList(Vec<Waker>);
impl Deref for WakersList {
type Target = Vec<Waker>;
fn deref(&self) -> &Self::Target {
&self.0
}
}
impl DerefMut for WakersList {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut self.0
}
}
/// Arbitrary loading error, that could be optionally be empty.
#[derive(Reflect, Debug, Clone, Default)]
#[reflect(hide_all)]
pub struct LoadError(pub Option<Arc<dyn ResourceLoadError>>);
impl LoadError {
/// Creates new loading error from a value of the given type.
pub fn new<T: ResourceLoadError>(value: T) -> Self {
Self(Some(Arc::new(value)))
}
}
/// Resource could be in three possible states:
/// 1. Pending - it is loading.
/// 2. LoadError - an error has occurred during the load.
/// 3. Ok - resource is fully loaded and ready to use.
///
/// Why it is so complex?
/// Short answer: asynchronous loading.
/// Long answer: when you loading a scene you expect it to be loaded as fast as
/// possible, use all available power of the CPU. To achieve that each resource
/// ideally should be loaded on separate core of the CPU, but since this is
/// asynchronous, we must have the ability to track the state of the resource.
#[derive(Debug, Reflect)]
pub enum ResourceState {
/// Resource is loading from external resource or in the queue to load.
Pending {
/// List of wakers to wake future when resource is fully loaded.
wakers: WakersList,
},
/// An error has occurred during the load.
LoadError {
/// An error. This wrapped in Option only to be Default_ed.
error: LoadError,
},
/// Actual resource data when it is fully loaded.
Ok(Box<dyn ResourceData>),
}
impl Default for ResourceState {
fn default() -> Self {
Self::LoadError {
error: Default::default(),
}
}
}
impl Drop for ResourceState {
fn drop(&mut self) {
if let ResourceState::Pending { wakers, .. } = self {
assert_eq!(wakers.len(), 0);
}
}
}
impl Visit for ResourceState {
fn visit(&mut self, name: &str, visitor: &mut Visitor) -> VisitResult {
if visitor.is_reading() {
let mut type_uuid = Uuid::default();
type_uuid.visit("TypeUuid", visitor)?;
let resource_manager = visitor.blackboard.get::<ResourceManager>().expect(
"Resource data constructor container must be \
provided when serializing resources!",
);
let resource_manager_state = resource_manager.state();
if let Some(mut instance) = resource_manager_state
.constructors_container
.try_create(&type_uuid)
{
drop(resource_manager_state);
instance.visit(name, visitor)?;
*self = Self::Ok(instance);
Ok(())
} else {
Err(VisitError::User(format!(
"There's no constructor registered for type {type_uuid}!"
)))
}
} else if let Self::Ok(instance) = self {
instance.visit(name, visitor)?;
Ok(())
} else {
// Do not save other variants, because they're needed only for runtime purposes.
Ok(())
}
}
}
impl ResourceState {
/// Creates new resource in pending state.
#[inline]
pub fn new_pending() -> Self {
Self::Pending {
wakers: Default::default(),
}
}
/// Creates new resource in error state.
#[inline]
pub fn new_load_error(error: LoadError) -> Self {
Self::LoadError { error }
}
/// Creates new resource in ok (resource with data) state.
#[inline]
pub fn new_ok<T: ResourceData>(data: T) -> Self {
Self::Ok(Box::new(data))
}
/// Checks whether the resource is still loading or not.
pub fn is_loading(&self) -> bool {
matches!(self, ResourceState::Pending { .. })
}
/// Switches the internal state of the resource to [`ResourceState::Pending`].
pub fn switch_to_pending_state(&mut self) {
*self = ResourceState::Pending {
wakers: Default::default(),
};
}
/// Changes ResourceState::Pending state to ResourceState::Ok(data) with given `data`.
/// Additionally it wakes all futures.
#[inline]
pub fn commit(&mut self, state: ResourceState) {
assert!(!matches!(state, ResourceState::Pending { .. }));
let wakers = if let ResourceState::Pending { ref mut wakers } = self {
std::mem::take(wakers)
} else {
unreachable!()
};
*self = state;
for waker in wakers.0 {
waker.wake();
}
}
/// Changes internal state to [`ResourceState::Ok`]
pub fn commit_ok<T: ResourceData>(&mut self, data: T) {
self.commit(ResourceState::Ok(Box::new(data)))
}
/// Changes internal state to [`ResourceState::LoadError`].
pub fn commit_error<E: ResourceLoadError>(&mut self, error: E) {
self.commit(ResourceState::LoadError {
error: LoadError::new(error),
})
}
}
#[cfg(test)]
mod test {
use fyrox_core::{
reflect::{FieldInfo, Reflect},
TypeUuidProvider,
};
use std::error::Error;
use std::path::Path;
use super::*;
#[derive(Debug, Default, Reflect, Visit)]
struct Stub {}
impl ResourceData for Stub {
fn type_uuid(&self) -> Uuid {
Uuid::default()
}
fn save(&mut self, _path: &Path) -> Result<(), Box<dyn Error>> {
Err("Saving is not supported!".to_string().into())
}
fn can_be_saved(&self) -> bool {
false
}
}
impl TypeUuidProvider for Stub {
fn type_uuid() -> Uuid {
Uuid::default()
}
}
#[test]
fn resource_state_new_pending() {
let state = ResourceState::new_pending();
assert!(matches!(state, ResourceState::Pending { wakers: _ }));
assert!(state.is_loading());
}
#[test]
fn resource_state_new_load_error() {
let state = ResourceState::new_load_error(Default::default());
assert!(matches!(state, ResourceState::LoadError { error: _ }));
assert!(!state.is_loading());
}
#[test]
fn resource_state_new_ok() {
let state = ResourceState::new_ok(Stub {});
assert!(matches!(state, ResourceState::Ok(_)));
assert!(!state.is_loading());
}
#[test]
fn resource_state_switch_to_pending_state() {
// from Ok
let mut state = ResourceState::new_ok(Stub {});
state.switch_to_pending_state();
assert!(matches!(state, ResourceState::Pending { wakers: _ }));
// from LoadError
let mut state = ResourceState::new_load_error(Default::default());
state.switch_to_pending_state();
assert!(matches!(state, ResourceState::Pending { wakers: _ }));
// from Pending
let mut state = ResourceState::new_pending();
state.switch_to_pending_state();
assert!(matches!(state, ResourceState::Pending { wakers: _ }));
}
#[test]
fn visit_for_resource_state() {
// Visit Pending
let mut state = ResourceState::new_pending();
let mut visitor = Visitor::default();
assert!(state.visit("name", &mut visitor).is_ok());
// Visit LoadError
let mut state = ResourceState::new_load_error(Default::default());
let mut visitor = Visitor::default();
assert!(state.visit("name", &mut visitor).is_ok());
// Visit Ok
let mut state = ResourceState::new_ok(Stub {});
let mut visitor = Visitor::default();
assert!(state.visit("name", &mut visitor).is_ok());
}
}