2024-03-12 11:22:30 +01:00
|
|
|
from dataclasses import dataclass, field, asdict, is_dataclass
|
2024-03-11 16:29:36 +01:00
|
|
|
import json
|
|
|
|
|
|
|
|
@dataclass
|
|
|
|
class Meta:
|
2024-03-12 13:55:00 +01:00
|
|
|
country: str = None
|
|
|
|
country_name: str = None
|
2024-03-12 11:22:30 +01:00
|
|
|
refs: list = field(default_factory=list)
|
|
|
|
synonyms: list = field(default_factory=list)
|
2024-03-12 13:55:00 +01:00
|
|
|
|
2024-03-12 11:22:30 +01:00
|
|
|
def custom_asdict(obj):
|
|
|
|
if is_dataclass(obj):
|
|
|
|
result = {}
|
|
|
|
for field_name, field_def in obj.__dataclass_fields__.items():
|
|
|
|
value = getattr(obj, field_name)
|
|
|
|
if field_name == 'meta':
|
2024-03-12 13:55:00 +01:00
|
|
|
meta_value = custom_asdict(value)
|
|
|
|
meta_value = {k: v for k, v in meta_value.items() if v is not None and not (k in ['refs', 'synonyms'] and (not v or all(e is None for e in v)))}
|
2024-03-12 11:22:30 +01:00
|
|
|
value = meta_value
|
|
|
|
elif isinstance(value, (list, tuple)) and all(is_dataclass(i) for i in value):
|
|
|
|
value = [custom_asdict(i) for i in value]
|
2024-03-12 13:55:00 +01:00
|
|
|
elif isinstance(value, list) and all(e is None for e in value):
|
|
|
|
continue
|
|
|
|
if value is None and field_name in ['country', 'country_name']:
|
|
|
|
continue
|
2024-03-12 11:22:30 +01:00
|
|
|
result[field_name] = value
|
|
|
|
return result
|
|
|
|
else:
|
|
|
|
return obj
|
|
|
|
|
2024-03-11 16:29:36 +01:00
|
|
|
@dataclass
|
|
|
|
class IntelAgency:
|
|
|
|
description: str = ""
|
|
|
|
meta: Meta = field(default_factory=Meta)
|
|
|
|
related: list = field(default_factory=list)
|
|
|
|
uuid: str = None
|
|
|
|
value: str = None
|
|
|
|
|
|
|
|
def __post_init__(self):
|
|
|
|
if not self.value:
|
|
|
|
raise ValueError("IntelAgency 'value' cannot be empty.")
|
|
|
|
if not self.uuid:
|
|
|
|
raise ValueError("IntelAgency 'uuid' cannot be empty.")
|
|
|
|
|
|
|
|
@dataclass
|
|
|
|
class Galaxy:
|
|
|
|
description: str
|
|
|
|
icon: str
|
|
|
|
name: str
|
|
|
|
namespace: str
|
|
|
|
type: str
|
|
|
|
uuid: str
|
|
|
|
version: int
|
|
|
|
|
|
|
|
def save_to_file(self, path: str):
|
|
|
|
with open(path, "w") as file:
|
|
|
|
file.write(json.dumps(asdict(self), indent=4))
|
|
|
|
|
|
|
|
@dataclass
|
2024-03-12 11:22:30 +01:00
|
|
|
class Cluster:
|
|
|
|
authors: str
|
|
|
|
category: str
|
|
|
|
description: str
|
|
|
|
name: str
|
|
|
|
source: str
|
|
|
|
type: str
|
|
|
|
uuid: str
|
|
|
|
version: int
|
|
|
|
values: list = field(default_factory=list)
|
2024-03-11 16:29:36 +01:00
|
|
|
|
|
|
|
def add_value(self, value: IntelAgency):
|
|
|
|
self.values.append(value)
|
|
|
|
|
|
|
|
def save_to_file(self, path: str):
|
|
|
|
with open(path, "w") as file:
|
2024-03-12 11:22:30 +01:00
|
|
|
file.write(json.dumps(custom_asdict(self), indent=4, ensure_ascii=False))
|