Spaces:
Running
on
Zero
Running
on
Zero
File size: 2,428 Bytes
262b155 |
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 |
from typing import Literal, Optional
import yaml
from pydantic import BaseModel
import torch
from lora import TRAINING_METHODS
PRECISION_TYPES = Literal["fp32", "fp16", "bf16", "float32", "float16", "bfloat16"]
NETWORK_TYPES = Literal["lierla", "c3lier"]
class PretrainedModelConfig(BaseModel):
name_or_path: str
ckpt_path: Optional[str] = None
v2: bool = False
v_pred: bool = False
clip_skip: Optional[int] = None
class NetworkConfig(BaseModel):
type: NETWORK_TYPES = "lierla"
rank: int = 4
alpha: float = 1.0
training_method: TRAINING_METHODS = "full"
class TrainConfig(BaseModel):
precision: PRECISION_TYPES = "bfloat16"
noise_scheduler: Literal["ddim", "ddpm", "lms", "euler_a"] = "ddim"
iterations: int = 500
lr: float = 1e-4
optimizer: str = "adamw"
optimizer_args: str = ""
lr_scheduler: str = "constant"
max_denoising_steps: int = 50
class SaveConfig(BaseModel):
name: str = "untitled"
path: str = "./output"
per_steps: int = 200
precision: PRECISION_TYPES = "float32"
class LoggingConfig(BaseModel):
use_wandb: bool = False
verbose: bool = False
class OtherConfig(BaseModel):
use_xformers: bool = False
class RootConfig(BaseModel):
# prompts_file: str
pretrained_model: PretrainedModelConfig
network: NetworkConfig
train: Optional[TrainConfig]
save: Optional[SaveConfig]
logging: Optional[LoggingConfig]
other: Optional[OtherConfig]
def parse_precision(precision: str) -> torch.dtype:
if precision == "fp32" or precision == "float32":
return torch.float32
elif precision == "fp16" or precision == "float16":
return torch.float16
elif precision == "bf16" or precision == "bfloat16":
return torch.bfloat16
raise ValueError(f"Invalid precision type: {precision}")
def load_config_from_yaml(config_path: str) -> RootConfig:
with open(config_path, "r") as f:
config = yaml.load(f, Loader=yaml.FullLoader)
root = RootConfig(**config)
if root.train is None:
root.train = TrainConfig()
if root.save is None:
root.save = SaveConfig()
if root.logging is None:
root.logging = LoggingConfig()
if root.other is None:
root.other = OtherConfig()
return root
|