123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300 |
- use crate::entities::{CellChangeset, FieldType, RowOrder};
- use crate::revision::GridSettingRevision;
- use bytes::Bytes;
- use indexmap::IndexMap;
- use nanoid::nanoid;
- use serde::{Deserialize, Serialize};
- use std::collections::HashMap;
- use std::sync::Arc;
- pub const DEFAULT_ROW_HEIGHT: i32 = 42;
- pub fn gen_grid_id() -> String {
- // nanoid calculator https://zelark.github.io/nano-id-cc/
- nanoid!(10)
- }
- pub fn gen_block_id() -> String {
- nanoid!(10)
- }
- pub fn gen_row_id() -> String {
- nanoid!(6)
- }
- pub fn gen_field_id() -> String {
- nanoid!(6)
- }
- #[derive(Debug, Clone, Default, Serialize, Deserialize)]
- pub struct GridRevision {
- pub grid_id: String,
- pub fields: Vec<Arc<FieldRevision>>,
- pub blocks: Vec<Arc<GridBlockMetaRevision>>,
- #[serde(default, skip)]
- pub setting: GridSettingRevision,
- }
- impl GridRevision {
- pub fn new(grid_id: &str) -> Self {
- Self {
- grid_id: grid_id.to_owned(),
- fields: vec![],
- blocks: vec![],
- setting: GridSettingRevision::default(),
- }
- }
- pub fn from_build_context(grid_id: &str, context: BuildGridContext) -> Self {
- Self {
- grid_id: grid_id.to_owned(),
- fields: context.field_revs.into_iter().map(Arc::new).collect(),
- blocks: context.blocks.into_iter().map(Arc::new).collect(),
- setting: Default::default(),
- }
- }
- }
- #[derive(Debug, Clone, Default, PartialEq, Eq, Serialize, Deserialize)]
- pub struct GridBlockMetaRevision {
- pub block_id: String,
- pub start_row_index: i32,
- pub row_count: i32,
- }
- impl GridBlockMetaRevision {
- pub fn len(&self) -> i32 {
- self.row_count
- }
- pub fn is_empty(&self) -> bool {
- self.row_count == 0
- }
- }
- impl GridBlockMetaRevision {
- pub fn new() -> Self {
- GridBlockMetaRevision {
- block_id: gen_block_id(),
- ..Default::default()
- }
- }
- }
- pub struct GridBlockMetaRevisionChangeset {
- pub block_id: String,
- pub start_row_index: Option<i32>,
- pub row_count: Option<i32>,
- }
- impl GridBlockMetaRevisionChangeset {
- pub fn from_row_count(block_id: &str, row_count: i32) -> Self {
- Self {
- block_id: block_id.to_string(),
- start_row_index: None,
- row_count: Some(row_count),
- }
- }
- }
- #[derive(Debug, Clone, Default, Serialize, Deserialize)]
- pub struct GridBlockRevision {
- pub block_id: String,
- pub rows: Vec<Arc<RowRevision>>,
- }
- #[derive(Debug, Clone, Default, Serialize, Deserialize, Eq, PartialEq)]
- pub struct FieldRevision {
- pub id: String,
- pub name: String,
- pub desc: String,
- pub field_type: FieldType,
- pub frozen: bool,
- pub visibility: bool,
- pub width: i32,
- /// type_options contains key/value pairs
- /// key: id of the FieldType
- /// value: type option data that can be parsed into specified TypeOptionStruct.
- /// For example, CheckboxTypeOption, MultiSelectTypeOption etc.
- #[serde(with = "indexmap::serde_seq")]
- pub type_options: IndexMap<String, String>,
- #[serde(default = "DEFAULT_IS_PRIMARY")]
- pub is_primary: bool,
- }
- impl AsRef<FieldRevision> for FieldRevision {
- fn as_ref(&self) -> &FieldRevision {
- self
- }
- }
- const DEFAULT_IS_PRIMARY: fn() -> bool = || false;
- impl FieldRevision {
- pub fn new(name: &str, desc: &str, field_type: FieldType, is_primary: bool) -> Self {
- let width = field_type.default_cell_width();
- Self {
- id: gen_field_id(),
- name: name.to_string(),
- desc: desc.to_string(),
- field_type,
- frozen: false,
- visibility: true,
- width,
- type_options: Default::default(),
- is_primary,
- }
- }
- pub fn insert_type_option_entry<T>(&mut self, entry: &T)
- where
- T: TypeOptionDataEntry + ?Sized,
- {
- self.type_options.insert(entry.field_type().type_id(), entry.json_str());
- }
- pub fn get_type_option_entry<T: TypeOptionDataDeserializer>(&self, field_type: &FieldType) -> Option<T> {
- self.type_options
- .get(&field_type.type_id())
- .map(|s| T::from_json_str(s))
- }
- pub fn insert_type_option_str(&mut self, field_type: &FieldType, json_str: String) {
- self.type_options.insert(field_type.type_id(), json_str);
- }
- pub fn get_type_option_str(&self, field_type: &FieldType) -> Option<String> {
- self.type_options.get(&field_type.type_id()).map(|s| s.to_owned())
- }
- }
- pub trait TypeOptionDataEntry {
- fn field_type(&self) -> FieldType;
- fn json_str(&self) -> String;
- fn protobuf_bytes(&self) -> Bytes;
- }
- pub trait TypeOptionDataDeserializer {
- fn from_json_str(s: &str) -> Self;
- fn from_protobuf_bytes(bytes: Bytes) -> Self;
- }
- #[derive(Debug, Clone, Default, PartialEq, Eq, Serialize, Deserialize)]
- pub struct RowRevision {
- pub id: String,
- pub block_id: String,
- /// cells contains key/value pairs.
- /// key: field id,
- /// value: CellMeta
- #[serde(with = "indexmap::serde_seq")]
- pub cells: IndexMap<String, CellRevision>,
- pub height: i32,
- pub visibility: bool,
- }
- impl RowRevision {
- pub fn new(block_id: &str) -> Self {
- Self {
- id: gen_row_id(),
- block_id: block_id.to_owned(),
- cells: Default::default(),
- height: DEFAULT_ROW_HEIGHT,
- visibility: true,
- }
- }
- }
- impl std::convert::From<&RowRevision> for RowOrder {
- fn from(row: &RowRevision) -> Self {
- Self {
- row_id: row.id.clone(),
- block_id: row.block_id.clone(),
- height: row.height,
- }
- }
- }
- impl std::convert::From<&Arc<RowRevision>> for RowOrder {
- fn from(row: &Arc<RowRevision>) -> Self {
- Self {
- row_id: row.id.clone(),
- block_id: row.block_id.clone(),
- height: row.height,
- }
- }
- }
- #[derive(Debug, Clone, Default)]
- pub struct RowMetaChangeset {
- pub row_id: String,
- pub height: Option<i32>,
- pub visibility: Option<bool>,
- pub cell_by_field_id: HashMap<String, CellRevision>,
- }
- impl std::convert::From<CellChangeset> for RowMetaChangeset {
- fn from(changeset: CellChangeset) -> Self {
- let mut cell_by_field_id = HashMap::with_capacity(1);
- let field_id = changeset.field_id;
- let cell_rev = CellRevision {
- data: changeset.cell_content_changeset.unwrap_or_else(|| "".to_owned()),
- };
- cell_by_field_id.insert(field_id, cell_rev);
- RowMetaChangeset {
- row_id: changeset.row_id,
- height: None,
- visibility: None,
- cell_by_field_id,
- }
- }
- }
- #[derive(Debug, Clone, PartialEq, Eq, Default, Serialize, Deserialize)]
- pub struct CellRevision {
- pub data: String,
- }
- impl CellRevision {
- pub fn new(data: String) -> Self {
- Self { data }
- }
- }
- #[derive(Clone, Default, Deserialize, Serialize)]
- pub struct BuildGridContext {
- pub field_revs: Vec<FieldRevision>,
- pub blocks: Vec<GridBlockMetaRevision>,
- pub blocks_meta_data: Vec<GridBlockRevision>,
- }
- impl BuildGridContext {
- pub fn new() -> Self {
- Self::default()
- }
- }
- impl std::convert::From<BuildGridContext> for Bytes {
- fn from(ctx: BuildGridContext) -> Self {
- let bytes = serde_json::to_vec(&ctx).unwrap_or_else(|_| vec![]);
- Bytes::from(bytes)
- }
- }
- impl std::convert::TryFrom<Bytes> for BuildGridContext {
- type Error = serde_json::Error;
- fn try_from(bytes: Bytes) -> Result<Self, Self::Error> {
- let ctx: BuildGridContext = serde_json::from_slice(&bytes)?;
- Ok(ctx)
- }
- }
|