1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
use crate::{
engine::Engine,
graphics::{ RendererTextureHandle, RendererMaterialHandle, RENDER_QUEUE_KEY_ORDER },
resources::{ TextureHandle, TextureType, Texture, ResourceStorage, Resource },
ecs::{ DeferredUpdateManagerPointer, DeferredUpdateResourceRequest, MeshRenderingComponent, DeferredUpdateComponent },
config::*,
};
use pill_core::{ Color, EngineError, PillSlotMapKey, PillTypeMapKey, PillStyle, enum_variant_eq, get_enum_variant_type_name, get_type_name };
use anyhow::{ Result, Context, Error };
use boolinator::*;
use std::{
path::{ Path, PathBuf },
collections::HashMap,
ops::{Range, RangeInclusive}
};
const DEFERRED_REQUEST_VARIANT_RENDERING_ORDER: usize = 0;
const DEFERRED_REQUEST_VARIANT_PARAMETER: usize = 1;
const DEFERRED_REQUEST_VARIANT_TEXTURE_START: usize = 2;
const DEFERRED_REQUEST_VARIANT_TEXTURE_END: usize = 10;
#[derive(Debug)]
pub enum MaterialParameter {
Scalar(Option<f32>),
Bool(Option<bool>),
Color(Option<Color>),
}
impl MaterialParameter {
pub fn is_some(&self) -> bool {
match self {
MaterialParameter::Scalar(v) => v.is_some(),
MaterialParameter::Bool(v) => v.is_some(),
MaterialParameter::Color(v) => v.is_some(),
}
}
}
pub struct MaterialParameterMap {
pub data: HashMap<String, MaterialParameter>,
pub(crate) mapping: Vec<String>,
}
impl MaterialParameterMap {
pub fn new() -> Self {
Self {
data: HashMap::<String, MaterialParameter>::new(),
mapping: Vec::<String>::new(),
}
}
pub fn get_scalar(&self, parameter_name: &str) -> Result<f32> {
let error = EngineError::MaterialParameterSlotNotFound(parameter_name.to_string(), "Scalar".to_string());
match self.data.get(parameter_name).context(error.clone())? {
MaterialParameter::Scalar(v) => match v {
Some(vv) => Ok(vv.clone()),
None => panic!(),
},
_ => Err(Error::new(error))
}
}
pub fn get_bool(&self, parameter_name: &str) -> Result<bool> {
let error = EngineError::MaterialParameterSlotNotFound(parameter_name.to_string(), "Bool".to_string());
match self.data.get(parameter_name).context(error.clone())? {
MaterialParameter::Bool(v) => match v {
Some(vv) => Ok(vv.clone()),
None => panic!(),
},
_ => Err(Error::new(error))
}
}
pub fn get_color(&self, parameter_name: &str) -> Result<Color> {
let error = EngineError::MaterialParameterSlotNotFound(parameter_name.to_string(), "Color".to_string());
match self.data.get(parameter_name).context(error.clone())? {
MaterialParameter::Color(v) => match v {
Some(vv) => Ok(vv.clone()),
None => panic!(),
},
_ => Err(Error::new(error))
}
}
pub fn set_parameter(&mut self, parameter_name: &str, value: MaterialParameter) -> Result<()> {
let error = Error::new(EngineError::MaterialParameterSlotNotFound(parameter_name.to_string(), pill_core::get_enum_variant_type_name(&value).to_string()));
let parameter = self.data.get_mut(parameter_name).context(error)?;
if pill_core::enum_variant_eq::<MaterialParameter>(¶meter, &value) {
*parameter = value;
}
Ok(())
}
}
pub struct MaterialTexture {
pub texture_type: TextureType,
pub texture_handle: Option<TextureHandle>,
pub(crate) renderer_texture_handle: Option<RendererTextureHandle>,
}
impl MaterialTexture {
pub fn new(texture_type: TextureType) -> Self {
Self {
texture_type,
texture_handle: None,
renderer_texture_handle: None,
}
}
}
pub fn get_renderer_texture_handle_from_material_texture(material_texture: &MaterialTexture) -> &Option<RendererTextureHandle> {
&material_texture.renderer_texture_handle
}
pub struct MaterialTextureMap {
pub data: HashMap<String, MaterialTexture>,
pub(crate) mapping: Vec<String>,
}
impl MaterialTextureMap {
pub fn new() -> Self {
Self {
data: HashMap::<String, MaterialTexture>::new(),
mapping: Vec::<String>::new(),
}
}
pub fn get(&self, name: &str) -> Option<&MaterialTexture> {
self.data.get(name)
}
}
pill_core::define_new_pill_slotmap_key! {
pub struct MaterialHandle;
}
#[readonly::make]
pub struct Material {
#[readonly]
pub name: String,
#[readonly]
textures: MaterialTextureMap,
#[readonly]
parameters: MaterialParameterMap,
#[readonly]
pub rendering_order: u8,
pub renderer_resource_handle: Option<RendererMaterialHandle>,
handle: Option<MaterialHandle>,
deferred_update_manager: Option<DeferredUpdateManagerPointer>,
}
impl Material {
pub fn new(name: &str) -> Self {
let mut textures = MaterialTextureMap::new();
textures.data.insert(MASTER_SHADER_COLOR_TEXTURE_SLOT.to_string(), MaterialTexture::new(TextureType::Color));
textures.mapping.push(MASTER_SHADER_COLOR_TEXTURE_SLOT.to_string());
textures.data.insert(MASTER_SHADER_NORMAL_TEXTURE_SLOT.to_string(), MaterialTexture::new(TextureType::Normal));
textures.mapping.push(MASTER_SHADER_NORMAL_TEXTURE_SLOT.to_string());
let mut parameters = MaterialParameterMap::new();
parameters.data.insert(MASTER_SHADER_TINT_PARAMETER_SLOT.to_string(), MaterialParameter::Color(None));
textures.mapping.push(MASTER_SHADER_TINT_PARAMETER_SLOT.to_string());
parameters.data.insert(MASTER_SHADER_SPECULARITY_PARAMETER_SLOT.to_string(), MaterialParameter::Scalar(None));
textures.mapping.push(MASTER_SHADER_SPECULARITY_PARAMETER_SLOT.to_string());
Self {
name: name.to_string(),
textures,
parameters,
rendering_order: RENDER_QUEUE_KEY_ORDER.max as u8,
renderer_resource_handle: None,
handle: None,
deferred_update_manager: None,
}
}
pub fn set_texture(&mut self, slot_name: &str, texture_handle: TextureHandle) -> Result<()> {
let texture_slot = self.textures.data.get_mut(slot_name)
.ok_or( Error::new(EngineError::MaterialTextureSlotNotFound(slot_name.to_string())))?;
let texture_slot_index = self.textures.mapping.iter().position(|v| v == slot_name).expect("Critical: No mapping");
let _ = texture_slot.texture_handle.insert(texture_handle.clone());
if self.renderer_resource_handle.is_some() {
self.post_deferred_update_request(DEFERRED_REQUEST_VARIANT_TEXTURE_START + texture_slot_index);
}
Ok(())
}
pub fn remove_texture(&mut self, slot_name: &str) -> Result<()> {
let texture_slot = self.textures.data.get_mut(slot_name)
.ok_or( Error::new(EngineError::MaterialTextureSlotNotFound(slot_name.to_string())))?;
let texture_slot_index = self.textures.mapping.iter().position(|v| v == slot_name).expect("Critical: No mapping");
texture_slot.texture_handle = None;
texture_slot.renderer_texture_handle = None;
if self.renderer_resource_handle.is_some() {
self.post_deferred_update_request(DEFERRED_REQUEST_VARIANT_TEXTURE_START + texture_slot_index);
}
Ok(())
}
pub fn set_rendering_order(&mut self, order: u8) -> Result<()> {
if order < RENDER_QUEUE_KEY_ORDER.max as u8 {
self.rendering_order = order;
if self.renderer_resource_handle.is_some() {
self.post_deferred_update_request(DEFERRED_REQUEST_VARIANT_RENDERING_ORDER);
}
}
else {
return Err(Error::new(EngineError::WrongRenderingOrder(order.to_string(), format!("{}-{}", 0, RENDER_QUEUE_KEY_ORDER.max.to_string()))));
}
Ok(())
}
pub fn get_scalar(&self, parameter_name: &str) -> Result<f32> {
self.parameters.get_scalar(parameter_name)
}
pub fn get_bool(&self, parameter_name: &str) -> Result<bool> {
self.parameters.get_bool(parameter_name)
}
pub fn get_color(&self, parameter_name: &str) -> Result<Color> {
self.parameters.get_color(parameter_name)
}
pub fn set_scalar(&mut self, parameter_name: &str, value: f32) -> Result<()> {
self.set_parameter(parameter_name, MaterialParameter::Scalar(Some(value)))
}
pub fn set_bool(&mut self, parameter_name: &str, value: bool) -> Result<()> {
self.set_parameter(parameter_name, MaterialParameter::Bool(Some(value)))
}
pub fn set_color(&mut self, parameter_name: &str, value: Color) -> Result<()> {
let valid_color = Color::new(value.x.clamp(0.0, 1.0), value.y.clamp(0.0, 1.0), value.z.clamp(0.0, 1.0));
self.set_parameter(parameter_name, MaterialParameter::Color(Some(valid_color)))
}
fn set_parameter(&mut self, parameter_name: &str, value: MaterialParameter) -> Result<()> {
self.parameters.set_parameter(parameter_name, value)?;
if self.renderer_resource_handle.is_some() {
self.post_deferred_update_request(DEFERRED_REQUEST_VARIANT_PARAMETER);
}
Ok(())
}
pub(crate) fn get_textures(&mut self) -> &mut MaterialTextureMap {
&mut self.textures
}
fn post_deferred_update_request(&mut self, request_variant: usize) {
let handle = self.handle.expect("Critical: Cannot post deferred update request. No Handle set in Resource");
let request = DeferredUpdateResourceRequest::<Material>::new(handle, request_variant);
self.deferred_update_manager.as_mut().expect("Critical: No DeferredUpdateManager").post_update_request(request);
}
}
impl PillTypeMapKey for Material {
type Storage = ResourceStorage<Material>;
}
impl Resource for Material {
type Handle = MaterialHandle;
fn get_name(&self) -> String {
self.name.clone()
}
fn initialize(&mut self, engine: &mut Engine) -> Result<()> {
let error_message = format!("Initializing {} {} failed", "Resource".gobj_style(), get_type_name::<Self>().sobj_style());
let deferred_update_component = engine.get_global_component_mut::<DeferredUpdateComponent>().expect("Critical: No DeferredUpdateComponent");
self.deferred_update_manager = Some(deferred_update_component.borrow_deferred_update_manager());
for texture_slot in self.textures.data.iter_mut() {
if let Some(texture_handle) = texture_slot.1.texture_handle {
let texture = engine.get_resource::<Texture>(&texture_handle)
.context(error_message.clone()).context(format!("Invalid {} for {} in slot {}", "Handle".sobj_style(), "Texture".sobj_style(), texture_slot.0.name_style()))?;
if !enum_variant_eq(&texture.texture_type,&texture_slot.1.texture_type) {
return Err(Error::new(EngineError::WrongTextureType(
get_enum_variant_type_name(&texture.texture_type),
texture_slot.0.to_string(),
get_enum_variant_type_name(&texture_slot.1.texture_type)
)));
}
texture_slot.1.renderer_texture_handle = texture.renderer_resource_handle;
}
}
let parameter_values = vec![
(MASTER_SHADER_TINT_PARAMETER_SLOT, MaterialParameter::Color(Some(Color::new(1.0, 1.0, 1.0)))),
(MASTER_SHADER_SPECULARITY_PARAMETER_SLOT, MaterialParameter::Scalar(Some(0.0)))
];
for parameter_value in parameter_values {
let parameter = self.parameters.data.get_mut(parameter_value.0);
match parameter {
Some(v) => {
if pill_core::enum_variant_eq::<MaterialParameter>(¶meter_value.1, v) {
if !v.is_some() {
*v = parameter_value.1;
}
}
},
None => panic!("Critical: Wrong parameters setup"),
}
}
let renderer_resource_handle = engine.renderer.create_material(&self.name, &self.textures, &self.parameters).context(error_message)?;
self.renderer_resource_handle = Some(renderer_resource_handle);
Ok(())
}
fn pass_handle<H: PillSlotMapKey>(&mut self, self_handle: H) {
self.handle = Some(MaterialHandle::from(self_handle.data()));
}
fn deferred_update(&mut self, engine: &mut Engine, request: usize) -> Result<()> {
match request {
DEFERRED_REQUEST_VARIANT_RENDERING_ORDER =>
{
for (scene_handle, scene) in engine.scene_manager.scenes.iter_mut() {
for (entity_handle, mesh_rendering_component) in scene.get_one_component_iterator_mut::<MeshRenderingComponent>()? {
if let Some(material_handle) = mesh_rendering_component.material_handle {
if material_handle.data() == self.handle.unwrap().data() {
mesh_rendering_component.update_render_queue_key(&engine.resource_manager).unwrap();
}
}
}
}
},
DEFERRED_REQUEST_VARIANT_PARAMETER =>
{
engine.renderer.update_material_parameters(self.renderer_resource_handle.unwrap(), &self.parameters)?;
},
DEFERRED_REQUEST_VARIANT_TEXTURE_START..=DEFERRED_REQUEST_VARIANT_TEXTURE_END =>
{
let texture_slot_name = self.textures.mapping.get(request - DEFERRED_REQUEST_VARIANT_TEXTURE_START).unwrap();
let texture_slot = self.textures.data.get_mut(texture_slot_name).unwrap();
if let Some(texture_handle) = texture_slot.texture_handle {
let texture = engine.get_resource::<Texture>(&texture_handle)
.context(format!("Cannot set {}. Invalid {} for {} in slot {}. ", "Texture".sobj_style(), "Handle".sobj_style(), "Texture".sobj_style(), texture_slot_name.name_style()))?;
if !enum_variant_eq(&texture.texture_type,&texture_slot.texture_type) {
return Err(Error::new(EngineError::WrongTextureType(
get_enum_variant_type_name(&texture.texture_type),
texture_slot_name.to_string(),
get_enum_variant_type_name(&texture_slot.texture_type)
)));
}
let _ = texture_slot.renderer_texture_handle.insert(texture.renderer_resource_handle.unwrap().clone());
}
engine.renderer.update_material_textures(self.renderer_resource_handle.unwrap(), &self.textures)?;
},
_ =>
{
panic!("Critical: Processing deferred update request with value {} in {} failed. Handling is not implemented", request, get_type_name::<Self>().sobj_style());
}
}
Ok(())
}
fn destroy<H: PillSlotMapKey>(&mut self, engine: &mut Engine, self_handle: H) -> Result<()> {
if let Some(v) = self.renderer_resource_handle {
engine.renderer.destroy_material(v).unwrap();
}
for (scene_handle, scene) in engine.scene_manager.scenes.iter_mut() {
let x = &engine.resource_manager;
}
Ok(())
}
}