1use std::{collections::HashMap, convert::TryInto, fmt::Display, ops::Deref, rc::Rc};
2
3use heck::{ToSnakeCase, ToUpperCamelCase};
4use ramhorns_derive::Content;
5
6use log::{error, trace};
7
8#[derive(Clone, Debug)]
10pub(crate) enum PropertyDataType {
11 Unknown,
12 Resolved(String, Option<String>),
13 Any,
14 RawString,
15 String(openapiv3::StringType),
16 Enum(String, String),
17 Boolean,
18 Integer(openapiv3::IntegerType),
19 Number(openapiv3::NumberType),
20 Model(String),
21 DiscModel(String, String),
22 Map(Box<PropertyDataType>, Box<PropertyDataType>),
23 Array(Box<PropertyDataType>),
24 Empty,
25}
26
27impl Display for PropertyDataType {
28 fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
29 write!(f, "{}", self.as_str())
30 }
31}
32
33impl PropertyDataType {
34 fn as_str(&self) -> &str {
35 match self {
36 PropertyDataType::Unknown => "Unkown",
37 PropertyDataType::Resolved(inner, _) => inner.as_ref(),
38 PropertyDataType::Array(inner) => inner.as_str(),
39 PropertyDataType::Any => "Any",
40 PropertyDataType::Map(_, _) => "Map",
41 PropertyDataType::RawString => "String",
42 PropertyDataType::String(_) => "String",
43 PropertyDataType::Enum(_, _) => "Enum",
44 PropertyDataType::Boolean => "bool",
45 PropertyDataType::Integer(_) => "integer",
46 PropertyDataType::Number(_) => "number",
47 PropertyDataType::Model(inner) => inner.as_str(),
48 PropertyDataType::DiscModel(_, _) => "Disc",
49 PropertyDataType::Empty => "Empty",
50 }
51 }
52 fn format(&self) -> Option<&String> {
53 match self {
54 PropertyDataType::Resolved(_, format) => format.as_ref(),
55 _ => None,
56 }
57 }
58 fn resolve(&mut self, data_type: &str) {
59 self.set_if_unresolved(Self::Resolved(data_type.into(), None));
60 }
61 fn resolve_format<T: Into<String>>(&mut self, data_type: &str, format: T) {
62 self.set_if_unresolved(Self::Resolved(data_type.into(), Some(format.into())));
63 }
64 fn resolve_format_opt(&mut self, data_type: &str, format: Option<String>) {
65 self.set_if_unresolved(Self::Resolved(data_type.into(), format));
66 }
67 fn set_string(&mut self, data_type: &openapiv3::StringType) {
68 self.set_if_unresolved(Self::String(data_type.clone()));
69 }
70 fn set_array(&mut self, data_type: &Self) {
71 self.set_if_unresolved(Self::Array(Box::new(data_type.clone())));
72 }
73 fn set_boolean(&mut self) {
74 self.set_if_unresolved(Self::Boolean);
75 }
76 fn set_integer(&mut self, data_type: &openapiv3::IntegerType) {
77 self.set_if_unresolved(Self::Integer(data_type.clone()));
78 }
79 fn set_number(&mut self, data_type: &openapiv3::NumberType) {
80 self.set_if_unresolved(Self::Number(data_type.clone()));
81 }
82 fn set_model(&mut self, data_type: &str) {
83 self.set_if_unresolved(Self::Model(data_type.to_string()));
84 }
85 fn set_disc_model(&mut self, parent: String, name: &str) {
86 self.set_if_unresolved(Self::DiscModel(parent, name.to_string()));
87 }
88 fn set_map(&mut self, key: &Self, value: &Self) {
89 self.set_if_unresolved(Self::Map(Box::new(key.clone()), Box::new(value.clone())));
90 }
91 fn set_enum(&mut self, name: &str, data_type: &str) {
92 self.set_if_unresolved(Self::Enum(name.to_string(), data_type.to_string()));
93 }
94 fn set_any(&mut self) {
95 *self = Self::Any;
96 }
97 fn set_if_unresolved(&mut self, to: Self) {
98 if !matches!(self, Self::Resolved(_, _)) {
99 *self = to;
100 }
101 }
102}
103
104impl Default for PropertyDataType {
105 fn default() -> Self {
106 Self::Unknown
107 }
108}
109
110impl ramhorns::Content for PropertyDataType {
111 #[inline]
112 fn is_truthy(&self) -> bool {
113 !self.as_str().is_empty()
114 }
115
116 #[inline]
117 fn capacity_hint(&self, _tpl: &ramhorns::Template) -> usize {
118 self.as_str().len()
119 }
120
121 #[inline]
122 fn render_escaped<E: ramhorns::encoding::Encoder>(
123 &self,
124 encoder: &mut E,
125 ) -> Result<(), E::Error> {
126 encoder.write_escaped(self.as_str())
127 }
128
129 #[inline]
130 fn render_unescaped<E: ramhorns::encoding::Encoder>(
131 &self,
132 encoder: &mut E,
133 ) -> Result<(), E::Error> {
134 encoder.write_unescaped(self.as_str())
135 }
136}
137
138pub(crate) type Properties = Vec<Property>;
140
141#[derive(Default, Content, Clone, Debug)]
147#[ramhorns(rename_all = "camelCase")]
148pub(crate) struct Property {
149 name: String,
151
152 pub classname: String,
157 schema_name: String,
158 class_filename: String,
159
160 base_name: String,
161 enum_name: Option<String>,
162 title: Option<String>,
164 description: Option<String>,
165 example: Option<String>,
166 class_var_name: String,
167 model_json: String,
168 data_type: PropertyDataType,
169 data_format: String,
170 type_: String,
172
173 is_string: bool,
175 is_integer: bool,
176 is_long: bool,
177 is_number: bool,
178 is_numeric: bool,
179 is_float: bool,
180 is_double: bool,
181 is_date: bool,
182 is_date_time: bool,
183 is_password: bool,
184 is_decimal: bool,
185 is_binary: bool,
186 is_byte: bool,
187 is_short: bool,
188 is_unbounded_integer: bool,
189 is_primitive_type: bool,
190 is_boolean: bool,
191 is_uuid: bool,
192 is_uri: bool,
193 is_any_type: bool,
194 is_enum: bool,
195 is_array: bool,
196 is_container: bool,
197 is_map: bool,
198 is_null: bool,
199 is_var: bool,
200
201 additional_properties_is_any_type: bool,
203
204 vars: Properties,
206 all_vars: Properties,
208
209 required_vars: Properties,
212 optional_vars: Properties,
214 read_only_vars: Properties,
216 read_write_vars: Properties,
218 parent_vars: Properties,
220
221 allowable_values: HashMap<String, Vec<EnumValue>>,
223
224 items: Option<Box<Property>>,
226
227 has_vars: bool,
229 empty_vars: bool,
231 has_enums: bool,
232 has_validation: bool,
234 is_nullable: bool,
236 has_required: bool,
238 has_optional: bool,
240 has_children: bool,
242
243 is_deprecated: bool,
244 has_only_read_only: bool,
245 required: bool,
246 max_properties: Option<usize>,
247 min_properties: Option<usize>,
248 unique_items: bool,
249 max_items: Option<usize>,
250 min_items: Option<usize>,
251 max_length: Option<usize>,
252 min_length: Option<usize>,
253 exclusive_minimum: bool,
254 exclusive_maximum: bool,
255 minimum: Option<String>,
256 maximum: Option<String>,
257 pattern: Option<String>,
258
259 is_model: bool,
261 is_component_model: bool,
263
264 one_of: Properties,
265 all_of: Properties,
266
267 discovered_props: Rc<Properties>,
269
270 parent: Option<Rc<Property>>,
272}
273
274impl Display for Property {
275 fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
276 write!(
277 f,
278 "{}/{}/{}.rs",
279 self.data_type(),
280 self.classname,
281 self.class_filename
282 )
283 }
284}
285
286impl Property {
287 pub fn with_data(mut self, data: &openapiv3::SchemaData) -> Self {
289 self.is_null = data.nullable;
290 self.is_nullable = data.nullable;
291 self.is_deprecated = data.deprecated;
292 self.title = data.title.clone();
293 self.description = data.description.as_ref().map(|s| s.replace('\n', " "));
294 self.example = data.example.as_ref().map(ToString::to_string);
295 self
296 }
297 pub fn with_model(mut self, model: bool) -> Self {
299 self.is_model = model;
300 self
301 }
302 pub fn with_component_model(mut self, root_model: bool) -> Self {
304 if root_model {
305 self.is_component_model = true;
306 }
307 self
308 }
309 pub fn type_ref(&self) -> &str {
311 &self.type_
312 }
313 pub fn data_type(&self) -> String {
315 self.data_type.to_string()
316 }
317 pub fn data_format(&self) -> String {
319 self.data_type.format().map(Into::into).unwrap_or_default()
320 }
321 pub fn filename(&self) -> &str {
323 self.class_filename.as_str()
324 }
325 pub fn with_data_property(mut self, type_: &PropertyDataType) -> Self {
327 self.data_type = type_.clone();
328 self
329 }
330 pub fn with_model_type(mut self, type_: &str) -> Self {
332 match self.parent() {
333 Some(parent) if type_.is_empty() => {
334 let parent_type = parent.type_.clone();
335 self.data_type.set_disc_model(parent_type, &self.name);
336 }
337 _ => {
338 self.data_type.set_model(type_);
339 }
340 }
341 self
342 }
343 fn with_data_type_any(mut self, is_add_props: bool) -> Self {
345 self.data_type.set_any();
346 self.is_any_type = true;
347 self.is_model = false;
348 self.is_container = true;
349 self.additional_properties_is_any_type = is_add_props;
350 self
351 }
352 pub fn with_type(mut self, type_: &str) -> Self {
354 self.type_ = type_.to_string();
355 self
356 }
357 pub fn with_one_all_of(self, single: Property) -> Self {
360 self.with_name(&single.name)
361 .with_type(&single.type_)
362 .with_data_property(&single.data_type)
363 .with_model(true)
364 .with_parent(&Some(&single))
365 .with_all_of(vec![single])
366 }
367 fn with_all_of(mut self, all_of: Vec<Property>) -> Self {
368 self.all_of = all_of;
369 self
370 }
371 fn discovered_props(&self) -> &Vec<Property> {
373 &self.discovered_props
374 }
375 pub fn discovered_models(&self) -> Vec<Property> {
377 self.discovered_props()
378 .iter()
379 .flat_map(|m| {
380 let mut v = m.discovered_models();
381 v.push(m.clone());
382 v
383 })
384 .filter(|p| !p.is_component_model && p.is_model && !p.is_all_of() && !p.is_enum)
385 .collect::<Vec<_>>()
386 }
387}
388impl From<&openapiv3::SchemaData> for Property {
389 fn from(data: &openapiv3::SchemaData) -> Self {
390 Self::default().with_data(data)
391 }
392}
393
394impl Property {
395 pub fn from_schema(
397 root: &super::OpenApiV3,
398 parent: Option<&Property>,
399 schema: &openapiv3::Schema,
400 name: Option<&str>,
401 type_: Option<&str>,
402 ) -> Self {
403 let name = name.unwrap_or_default();
404 let type_ = type_.unwrap_or_default();
405 trace!(
406 "PropertyFromSchema: {}/{}/{}",
407 name,
408 type_,
409 Self::schema_kind_str(schema)
410 );
411 let prop = Property::from(&schema.schema_data)
412 .with_name(name)
413 .with_parent(&parent)
414 .with_type(type_)
415 .with_component_model(root.contains_schema(type_));
416
417 prop.with_kind(root, schema, &schema.schema_kind, parent, name, type_)
418 }
419
420 fn schema_kind_str(schema: &openapiv3::Schema) -> &str {
421 match &schema.schema_kind {
422 openapiv3::SchemaKind::Type(_) => "type",
423 openapiv3::SchemaKind::OneOf { .. } => "oneOf",
424 openapiv3::SchemaKind::AllOf { .. } => "allOf",
425 openapiv3::SchemaKind::AnyOf { .. } => "anyOf",
426 openapiv3::SchemaKind::Not { .. } => "not",
427 openapiv3::SchemaKind::Any(..) => "any",
428 }
429 }
430
431 fn with_kind(
432 mut self,
433 root: &super::OpenApiV3,
434 schema: &openapiv3::Schema,
435 schema_kind: &openapiv3::SchemaKind,
436 parent: Option<&Self>,
437 name: &str,
438 type_: &str,
439 ) -> Self {
440 match schema_kind {
441 openapiv3::SchemaKind::Type(t) => match t {
442 openapiv3::Type::String(t) => self.with_string(root, t),
443 openapiv3::Type::Number(t) => self.with_number(root, t),
444 openapiv3::Type::Integer(t) => self.with_integer(root, t),
445 openapiv3::Type::Object(t) => self.with_model_type(type_).with_obj(root, t),
446 openapiv3::Type::Array(t) => self.with_array(root, t),
447 openapiv3::Type::Boolean(_) => {
448 self.data_type.set_boolean();
449 self.is_boolean = true;
450 self.is_primitive_type = true;
451 self
452 }
453 },
454 openapiv3::SchemaKind::OneOf { .. } => {
455 panic!("OneOf: {:#?} not implemented", schema);
456 }
457 openapiv3::SchemaKind::AllOf { all_of } if all_of.len() != 1 => {
458 unimplemented!()
459 }
460 openapiv3::SchemaKind::AllOf { all_of } => {
461 let first = all_of.first().unwrap();
462 let first_model = root
463 .resolve_reference_or(first, parent, Some(name), None)
464 .with_data(&schema.schema_data);
465 Self::from(&schema.schema_data).with_one_all_of(first_model)
466 }
467 openapiv3::SchemaKind::AnyOf { .. } => {
468 unimplemented!()
469 }
470 openapiv3::SchemaKind::Not { .. } => {
471 unimplemented!()
472 }
473 openapiv3::SchemaKind::Any(any_schema) => match &any_schema.typ {
477 Some(typ) => match typ.as_str() {
478 "bool" => {
479 let kind = openapiv3::SchemaKind::Type(openapiv3::Type::Boolean(
480 openapiv3::BooleanType {
481 enumeration: vec![],
482 },
483 ));
484 self.with_kind(root, schema, &kind, parent, name, type_)
485 }
486 "object" => self.with_model_type(type_).with_anyobj(root, any_schema),
487 not_handled => {
488 error!("BUG - must handle {not_handled} data type as AnySchema");
490 self.with_data_type_any(false)
491 }
492 },
493 None => self.with_data_type_any(false),
495 },
496 }
497 }
498
499 fn assign_classnames(&mut self) {
500 if self.classname.is_empty() && self.is_model && !self.is_var {
501 let schema_name = self.data_type.as_str();
502 self.class_filename = schema_name.to_snake_case();
503 self.classname = schema_name.to_upper_camel_case();
504 }
505 self.assign_enumnames();
506 }
507 fn assign_varnames(&mut self) {
508 if !self.name.is_empty() {
509 self.name = self.name.to_snake_case();
510 }
511 }
512 fn assign_enumnames(&mut self) {
513 if self.is_enum {
514 self.enum_name = Some(self.data_type());
515 }
516 }
517 fn string_format_str(format: openapiv3::StringFormat) -> &'static str {
518 match format {
519 openapiv3::StringFormat::Date => "date",
520 openapiv3::StringFormat::DateTime => "date-time",
521 openapiv3::StringFormat::Password => "password",
522 openapiv3::StringFormat::Byte => "byte",
523 openapiv3::StringFormat::Binary => "binary",
524 }
525 }
526 fn post_process_dt(data_type: &mut PropertyDataType, is_decl: bool) {
528 match data_type.clone() {
529 PropertyDataType::Unknown => {}
530 PropertyDataType::Resolved(_, _) => {}
531 PropertyDataType::Any => data_type.resolve("serde_json::Value"),
532 PropertyDataType::RawString => data_type.resolve("String"),
533 PropertyDataType::String(str) => {
534 match str.format {
535 openapiv3::VariantOrUnknownOrEmpty::Item(format) => {
536 data_type.resolve_format("String", Self::string_format_str(format));
538 }
539 openapiv3::VariantOrUnknownOrEmpty::Unknown(format) => match format.as_str() {
540 "uuid" => data_type.resolve("uuid::Uuid"),
541 "uri" => data_type.resolve("url::Url"),
542 _ => data_type.resolve_format("String", format),
543 },
544 openapiv3::VariantOrUnknownOrEmpty::Empty => {
545 data_type.resolve("String");
546 }
547 }
548 }
549 PropertyDataType::Enum(name, type_) if !is_decl => {
550 let enum_ = if type_.is_empty() { name } else { type_ }.to_upper_camel_case();
551 data_type.resolve(&format!("crate::models::{enum_}"))
552 }
553 PropertyDataType::Enum(name, type_) => {
554 let enum_ = if type_.is_empty() { name } else { type_ }.to_upper_camel_case();
555 data_type.resolve(&enum_)
556 }
557 PropertyDataType::Boolean => data_type.resolve("bool"),
558 PropertyDataType::Integer(type_) => {
559 let (signed, mut bits, format) = match type_.format {
560 openapiv3::VariantOrUnknownOrEmpty::Item(item) => match item {
561 openapiv3::IntegerFormat::Int32 => (true, 32, Some("int32".into())),
562 openapiv3::IntegerFormat::Int64 => (true, 64, Some("int64".into())),
563 },
564 openapiv3::VariantOrUnknownOrEmpty::Unknown(format) => match format.as_str() {
565 "uint32" => (false, 32, Some(format)),
566 "uint64" => (false, 64, Some(format)),
567 "int16" => (true, 16, Some(format)),
568 "uint16" => (false, 16, Some(format)),
569 "int8" => (true, 8, Some(format)),
570 "uint8" => (false, 8, Some(format)),
571 _ => (true, 0, Some(format)),
572 },
573 _ => (true, 0, None),
574 };
575 let signed = type_.minimum.map(|m| m < 0).unwrap_or(signed);
576 if let Some(max) = type_.maximum {
577 let r_bits = floor_log2(max.try_into().unwrap());
578 if bits == 0 || bits > r_bits {
579 bits = r_bits;
580 }
581 }
582
583 let bits = if bits == 0 {
585 "size".to_string()
586 } else {
587 bits.to_string()
588 };
589
590 data_type.resolve_format_opt(
592 &format!("{}{}", if signed { "i" } else { "u" }, bits),
593 format,
594 )
595 }
596 PropertyDataType::Number(type_) => {
597 data_type.resolve(match type_.format {
598 openapiv3::VariantOrUnknownOrEmpty::Item(openapiv3::NumberFormat::Float) => {
599 "f32"
600 }
601 openapiv3::VariantOrUnknownOrEmpty::Item(openapiv3::NumberFormat::Double) => {
602 "f64"
603 }
604 openapiv3::VariantOrUnknownOrEmpty::Unknown(_) => "f64",
605 openapiv3::VariantOrUnknownOrEmpty::Empty => "f64",
606 });
607 }
608 PropertyDataType::Model(model) if !is_decl => {
609 data_type.resolve(&format!("crate::models::{model}"))
610 }
611 PropertyDataType::Model(model) => data_type.resolve(&model),
612 PropertyDataType::DiscModel(parent, this) => {
613 let this = this.to_upper_camel_case();
614 let parent = parent.to_upper_camel_case();
615 if is_decl {
616 data_type.resolve(&format!("{parent}{this}"));
617 } else {
618 data_type.resolve(&format!("crate::models::{parent}{this}"));
619 }
620 }
621 PropertyDataType::Map(key, mut value) => {
622 Self::post_process_dt(&mut value, false);
623 data_type.resolve(&format!(
624 "::std::collections::HashMap<{}, {}>",
625 key.as_ref(),
626 value.as_str()
627 ))
628 }
629 PropertyDataType::Array(mut inner) => {
630 Self::post_process_dt(&mut inner, is_decl);
631 data_type.resolve(&format!("Vec<{}>", inner.as_str()))
632 }
633 PropertyDataType::Empty => data_type.resolve("()"),
634 }
635 }
636 pub(crate) fn uninline_enums(&mut self) {
639 if self.is_var && self.is_component_model && self.is_enum {
640 self.is_enum = false;
642 }
643 }
644 pub fn post_process(mut self) -> Property {
648 self.post_process_refmut();
649 self
650 }
651 pub fn post_process_data_type(mut self) -> Property {
654 Self::post_process_dt(&mut self.data_type, false);
655 self
656 }
657 fn post_process_refmut(&mut self) {
658 let mut is_decl = !self.is_var && !self.is_container;
662 if self.is_var && !self.is_component_model && self.is_enum {
663 is_decl = true;
664 }
665 Self::post_process_dt(&mut self.data_type, is_decl);
666
667 self.assign_classnames();
669 self.assign_varnames();
671
672 self.uninline_enums();
675
676 for var in &mut self.vars {
678 var.post_process_refmut();
679 }
680 for var in &mut self.required_vars {
681 var.post_process_refmut();
682 }
683 for var in &mut self.optional_vars {
684 var.post_process_refmut();
685 }
686 for var in &mut self.all_vars {
687 var.post_process_refmut();
688 }
689 for var in &mut self.all_of {
690 var.post_process_refmut();
691 }
692 for var in &mut self.one_of {
693 var.post_process_refmut();
694 }
695 if let Some(item) = &mut self.items {
696 item.post_process_refmut();
697 }
698 }
699
700 fn parent(&self) -> Option<&Self> {
701 match &self.parent {
702 None => None,
703 Some(parent) => Some(parent.deref()),
704 }
705 }
706 pub fn items(&self) -> &Option<Box<Self>> {
708 &self.items
709 }
710 pub fn with_name(mut self, name: &str) -> Self {
712 self.name = name.to_string();
713 self.base_name = name.to_string();
714 self
715 }
716 fn with_is_var(mut self, is_var: bool) -> Self {
718 self.is_var = is_var;
719 self
720 }
721 pub fn schema(&self) -> &str {
724 if self.data_type.as_str().is_empty() {
725 panic!("Schema data type should not be empty! Schema: {:#?}", self);
726 }
727 self.data_type.as_str()
728 }
729 pub fn with_required(mut self, required: bool) -> Self {
731 self.required = required;
732 self
733 }
734 pub fn with_parent(mut self, parent: &Option<&Self>) -> Self {
736 self.parent = parent.map(|p| Rc::new(p.clone()));
737 self
738 }
739 pub fn is_model(&self) -> bool {
741 self.is_model
742 }
743 pub fn is_string(&self) -> bool {
745 self.is_string
746 }
747 pub fn is_array(&self) -> bool {
749 self.is_array
750 }
751 pub fn is_uuid(&self) -> bool {
753 self.is_uuid
754 }
755 pub fn is_uri(&self) -> bool {
757 self.is_uri
758 }
759 pub fn is_container(&self) -> bool {
761 self.is_container
762 }
763 pub fn is_any_type(&self) -> bool {
765 self.is_any_type
766 }
767 pub fn is_primitive_type(&self) -> bool {
769 self.is_primitive_type
770 }
771 pub fn is_all_of(&self) -> bool {
773 !self.all_of.is_empty()
774 }
775 fn with_array(mut self, _root: &super::OpenApiV3, by: &openapiv3::ArrayType) -> Self {
776 self.items = by
777 .items
778 .clone()
779 .map(|i| _root.resolve_reference_or(&i.unbox(), Some(&self), None, None))
780 .map(|i| i.with_is_var(true))
781 .map(Box::new);
782 self.min_items = by.min_items;
783 self.max_items = by.max_items;
784 self.unique_items = by.unique_items;
785 self.is_array = true;
786 match &self.items {
787 Some(items) => {
788 self.data_type.set_array(&items.data_type);
789 }
790 None => {
791 panic!("BUG: an array without an inner type: {:?}", self);
792 }
793 }
794 self.is_container = true;
795 self
796 }
797 fn with_anyobj(mut self, root: &super::OpenApiV3, by: &openapiv3::AnySchema) -> Self {
798 self.min_properties = by.min_properties;
799 self.max_properties = by.max_properties;
800
801 let vars = by
802 .properties
803 .iter()
804 .map(|(k, v)| root.resolve_reference_or(&v.clone().unbox(), Some(&self), Some(k), None))
805 .map(|m| {
806 let required = by.required.contains(&m.name);
807 m.with_required(required)
808 })
809 .collect::<Vec<_>>();
810
811 let vars = vars
812 .into_iter()
813 .map(|p| p.with_is_var(true))
814 .collect::<Vec<_>>();
815
816 self.required_vars = vars
817 .iter()
818 .filter(|m| m.required)
819 .cloned()
820 .collect::<Vec<_>>();
821 self.optional_vars = vars
822 .iter()
823 .filter(|m| !m.required)
824 .cloned()
825 .collect::<Vec<_>>();
826 self.vars = vars;
827
828 let mut vars_ = self.vars.iter().filter(|p| !p.required).collect::<Vec<_>>();
829 if vars_.len() != self.vars.len() {
830 panic!("Not Supported - all vars of oneOf must be optional");
831 }
832
833 let one_of = &by.one_of;
834 one_of
835 .iter()
836 .flat_map(|p| p.as_item())
837 .map(|s| match &s.schema_kind {
838 openapiv3::SchemaKind::Any(schema) => schema,
839 _ => todo!(),
840 })
841 .filter(|o| o.required.len() == 1)
842 .for_each(|o| vars_.retain(|v| v.name != o.required[0]));
843
844 self.is_model = true;
845 self.one_of = vec![self.clone()];
846 self
847 }
848 fn with_obj(mut self, root: &super::OpenApiV3, by: &openapiv3::ObjectType) -> Self {
849 self.min_properties = by.min_properties;
850 self.max_properties = by.max_properties;
851
852 if let Some(props) = &by.additional_properties {
853 match props {
854 openapiv3::AdditionalProperties::Any(any) => {
855 if *any {
856 return self.with_data_type_any(*any);
857 }
858 }
859 openapiv3::AdditionalProperties::Schema(ref_or) => match ref_or.deref() {
860 openapiv3::ReferenceOr::Reference { reference } => {
861 let inner = root.resolve_schema_name(None, reference);
862 self.data_type
863 .set_map(&PropertyDataType::RawString, &inner.data_type);
864 self.discovered_props = Rc::new(vec![inner]);
865 return self;
866 }
867 openapiv3::ReferenceOr::Item(item) => {
868 let property = Self::from_schema(root, None, item, None, None);
869 self.data_type
870 .set_map(&PropertyDataType::RawString, &property.data_type);
871 return self;
872 }
873 },
874 }
875 }
876
877 if !root.resolving(&self) {
878 let vars = by
879 .properties
880 .iter()
881 .map(|(k, v)| {
882 root.resolve_reference_or(&v.clone().unbox(), Some(&self), Some(k), None)
883 })
884 .map(|m| {
885 let required = by.required.contains(&m.name);
886 m.with_required(required)
887 })
888 .collect::<Vec<_>>();
889
890 if vars.is_empty() {
891 return self.with_data_type_any(false);
892 }
893 self.is_model = true;
894
895 self.discovered_props = Rc::new(vars.clone());
896 let vars = vars
897 .into_iter()
898 .map(|p| p.with_is_var(true))
899 .collect::<Vec<_>>();
900
901 self.required_vars = vars
902 .iter()
903 .filter(|m| m.required)
904 .cloned()
905 .collect::<Vec<_>>();
906 self.optional_vars = vars
907 .iter()
908 .filter(|m| !m.required)
909 .cloned()
910 .collect::<Vec<_>>();
911 self.vars = vars;
912 } else {
913 self.is_model = true;
915 }
916
917 self
934 }
935 fn with_integer(mut self, _root: &super::OpenApiV3, by: &openapiv3::IntegerType) -> Self {
936 self.exclusive_maximum = by.exclusive_maximum;
937 self.exclusive_minimum = by.exclusive_minimum;
938 self.minimum = by.minimum.map(|v| v.to_string());
939 self.maximum = by.maximum.map(|v| v.to_string());
940 self.is_integer = true;
941 self.is_primitive_type = true;
942 self.data_type.set_integer(by);
943 self
944 }
945 fn with_number(mut self, _root: &super::OpenApiV3, by: &openapiv3::NumberType) -> Self {
946 self.exclusive_maximum = by.exclusive_maximum;
947 self.exclusive_minimum = by.exclusive_minimum;
948 self.minimum = by.minimum.map(|v| v.to_string());
949 self.maximum = by.maximum.map(|v| v.to_string());
950 self.data_type.set_number(by);
951 self.is_primitive_type = true;
952 self
953 }
954 fn with_string(mut self, _root: &super::OpenApiV3, by: &openapiv3::StringType) -> Self {
955 self.pattern = by.pattern.clone();
956 self.has_enums = !by.enumeration.is_empty();
957 self.is_enum = self.has_enums;
958
959 self.min_length = by.min_length;
960 self.data_type.set_string(by);
961
962 match &by.format {
963 openapiv3::VariantOrUnknownOrEmpty::Item(item) => match item {
964 openapiv3::StringFormat::Date => self.is_date = true,
965 openapiv3::StringFormat::DateTime => self.is_date_time = true,
966 openapiv3::StringFormat::Password => self.is_date = true,
967 openapiv3::StringFormat::Byte => self.is_byte = true,
968 openapiv3::StringFormat::Binary => self.is_binary = true,
969 },
970 openapiv3::VariantOrUnknownOrEmpty::Unknown(format) => match format.as_str() {
971 "uuid" => self.is_uuid = true,
972 "uri" => self.is_string = true,
973 "date" => self.is_date = true,
974 "date-time" => self.is_date_time = true,
975 _ => {
976 self.is_string = true;
977 }
978 },
979 openapiv3::VariantOrUnknownOrEmpty::Empty => {
980 self.is_string = true;
981 }
982 }
983
984 if self.is_enum {
985 let enum_vars = by
986 .enumeration
987 .iter()
988 .flatten()
989 .map(|v| EnumValue {
990 name: v.to_upper_camel_case(),
991 value: v.to_string(),
992 })
993 .collect::<Vec<_>>();
994
995 self.is_model = true;
996 self.is_string = false;
997 self.allowable_values.insert("enumVars".into(), enum_vars);
998 self.data_type.set_enum(&self.name, &self.type_);
999 } else {
1000 self.is_primitive_type = true;
1001 }
1002
1003 self
1004 }
1005}
1006
1007#[derive(Default, Content, Clone, Debug)]
1008#[ramhorns(rename_all = "camelCase")]
1009pub(crate) struct EnumValue {
1010 name: String,
1011 value: String,
1012}
1013
1014fn floor_log2(x: u64) -> u64 {
1015 65 - (x.leading_zeros() as u64)
1016}