Repository: maszhongming/Multi-LoRA-Composition Branch: main Commit: 6a5486cd98b6 Files: 34 Total size: 594.1 KB Directory structure: gitextract_umsbyxvg/ ├── .gitignore ├── README.md ├── analyze.py ├── anime_lora_info.json ├── callbacks.py ├── compose_anime.sh ├── compose_lora.py ├── compose_reality.sh ├── docs/ │ ├── index.html │ └── static/ │ ├── css/ │ │ ├── bulma.css.map.txt │ │ └── index.css │ ├── js/ │ │ ├── bulma-carousel.js │ │ ├── bulma-slider.js │ │ └── index.js │ └── videos/ │ └── ._Icon ├── eval.sh ├── evaluate.py ├── example.py ├── human_eval/ │ ├── README.md │ ├── calculate_correlations.py │ ├── clipscore.py │ ├── gpt4v.py │ ├── image_info.json │ └── results.json ├── lcm_example.py ├── lcm_lora_example.py ├── models/ │ └── README.md ├── pipelines/ │ ├── sd1.5_0.26.3/ │ │ └── pipeline.py │ └── sdxl_0.26.3/ │ ├── pipeline.py │ └── watermark.py ├── reality_lora_info.json ├── requirements.txt ├── sdxl_example.py └── utils.py ================================================ FILE CONTENTS ================================================ ================================================ FILE: .gitignore ================================================ models/lora/* models/Realistic-LCM-LoRA/* ================================================ FILE: README.md ================================================ # title Multi-LoRA Composition for Image Generation

Open In Colab

🖋 **Authors:** [Ming Zhong](https://maszhongming.github.io/), [Yelong Shen](https://scholar.google.com/citations?user=S6OFEFEAAAAJ&hl=en), [Shuohang Wang](https://www.microsoft.com/en-us/research/people/shuowa/), [Yadong Lu](https://adamlu123.github.io/), [Yizhu Jiao](https://yzjiao.github.io/), [Siru Ouyang](https://ozyyshr.github.io/), [Donghan Yu](https://plusross.github.io/), [Jiawei Han](https://hanj.cs.illinois.edu/), [Weizhu Chen](https://www.microsoft.com/en-us/research/people/wzchen/) ## 📜 Overview Low-Rank Adaptation (LoRA) is extensively utilized in text-to-image models for the accurate rendition of specific elements like distinct characters or unique styles in generated images. Our project presents two training-free methods: **LoRA Switch** and **LoRA Composite** for integrating any number of elements in an image through multi-LoRA composition. The figure below illustrates differences between the traditional LoRA Merge approach and our newly proposed techniques:

intro_case

## 🚀 Getting Started ### Setting Up the Environment To begin, set up your environment with the necessary packages: ```bash conda create --name multi-lora python=3.10 conda activate multi-lora pip install -r requirements.txt ``` ### Downloading Pre-trained LoRAs Our **ComposLoRA** testbed collects 22 pre-trained LoRAs, spanning characters, clothing, styles, backgrounds, and objects. Download `ComposLoRA.zip` from [this link](https://drive.google.com/file/d/1SuwRgV1LtEud8dfjftnw-zxBMgzSCwIT/view?usp=sharing), put it in the [models](./models) folder, and unzip it. ## 🖼️ Image Generation with Multi-LoRA Composition To compose multiple LoRAs using different methods during image generation, follow these steps: First, load the base model: ```python from diffusers import DiffusionPipeline pipeline = DiffusionPipeline.from_pretrained( 'SG161222/Realistic_Vision_V5.1_noVAE', custom_pipeline="MingZhong/StableDiffusionPipeline-with-LoRA-C", use_safetensors=True ).to("cuda") ``` This model from Hugging Face is selected for realistic-style image generation. Additionally, our custom pipeline integrates the LoRA composite method into the standard Stable Diffusion pipeline. Next, choose a character LoRA and a clothing LoRA from ComposLoRA for composition: ```python # Load LoRAs lora_path = 'models/lora/reality' pipeline.load_lora_weights(lora_path, weight_name="character_2.safetensors", adapter_name="character") pipeline.load_lora_weights(lora_path, weight_name="clothing_2.safetensors", adapter_name="clothing") # List of LoRAs to be composed cur_loras = ["character", "clothing"] ``` Select a composition method. "switch" and "composite" are our new proposals, offering alternatives to the traditional "merge" method: ```python from callbacks import make_callback method = 'switch' # Initialize based on the selected composition method if method == "merge": pipeline.set_adapters(cur_loras) switch_callback = None elif method == "switch": pipeline.set_adapters([cur_loras[0]]) switch_callback = make_callback(switch_step=args.switch_step, loras=cur_loras) else: pipeline.set_adapters(cur_loras) switch_callback = None ``` Finally, set your prompt and generate the image:. ```python # Set the prompts for image generation prompt = "RAW photo, subject, 8k uhd, dslr, high quality, Fujifilm XT3, half-length portrait from knees up, scarlett, short red hair, blue eyes, school uniform, white shirt, red tie, blue pleated microskirt" negative_prompt = "extra heads, nsfw, deformed iris, deformed pupils, semi-realistic, cgi, 3d, render, sketch, cartoon, drawing, anime, text, cropped, out of frame, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, dehydrated, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck" # Generate and save the image generator = torch.manual_seed(11) image = pipeline( prompt=prompt, negative_prompt=negative_prompt, height=1024, width=768, num_inference_steps=100, guidance_scale=7, generator=generator, cross_attention_kwargs={"scale": 0.8}, callback_on_step_end=switch_callback, lora_composite=True if method == "composite" else False ).images[0] image.save('example.png') ``` Refer to `example.py` for the full code, and adjust the following command to see results from different composition methods: ```bash python example.py --method switch ``` Images generated by each of the three methods are showcased below: | Merge | Switch | Composite | |-------|--------|-----------| |

merge_example

|

switch_example

|

composite_example

| ### Examples for LCM and LCM-LoRA Our methods can seamlessly integrate with both [LCM and LCM-LoRA](https://github.com/luosiallen/latent-consistency-model), significantly accelerating the image generation process by reducing the need for denoising steps to just 2-8. Below are example code and generated images: ```bash # LCM python lcm_example.py --method switch ``` | Merge | Switch | Composite | |-------|--------|-----------| |

merge_lcm_example

|

switch_lcm_example

|

composite_lcm_example

| ```bash # LCM-LoRA python lcm_lora_example.py --method composite ``` | Merge | Switch | Composite | |-------|--------|-----------| |

merge_lcm_lora_example

|

switch_lcm_lora_example

|

composite_lcm_lora_example

| ### Example for SDXL In addition to SD1.5-based backbones, our method can also be applied to SDXL. The following example demonstrates how to combine [Pikachu](https://huggingface.co/TheLastBen/Pikachu_SDXL) and [Vision Pro](https://huggingface.co/fofr/sdxl-vision-pro) in an image: ```bash python sdxl_example.py --method switch ``` | Merge | Switch | Composite | |-------|--------|-----------| |

merge_sdxl_example

|

switch_sdxl_example

|

composite_sdxl_example

| ## 🎨 Experiments on ComposLoRA **ComposLoRA** features 22 LoRAs and 480 different composition sets, allowing for the generation of images with any composition of 2-5 LoRAs, including at least one character LoRA. ### Image Generation To generate anime-style images incorporating 2 LoRAs using LoRA Composite method, use the following command: ```bash export CUDA_VISIBLE_DEVICES=0 python compose_lora.py \ --method composite \ --compos_num 2 \ --save_path output \ --lora_scale 0.8 \ --image_style anime \ --denoise_steps 200 \ --cfg_scale 10 \ ``` Adjust the parameters in `compos_reality.sh` and `compose_anime.sh` for different compositions. ### Comparative Evaluation with GPT-4V For comparative evaluation on composition efficacy and image quality, we use GPT-4V. Set your OpenAI API key first: ```bash export OPENAI_API_KEY='your_openai_api_key_here' ``` Then, compare the composite and merge methods with this command: ```bash python evaluate.py \ --base_method merge \ --comp_method composite \ --compos_num 2 \ --image_style anime \ --image_path output \ --save_path eval_result \ ``` Modify `eval.sh` for comparative evaluation under different conditions. Note the position bias of GPT-4V as mentioned in our paper, making it essential to input images in both orders and average the scores for a fair final assessment. ## Human Evaluation We also conduct human evaluations on 120 generated images to assess composition and image quality from a human perspective. These evaluations offer additional insights into the performance of our Multi-LoRA Composition methods and metrics. For detailed information on the evaluation process and results, please visit the [human_eval](./human_eval) folder. ## 📚 Citation If you find this work useful, please kindly cite our paper: ``` @article{zhong2024multi, title={Multi-LoRA Composition for Image Generation}, author={Zhong, Ming and Shen, Yelong and Wang, Shuohang and Lu, Yadong and Jiao, Yizhu and Ouyang, Siru and Yu, Donghan and Han, Jiawei and Chen, Weizhu}, journal={arXiv preprint arXiv:2402.16843}, year={2024} } ``` ================================================ FILE: analyze.py ================================================ import json from os.path import join image_style = "anime" compos_num = 2 method_1 = 'merge' method_2 = 'composite' def calculate_averages(evals): # Initialize sum and count dictionaries sum_scores = {'image 1': {'composition quality': 0, 'image quality': 0}, 'image 2': {'composition quality': 0, 'image quality': 0}} count = {'image 1': 0, 'image 2': 0} # Sum up scores and count entries for entry in evals: for image, image_scores in entry['scores'].items(): for dimension, value in image_scores.items(): sum_scores[image][dimension] += value count[image] += 1 # Calculate averages avg_scores = {} for image, image_scores in sum_scores.items(): avg_scores[image] = {dimension: value / (count[image] // 2) for dimension, value in image_scores.items()} return avg_scores def compare_methods(evals): comparison = {'composition quality': {'wins': 0, 'ties': 0, 'losses': 0}, 'image quality': {'wins': 0, 'ties': 0, 'losses': 0}} total_comparisons = 0 for entry in evals: total_comparisons += 1 for dimension in ['composition quality', 'image quality']: if entry['scores']['image 2'][dimension] > entry['scores']['image 1'][dimension]: comparison[dimension]['wins'] += 1 elif entry['scores']['image 2'][dimension] < entry['scores']['image 1'][dimension]: comparison[dimension]['losses'] += 1 else: comparison[dimension]['ties'] += 1 # Convert wins/losses/ties counts to win rates win_rates = {dim: {outcome: count / total_comparisons for outcome, count in outcomes.items()} for dim, outcomes in comparison.items()} return win_rates with open(join(f'eval_result/{image_style}_{compos_num}_elements_{method_1}_vs_{method_2}.json')) as f: eval_results = json.loads(f.read()) # Total numbers print(f'Total {len(eval_results)} evaluation pairs!') # Calculate averages average_scores = calculate_averages(eval_results) print("Average Scores:") for method, dimensions in average_scores.items(): if method == "image 1": print(f" {method_1}:") else: print(f" {method_2}:") for dimension, score in dimensions.items(): print(f" {dimension}: {score:.2f}") # Compare methods (Method 2 vs Method 1) method_comparison = compare_methods(eval_results) print(f"\nMethod Comparison ({method_2} vs {method_1}):") for dimension, outcomes in method_comparison.items(): print(f" {dimension.capitalize()}:") for outcome, rate in outcomes.items(): print(f" {outcome.capitalize()} Rate: {rate:.2f}") ================================================ FILE: anime_lora_info.json ================================================ { "character": [ { "id": "character_1", "name": "Kamado Nezuko", "trigger": [ "kamado nezuko", "black hair", "pink eyes", "forehead" ], "url": "https://civitai.com/models/20346/nezuko-demon-slayer-kimetsu-no-yaiba-lora?modelVersionId=24191" }, { "id": "character_2", "name": "Texas the Omertosa in Arknights", "trigger": [ "omertosa", "1girl", "wolf ears", "long hair" ], "url": "https://civitai.com/models/6779/arknights-texas-the-omertosa?modelVersionId=7974" }, { "id": "character_3", "name": "Son Goku", "trigger": [ "son goku", "spiked hair", "muscular male", "wristband" ], "url": "https://civitai.com/models/18279/son-goku-dragon-ball-all-series-lora?modelVersionId=21654" } ], "clothing": [ { "id": "clothing_1", "name": "Garreg Mach Monastery Uniform", "trigger": [ "gmuniform", "blue thighhighs", "long sleeves" ], "url": "https://civitai.com/models/151330/garreg-mach-monastery-uniform-fire-emblem-three-houses-lora-or-2-variants?modelVersionId=169217" }, { "id": "clothing_2", "name": "Zero Suit (Metroid)", "trigger": [ "zero suit", "blue gloves", "high heels" ], "url": "https://civitai.com/models/82304/zero-suit-metroid-outfit-lora?modelVersionId=87396" } ], "style": [ { "id": "style_1", "name": "Hand-drawn Style", "trigger": [ "lineart", "hand-drawn style" ], "url": "https://civitai.com/models/143532/handdrawn" }, { "id": "style_2", "name": "Shuimobysim (Chinese Ink Wash Style)", "trigger": [ "shuimobysim", "traditional chinese ink painting" ], "url": "https://civitai.com/models/12597?modelVersionId=14856" } ], "background": [ { "id": "background_1", "name": "Bamboolight Background", "trigger": [ "bamboolight", "outdoors", "bamboo" ], "url": "https://civitai.com/models/113381/lora-bamboolight-concept-with-dropout-and-noise-version?modelVersionId=122477" }, { "id": "background_2", "name": "Auroral Background", "trigger": [ "auroral", "starry sky", "outdoors" ], "url": "https://civitai.com/models/85026?modelVersionId=156828" } ], "object": [ { "id": "object_1", "name": "Huge Two-Handed Burger", "trigger": [ "two-handed burger", "holding a huge burger with both hands" ], "url": "https://civitai.com/models/27858/huge-two-handed-burger-lora?modelVersionId=34071" }, { "id": "object_2", "name": "Toast", "trigger": [ "toast", "toast in mouth" ], "url": "https://civitai.com/models/26945/toast-in-mouth-lora?modelVersionId=32252" } ] } ================================================ FILE: callbacks.py ================================================ import json def make_callback(switch_step, loras): def switch_callback(pipeline, step_index, timestep, callback_kwargs): callback_outputs = {} if step_index > 0 and step_index % switch_step == 0: for cur_lora_index, lora in enumerate(loras): if lora in pipeline.get_active_adapters(): next_lora_index = (cur_lora_index + 1) % len(loras) pipeline.set_adapters(loras[next_lora_index]) break return callback_outputs return switch_callback ================================================ FILE: compose_anime.sh ================================================ export CUDA_VISIBLE_DEVICES=0 python compose_lora.py \ --method composite \ --compos_num 2 \ --save_path output \ --lora_scale 0.8 \ --image_style anime \ --denoise_steps 200 \ --cfg_scale 10 \ ================================================ FILE: compose_lora.py ================================================ import os import torch import argparse from tqdm import tqdm from os.path import join, exists from diffusers import DiffusionPipeline, AutoencoderKL from diffusers import DPMSolverMultistepScheduler from utils import load_lora_info, generate_combinations from utils import get_prompt from callbacks import make_callback def main(args): # set path based on the image style args.save_path = args.save_path + "_" + args.image_style args.lora_path = join(args.lora_path, args.image_style) # load all the information of LoRAs lora_info = load_lora_info(args.image_style, args.lora_info_path) # set base model based on the image style if args.image_style == 'anime': model_name = 'gsdf/Counterfeit-V2.5' else: model_name = 'SG161222/Realistic_Vision_V5.1_noVAE' pipeline = DiffusionPipeline.from_pretrained( model_name, custom_pipeline="MingZhong/StableDiffusionPipeline-with-LoRA-C", # torch_dtype=torch.float16, use_safetensors=True ).to("cuda") # set vae if args.image_style == "reality": vae = AutoencoderKL.from_pretrained( "stabilityai/sd-vae-ft-mse", # torch_dtype=torch.float16 ).to("cuda") pipeline.vae = vae # set scheduler schedule_config = dict(pipeline.scheduler.config) schedule_config["algorithm_type"] = "dpmsolver++" pipeline.scheduler = DPMSolverMultistepScheduler.from_config(schedule_config) # initialize LoRAs for element in list(lora_info.keys()): for lora in lora_info[element]: pipeline.load_lora_weights( args.lora_path, weight_name=lora['id'] + '.safetensors', adapter_name=lora['id'] ) # generate all combinations that can be composed combinations = generate_combinations(lora_info, args.compos_num) # prompt initialization init_prompt, negative_prompt = get_prompt(args.image_style) # generate images for each combination based on LoRAs for combo in tqdm(combinations): cur_loras = [lora['id'] for lora in combo] # set prompt triggers = [trigger for lora in combo for trigger in lora['trigger']] prompt = init_prompt + ', ' + ', '.join(triggers) # set LoRAs if args.method == "switch": pipeline.set_adapters([cur_loras[0]]) switch_callback = make_callback(args.switch_step, cur_loras) elif args.method == "merge": pipeline.set_adapters(cur_loras) switch_callback = None else: pipeline.set_adapters(cur_loras) switch_callback = None # generate images image = pipeline( prompt=prompt, negative_prompt=negative_prompt, height=args.height, width=args.width, num_inference_steps=args.denoise_steps, guidance_scale=args.cfg_scale, generator=args.generator, cross_attention_kwargs={"scale": args.lora_scale}, callback_on_step_end=switch_callback, lora_composite=True if args.method == "composite" else False ).images[0] # save image save_path = join(args.save_path, f'{args.compos_num}_elements') if not exists(save_path): os.makedirs(save_path) file_name = args.method + '_' + '_'.join([lora['id'] for lora in combo]) + '.png' image.save(join(save_path, file_name)) if __name__ == "__main__": parser = argparse.ArgumentParser( description='Given LoRAs in the ComposLoRA benchmark, generate images with arbitrary combinations based on LoRAs' ) # Arguments for composing LoRAs parser.add_argument('--compos_num', default=2, help='number of elements to be combined in a single image', type=int) parser.add_argument('--method', default='switch', choices=['merge', 'switch', 'composite'], help='methods for combining LoRAs', type=str) parser.add_argument('--save_path', default='output', help='path to save the generated image', type=str) parser.add_argument('--lora_path', default='models/lora', help='path to store all LoRA models', type=str) parser.add_argument('--lora_info_path', default='lora_info.json', help='path to stroe all LoRA information', type=str) parser.add_argument('--lora_scale', default=0.8, help='scale of each LoRA when generating images', type=float) parser.add_argument('--switch_step', default=5, help='number of steps to switch LoRA during denoising, applicable only in the switch method', type=int) # Arguments for generating images parser.add_argument('--height', default=512, help='height of the generated images', type=int) parser.add_argument('--width', default=512, help='width of the generated images', type=int) parser.add_argument('--denoise_steps', default=200, help='number of the denoising steps', type=int) parser.add_argument('--cfg_scale', default=10, help='scale for classifier-free guidance', type=float) parser.add_argument('--seed', default=111, help='seed for generating images', type=int) parser.add_argument('--image_style', default='anime', choices=['anime', 'reality'], help='sytles of the generated images', type=str) args = parser.parse_args() args.generator = torch.manual_seed(args.seed) main(args) ================================================ FILE: compose_reality.sh ================================================ export CUDA_VISIBLE_DEVICES=0 python compose_lora.py \ --method switch \ --compos_num 2 \ --save_path output \ --lora_scale 0.8 \ --image_style reality \ --denoise_steps 100 \ --cfg_scale 7 \ --height 1024 \ --width 768 \ ================================================ FILE: docs/index.html ================================================ Multi-LoRA Composition for Image Generation

Multi-LoRA Composition for Image Generation

1University of Illinois Urbana-Champaign, 2Microsoft Corporation
This project explores new methods for text-to-image generation, with a focus on the integration of multiple Low-Rank Adaptations (LoRAs) to create highly customized and detailed images. We present LoRA Switch and LoRA Composite, approaches that aim to surpass traditional techniques in terms of accuracy and image quality, especially in complex compositions.

Project Features:
  • 🚀 Training-Free Methods
    • LoRA Switch and LoRA Composite enable dynamic and precise integration of multiple LoRAs without fine-tuning.
    • Unlike methods that merge LoRA weights, ours focuses on the decoding process, keeping all LoRA weights intact.
  • 📊 ComposLoRA Testbed
    • A new comprehensive platform, featuring 480 composition sets and 22 pre-trained LoRAs across six categories.
    • ComposLoRA is designed for the quantitative evaluation of LoRA-based composable image generation tasks.
  • 📝 GPT-4V-based Evaluator
    • We propose using GPT-4V as an evaluator to assess the efficacy of compositions and the quality of images.
    • This evaluator has demonstrated a better correlation with human judgments.
  • 🏆 Superior Performance
    • Both automated and human evaluations show that our approaches substantially outperform the prevalent LoRA Merge.
    • Our methods exhibit a more significant advantage when generating complex compositions.
  • 🕵️‍♂️ Detailed Analysis
    • We delve deeply into the scenarios where each method excels.
    • We explore the potential bias associated with using GPT-4V for evaluation.

Multi-LoRA composition techniques effectively blend different elements into a cohesive image. Unlike the conventional LoRA Merge approach, which can lead to detail loss and image distortion as more LoRAs are added, our methods retain the accuracy of each element and the overall image quality.

Methods of Multi-LoRA Composition

  • LoRA Merge:
    • Prevalent approach to integrating multiple elements in a unified way in an image.
    • It is realized by linearly combining multiple LoRAs to synthesize a unified LoRA, subsequently plugged into the text-to-image model.
    • LoAR Merge completely overlooks the interaction with the diffusion model during the generative process, resulting in the deformation of the hamburger and fingers in the Figure.
  • LoRA Switch (LoRA-S):
    • To explore activating a single LoRA in each denoising step, we propose LoRA Switch.
    • This method introduces a dynamic adaptation mechanism within diffusion models by sequentially activating individual LoRAs at designated intervals throughout the decoding process.
    • As illustrated in the Figure, each LoRA is represented by a unique color corresponding to a specific element, with only one LoRA engaged per denoising step.
  • LoRA Composite (LoRA-C):
    • To explore incorporating all LoRAs at each timestep without merging weight matrices, we propose LoRA Composite.
    • It involves calculating both unconditional and conditional score estimates for each LoRA individually at each step.
    • By aggregating these scores, the technique ensures balanced guidance throughout the image generation process, facilitating the cohesive integration of all elements represented by different LoRAs.

GPT-4V-based Evaluator

  • While existing metrics can calculate the alignment between text and images, they fall short in assessing the intricacies of specific elements within an image and the quality of their composition.
  • We employ a comparative evaluation method, utilizing GPT-4V to rate generated images across two dimensions: composition quality and image quality.

Experimental Results

  • Our proposed method consistently outperforms LoRA Merge across all configurations and in both dimensions, with the margin of superiority increasing as the number of LoRAs grows.
  • LoRA Switch shows superior performance in composition quality, whereas LoRA Composite excels in image quality.
  • The task of compositional image generation remains highly challenging, especially as the number of elements to be composed increases.

  • Human evaluations aligh with GPT-4V's findings.
  • GPT-4V-based evaluator we adopt shows substantially higher correlations with human judgments, affirming the validity of our evaluation framework.

Analysis

  • LoRA Switch is more adept at composing elements in realistic-style images.
  • LoRA Composite shows a stronger performance in anime-style imagery.

  • The efficiency of the LoRA Switch improves progressively with increased step size, reaching peak performance at 5.
  • The initial choice of LoRA in the activation sequence clearly influences overall performance, while alterations in the subsequent order have minimal impact.

  • GPT-4V exhibits significant positional bias in comparative evaluation.
  • This bias varies depending on the input position of the image and the dimension of the evaluation.

BibTeX

@article{zhong2024multi,
      title={Multi-LoRA Composition for Image Generation},
      author={Zhong, Ming and Shen, Yelong and Wang, Shuohang and Lu, Yadong and Jiao, Yizhu and Ouyang, Siru and Yu, Donghan and Han, Jiawei and Chen, Weizhu},
      journal={arXiv preprint arXiv:2402.16843},
      year={2024}
}
================================================ FILE: docs/static/css/bulma.css.map.txt ================================================ {"version":3,"sources":["../bulma.sass","../sass/utilities/_all.sass","../sass/utilities/animations.sass","bulma.css","../sass/utilities/mixins.sass","../sass/utilities/initial-variables.sass","../sass/utilities/controls.sass","../sass/base/_all.sass","../sass/base/minireset.sass","../sass/base/generic.sass","../sass/utilities/derived-variables.sass","../sass/elements/_all.sass","../sass/elements/box.sass","../sass/elements/button.sass","../sass/utilities/functions.sass","../sass/elements/container.sass","../sass/elements/content.sass","../sass/elements/icon.sass","../sass/elements/image.sass","../sass/elements/notification.sass","../sass/elements/progress.sass","../sass/elements/table.sass","../sass/elements/tag.sass","../sass/elements/title.sass","../sass/elements/other.sass","../sass/form/_all.sass","../sass/form/shared.sass","../sass/form/input-textarea.sass","../sass/form/checkbox-radio.sass","../sass/form/select.sass","../sass/form/file.sass","../sass/form/tools.sass","../sass/components/_all.sass","../sass/components/breadcrumb.sass","../sass/components/card.sass","../sass/components/dropdown.sass","../sass/components/level.sass","../sass/components/media.sass","../sass/components/menu.sass","../sass/components/message.sass","../sass/components/modal.sass","../sass/components/navbar.sass","../sass/components/pagination.sass","../sass/components/panel.sass","../sass/components/tabs.sass","../sass/grid/_all.sass","../sass/grid/columns.sass","../sass/grid/tiles.sass","../sass/helpers/_all.sass","../sass/helpers/color.sass","../sass/helpers/flexbox.sass","../sass/helpers/float.sass","../sass/helpers/other.sass","../sass/helpers/overflow.sass","../sass/helpers/position.sass","../sass/helpers/spacing.sass","../sass/helpers/typography.sass","../sass/helpers/visibility.sass","../sass/layout/_all.sass","../sass/layout/hero.sass","../sass/layout/section.sass","../sass/layout/footer.sass"],"names":[],"mappings":"AACA,6DAAA;ACDA,oBAAA;ACAA;EACE;IACE,uBAAuB;ECGzB;EDFA;IACE,yBAAyB;ECI3B;AACF;ADTA;EACE;IACE,uBAAuB;ECGzB;EDFA;IACE,yBAAyB;ECI3B;AACF;;AC0JA;;;;EANE,2BAA2B;EAC3B,yBAAyB;EACzB,sBAAsB;EACtB,qBAAqB;EACrB,iBAAiB;AD7InB;;ACkKA;EAfE,6BAD8B;EAE9B,kBAAkB;EAClB,eAAe;EACf,aAAa;EACb,YAAY;EACZ,cAAc;EACd,eAAe;EACf,qBAAqB;EACrB,oBAAoB;EACpB,kBAAkB;EAClB,QAAQ;EACR,yBAAyB;EACzB,wBAAwB;EACxB,cAAc;AD/IhB;;ACqJE;;EACE,qBC3IkB;AFNtB;;ACwNA;EAhEE,qBAAqB;EACrB,wBAAwB;EACxB,uCClM2B;EDmM3B,YAAY;EACZ,uBC/HuB;EDgIvB,eAAe;EACf,oBAAoB;EACpB,qBAAqB;EACrB,YAAY;EACZ,cAAc;EACd,YAAY;EACZ,YAAY;EACZ,gBAAgB;EAChB,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,aAAa;EACb,kBAAkB;EAClB,mBAAmB;EACnB,WAAW;ADpJb;;ACqJE;EAEE,uBCzM2B;ED0M3B,WAAW;EACX,cAAc;EACd,SAAS;EACT,kBAAkB;EAClB,QAAQ;EACR,0DAA0D;EAC1D,+BAA+B;ADnJnC;;ACoJE;EACE,WAAW;EACX,UAAU;ADjJd;;ACkJE;EACE,WAAW;EACX,UAAU;AD/Id;;ACgJE;EAEE,uCCtOyB;AFwF7B;;AC+IE;EACE,uCCxOyB;AF4F7B;;AC8IE;EACE,YAAY;EACZ,gBAAgB;EAChB,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,WAAW;AD3If;;AC4IE;EACE,YAAY;EACZ,gBAAgB;EAChB,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,WAAW;ADzIf;;AC0IE;EACE,YAAY;EACZ,gBAAgB;EAChB,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,WAAW;ADvIf;;ACwJA;EAXE,mDAA2C;UAA3C,2CAA2C;EAC3C,yBC7P4B;ED8P5B,uBCjMuB;EDkMvB,+BAA+B;EAC/B,6BAA6B;EAC7B,WAAW;EACX,cAAc;EACd,WAAW;EACX,kBAAkB;EAClB,UAAU;ADzIZ;;ACqJA;;;;;;;;;;;;;;;;;EANE,SADuB;EAEvB,OAFuB;EAGvB,kBAAkB;EAClB,QAJuB;EAKvB,MALuB;ADtHzB;;AGvHA;;;;;EA3BE,qBAAqB;EACrB,wBAAwB;EACxB,mBAAmB;EACnB,6BAA+C;EAC/C,kBDqDU;ECpDV,gBAAgB;EAChB,oBAAoB;EACpB,eDkBW;ECjBX,aAfoB;EAgBpB,2BAA2B;EAC3B,gBAhBuB;EAiBvB,iCAf+D;EAgB/D,gCAfkE;EAgBlE,iCAhBkE;EAiBlE,8BAlB+D;EAmB/D,kBAAkB;EAClB,mBAAmB;AH0JrB;;AGxJE;;;;;;;;;;;;;;;;;EAIE,aAAa;AHwKjB;;AGvKE;;;;;;;;;;;;;;;;EAEE,mBAAmB;AHwLvB;;AI7NA,eAAA;ACAA,0EAAA;AAEA;;;;;;;;;;;;;;;;;;;;;;;EAuBE,SAAS;EACT,UAAU;ALgOZ;;AK7NA;;;;;;EAME,eAAe;EACf,mBAAmB;ALgOrB;;AK7NA;EACE,gBAAgB;ALgOlB;;AK7NA;;;;EAIE,SAAS;ALgOX;;AK7NA;EACE,sBAAsB;ALgOxB;;AK9NA;EAII,mBAAmB;AL8NvB;;AK3NA;;EAEE,YAAY;EACZ,eAAe;AL8NjB;;AK3NA;EACE,SAAS;AL8NX;;AK3NA;EACE,yBAAyB;EACzB,iBAAiB;AL8NnB;;AK5NA;;EAEE,UAAU;AL+NZ;;AKjOA;;EAII,mBAAmB;ALkOvB;;AK9PA;EClBE,uBJjB6B;EIkB7B,eAhCc;EAiCd,kCAAkC;EAClC,mCAAmC;EACnC,gBAlCoB;EAmCpB,kBAhCsB;EAiCtB,kBAhCsB;EAiCtB,kCApCiC;EAqCjC,8BAAsB;KAAtB,2BAAsB;MAAtB,0BAAsB;UAAtB,sBAAsB;ANoRxB;;AMlRA;;;;;;;EAOE,cAAc;ANqRhB;;AMnRA;;;;;;EAME,oLJ7ByL;AFmT3L;;AMpRA;;EAEE,6BAA6B;EAC7B,4BAA4B;EAC5B,sBJlC0B;AFyT5B;;AMrRA;EACE,cJ3D4B;EI4D5B,cA1DkB;EA2DlB,gBJ3BiB;EI4BjB,gBA1DoB;ANkVtB;;AMpRA;EACE,cJpDgC;EIqDhC,eAAe;EACf,qBAAqB;ANuRvB;;AM1RA;EAKI,mBAAmB;ANyRvB;;AM9RA;EAOI,cJ1E0B;AFqW9B;;AMzRA;EACE,4BJtE4B;EIuE5B,cCpBsB;EDqBtB,kBArEiB;EAsEjB,mBAvEkB;EAwElB,4BAzEgC;ANqWlC;;AM1RA;EACE,4BJ7E4B;EI8E5B,YAAY;EACZ,cAAc;EACd,WAxEa;EAyEb,gBAxEkB;ANqWpB;;AM3RA;EACE,YAAY;EACZ,eAAe;AN8RjB;;AM5RA;;EAEE,wBAAwB;AN+R1B;;AM7RA;EACE,kBAvFuB;ANuXzB;;AM9RA;EACE,mBAAmB;EACnB,oBAAoB;ANiStB;;AM/RA;EACE,cJ1G4B;EI2G5B,gBJrEe;AFuWjB;;AM9RA;EACE,YAAY;ANiSd;;AM/RA;EL1DE,iCAAiC;EK4DjC,4BJ7G4B;EI8G5B,cJpH4B;EIqH5B,kBAjGqB;EAkGrB,gBAAgB;EAChB,uBAlG0B;EAmG1B,gBAAgB;EAChB,iBAAiB;ANkSnB;;AM1SA;EAUI,6BAA6B;EAC7B,mBAAmB;EACnB,cAvGoB;EAwGpB,UAAU;ANoSd;;AMlSA;;EAGI,mBAAmB;ANoSvB;;AMvSA;;EAKM,mBAAmB;ANuSzB;;AM5SA;EAOI,cJxI0B;AFib9B;;AQvbA,mBAAA;ACSA;EAEE,uBPI6B;EOH7B,kBP0DgB;EOzDhB,0FPX2B;EOY3B,cPP4B;EOQ5B,cAAc;EACd,gBAZmB;AT6brB;;AS/aA;EAGI,yEPC8B;AF+alC;;ASnbA;EAKI,oEPD8B;AFmblC;;AUzZA;EAGE,uBRpC6B;EQqC7B,qBR1C4B;EQ2C5B,iBPlDwB;EOmDxB,cRhD4B;EQiD5B,eAAe;EAGf,uBAAuB;EACvB,iCApD6D;EAqD7D,iBApD6B;EAqD7B,kBArD6B;EAsD7B,8BAvD6D;EAwD7D,kBAAkB;EAClB,mBAAmB;AVwZrB;;AUxaA;EAkBI,cAAc;AV0ZlB;;AU5aA;EAwBM,aAAa;EACb,YAAY;AVwZlB;;AUjbA;ETgGI,+BSrEwG;ETqExG,oBSpEgE;AV0ZpE;;AUtbA;ETgGI,mBSlEgE;ETkEhE,gCSjEwG;AV4Z5G;;AU3bA;EAiCM,+BAAmF;EACnF,gCAAoF;AV8Z1F;;AUhcA;EAsCI,qBR7E0B;EQ8E1B,cRjF0B;AF+e9B;;AUrcA;EA0CI,qBRpE8B;EQqE9B,cRrF0B;AFof9B;;AU1cA;EA6CM,kDRvE4B;AFwelC;;AU9cA;EAgDI,qBRzF0B;EQ0F1B,cR3F0B;AF6f9B;;AUndA;EAoDI,6BAA6B;EAC7B,yBAAyB;EACzB,cR/F0B;EQgG1B,0BAjF8B;AVoflC;;AU1dA;EA4DM,4BR/FwB;EQgGxB,cRvGwB;AFygB9B;;AU/dA;EAgEM,yBCH2B;EDI3B,cR3GwB;AF8gB9B;;AUpeA;;EAoEM,6BAA6B;EAC7B,yBAAyB;EACzB,gBAAgB;AVqatB;;AU3eA;EA2EM,uBR5GyB;EQ6GzB,yBAAyB;EACzB,cR3HuB;AF+hB7B;;AUjfA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,cRhIqB;AFqiB7B;;AUvfA;EAqFQ,yBAAyB;EACzB,cRpIqB;AF0iB7B;;AU5fA;EAwFU,mDRzHqB;AFiiB/B;;AUhgBA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,cR3IqB;AFojB7B;;AUtgBA;;EAgGQ,uBRjIuB;EQkIvB,yBAAyB;EACzB,gBAAgB;AV2axB;;AU7gBA;EAoGQ,yBRlJqB;EQmJrB,YRtIuB;AFmjB/B;;AUlhBA;EAwGU,uBC3CuB;AXydjC;;AUthBA;;EA2GU,yBRzJmB;EQ0JnB,yBAAyB;EACzB,gBAAgB;EAChB,YR/IqB;AF+jB/B;;AU9hBA;EAiHU,gEAA4E;AVibtF;;AUliBA;EAmHQ,6BAA6B;EAC7B,mBRrJuB;EQsJvB,YRtJuB;AFykB/B;;AUxiBA;EA0HU,uBR3JqB;EQ4JrB,mBR5JqB;EQ6JrB,cR1KmB;AF4lB7B;;AU9iBA;EA+HY,4DAA8D;AVmb1E;;AUljBA;EAqIc,gEAA4E;AVib1F;;AUtjBA;;EAwIU,6BAA6B;EAC7B,mBR1KqB;EQ2KrB,gBAAgB;EAChB,YR5KqB;AF+lB/B;;AU9jBA;EA6IQ,6BAA6B;EAC7B,qBR5LqB;EQ6LrB,cR7LqB;AFknB7B;;AUpkBA;EAoJU,yBRlMmB;EQmMnB,YRtLqB;AF0mB/B;;AUzkBA;EA4Jc,4DAA8D;AVib5E;;AU7kBA;;EA+JU,6BAA6B;EAC7B,qBR9MmB;EQ+MnB,gBAAgB;EAChB,cRhNmB;AFmoB7B;;AUrlBA;EA2EM,yBRzHuB;EQ0HvB,yBAAyB;EACzB,YR9GyB;AF4nB/B;;AU3lBA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,YRnHuB;AFkoB/B;;AUjmBA;EAqFQ,yBAAyB;EACzB,YRvHuB;AFuoB/B;;AUtmBA;EAwFU,gDRtImB;AFwpB7B;;AU1mBA;EA2FQ,uBC9ByB;ED+BzB,yBAAyB;EACzB,YR9HuB;AFipB/B;;AUhnBA;;EAgGQ,yBR9IqB;EQ+IrB,yBAAyB;EACzB,gBAAgB;AVqhBxB;;AUvnBA;EAoGQ,uBRrIuB;EQsIvB,cRnJqB;AF0qB7B;;AU5nBA;EAwGU,yBC3CuB;AXmkBjC;;AUhoBA;;EA2GU,uBR5IqB;EQ6IrB,yBAAyB;EACzB,gBAAgB;EAChB,cR5JmB;AFsrB7B;;AUxoBA;EAiHU,4DAA4E;AV2hBtF;;AU5oBA;EAmHQ,6BAA6B;EAC7B,qBRlKqB;EQmKrB,cRnKqB;AFgsB7B;;AUlpBA;EA0HU,yBRxKmB;EQyKnB,qBRzKmB;EQ0KnB,YR7JqB;AFyrB/B;;AUxpBA;EA+HY,gEAA8D;AV6hB1E;;AU5pBA;EAqIc,4DAA4E;AV2hB1F;;AUhqBA;;EAwIU,6BAA6B;EAC7B,qBRvLmB;EQwLnB,gBAAgB;EAChB,cRzLmB;AFstB7B;;AUxqBA;EA6IQ,6BAA6B;EAC7B,mBR/KuB;EQgLvB,YRhLuB;AF+sB/B;;AU9qBA;EAoJU,uBRrLqB;EQsLrB,cRnMmB;AFiuB7B;;AUnrBA;EA4Jc,gEAA8D;AV2hB5E;;AUvrBA;;EA+JU,6BAA6B;EAC7B,mBRjMqB;EQkMrB,gBAAgB;EAChB,YRnMqB;AFguB/B;;AU/rBA;EA2EM,4BR9GwB;EQ+GxB,yBAAyB;EACzB,yBC7Ce;AXqqBrB;;AUrsBA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,yBClDa;AX2qBrB;;AU3sBA;EAqFQ,yBAAyB;EACzB,yBCtDa;AXgrBrB;;AUhtBA;EAwFU,mDR3HoB;AFuvB9B;;AUptBA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,yBC7Da;AX0rBrB;;AU1tBA;;EAgGQ,4BRnIsB;EQoItB,yBAAyB;EACzB,gBAAgB;AV+nBxB;;AUjuBA;EAoGQ,oCCpEa;EDqEb,iBRxIsB;AFywB9B;;AUtuBA;EAwGU,oCC3CuB;AX6qBjC;;AU1uBA;;EA2GU,oCC3EW;ED4EX,yBAAyB;EACzB,gBAAgB;EAChB,iBRjJoB;AFqxB9B;;AUlvBA;EAiHU,sFAA4E;AVqoBtF;;AUtvBA;EAmHQ,6BAA6B;EAC7B,wBRvJsB;EQwJtB,iBRxJsB;AF+xB9B;;AU5vBA;EA0HU,4BR7JoB;EQ8JpB,wBR9JoB;EQ+JpB,yBC5FW;AXkuBrB;;AUlwBA;EA+HY,sEAA8D;AVuoB1E;;AUtwBA;EAqIc,sFAA4E;AVqoB1F;;AU1wBA;;EAwIU,6BAA6B;EAC7B,wBR5KoB;EQ6KpB,gBAAgB;EAChB,iBR9KoB;AFqzB9B;;AUlxBA;EA6IQ,6BAA6B;EAC7B,gCC9Ga;ED+Gb,yBC/Ga;AXwvBrB;;AUxxBA;EAoJU,oCCpHW;EDqHX,iBRxLoB;AFg0B9B;;AU7xBA;EA4Jc,sEAA8D;AVqoB5E;;AUjyBA;;EA+JU,6BAA6B;EAC7B,gCChIW;EDiIX,gBAAgB;EAChB,yBClIW;AXywBrB;;AUzyBA;EA2EM,yBRrHwB;EQsHxB,yBAAyB;EACzB,WC3CU;AX6wBhB;;AU/yBA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,WChDQ;AXmxBhB;;AUrzBA;EAqFQ,yBAAyB;EACzB,WCpDQ;AXwxBhB;;AU1zBA;EAwFU,gDRlIoB;AFw2B9B;;AU9zBA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,WC3DQ;AXkyBhB;;AUp0BA;;EAgGQ,yBR1IsB;EQ2ItB,yBAAyB;EACzB,gBAAgB;AVyuBxB;;AU30BA;EAoGQ,sBClEQ;EDmER,cR/IsB;AF03B9B;;AUh1BA;EAwGU,yBC3CuB;AXuxBjC;;AUp1BA;;EA2GU,sBCzEM;ED0EN,yBAAyB;EACzB,gBAAgB;EAChB,cRxJoB;AFs4B9B;;AU51BA;EAiHU,0DAA4E;AV+uBtF;;AUh2BA;EAmHQ,6BAA6B;EAC7B,qBR9JsB;EQ+JtB,cR/JsB;AFg5B9B;;AUt2BA;EA0HU,yBRpKoB;EQqKpB,qBRrKoB;EQsKpB,WC1FM;AX00BhB;;AU52BA;EA+HY,gEAA8D;AVivB1E;;AUh3BA;EAqIc,0DAA4E;AV+uB1F;;AUp3BA;;EAwIU,6BAA6B;EAC7B,qBRnLoB;EQoLpB,gBAAgB;EAChB,cRrLoB;AFs6B9B;;AU53BA;EA6IQ,6BAA6B;EAC7B,kBC5GQ;ED6GR,WC7GQ;AXg2BhB;;AUl4BA;EAoJU,sBClHM;EDmHN,cR/LoB;AFi7B9B;;AUv4BA;EA4Jc,gEAA8D;AV+uB5E;;AU34BA;;EA+JU,6BAA6B;EAC7B,kBC9HM;ED+HN,gBAAgB;EAChB,WChIM;AXi3BhB;;AUn5BA;EA2EM,yBRvG4B;EQwG5B,yBAAyB;EACzB,WC3CU;AXu3BhB;;AUz5BA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,WChDQ;AX63BhB;;AU/5BA;EAqFQ,yBAAyB;EACzB,WCpDQ;AXk4BhB;;AUp6BA;EAwFU,iDRpHwB;AFo8BlC;;AUx6BA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,WC3DQ;AX44BhB;;AU96BA;;EAgGQ,yBR5H0B;EQ6H1B,yBAAyB;EACzB,gBAAgB;AVm1BxB;;AUr7BA;EAoGQ,sBClEQ;EDmER,cRjI0B;AFs9BlC;;AU17BA;EAwGU,yBC3CuB;AXi4BjC;;AU97BA;;EA2GU,sBCzEM;ED0EN,yBAAyB;EACzB,gBAAgB;EAChB,cR1IwB;AFk+BlC;;AUt8BA;EAiHU,0DAA4E;AVy1BtF;;AU18BA;EAmHQ,6BAA6B;EAC7B,qBRhJ0B;EQiJ1B,cRjJ0B;AF4+BlC;;AUh9BA;EA0HU,yBRtJwB;EQuJxB,qBRvJwB;EQwJxB,WC1FM;AXo7BhB;;AUt9BA;EA+HY,gEAA8D;AV21B1E;;AU19BA;EAqIc,0DAA4E;AVy1B1F;;AU99BA;;EAwIU,6BAA6B;EAC7B,qBRrKwB;EQsKxB,gBAAgB;EAChB,cRvKwB;AFkgClC;;AUt+BA;EA6IQ,6BAA6B;EAC7B,kBC5GQ;ED6GR,WC7GQ;AX08BhB;;AU5+BA;EAoJU,sBClHM;EDmHN,cRjLwB;AF6gClC;;AUj/BA;EA4Jc,gEAA8D;AVy1B5E;;AUr/BA;;EA+JU,6BAA6B;EAC7B,kBC9HM;ED+HN,gBAAgB;EAChB,WChIM;AX29BhB;;AU7/BA;EAwKU,yBC/HsC;EDgItC,cCvH2D;AXg9BrE;;AUlgCA;EA4KY,yBC/GqB;EDgHrB,yBAAyB;EACzB,cC5HyD;AXs9BrE;;AUxgCA;EAiLY,yBCpHqB;EDqHrB,yBAAyB;EACzB,cCjIyD;AX49BrE;;AU9gCA;EA2EM,yBRrG4B;EQsG5B,yBAAyB;EACzB,WC3CU;AXk/BhB;;AUphCA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,WChDQ;AXw/BhB;;AU1hCA;EAqFQ,yBAAyB;EACzB,WCpDQ;AX6/BhB;;AU/hCA;EAwFU,kDRlHwB;AF6jClC;;AUniCA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,WC3DQ;AXugChB;;AUziCA;;EAgGQ,yBR1H0B;EQ2H1B,yBAAyB;EACzB,gBAAgB;AV88BxB;;AUhjCA;EAoGQ,sBClEQ;EDmER,cR/H0B;AF+kClC;;AUrjCA;EAwGU,yBC3CuB;AX4/BjC;;AUzjCA;;EA2GU,sBCzEM;ED0EN,yBAAyB;EACzB,gBAAgB;EAChB,cRxIwB;AF2lClC;;AUjkCA;EAiHU,0DAA4E;AVo9BtF;;AUrkCA;EAmHQ,6BAA6B;EAC7B,qBR9I0B;EQ+I1B,cR/I0B;AFqmClC;;AU3kCA;EA0HU,yBRpJwB;EQqJxB,qBRrJwB;EQsJxB,WC1FM;AX+iChB;;AUjlCA;EA+HY,gEAA8D;AVs9B1E;;AUrlCA;EAqIc,0DAA4E;AVo9B1F;;AUzlCA;;EAwIU,6BAA6B;EAC7B,qBRnKwB;EQoKxB,gBAAgB;EAChB,cRrKwB;AF2nClC;;AUjmCA;EA6IQ,6BAA6B;EAC7B,kBC5GQ;ED6GR,WC7GQ;AXqkChB;;AUvmCA;EAoJU,sBClHM;EDmHN,cR/KwB;AFsoClC;;AU5mCA;EA4Jc,gEAA8D;AVo9B5E;;AUhnCA;;EA+JU,6BAA6B;EAC7B,kBC9HM;ED+HN,gBAAgB;EAChB,WChIM;AXslChB;;AUxnCA;EAwKU,yBC/HsC;EDgItC,cCvH2D;AX2kCrE;;AU7nCA;EA4KY,yBC/GqB;EDgHrB,yBAAyB;EACzB,cC5HyD;AXilCrE;;AUnoCA;EAiLY,yBCpHqB;EDqHrB,yBAAyB;EACzB,cCjIyD;AXulCrE;;AUzoCA;EA2EM,yBRtG4B;EQuG5B,yBAAyB;EACzB,WC3CU;AX6mChB;;AU/oCA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,WChDQ;AXmnChB;;AUrpCA;EAqFQ,yBAAyB;EACzB,WCpDQ;AXwnChB;;AU1pCA;EAwFU,kDRnHwB;AFyrClC;;AU9pCA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,WC3DQ;AXkoChB;;AUpqCA;;EAgGQ,yBR3H0B;EQ4H1B,yBAAyB;EACzB,gBAAgB;AVykCxB;;AU3qCA;EAoGQ,sBClEQ;EDmER,cRhI0B;AF2sClC;;AUhrCA;EAwGU,yBC3CuB;AXunCjC;;AUprCA;;EA2GU,sBCzEM;ED0EN,yBAAyB;EACzB,gBAAgB;EAChB,cRzIwB;AFutClC;;AU5rCA;EAiHU,0DAA4E;AV+kCtF;;AUhsCA;EAmHQ,6BAA6B;EAC7B,qBR/I0B;EQgJ1B,cRhJ0B;AFiuClC;;AUtsCA;EA0HU,yBRrJwB;EQsJxB,qBRtJwB;EQuJxB,WC1FM;AX0qChB;;AU5sCA;EA+HY,gEAA8D;AVilC1E;;AUhtCA;EAqIc,0DAA4E;AV+kC1F;;AUptCA;;EAwIU,6BAA6B;EAC7B,qBRpKwB;EQqKxB,gBAAgB;EAChB,cRtKwB;AFuvClC;;AU5tCA;EA6IQ,6BAA6B;EAC7B,kBC5GQ;ED6GR,WC7GQ;AXgsChB;;AUluCA;EAoJU,sBClHM;EDmHN,cRhLwB;AFkwClC;;AUvuCA;EA4Jc,gEAA8D;AV+kC5E;;AU3uCA;;EA+JU,6BAA6B;EAC7B,kBC9HM;ED+HN,gBAAgB;EAChB,WChIM;AXitChB;;AUnvCA;EAwKU,yBC/HsC;EDgItC,cCvH2D;AXssCrE;;AUxvCA;EA4KY,yBC/GqB;EDgHrB,yBAAyB;EACzB,cC5HyD;AX4sCrE;;AU9vCA;EAiLY,yBCpHqB;EDqHrB,yBAAyB;EACzB,cCjIyD;AXktCrE;;AUpwCA;EA2EM,yBRxG4B;EQyG5B,yBAAyB;EACzB,WC3CU;AXwuChB;;AU1wCA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,WChDQ;AX8uChB;;AUhxCA;EAqFQ,yBAAyB;EACzB,WCpDQ;AXmvChB;;AUrxCA;EAwFU,kDRrHwB;AFszClC;;AUzxCA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,WC3DQ;AX6vChB;;AU/xCA;;EAgGQ,yBR7H0B;EQ8H1B,yBAAyB;EACzB,gBAAgB;AVosCxB;;AUtyCA;EAoGQ,sBClEQ;EDmER,cRlI0B;AFw0ClC;;AU3yCA;EAwGU,yBC3CuB;AXkvCjC;;AU/yCA;;EA2GU,sBCzEM;ED0EN,yBAAyB;EACzB,gBAAgB;EAChB,cR3IwB;AFo1ClC;;AUvzCA;EAiHU,0DAA4E;AV0sCtF;;AU3zCA;EAmHQ,6BAA6B;EAC7B,qBRjJ0B;EQkJ1B,cRlJ0B;AF81ClC;;AUj0CA;EA0HU,yBRvJwB;EQwJxB,qBRxJwB;EQyJxB,WC1FM;AXqyChB;;AUv0CA;EA+HY,gEAA8D;AV4sC1E;;AU30CA;EAqIc,0DAA4E;AV0sC1F;;AU/0CA;;EAwIU,6BAA6B;EAC7B,qBRtKwB;EQuKxB,gBAAgB;EAChB,cRxKwB;AFo3ClC;;AUv1CA;EA6IQ,6BAA6B;EAC7B,kBC5GQ;ED6GR,WC7GQ;AX2zChB;;AU71CA;EAoJU,sBClHM;EDmHN,cRlLwB;AF+3ClC;;AUl2CA;EA4Jc,gEAA8D;AV0sC5E;;AUt2CA;;EA+JU,6BAA6B;EAC7B,kBC9HM;ED+HN,gBAAgB;EAChB,WChIM;AX40ChB;;AU92CA;EAwKU,yBC/HsC;EDgItC,cCvH2D;AXi0CrE;;AUn3CA;EA4KY,yBC/GqB;EDgHrB,yBAAyB;EACzB,cC5HyD;AXu0CrE;;AUz3CA;EAiLY,yBCpHqB;EDqHrB,yBAAyB;EACzB,cCjIyD;AX60CrE;;AU/3CA;EA2EM,yBRzG4B;EQ0G5B,yBAAyB;EACzB,yBC7Ce;AXq2CrB;;AUr4CA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,yBClDa;AX22CrB;;AU34CA;EAqFQ,yBAAyB;EACzB,yBCtDa;AXg3CrB;;AUh5CA;EAwFU,kDRtHwB;AFk7ClC;;AUp5CA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,yBC7Da;AX03CrB;;AU15CA;;EAgGQ,yBR9H0B;EQ+H1B,yBAAyB;EACzB,gBAAgB;AV+zCxB;;AUj6CA;EAoGQ,oCCpEa;EDqEb,cRnI0B;AFo8ClC;;AUt6CA;EAwGU,oCC3CuB;AX62CjC;;AU16CA;;EA2GU,oCC3EW;ED4EX,yBAAyB;EACzB,gBAAgB;EAChB,cR5IwB;AFg9ClC;;AUl7CA;EAiHU,sFAA4E;AVq0CtF;;AUt7CA;EAmHQ,6BAA6B;EAC7B,qBRlJ0B;EQmJ1B,cRnJ0B;AF09ClC;;AU57CA;EA0HU,yBRxJwB;EQyJxB,qBRzJwB;EQ0JxB,yBC5FW;AXk6CrB;;AUl8CA;EA+HY,gEAA8D;AVu0C1E;;AUt8CA;EAqIc,sFAA4E;AVq0C1F;;AU18CA;;EAwIU,6BAA6B;EAC7B,qBRvKwB;EQwKxB,gBAAgB;EAChB,cRzKwB;AFg/ClC;;AUl9CA;EA6IQ,6BAA6B;EAC7B,gCC9Ga;ED+Gb,yBC/Ga;AXw7CrB;;AUx9CA;EAoJU,oCCpHW;EDqHX,cRnLwB;AF2/ClC;;AU79CA;EA4Jc,gEAA8D;AVq0C5E;;AUj+CA;;EA+JU,6BAA6B;EAC7B,gCChIW;EDiIX,gBAAgB;EAChB,yBClIW;AXy8CrB;;AUz+CA;EAwKU,yBC/HsC;EDgItC,cCvH2D;AX47CrE;;AU9+CA;EA4KY,yBC/GqB;EDgHrB,yBAAyB;EACzB,cC5HyD;AXk8CrE;;AUp/CA;EAiLY,yBCpHqB;EDqHrB,yBAAyB;EACzB,cCjIyD;AXw8CrE;;AU1/CA;EA2EM,yBRnG2B;EQoG3B,yBAAyB;EACzB,WC3CU;AX89ChB;;AUhgDA;EAgFQ,yBCnByB;EDoBzB,yBAAyB;EACzB,WChDQ;AXo+ChB;;AUtgDA;EAqFQ,yBAAyB;EACzB,WCpDQ;AXy+ChB;;AU3gDA;EAwFU,kDRhHuB;AFuiDjC;;AU/gDA;EA2FQ,yBC9ByB;ED+BzB,yBAAyB;EACzB,WC3DQ;AXm/ChB;;AUrhDA;;EAgGQ,yBRxHyB;EQyHzB,yBAAyB;EACzB,gBAAgB;AV07CxB;;AU5hDA;EAoGQ,sBClEQ;EDmER,cR7HyB;AFyjDjC;;AUjiDA;EAwGU,yBC3CuB;AXw+CjC;;AUriDA;;EA2GU,sBCzEM;ED0EN,yBAAyB;EACzB,gBAAgB;EAChB,cRtIuB;AFqkDjC;;AU7iDA;EAiHU,0DAA4E;AVg8CtF;;AUjjDA;EAmHQ,6BAA6B;EAC7B,qBR5IyB;EQ6IzB,cR7IyB;AF+kDjC;;AUvjDA;EA0HU,yBRlJuB;EQmJvB,qBRnJuB;EQoJvB,WC1FM;AX2hDhB;;AU7jDA;EA+HY,gEAA8D;AVk8C1E;;AUjkDA;EAqIc,0DAA4E;AVg8C1F;;AUrkDA;;EAwIU,6BAA6B;EAC7B,qBRjKuB;EQkKvB,gBAAgB;EAChB,cRnKuB;AFqmDjC;;AU7kDA;EA6IQ,6BAA6B;EAC7B,kBC5GQ;ED6GR,WC7GQ;AXijDhB;;AUnlDA;EAoJU,sBClHM;EDmHN,cR7KuB;AFgnDjC;;AUxlDA;EA4Jc,gEAA8D;AVg8C5E;;AU5lDA;;EA+JU,6BAA6B;EAC7B,kBC9HM;ED+HN,gBAAgB;EAChB,WChIM;AXkkDhB;;AUpmDA;EAwKU,yBC/HsC;EDgItC,cCvH2D;AXujDrE;;AUzmDA;EA4KY,yBC/GqB;EDgHrB,yBAAyB;EACzB,cC5HyD;AX6jDrE;;AU/mDA;EAiLY,yBCpHqB;EDqHrB,yBAAyB;EACzB,cCjIyD;AXmkDrE;;AUrnDA;EATE,kBR6BgB;EQ5BhB,kBRFc;AFooDhB;;AU1nDA;EANE,eRLW;AFyoDb;;AU9nDA;EAJE,kBRRc;AF8oDhB;;AUloDA;EAFE,iBRXa;AFmpDf;;AUtoDA;;EAgMI,uBRjO2B;EQkO3B,qBRvO0B;EQwO1B,gBAtNyB;EAuNzB,YAtNyB;AViqD7B;;AU9oDA;EAqMI,aAAa;EACb,WAAW;AV68Cf;;AUnpDA;EAwMI,6BAA6B;EAC7B,oBAAoB;AV+8CxB;;AUxpDA;ETvCE,kBAAkB;EAKhB,2BAAiC;EACjC,0BAAgC;ES8O9B,6BAA6B;AVk9CnC;;AU/pDA;EA+MI,4BRlP0B;EQmP1B,qBRtP0B;EQuP1B,cRzP0B;EQ0P1B,gBAAgB;EAChB,oBAAoB;AVo9CxB;;AUvqDA;EAqNI,uBR9LqB;EQ+LrB,gCAA0D;EAC1D,iCAA2D;AVs9C/D;;AUp9CA;EACE,mBAAmB;EACnB,aAAa;EACb,eAAe;EACf,2BAA2B;AVu9C7B;;AU39CA;EAMI,qBAAqB;AVy9CzB;;AU/9CA;ETzHI,oBSiIwC;AV29C5C;;AUn+CA;EAUI,sBAAsB;AV69C1B;;AUv+CA;EAYI,mBAAmB;AV+9CvB;;AU3+CA;EAlOE,kBR6BgB;EQ5BhB,kBRFc;AFmtDhB;;AUh/CA;EA7NE,kBRRc;AFytDhB;;AUp/CA;EA3NE,iBRXa;AF8tDf;;AUx/CA;EA0BQ,4BAA4B;EAC5B,yBAAyB;AVk+CjC;;AU7/CA;EA6BQ,6BAA6B;EAC7B,0BAA0B;ETvJ9B,kBSwJwC;AVo+C5C;;AUngDA;ETzHI,eS0JqC;AVs+CzC;;AUvgDA;EAoCQ,UAAU;AVu+ClB;;AU3gDA;EA0CQ,UAAU;AVq+ClB;;AU/gDA;EA4CU,UAAU;AVu+CpB;;AUnhDA;EA8CQ,YAAY;EACZ,cAAc;AVy+CtB;;AUxhDA;EAiDI,uBAAuB;AV2+C3B;;AU5hDA;EAoDQ,oBAAoB;EACpB,qBAAqB;AV4+C7B;;AUjiDA;EAuDI,yBAAyB;AV8+C7B;;AUriDA;EA0DQ,oBAAoB;EACpB,qBAAqB;AV++C7B;;AYhzDA;EACE,YAAY;EACZ,cAAc;EACd,kBAAkB;EAClB,WAAW;AZmzDb;;AYvzDA;EAMI,0BAA0B;EAC1B,kBV2CM;EU1CN,mBV0CM;EUzCN,WAAW;AZqzDf;;AChuDE;EW9FF;IAWI,gBAAuC;EZwzDzC;AACF;;AC5tDI;EWxGJ;IAcM,iBAAqE;EZ2zDzE;AACF;;ACntDI;EWvHJ;IAiBM,iBAAiE;EZ8zDrE;AACF;;ACnuDI;EW7GJ;IAoBM,iBAAqE;EZi0DzE;AACF;;AC1tDI;EW5HJ;IAuBM,iBAAiE;EZo0DrE;AACF;;Aa50DA;EAII,kBAAkB;Ab40DtB;;Aah1DA;;;;;;;EAcM,kBAAkB;Ab40DxB;;Aa11DA;;;;;;EAqBI,cXlC0B;EWmC1B,gBXEiB;EWDjB,kBAxC+B;Abs3DnC;;Aar2DA;EAyBI,cAAc;EACd,oBAAoB;Abg1DxB;;Aa12DA;EA4BM,eAAe;Abk1DrB;;Aa92DA;EA8BI,iBAAiB;EACjB,uBAAuB;Abo1D3B;;Aan3DA;EAiCM,oBAAoB;Abs1D1B;;Aav3DA;EAmCI,gBAAgB;EAChB,uBAAuB;Abw1D3B;;Aa53DA;EAsCM,oBAAoB;Ab01D1B;;Aah4DA;EAwCI,iBAAiB;EACjB,oBAAoB;Ab41DxB;;Aar4DA;EA2CI,kBAAkB;EAClB,uBAAuB;Ab81D3B;;Aa14DA;EA8CI,cAAc;EACd,kBAAkB;Abg2DtB;;Aa/4DA;EAiDI,4BXvD0B;EDmI1B,8BCtI0B;EW4D1B,qBAhEqC;Abk6DzC;;Aar5DA;EAqDI,4BAA4B;EZwE5B,gBYvEmC;EACnC,eAAe;Abo2DnB;;Aa35DA;EAyDM,wBAAwB;Abs2D9B;;Aa/5DA;EA2DQ,4BAA4B;Abw2DpC;;Aan6DA;EA6DQ,4BAA4B;Ab02DpC;;Aav6DA;EA+DQ,4BAA4B;Ab42DpC;;Aa36DA;EAiEQ,4BAA4B;Ab82DpC;;Aa/6DA;EAmEI,wBAAwB;EZ0DxB,gBYzDmC;EACnC,eAAe;Abg3DnB;;Aar7DA;EAuEM,uBAAuB;EACvB,iBAAiB;Abk3DvB;;Aa17DA;EA0EQ,uBAAuB;Abo3D/B;;Aa97DA;EZ6HI,gBYjDmC;Abs3DvC;;Aal8DA;EA8EI,gBAAgB;EAChB,iBAAiB;EACjB,kBAAkB;Abw3DtB;;Aax8DA;EAkFM,eAAe;Ab03DrB;;Aa58DA;EAoFM,kBAAkB;Ab43DxB;;Aah9DA;EAsFM,qBAAqB;Ab83D3B;;Aap9DA;EAwFM,kBAAkB;Abg4DxB;;Aax9DA;EZ2CE,iCAAiC;EYgD/B,gBAAgB;EAChB,qBAvG8B;EAwG9B,gBAAgB;EAChB,iBAAiB;Abk4DrB;;Aah+DA;;EAiGI,cAAc;Abo4DlB;;Aar+DA;EAmGI,WAAW;Abs4Df;;Aaz+DA;;EAsGM,yBX/GwB;EWgHxB,qBA/GmC;EAgHnC,qBA/GmC;EAgHnC,mBAAmB;Abw4DzB;;Aaj/DA;EA2GM,cXxHwB;AFkgE9B;;Aar/DA;EA6GQ,mBAAmB;Ab44D3B;;Aaz/DA;;EAiHQ,qBAtHsC;EAuHtC,cX/HsB;AF4gE9B;;Aa//DA;;EAsHQ,qBAzHsC;EA0HtC,cXpIsB;AFkhE9B;;AargEA;;EA6HY,sBAAsB;Ab64DlC;;Aa1gEA;EAgIM,aAAa;Ab84DnB;;Aa9gEA;EAmII,kBXhHY;AF+/DhB;;AalhEA;EAqII,kBXpHY;AFqgEhB;;AathEA;EAuII,iBXvHW;AF0gEf;;AcxiEA;EACE,mBAAmB;EACnB,oBAAoB;EACpB,uBAAuB;EACvB,cATsB;EAUtB,aAVsB;AdqjExB;;AchjEA;EAQI,YAZwB;EAaxB,WAbwB;AdyjE5B;;AcrjEA;EAWI,YAdyB;EAezB,WAfyB;Ad6jE7B;;Ac1jEA;EAcI,YAhBwB;EAiBxB,WAjBwB;AdikE5B;;AelkEA;EACE,cAAc;EACd,kBAAkB;AfqkEpB;;AevkEA;EAII,cAAc;EACd,YAAY;EACZ,WAAW;AfukEf;;Ae7kEA;EAQM,uBb6DmB;AF4gEzB;;AejlEA;EAUI,WAAW;Af2kEf;;AerlEA;;;;;;;;;;;;;;;;;EA+BM,YAAY;EACZ,WAAW;Af0kEjB;;Ae1mEA;EAmCI,iBAAiB;Af2kErB;;Ae9mEA;EAqCI,gBAAgB;Af6kEpB;;AelnEA;EAuCI,gBAAgB;Af+kEpB;;AetnEA;EAyCI,qBAAqB;AfilEzB;;Ae1nEA;EA2CI,gBAAgB;AfmlEpB;;Ae9nEA;EA6CI,mBAAmB;AfqlEvB;;AeloEA;EA+CI,gBAAgB;AfulEpB;;AetoEA;EAiDI,qBAAqB;AfylEzB;;Ae1oEA;EAmDI,iBAAiB;Af2lErB;;Ae9oEA;EAqDI,sBAAsB;Af6lE1B;;AelpEA;EAuDI,iBAAiB;Af+lErB;;AetpEA;EAyDI,sBAAsB;AfimE1B;;Ae1pEA;EA2DI,sBAAsB;AfmmE1B;;Ae9pEA;EA6DI,iBAAiB;AfqmErB;;AelqEA;EA+DI,iBAAiB;AfumErB;;AetqEA;EAmEM,YAAwB;EACxB,WAAuB;AfumE7B;;Ae3qEA;EAmEM,YAAwB;EACxB,WAAuB;Af4mE7B;;AehrEA;EAmEM,YAAwB;EACxB,WAAuB;AfinE7B;;AerrEA;EAmEM,YAAwB;EACxB,WAAuB;AfsnE7B;;Ae1rEA;EAmEM,YAAwB;EACxB,WAAuB;Af2nE7B;;Ae/rEA;EAmEM,YAAwB;EACxB,WAAuB;AfgoE7B;;AepsEA;EAmEM,aAAwB;EACxB,YAAuB;AfqoE7B;;AgBlsEA;EAEE,4BdE4B;EcD5B,kBdyDU;EcxDV,kBAAkB;EAEhB,sCAXoD;AhB8sExD;;AgBzsEA;EAUI,mBAAmB;EACnB,0BAA0B;AhBmsE9B;;AgB9sEA;EAaI,mBAAmB;AhBqsEvB;;AgBltEA;;EAgBI,iBdV2B;AFitE/B;;AgBvtEA;EAkBI,uBAAuB;AhBysE3B;;AgB3tEA;Ef+II,ae3H4B;EAC5B,kBAAkB;EAClB,WAAW;AhB2sEf;;AgBjuEA;;;EA0BI,mBAAmB;AhB6sEvB;;AgBvuEA;EAgCM,uBd1ByB;Ec2BzB,cdxCuB;AFmvE7B;;AgB5uEA;EAgCM,yBdvCuB;EcwCvB,Yd3ByB;AF2uE/B;;AgBjvEA;EAgCM,4Bd5BwB;Ec6BxB,yBLsCe;AX+qErB;;AgBtvEA;EAgCM,yBdnCwB;EcoCxB,WLwCU;AXkrEhB;;AgB3vEA;EAgCM,yBdrB4B;EcsB5B,WLwCU;AXurEhB;;AgBhwEA;EAuCU,yBLyCsC;EKxCtC,cLiD2D;AX4qErE;;AgBrwEA;EAgCM,yBdnB4B;EcoB5B,WLwCU;AXisEhB;;AgB1wEA;EAuCU,yBLyCsC;EKxCtC,cLiD2D;AXsrErE;;AgB/wEA;EAgCM,yBdpB4B;EcqB5B,WLwCU;AX2sEhB;;AgBpxEA;EAuCU,yBLyCsC;EKxCtC,cLiD2D;AXgsErE;;AgBzxEA;EAgCM,yBdtB4B;EcuB5B,WLwCU;AXqtEhB;;AgB9xEA;EAuCU,yBLyCsC;EKxCtC,cLiD2D;AX0sErE;;AgBnyEA;EAgCM,yBdvB4B;EcwB5B,yBLsCe;AXiuErB;;AgBxyEA;EAuCU,yBLyCsC;EKxCtC,cLiD2D;AXotErE;;AgB7yEA;EAgCM,yBdjB2B;EckB3B,WLwCU;AXyuEhB;;AgBlzEA;EAuCU,yBLyCsC;EKxCtC,cLiD2D;AX8tErE;;AiBxzEA;EAEE,qBAAqB;EACrB,wBAAwB;EACxB,YAAY;EACZ,uBf0DuB;EezDvB,cAAc;EACd,YfsBW;EerBX,gBAAgB;EAChB,UAAU;EACV,WAAW;AjB0zEb;;AiBp0EA;EAYI,yBfT2B;AFq0E/B;;AiBx0EA;EAcI,yBff0B;AF60E9B;;AiB50EA;EAgBI,yBfjB0B;AFi1E9B;;AiBh1EA;EAkBI,yBfnB0B;EeoB1B,YAAY;AjBk0EhB;;AiBr1EA;EAyBQ,uBflBuB;AFk1E/B;;AiBz1EA;EA2BQ,uBfpBuB;AFs1E/B;;AiB71EA;EA6BQ,uBftBuB;AF01E/B;;AiBj2EA;EA+BQ,mEAA2F;AjBs0EnG;;AiBr2EA;EAyBQ,yBf/BqB;AF+2E7B;;AiBz2EA;EA2BQ,yBfjCqB;AFm3E7B;;AiB72EA;EA6BQ,yBfnCqB;AFu3E7B;;AiBj3EA;EA+BQ,qEAA2F;AjBs1EnG;;AiBr3EA;EAyBQ,4BfpBsB;AFo3E9B;;AiBz3EA;EA2BQ,4BftBsB;AFw3E9B;;AiB73EA;EA6BQ,4BfxBsB;AF43E9B;;AiBj4EA;EA+BQ,wEAA2F;AjBs2EnG;;AiBr4EA;EAyBQ,yBf3BsB;AF24E9B;;AiBz4EA;EA2BQ,yBf7BsB;AF+4E9B;;AiB74EA;EA6BQ,yBf/BsB;AFm5E9B;;AiBj5EA;EA+BQ,qEAA2F;AjBs3EnG;;AiBr5EA;EAyBQ,yBfb0B;AF64ElC;;AiBz5EA;EA2BQ,yBff0B;AFi5ElC;;AiB75EA;EA6BQ,yBfjB0B;AFq5ElC;;AiBj6EA;EA+BQ,qEAA2F;AjBs4EnG;;AiBr6EA;EAyBQ,yBfX0B;AF25ElC;;AiBz6EA;EA2BQ,yBfb0B;AF+5ElC;;AiB76EA;EA6BQ,yBff0B;AFm6ElC;;AiBj7EA;EA+BQ,qEAA2F;AjBs5EnG;;AiBr7EA;EAyBQ,yBfZ0B;AF46ElC;;AiBz7EA;EA2BQ,yBfd0B;AFg7ElC;;AiB77EA;EA6BQ,yBfhB0B;AFo7ElC;;AiBj8EA;EA+BQ,qEAA2F;AjBs6EnG;;AiBr8EA;EAyBQ,yBfd0B;AF87ElC;;AiBz8EA;EA2BQ,yBfhB0B;AFk8ElC;;AiB78EA;EA6BQ,yBflB0B;AFs8ElC;;AiBj9EA;EA+BQ,qEAA2F;AjBs7EnG;;AiBr9EA;EAyBQ,yBff0B;AF+8ElC;;AiBz9EA;EA2BQ,yBfjB0B;AFm9ElC;;AiB79EA;EA6BQ,yBfnB0B;AFu9ElC;;AiBj+EA;EA+BQ,qEAA2F;AjBs8EnG;;AiBr+EA;EAyBQ,yBfTyB;AFy9EjC;;AiBz+EA;EA2BQ,yBfXyB;AF69EjC;;AiB7+EA;EA6BQ,yBfbyB;AFi+EjC;;AiBj/EA;EA+BQ,qEAA2F;AjBs9EnG;;AiBr/EA;EAkCI,gCAtCkC;UAsClC,wBAtCkC;EAuClC,2CAAmC;UAAnC,mCAAmC;EACnC,yCAAiC;UAAjC,iCAAiC;EACjC,yCAAiC;UAAjC,iCAAiC;EACjC,yBfnC2B;EeoC3B,qEAA0F;EAC1F,6BAA6B;EAC7B,4BAA4B;EAC5B,0BAA0B;AjBu9E9B;;AiBjgFA;EA4CM,6BAA6B;AjBy9EnC;;AiBrgFA;EA8CM,6BAA6B;AjB29EnC;;AiBzgFA;EAgDM,oBAAoB;AjB69E1B;;AiB7gFA;EAoDI,eftBY;AFm/EhB;;AiBjhFA;EAsDI,ef1BY;AFy/EhB;;AiBrhFA;EAwDI,cf7BW;AF8/Ef;;AiB/9EA;EACE;IACE,2BAA2B;EjBk+E7B;EiBj+EA;IACE,4BAA4B;EjBm+E9B;AACF;;AiBx+EA;EACE;IACE,2BAA2B;EjBk+E7B;EiBj+EA;IACE,4BAA4B;EjBm+E9B;AACF;;AkB/gFA;EAEE,uBhBd6B;EgBe7B,chBxB4B;AFyiF9B;;AkBphFA;;EAMI,yBhBvB0B;EgBwB1B,qBA9B6B;EA+B7B,qBA9B6B;EA+B7B,mBAAmB;AlBmhFvB;;AkB5hFA;;EAeQ,uBhB3BuB;EgB4BvB,mBhB5BuB;EgB6BvB,chB1CqB;AF4jF7B;;AkBniFA;;EAeQ,yBhBxCqB;EgByCrB,qBhBzCqB;EgB0CrB,YhB7BuB;AFsjF/B;;AkB1iFA;;EAeQ,4BhB7BsB;EgB8BtB,wBhB9BsB;EgB+BtB,yBPoCa;AX4/ErB;;AkBjjFA;;EAeQ,yBhBpCsB;EgBqCtB,qBhBrCsB;EgBsCtB,WPsCQ;AXigFhB;;AkBxjFA;;EAeQ,yBhBtB0B;EgBuB1B,qBhBvB0B;EgBwB1B,WPsCQ;AXwgFhB;;AkB/jFA;;EAeQ,yBhBpB0B;EgBqB1B,qBhBrB0B;EgBsB1B,WPsCQ;AX+gFhB;;AkBtkFA;;EAeQ,yBhBrB0B;EgBsB1B,qBhBtB0B;EgBuB1B,WPsCQ;AXshFhB;;AkB7kFA;;EAeQ,yBhBvB0B;EgBwB1B,qBhBxB0B;EgByB1B,WPsCQ;AX6hFhB;;AkBplFA;;EAeQ,yBhBxB0B;EgByB1B,qBhBzB0B;EgB0B1B,yBPoCa;AXsiFrB;;AkB3lFA;;EAeQ,yBhBlByB;EgBmBzB,qBhBnByB;EgBoBzB,WPsCQ;AX2iFhB;;AkBlmFA;;EAoBM,mBAAmB;EACnB,SAAS;AlBmlFf;;AkBxmFA;;EAuBM,yBhB9B4B;EgB+B5B,WP+BU;AXujFhB;;AkB9mFA;;;;EA2BQ,mBAAmB;AlB0lF3B;;AkBrnFA;;EA6BM,sBAAsB;AlB6lF5B;;AkB1nFA;EA+BI,chBpD0B;AFmpF9B;;AkB9nFA;EAiCM,mBAAmB;AlBimFzB;;AkBloFA;EAoCM,yBhB3C4B;EgB4C5B,WPkBU;AXglFhB;;AkBvoFA;;EAwCQ,mBAAmB;AlBomF3B;;AkB5oFA;;EA2CQ,kBPYQ;EOXR,mBAAmB;AlBsmF3B;;AkBlpFA;EA8CI,6BA5DqC;AlBoqFzC;;AkBtpFA;;EAiDM,qBApEgC;EAqEhC,chBvEwB;AFirF9B;;AkB5pFA;EAoDI,6BAhEqC;AlB4qFzC;;AkBhqFA;;EAuDM,qBAxEgC;EAyEhC,chB7EwB;AF2rF9B;;AkBtqFA;EA0DI,6BAvEqC;AlBurFzC;;AkB1qFA;;EA+DU,sBAAsB;AlBgnFhC;;AkB/qFA;;EAoEM,iBAAiB;AlBgnFvB;;AkBprFA;;EAyEU,wBAAwB;AlBgnFlC;;AkBzrFA;EA2EI,WAAW;AlBknFf;;AkB7rFA;EAgFU,yBhB7FoB;AF8sF9B;;AkBjsFA;EAqFY,yBhBlGkB;AFktF9B;;AkBrsFA;EAuFc,4BhBrGgB;AFutF9B;;AkBzsFA;;EA2FM,qBAAqB;AlBmnF3B;;AkB9sFA;EAgGU,yBhB7GoB;AF+tF9B;;AkBhnFA;EjB/DE,iCAAiC;EiBkEjC,cAAc;EACd,kBAAkB;EAClB,eAAe;AlBknFjB;;AmB7uFA;EACE,mBAAmB;EACnB,aAAa;EACb,eAAe;EACf,2BAA2B;AnBgvF7B;;AmBpvFA;EAMI,qBAAqB;AnBkvFzB;;AmBxvFA;ElByII,oBkBjIwC;AnBovF5C;;AmB5vFA;EAUI,sBAAsB;AnBsvF1B;;AmBhwFA;EAYI,mBAAmB;AnBwvFvB;;AmBpwFA;EAgBM,ejBcO;AF0uFb;;AmBxwFA;EAmBM,kBjBUU;AF+uFhB;;AmB5wFA;EAqBI,uBAAuB;AnB2vF3B;;AmBhxFA;EAuBM,qBAAqB;EACrB,oBAAoB;AnB6vF1B;;AmBrxFA;EA0BI,yBAAyB;AnB+vF7B;;AmBzxFA;EA6BQ,mBAAmB;AnBgwF3B;;AmB7xFA;EA+BQ,eAAe;AnBkwFvB;;AmBjyFA;ElByII,ekBvGmC;AnBmwFvC;;AmBryFA;ElByII,ckBrGqC;EAE/B,yBAAyB;EACzB,4BAA4B;AnBowFtC;;AmB3yFA;EA6CU,0BAA0B;EAC1B,6BAA6B;AnBkwFvC;;AmB7vFA;EACE,mBAAmB;EACnB,4BjB/C4B;EiBgD5B,kBjBQU;EiBPV,cjBvD4B;EiBwD5B,oBAAoB;EACpB,kBjB1Bc;EiB2Bd,WAAW;EACX,uBAAuB;EACvB,gBAAgB;EAChB,oBAAoB;EACpB,qBAAqB;EACrB,mBAAmB;AnBgwFrB;;AmB5wFA;ElBsFI,oBkBxEuC;ElBwEvC,uBkBvEyC;AnBkwF7C;;AmBjxFA;EAqBM,uBjBhEyB;EiBiEzB,cjB9EuB;AF80F7B;;AmBtxFA;EAqBM,yBjB7EuB;EiB8EvB,YjBjEyB;AFs0F/B;;AmB3xFA;EAqBM,4BjBlEwB;EiBmExB,yBRAe;AX0wFrB;;AmBhyFA;EAqBM,yBjBzEwB;EiB0ExB,WREU;AX6wFhB;;AmBryFA;EAqBM,yBjB3D4B;EiB4D5B,WREU;AXkxFhB;;AmB1yFA;EA4BU,yBRGsC;EQFtC,cRW2D;AXuwFrE;;AmB/yFA;EAqBM,yBjBzD4B;EiB0D5B,WREU;AX4xFhB;;AmBpzFA;EA4BU,yBRGsC;EQFtC,cRW2D;AXixFrE;;AmBzzFA;EAqBM,yBjB1D4B;EiB2D5B,WREU;AXsyFhB;;AmB9zFA;EA4BU,yBRGsC;EQFtC,cRW2D;AX2xFrE;;AmBn0FA;EAqBM,yBjB5D4B;EiB6D5B,WREU;AXgzFhB;;AmBx0FA;EA4BU,yBRGsC;EQFtC,cRW2D;AXqyFrE;;AmB70FA;EAqBM,yBjB7D4B;EiB8D5B,yBRAe;AX4zFrB;;AmBl1FA;EA4BU,yBRGsC;EQFtC,cRW2D;AX+yFrE;;AmBv1FA;EAqBM,yBjBvD2B;EiBwD3B,WREU;AXo0FhB;;AmB51FA;EA4BU,yBRGsC;EQFtC,cRW2D;AXyzFrE;;AmBj2FA;EAgCI,kBjBpDY;AFy3FhB;;AmBr2FA;EAkCI,ejBvDS;AF83Fb;;AmBz2FA;EAoCI,kBjB1DY;AFm4FhB;;AmB72FA;ElBsFI,qBkB/C0C;ElB+C1C,sBkB9C0C;AnB00F9C;;AmBl3FA;ElBsFI,qBkB5C0C;ElB4C1C,sBkB3C0C;AnB40F9C;;AmBv3FA;ElBsFI,qBkBzC0C;ElByC1C,sBkBxC0C;AnB80F9C;;AmB53FA;ElBsFI,gBkB7ImB;EAyGnB,UAAU;EACV,kBAAkB;EAClB,UAAU;AnB+0Fd;;AmBn4FA;EAuDM,8BAA8B;EAC9B,WAAW;EACX,cAAc;EACd,SAAS;EACT,kBAAkB;EAClB,QAAQ;EACR,0DAA0D;EAC1D,+BAA+B;AnBg1FrC;;AmB94FA;EAgEM,WAAW;EACX,UAAU;AnBk1FhB;;AmBn5FA;EAmEM,WAAW;EACX,UAAU;AnBo1FhB;;AmBx5FA;EAuEM,yBAAmD;AnBq1FzD;;AmB55FA;EAyEM,yBAAoD;AnBu1F1D;;AmBh6FA;EA2EI,uBjB9DqB;AFu5FzB;;AmBv1FA;EAEI,0BAA0B;AnBy1F9B;;AoB/8FA;;EAGE,sBAAsB;ApBi9FxB;;AoBp9FA;;;;EAMI,oBAAoB;ApBq9FxB;;AoB39FA;;EAQI,iBApBmB;ApB4+FvB;;AoBh+FA;;EAUI,iBArBmB;ApBg/FvB;;AoBr+FA;;EAYI,sBAAsB;ApB89F1B;;AoB59FA;EACE,clB5B4B;EkB+B5B,elBHW;EkBIX,gBlBKmB;EkBJnB,kBAnCuB;ApBggGzB;;AoBn+FA;EAQI,cApCwB;EAqCxB,oBApCyB;ApBmgG7B;;AoBx+FA;EAWI,oBAAoB;ApBi+FxB;;AoB5+FA;EAaI,oBA7B+B;ApBggGnC;;AoBh/FA;EAkBM,elBnBO;AFq/Fb;;AoBp/FA;EAkBM,iBlBlBS;AFw/Ff;;AoBx/FA;EAkBM,elBjBO;AF2/Fb;;AoB5/FA;EAkBM,iBlBhBS;AF8/Ff;;AoBhgGA;EAkBM,kBlBfU;AFigGhB;;AoBpgGA;EAkBM,elBdO;AFogGb;;AoBxgGA;EAkBM,kBlBbU;AFugGhB;;AoBx/FA;EACE,clB/C4B;EkBkD5B,kBlBrBc;EkBsBd,gBlBjBiB;EkBkBjB,iBA7CyB;ApBsiG3B;;AoB//FA;EAQI,clBvD0B;EkBwD1B,gBlBnBiB;AF8gGrB;;AoBpgGA;EAWI,oBA/C+B;ApB4iGnC;;AoBxgGA;EAgBM,elBrCO;AFiiGb;;AoB5gGA;EAgBM,iBlBpCS;AFoiGf;;AoBhhGA;EAgBM,elBnCO;AFuiGb;;AoBphGA;EAgBM,iBlBlCS;AF0iGf;;AoBxhGA;EAgBM,kBlBjCU;AF6iGhB;;AoB5hGA;EAgBM,elBhCO;AFgjGb;;AoBhiGA;EAgBM,kBlB/BU;AFmjGhB;;AqBnlGA;EACE,cAAc;EACd,eAAe;EACf,mBAAmB;EACnB,kBAAkB;EAClB,yBAAyB;ArBslG3B;;AqBplGA;EAEE,gBnB0BiB;EmBzBjB,eAAe;EACf,gBAAgB;EAChB,UAAU;ArBslGZ;;AqB3lGA;EAOI,cAAc;EACd,eAAe;ArBwlGnB;;AqBnlGA;EACE,mBAAmB;EACnB,4BnBf4B;EmBgB5B,uBnB0CuB;EmBzCvB,oBAAoB;EACpB,kBnBKc;EmBJd,WAAW;EACX,uBAAuB;EACvB,oBAAoB;EACpB,gBAAgB;EAChB,uBAAuB;EACvB,kBAAkB;EAClB,mBAAmB;ArBslGrB;;AsB5nGA,eAAA;ACuDA;EAxBE,uBrBhB6B;EqBiB7B,qBrBtB4B;EqBuB5B,kBrBoCU;EqBnCV,crB5B4B;AF8nG9B;;ACjkGI;EsB/BA,4BrB9B0B;AFkoG9B;;ACrkGI;EsB/BA,4BrB9B0B;AFsoG9B;;ACzkGI;EsB/BA,4BrB9B0B;AF0oG9B;;AC7kGI;EsB/BA,4BrB9B0B;AF8oG9B;;AuB/mGE;EAEE,qBrB9B0B;AF+oG9B;;AuBhnGE;EAIE,qBrBtB8B;EqBuB9B,kDrBvB8B;AFuoGlC;;AuB/mGE;;;;;EAEE,4BrBnC0B;EqBoC1B,wBrBpC0B;EqBqC1B,gBAAgB;EAChB,crB3C0B;AFgqG9B;;ACrmGI;;;;;EsBdE,+BrB7CwB;AFwqG9B;;AC7mGI;;;;;EsBdE,+BrB7CwB;AFgrG9B;;ACrnGI;;;;;EsBdE,+BrB7CwB;AFwrG9B;;AC7nGI;;;;;EsBdE,+BrB7CwB;AFgsG9B;;AwBlsGA;EAEE,2DtBN2B;EsBO3B,eAAe;EACf,WAAW;AxBosGb;;AwBnsGE;EACE,gBAAgB;AxBssGpB;;AwBlsGI;EACE,mBtBFyB;AFusG/B;;AwBtsGK;EAMG,mDtBPuB;AF2sG/B;;AwB1sGI;EACE,qBtBfuB;AF4tG7B;;AwB9sGK;EAMG,gDtBpBqB;AFguG7B;;AwBltGI;EACE,wBtBJwB;AFytG9B;;AwBttGK;EAMG,mDtBTsB;AF6tG9B;;AwB1tGI;EACE,qBtBXwB;AFwuG9B;;AwB9tGK;EAMG,gDtBhBsB;AF4uG9B;;AwBluGI;EACE,qBtBG4B;AFkuGlC;;AwBtuGK;EAMG,iDtBF0B;AFsuGlC;;AwB1uGI;EACE,qBtBK4B;AFwuGlC;;AwB9uGK;EAMG,kDtBA0B;AF4uGlC;;AwBlvGI;EACE,qBtBI4B;AFivGlC;;AwBtvGK;EAMG,kDtBD0B;AFqvGlC;;AwB1vGI;EACE,qBtBE4B;AF2vGlC;;AwB9vGK;EAMG,kDtBH0B;AF+vGlC;;AwBlwGI;EACE,qBtBC4B;AFowGlC;;AwBtwGK;EAMG,kDtBJ0B;AFwwGlC;;AwB1wGI;EACE,qBtBO2B;AFswGjC;;AwB9wGK;EAMG,kDtBEyB;AF0wGjC;;AwB1wGE;ErBoBA,kBDwBgB;ECvBhB,kBDPc;AFiwGhB;;AwB7wGE;ErBqBA,kBDXc;AFuwGhB;;AwB/wGE;ErBqBA,iBDda;AF4wGf;;AwBhxGE;EACE,cAAc;EACd,WAAW;AxBmxGf;;AwBlxGE;EACE,eAAe;EACf,WAAW;AxBqxGf;;AwBnxGA;EAGI,uBtB8BqB;EsB7BrB,gDAA4D;EAC5D,iDAA6D;AxBoxGjE;;AwBzxGA;EAOI,6BAA6B;EAC7B,yBAAyB;EACzB,gBAAgB;EAChB,eAAe;EACf,gBAAgB;AxBsxGpB;;AwBpxGA;EAEE,cAAc;EACd,eAAe;EACf,eAAe;EACf,2BrB/CkE;EqBgDlE,gBAAgB;AxBsxGlB;;AwB5xGA;EAQI,gBA1DsB;EA2DtB,eA1DqB;AxBk1GzB;;AwBjyGA;EAWI,eAAe;AxB0xGnB;;AwBryGA;EAcI,YAAY;AxB2xGhB;;AyB51GA;EACE,eAAe;EACf,qBAAqB;EACrB,iBAAiB;EACjB,kBAAkB;AzB+1GpB;;AyB91GE;EACE,eAAe;AzBi2GnB;;AyBh2GE;EACE,cvBF0B;AFq2G9B;;AyBl2GE;;;;;EAGE,cvBJ0B;EuBK1B,mBAAmB;AzBu2GvB;;AyBl2GA;ExB8HI,kBwB3HqC;AzBm2GzC;;A0Bt3GA;EACE,qBAAqB;EACrB,eAAe;EACf,kBAAkB;EAClB,mBAAmB;A1By3GrB;;A0B73GA;EAMI,avBHkB;AH83GtB;;A0Bj4GA;EAUM,qBxBU4B;EDkI9B,cyB3I+B;EAC7B,UAAU;A1B23GhB;;A0Bv4GA;EAeM,uBxBsDmB;EDyErB,iByB9HsC;A1B43G1C;;A0B54GA;EAmBI,eAAe;EACf,cAAc;EACd,cAAc;EACd,eAAe;EACf,aAAa;A1B63GjB;;A0Bp5GA;EAyBM,aAAa;A1B+3GnB;;A0Bx5GA;;EA4BM,wBxBjBwB;AFk5G9B;;A0B75GA;EzB8II,oByBhHwC;A1Bm4G5C;;A0Bj6GA;EAgCM,YAAY;EACZ,UAAU;A1Bq4GhB;;A0Bt6GA;EAmCQ,kBAAkB;A1Bu4G1B;;A0B16GA;EAuCM,qBxBnCwB;AF06G9B;;A0B96GA;EA6CQ,mBxBhCuB;AFq6G/B;;A0Bl7GA;EA+CQ,mBxBlCuB;AFy6G/B;;A0Bt7GA;EAkDU,qBfyDuB;AX+0GjC;;A0B17GA;EAuDU,mDxB1CqB;AFi7G/B;;A0B97GA;EA6CQ,qBxB7CqB;AFk8G7B;;A0Bl8GA;EA+CQ,qBxB/CqB;AFs8G7B;;A0Bt8GA;EAkDU,mBfyDuB;AX+1GjC;;A0B18GA;EAuDU,gDxBvDmB;AF88G7B;;A0B98GA;EA6CQ,wBxBlCsB;AFu8G9B;;A0Bl9GA;EA+CQ,wBxBpCsB;AF28G9B;;A0Bt9GA;EAkDU,qBfyDuB;AX+2GjC;;A0B19GA;EAuDU,mDxB5CoB;AFm9G9B;;A0B99GA;EA6CQ,qBxBzCsB;AF89G9B;;A0Bl+GA;EA+CQ,qBxB3CsB;AFk+G9B;;A0Bt+GA;EAkDU,qBfyDuB;AX+3GjC;;A0B1+GA;EAuDU,gDxBnDoB;AF0+G9B;;A0B9+GA;EA6CQ,qBxB3B0B;AFg+GlC;;A0Bl/GA;EA+CQ,qBxB7B0B;AFo+GlC;;A0Bt/GA;EAkDU,qBfyDuB;AX+4GjC;;A0B1/GA;EAuDU,iDxBrCwB;AF4+GlC;;A0B9/GA;EA6CQ,qBxBzB0B;AF8+GlC;;A0BlgHA;EA+CQ,qBxB3B0B;AFk/GlC;;A0BtgHA;EAkDU,qBfyDuB;AX+5GjC;;A0B1gHA;EAuDU,kDxBnCwB;AF0/GlC;;A0B9gHA;EA6CQ,qBxB1B0B;AF+/GlC;;A0BlhHA;EA+CQ,qBxB5B0B;AFmgHlC;;A0BthHA;EAkDU,qBfyDuB;AX+6GjC;;A0B1hHA;EAuDU,kDxBpCwB;AF2gHlC;;A0B9hHA;EA6CQ,qBxB5B0B;AFihHlC;;A0BliHA;EA+CQ,qBxB9B0B;AFqhHlC;;A0BtiHA;EAkDU,qBfyDuB;AX+7GjC;;A0B1iHA;EAuDU,kDxBtCwB;AF6hHlC;;A0B9iHA;EA6CQ,qBxB7B0B;AFkiHlC;;A0BljHA;EA+CQ,qBxB/B0B;AFsiHlC;;A0BtjHA;EAkDU,qBfyDuB;AX+8GjC;;A0B1jHA;EAuDU,kDxBvCwB;AF8iHlC;;A0B9jHA;EA6CQ,qBxBvByB;AF4iHjC;;A0BlkHA;EA+CQ,qBxBzByB;AFgjHjC;;A0BtkHA;EAkDU,qBfyDuB;AX+9GjC;;A0B1kHA;EAuDU,kDxBjCuB;AFwjHjC;;A0B9kHA;EvB0CE,kBDwBgB;ECvBhB,kBDPc;AF+iHhB;;A0BnlHA;EvB6CE,kBDXc;AFqjHhB;;A0BvlHA;EvB+CE,iBDda;AF0jHf;;A0B3lHA;EAkEM,qBxB5DwB;AFylH9B;;A0B/lHA;EAoEI,WAAW;A1B+hHf;;A0BnmHA;EAsEM,WAAW;A1BiiHjB;;A0BvmHA;EA0EM,aAAa;EACb,kBAAkB;EzB2EpB,cyB1E+B;EAC7B,YAAY;EACZ,eAAe;A1BiiHrB;;A0B/mHA;EAgFM,kBxB5CU;AF+kHhB;;A0BnnHA;EAkFM,kBxBhDU;AFqlHhB;;A0BvnHA;EAoFM,iBxBnDS;AF0lHf;;A2B9mHA;EAEE,oBAAoB;EACpB,aAAa;EACb,2BAA2B;EAC3B,kBAAkB;A3BgnHpB;;A2BrnHA;EAYQ,uBzBZuB;EyBavB,yBAAyB;EACzB,czB3BqB;AFwoH7B;;A2B3nHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,czBjCmB;AF8oH7B;;A2BjoHA;EAwBU,yBAAyB;EACzB,+CzBzBqB;EyB0BrB,czBvCmB;AFopH7B;;A2BvoHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,czB7CmB;AF0pH7B;;A2B7oHA;EAYQ,yBzBzBqB;EyB0BrB,yBAAyB;EACzB,YzBduB;AFmpH/B;;A2BnpHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,YzBpBqB;AFypH/B;;A2BzpHA;EAwBU,yBAAyB;EACzB,4CzBtCmB;EyBuCnB,YzB1BqB;AF+pH/B;;A2B/pHA;EA8BU,uBhBgEuB;EgB/DvB,yBAAyB;EACzB,YzBhCqB;AFqqH/B;;A2BrqHA;EAYQ,4BzBdsB;EyBetB,yBAAyB;EACzB,yBhBmDa;AX0mHrB;;A2B3qHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,yBhB6CW;AXgnHrB;;A2BjrHA;EAwBU,yBAAyB;EACzB,+CzB3BoB;EyB4BpB,yBhBuCW;AXsnHrB;;A2BvrHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,yBhBiCW;AX4nHrB;;A2B7rHA;EAYQ,yBzBrBsB;EyBsBtB,yBAAyB;EACzB,WhBqDQ;AXgoHhB;;A2BnsHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,WhB+CM;AXsoHhB;;A2BzsHA;EAwBU,yBAAyB;EACzB,4CzBlCoB;EyBmCpB,WhByCM;AX4oHhB;;A2B/sHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,WhBmCM;AXkpHhB;;A2BrtHA;EAYQ,yBzBP0B;EyBQ1B,yBAAyB;EACzB,WhBqDQ;AXwpHhB;;A2B3tHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,WhB+CM;AX8pHhB;;A2BjuHA;EAwBU,yBAAyB;EACzB,6CzBpBwB;EyBqBxB,WhByCM;AXoqHhB;;A2BvuHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,WhBmCM;AX0qHhB;;A2B7uHA;EAYQ,yBzBL0B;EyBM1B,yBAAyB;EACzB,WhBqDQ;AXgrHhB;;A2BnvHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,WhB+CM;AXsrHhB;;A2BzvHA;EAwBU,yBAAyB;EACzB,8CzBlBwB;EyBmBxB,WhByCM;AX4rHhB;;A2B/vHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,WhBmCM;AXksHhB;;A2BrwHA;EAYQ,yBzBN0B;EyBO1B,yBAAyB;EACzB,WhBqDQ;AXwsHhB;;A2B3wHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,WhB+CM;AX8sHhB;;A2BjxHA;EAwBU,yBAAyB;EACzB,8CzBnBwB;EyBoBxB,WhByCM;AXotHhB;;A2BvxHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,WhBmCM;AX0tHhB;;A2B7xHA;EAYQ,yBzBR0B;EyBS1B,yBAAyB;EACzB,WhBqDQ;AXguHhB;;A2BnyHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,WhB+CM;AXsuHhB;;A2BzyHA;EAwBU,yBAAyB;EACzB,8CzBrBwB;EyBsBxB,WhByCM;AX4uHhB;;A2B/yHA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,WhBmCM;AXkvHhB;;A2BrzHA;EAYQ,yBzBT0B;EyBU1B,yBAAyB;EACzB,yBhBmDa;AX0vHrB;;A2B3zHA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,yBhB6CW;AXgwHrB;;A2Bj0HA;EAwBU,yBAAyB;EACzB,8CzBtBwB;EyBuBxB,yBhBuCW;AXswHrB;;A2Bv0HA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,yBhBiCW;AX4wHrB;;A2B70HA;EAYQ,yBzBHyB;EyBIzB,yBAAyB;EACzB,WhBqDQ;AXgxHhB;;A2Bn1HA;EAkBU,yBhB4EuB;EgB3EvB,yBAAyB;EACzB,WhB+CM;AXsxHhB;;A2Bz1HA;EAwBU,yBAAyB;EACzB,8CzBhBuB;EyBiBvB,WhByCM;AX4xHhB;;A2B/1HA;EA8BU,yBhBgEuB;EgB/DvB,yBAAyB;EACzB,WhBmCM;AXkyHhB;;A2Br2HA;EAmCI,kBzBZY;AFk1HhB;;A2Bz2HA;EAqCI,kBzBhBY;AFw1HhB;;A2B72HA;EAwCQ,eAAe;A3By0HvB;;A2Bj3HA;EA0CI,iBzBtBW;AFi2Hf;;A2Br3HA;EA6CQ,eAAe;A3B40HvB;;A2Bz3HA;EAiDM,6BAA6B;EAC7B,0BAA0B;A3B40HhC;;A2B93HA;EAoDM,4BAA4B;EAC5B,yBAAyB;A3B80H/B;;A2Bn4HA;EAwDQ,kBzBFI;AFi1HZ;;A2Bv4HA;EA0DQ,aAAa;A3Bi1HrB;;A2B34HA;EA6DM,sBAAsB;A3Bk1H5B;;A2B/4HA;EA+DM,sBAAsB;EACtB,YAAY;EACZ,gBAAgB;A3Bo1HtB;;A2Br5HA;EAmEM,uBAAuB;A3Bs1H7B;;A2Bz5HA;EAqEM,aAAa;EACb,YAAY;A3Bw1HlB;;A2B95HA;EAwEQ,eAAe;A3B01HvB;;A2Bl6HA;EA2EQ,eAAe;A3B21HvB;;A2Bt6HA;EA8EQ,eAAe;A3B41HvB;;A2B16HA;EAiFQ,eAAe;A3B61HvB;;A2B96HA;EAoFQ,0BAA4C;A3B81HpD;;A2Bl7HA;EAsFQ,0BzBhCI;EyBiCJ,uBAAuB;A3Bg2H/B;;A2Bv7HA;EAyFI,uBAAuB;A3Bk2H3B;;A2B37HA;EA4FM,WAAW;A3Bm2HjB;;A2B/7HA;EA8FM,YAAY;EACZ,eAAe;A3Bq2HrB;;A2Bp8HA;EAiGI,yBAAyB;A3Bu2H7B;;A2Bx8HA;EAmGM,0BAA4C;A3By2HlD;;A2B58HA;EAqGM,0BzB/CM;EyBgDN,2BAA2B;EAC3B,SAAS;A3B22Hf;;A2Bz2HA;EACE,oBAAoB;EACpB,aAAa;EACb,eAAe;EACf,2BAA2B;EAC3B,gBAAgB;EAChB,kBAAkB;A3B42HpB;;A2Bl3HA;EASM,yBhBpB2B;EgBqB3B,czB5HwB;AFy+H9B;;A2Bv3HA;EAYM,qBhBvB2B;AXs4HjC;;A2B33HA;EAeM,yBhB1B2B;EgB2B3B,czBlIwB;AFk/H9B;;A2Bh4HA;EAkBM,qBhB7B2B;AX+4HjC;;A2Bh3HA;EACE,YAAY;EACZ,OAAO;EACP,UAAU;EACV,aAAa;EACb,kBAAkB;EAClB,MAAM;EACN,WAAW;A3Bm3Hb;;A2Bj3HA;;EAGE,qBzB9I4B;EyB+I5B,kBzBpFU;EyBqFV,cAAc;EACd,iBAAiB;EACjB,kBAAkB;EAClB,mBAAmB;A3Bm3HrB;;A2Bj3HA;EACE,4BzBnJ4B;EyBoJ5B,czB1J4B;AF8gI9B;;A2Bl3HA;EACE,qBzB1J4B;EyB2J5B,mBA5J4B;EA6J5B,2BA5JoC;EA6JpC,cAAc;EACd,eA7JwB;EA8JxB,gBAAgB;EAChB,mBAAmB;EACnB,uBAAuB;A3Bq3HzB;;A2Bn3HA;EACE,mBAAmB;EACnB,aAAa;EACb,WAAW;EACX,uBAAuB;E1BjCrB,mB0BkCmC;EACrC,UAAU;A3Bs3HZ;;A2B53HA;EAQI,eAAe;A3Bw3HnB;;A4BtiIA;EACE,c1BF4B;E0BG5B,cAAc;EACd,e1B2BW;E0B1BX,gB1BiCe;AFwgIjB;;A4B7iIA;EAMI,oBAAoB;A5B2iIxB;;A4BjjIA;EASI,kB1BsBY;AFshIhB;;A4BrjIA;EAWI,kB1BkBY;AF4hIhB;;A4BzjIA;EAaI,iB1BeW;AFiiIf;;A4B9iIA;EACE,cAAc;EACd,kB1Bcc;E0Bbd,mBAAmB;A5BijIrB;;A4BpjIA;EAOM,Y1BdyB;AF+jI/B;;A4BxjIA;EAOM,c1B3BuB;AFglI7B;;A4B5jIA;EAOM,iB1BhBwB;AFykI9B;;A4BhkIA;EAOM,c1BvBwB;AFolI9B;;A4BpkIA;EAOM,c1BT4B;AF0kIlC;;A4BxkIA;EAOM,c1BP4B;AF4kIlC;;A4B5kIA;EAOM,c1BR4B;AFilIlC;;A4BhlIA;EAOM,c1BV4B;AFulIlC;;A4BplIA;EAOM,c1BX4B;AF4lIlC;;A4BxlIA;EAOM,c1BL2B;AF0lIjC;;A4BjlIA;EAEI,sBAAsB;A5BmlI1B;;A4BrlIA;EAKI,aAAa;EACb,2BAA2B;A5BolI/B;;A4B1lIA;E3B+GI,kB2BtGwC;A5BqlI5C;;A4B9lIA;;;EAcU,gBAAgB;A5BslI1B;;A4BpmIA;;;EAoBY,6BAA6B;EAC7B,0BAA0B;A5BslItC;;A4B3mIA;;;EA8BY,4BAA4B;EAC5B,yBAAyB;A5BmlIrC;;A4BlnIA;;;;;EAyCY,UAAU;A5BilItB;;A4B1nIA;;;;;;;;;EA8CY,UAAU;A5BwlItB;;A4BtoIA;;;;;;;;;EAgDc,UAAU;A5BkmIxB;;A4BlpIA;EAkDQ,YAAY;EACZ,cAAc;A5BomItB;;A4BvpIA;EAqDM,uBAAuB;A5BsmI7B;;A4B3pIA;EAuDM,yBAAyB;A5BwmI/B;;A4B/pIA;EA0DQ,YAAY;EACZ,cAAc;A5BymItB;;A4BpqIA;EA6DI,aAAa;EACb,2BAA2B;A5B2mI/B;;A4BzqIA;EAgEM,cAAc;A5B6mIpB;;A4B7qIA;EAkEQ,gBAAgB;E3B6CpB,qB2B5C2C;A5B+mI/C;;A4BlrIA;EAqEQ,YAAY;EACZ,cAAc;A5BinItB;;A4BvrIA;EAwEM,uBAAuB;A5BmnI7B;;A4B3rIA;EA0EM,yBAAyB;A5BqnI/B;;A4B/rIA;EA4EM,eAAe;A5BunIrB;;A4BnsIA;EAgFU,sBAAsB;A5BunIhC;;A4BvsIA;EAkFQ,uBAAuB;A5BynI/B;;A4B3sIA;EAoFQ,gBAAgB;A5B2nIxB;;AC3pIE;E2BpDF;IAuFM,aAAa;E5B6nIjB;AACF;;A4B5nIA;EAEI,kBAAkB;A5B8nItB;;ACzqIE;E2ByCF;IAII,qBAAqB;E5BioIvB;AACF;;AC3qIE;E2BqCF;IAMI,aAAa;IACb,YAAY;IACZ,cAAc;I3Bcd,oB2BbsC;IACtC,iBAAiB;E5BqoInB;E4B/oIF;IAYM,kB1BhGU;I0BiGV,oBAAoB;E5BsoIxB;E4BnpIF;IAeM,oBAAoB;E5BuoIxB;E4BtpIF;IAiBM,kB1BvGU;I0BwGV,oBAAoB;E5BwoIxB;E4B1pIF;IAoBM,iB1B3GS;I0B4GT,oBAAoB;E5ByoIxB;AACF;;A4BxoIA;EAEI,gBAAgB;A5B0oIpB;;ACxsIE;E2B4DF;IAII,aAAa;IACb,aAAa;IACb,YAAY;IACZ,cAAc;E5B6oIhB;E4BppIF;IASM,gBAAgB;E5B8oIpB;E4BvpIF;IAWM,cAAc;E5B+oIlB;E4B1pIF;IAaQ,YAAY;E5BgpIlB;E4B7pIF;I3BDI,qB2BgB2C;E5BipI7C;AACF;;A4BhpIA;EACE,sBAAsB;EACtB,WAAW;EACX,e1BhIW;E0BiIX,kBAAkB;EAClB,mBAAmB;A5BmpIrB;;A4BxpIA;;;EAaU,c1BxKoB;AFyzI9B;;A4B9pIA;;;EAeQ,kB1B3IQ;AFgyIhB;;A4BpqIA;;;EAiBQ,kB1B/IQ;AFwyIhB;;A4B1qIA;;;EAmBQ,iB1BlJO;AF+yIf;;A4BhrIA;EAqBM,c1B7KwB;E0B8KxB,azBnLgB;EyBoLhB,oBAAoB;EACpB,kBAAkB;EAClB,MAAM;EACN,YzBvLgB;EyBwLhB,UAAU;A5B+pIhB;;A4B1rIA;;EA+BM,mBzB5LgB;AH41ItB;;A4B/rIA;EAiCM,OAAO;A5BkqIb;;A4BnsIA;;EAqCM,oBzBlMgB;AHq2ItB;;A4BxsIA;EAuCM,QAAQ;A5BqqId;;A4B5sIA;EA2CM,6BAA6B;E3BrD/B,c2BsD+B;EAC7B,YAAY;EACZ,UAAU;A5BqqIhB;;A4BntIA;EAgDM,kB1B5KU;AFm1IhB;;A4BvtIA;EAkDM,kB1BhLU;AFy1IhB;;A4B3tIA;EAoDM,iB1BnLS;AF81If;;A6Bj4IA,qBAAA;ACSA;EAGE,e5ByBW;E4BxBX,mBAAmB;A9B03IrB;;A8B93IA;EAMI,mBAAmB;EACnB,c5BM8B;E4BL9B,aAAa;EACb,uBAAuB;EACvB,iBAduC;A9B04I3C;;A8Bt4IA;EAYM,c5BfwB;AF64I9B;;A8B14IA;EAcI,mBAAmB;EACnB,aAAa;A9Bg4IjB;;A8B/4IA;E7BuII,e6BtHoC;A9Bk4IxC;;A8Bn5IA;EAoBQ,c5BvBsB;E4BwBtB,eAAe;EACf,oBAAoB;A9Bm4I5B;;A8Bz5IA;EAwBM,c5BxBwB;E4ByBxB,iBAAiB;A9Bq4IvB;;A8B95IA;;EA4BI,uBAAuB;EACvB,aAAa;EACb,eAAe;EACf,2BAA2B;A9Bu4I/B;;A8Bt6IA;E7BuII,mB6BrGuC;A9Bw4I3C;;A8B16IA;E7BuII,kB6BnGuC;A9B04I3C;;A8B96IA;;EAyCM,uBAAuB;A9B04I7B;;A8Bn7IA;;EA6CM,yBAAyB;A9B24I/B;;A8Bx7IA;EAgDI,kB5BnBY;AF+5IhB;;A8B57IA;EAkDI,kB5BvBY;AFq6IhB;;A8Bh8IA;EAoDI,iB5B1BW;AF06If;;A8Bp8IA;EAwDM,iBAAiB;A9Bg5IvB;;A8Bx8IA;EA2DM,iBAAiB;A9Bi5IvB;;A8B58IA;EA8DM,iBAAiB;A9Bk5IvB;;A8Bh9IA;EAiEM,iBAAiB;A9Bm5IvB;;A+Bx8IA;EACE,uB7BP6B;E6BQ7B,sBApBmB;EAqBnB,0F7BtB2B;E6BuB3B,c7BlB4B;E6BmB5B,eAAe;EACf,gBAvBoB;EAwBpB,kBAAkB;A/B28IpB;;A+Bz8IA;EACE,6BAzBwC;EA0BxC,oBAAoB;EACpB,kD7B/B2B;E6BgC3B,aAAa;A/B48If;;A+B18IA;EACE,mBAAmB;EACnB,c7BhC4B;E6BiC5B,aAAa;EACb,YAAY;EACZ,gB7BGe;E6BFf,qBAlCgC;A/B++IlC;;A+Bn9IA;EAQI,uBAAuB;A/B+8I3B;;A+B78IA;EACE,mBAAmB;EACnB,eAAe;EACf,aAAa;EACb,uBAAuB;EACvB,qBA3CgC;A/B2/IlC;;A+B98IA;EACE,cAAc;EACd,kBAAkB;A/Bi9IpB;;A+B/8IA;EACE,6BA9CyC;EA+CzC,eA9C2B;A/BggJ7B;;A+Bh9IA;EACE,6BA/CwC;EAgDxC,6B7BpD6B;E6BqD7B,oBAAoB;EACpB,aAAa;A/Bm9If;;A+Bj9IA;EACE,mBAAmB;EACnB,aAAa;EACb,aAAa;EACb,YAAY;EACZ,cAAc;EACd,uBAAuB;EACvB,gBAzD2B;A/B6gJ7B;;A+B39IA;E9B6EI,+BCrI2B;AFuhJ/B;;A+Bl9IA;EAEI,qB7BlCkB;AFs/ItB;;AgCnhJA;EACE,oBAAoB;EACpB,kBAAkB;EAClB,mBAAmB;AhCshJrB;;AgCzhJA;EAOM,cAAc;AhCshJpB;;AgC7hJA;EAUM,UAAU;EACV,QAAQ;AhCuhJd;;AgCliJA;EAcM,YAAY;EACZ,mBA9BuB;EA+BvB,oBAAoB;EACpB,SAAS;AhCwhJf;;AgCthJA;EACE,aAAa;E/BiHX,O+BhHqB;EACvB,gBAzC6B;EA0C7B,gBAtC2B;EAuC3B,kBAAkB;EAClB,SAAS;EACT,WApCqB;AhC6jJvB;;AgCvhJA;EACE,uB9BjC6B;E8BkC7B,kB9BoBU;E8BnBV,0F9BhD2B;E8BiD3B,sBA9CsC;EA+CtC,mBA9CmC;AhCwkJrC;;AgB5jJgB;EgBqCd,c9BhD4B;E8BiD5B,cAAc;EACd,mBAAmB;EACnB,gBAAgB;EAChB,sBAAsB;EACtB,kBAAkB;AhC2hJpB;;AgCzhJA;;E/BkFI,mB+BhFmC;EACrC,mBAAmB;EACnB,mBAAmB;EACnB,WAAW;AhC4hJb;;AgCjiJA;;EAOI,4B9BxD0B;E8ByD1B,c9BpEyB;AFmmJ7B;;AgCviJA;;EAUI,yB9BlD8B;E8BmD9B,WrBSY;AXyhJhB;;AgChiJA;EACE,yB9BjE6B;E8BkE7B,YAAY;EACZ,cAAc;EACd,WAAW;EACX,gBAAgB;AhCmiJlB;;AiCjnJA;EAEE,mBAAmB;EACnB,8BAA8B;AjCmnJhC;;AiCtnJA;EAKI,kB/B8DQ;AFujJZ;;AiC1nJA;EAOI,qBAAqB;EACrB,mBAAmB;AjCunJvB;;AiC/nJA;EAWI,aAAa;AjCwnJjB;;AiCnoJA;;EAcM,aAAa;AjC0nJnB;;AiCxoJA;EAgBM,aAAa;AjC4nJnB;;AiC5oJA;EAmBQ,gBAAgB;EhC2HpB,qBgChJqC;AjCmpJzC;;AiCjpJA;EAsBQ,YAAY;AjC+nJpB;;AClkJE;EgCnFF;IAyBI,aAAa;EjCioJf;EiC1pJF;IA4BQ,YAAY;EjCioJlB;AACF;;AiChoJA;EACE,mBAAmB;EACnB,aAAa;EACb,gBAAgB;EAChB,YAAY;EACZ,cAAc;EACd,uBAAuB;AjCmoJzB;;AiCzoJA;;EASI,gBAAgB;AjCqoJpB;;AC7lJE;EgCjDF;IAaM,sBA7CmC;EjCmrJvC;AACF;;AiCroJA;;EAEE,gBAAgB;EAChB,YAAY;EACZ,cAAc;AjCwoJhB;;AiC5oJA;;EAQM,YAAY;AjCyoJlB;;AC3mJE;EgCtCF;;IhCiGI,qBgChJqC;EjCssJvC;AACF;;AiC1oJA;EACE,mBAAmB;EACnB,2BAA2B;AjC6oJ7B;;AC3nJE;EgCpBF;IAMM,kBAAkB;EjC8oJtB;AACF;;AC7nJE;EgCxBF;IAQI,aAAa;EjCkpJf;AACF;;AiCjpJA;EACE,mBAAmB;EACnB,yBAAyB;AjCopJ3B;;ACxoJE;EgCdF;IAKI,aAAa;EjCspJf;AACF;;AkC/tJA;EACE,uBAAuB;EACvB,aAAa;EACb,mBAAmB;AlCkuJrB;;AkCruJA;EAKI,sBAAsB;AlCouJ1B;;AkCzuJA;EAOI,8ChCD0B;EgCE1B,aAAa;EACb,oBAAoB;AlCsuJxB;;AkC/uJA;;EAYM,qBAAqB;AlCwuJ3B;;AkCpvJA;EAcM,mBAAmB;AlC0uJzB;;AkCxvJA;EAgBQ,kBAAkB;AlC4uJ1B;;AkC5vJA;EAkBI,8ChCZ0B;EgCa1B,gBAtBgB;EAuBhB,iBAvBgB;AlCqwJpB;;AkClwJA;EAwBM,kBA1BsB;EA2BtB,mBA3BsB;AlCywJ5B;;AkC5uJA;;EAEE,gBAAgB;EAChB,YAAY;EACZ,cAAc;AlC+uJhB;;AkC7uJA;EjC2GI,kBiC/IgB;AlCqxJpB;;AkC9uJA;EjCwGI,iBiC/IgB;AlCyxJpB;;AkC/uJA;EACE,gBAAgB;EAChB,YAAY;EACZ,cAAc;EACd,mBAAmB;AlCkvJrB;;AChtJE;EiCtCF;IAQI,gBAAgB;ElCmvJlB;AACF;;AmCrxJA;EACE,ejCkBW;AFswJb;;AmCzxJA;EAII,kBjCgBY;AFywJhB;;AmC7xJA;EAMI,kBjCYY;AF+wJhB;;AmCjyJA;EAQI,iBjCSW;AFoxJf;;AmC3xJA;EACE,iBArB0B;AnCmzJ5B;;AmC/xJA;EAGI,kBjCqCc;EiCpCd,cjCzB0B;EiC0B1B,cAAc;EACd,qBAzBiC;AnCyzJrC;;AmCtyJA;EAQM,4BjCvBwB;EiCwBxB,cjC/BwB;AFi0J9B;;AmC3yJA;EAYM,yBjClB4B;EiCmB5B,WxByCU;AX0vJhB;;AmChzJA;ElCoHI,8BCtI0B;EiCmCxB,cAnC0B;ElCsI5B,oBkCrIkC;AnCu0JtC;;AmClyJA;EACE,cjCzC4B;EiC0C5B,iBApC2B;EAqC3B,qBApC+B;EAqC/B,yBAAyB;AnCqyJ3B;;AmCzyJA;EAMI,eAtCoB;AnC60JxB;;AmC7yJA;EAQI,kBAxCoB;AnCi1JxB;;AoC50JA;EAEE,4BlCV4B;EkCW5B,kBlC6CU;EkC5CV,elCYW;AFk0Jb;;AoCl1JA;EAMI,mBAAmB;ApCg1JvB;;AoCt1JA;EAQI,mBAAmB;EACnB,0BAA0B;ApCk1J9B;;AoC31JA;EAYI,kBlCKY;AF80JhB;;AoC/1JA;EAcI,kBlCCY;AFo1JhB;;AoCn2JA;EAgBI,iBlCFW;AFy1Jf;;AoCv2JA;EAsCM,uBAH+C;ApCw0JrD;;AoC32JA;EAwCQ,uBlC9CuB;EkC+CvB,clC5DqB;AFm4J7B;;AoCh3JA;EA2CQ,mBlCjDuB;AF03J/B;;AoCp3JA;EAsCM,yBAH+C;ApCq1JrD;;AoCx3JA;EAwCQ,yBlC3DqB;EkC4DrB,YlC/CuB;AFm4J/B;;AoC73JA;EA2CQ,qBlC9DqB;AFo5J7B;;AoCj4JA;EAsCM,yBAH+C;ApCk2JrD;;AoCr4JA;EAwCQ,4BlChDsB;EkCiDtB,yBzBkBa;AX+0JrB;;AoC14JA;EA2CQ,wBlCnDsB;AFs5J9B;;AoC94JA;EAsCM,yBAH+C;ApC+2JrD;;AoCl5JA;EAwCQ,yBlCvDsB;EkCwDtB,WzBoBQ;AX01JhB;;AoCv5JA;EA2CQ,qBlC1DsB;AF06J9B;;AoC35JA;EAsCM,yBzB8B0C;AX21JhD;;AoC/5JA;EAwCQ,yBlCzC0B;EkC0C1B,WzBoBQ;AXu2JhB;;AoCp6JA;EA2CQ,qBlC5C0B;EkC6C1B,czBiC6D;AX41JrE;;AoCz6JA;EAsCM,yBzB8B0C;AXy2JhD;;AoC76JA;EAwCQ,yBlCvC0B;EkCwC1B,WzBoBQ;AXq3JhB;;AoCl7JA;EA2CQ,qBlC1C0B;EkC2C1B,czBiC6D;AX02JrE;;AoCv7JA;EAsCM,yBzB8B0C;AXu3JhD;;AoC37JA;EAwCQ,yBlCxC0B;EkCyC1B,WzBoBQ;AXm4JhB;;AoCh8JA;EA2CQ,qBlC3C0B;EkC4C1B,czBiC6D;AXw3JrE;;AoCr8JA;EAsCM,yBzB8B0C;AXq4JhD;;AoCz8JA;EAwCQ,yBlC1C0B;EkC2C1B,WzBoBQ;AXi5JhB;;AoC98JA;EA2CQ,qBlC7C0B;EkC8C1B,czBiC6D;AXs4JrE;;AoCn9JA;EAsCM,yBzB8B0C;AXm5JhD;;AoCv9JA;EAwCQ,yBlC3C0B;EkC4C1B,yBzBkBa;AXi6JrB;;AoC59JA;EA2CQ,qBlC9C0B;EkC+C1B,czBiC6D;AXo5JrE;;AoCj+JA;EAsCM,yBzB8B0C;AXi6JhD;;AoCr+JA;EAwCQ,yBlCrCyB;EkCsCzB,WzBoBQ;AX66JhB;;AoC1+JA;EA2CQ,qBlCxCyB;EkCyCzB,czBiC6D;AXk6JrE;;AoCj8JA;EACE,mBAAmB;EACnB,yBlC9D4B;EkC+D5B,0BAAgE;EAChE,WzBWc;EyBVd,aAAa;EACb,gBlC7Be;EkC8Bf,8BAA8B;EAC9B,iBAAiB;EACjB,mBAtEiC;EAuEjC,kBAAkB;ApCo8JpB;;AoC98JA;EAYI,YAAY;EACZ,cAAc;EnCgEd,mBmC/DsC;ApCs8J1C;;AoCp9JA;EAgBI,eAjEgC;EAkEhC,yBAAyB;EACzB,0BAA0B;ApCw8J9B;;AoCt8JA;EACE,qBlC9E4B;EkC+E5B,kBlCpBU;EkCqBV,mBAAmB;EACnB,uBAjFmC;EAkFnC,clCrF4B;EkCsF5B,qBAjFiC;ApC0hKnC;;AoC/8JA;;EASI,uBlCjF2B;AF4hK/B;;AoCp9JA;EAWI,6BAlFgD;ApC+hKpD;;AqC/gKA;EAEE,mBAAmB;EACnB,aAAa;EACb,sBAAsB;EACtB,uBAAuB;EACvB,gBAAgB;EAChB,eAAe;EACf,WAxCU;ArCyjKZ;;AqCzhKA;EAWI,aAAa;ArCkhKjB;;AqChhKA;EAEE,wCnC7C2B;AF+jK7B;;AqChhKA;;EAEE,cA9CgC;EA+ChC,+BAA0D;EAC1D,cAAc;EACd,kBAAkB;EAClB,WAAW;ArCmhKb;;ACjgKE;EoCxBF;;IASI,cAAc;IACd,8BAA0D;IAC1D,YAxDuB;ErC8kKzB;AACF;;AqCrhKA;EAEE,gBAAgB;EAChB,YAxD2B;EAyD3B,eAAe;EpCsFb,WoC9IoB;EA0DtB,SAzDoB;EA0DpB,WA5D2B;ArCmlK7B;;AqCrhKA;EACE,aAAa;EACb,sBAAsB;EACtB,8BAAgD;EAChD,gBAAgB;EAChB,uBAAuB;ArCwhKzB;;AqCthKA;;EAEE,mBAAmB;EACnB,4BnCpE4B;EmCqE5B,aAAa;EACb,cAAc;EACd,2BAA2B;EAC3B,aApE4B;EAqE5B,kBAAkB;ArCyhKpB;;AqCvhKA;EACE,gCnC/E4B;EmCgF5B,2BnCpBgB;EmCqBhB,4BnCrBgB;AF+iKlB;;AqCxhKA;EACE,cnCxF4B;EmCyF5B,YAAY;EACZ,cAAc;EACd,iBnC9Da;EmC+Db,cA7E8B;ArCwmKhC;;AqCzhKA;EACE,8BnC/BgB;EmCgChB,+BnChCgB;EmCiChB,6BnC7F4B;AFynK9B;;AqC/hKA;EpC4CI,mBoCtCuC;ArC6hK3C;;AqC3hKA;EpC9CE,iCAAiC;EoCgDjC,uBnC/F6B;EmCgG7B,YAAY;EACZ,cAAc;EACd,cAAc;EACd,aAtF4B;ArConK9B;;AsCxlKA;EACE,uBpC1C6B;EoC2C7B,mBAvDqB;EAwDrB,kBAAkB;EAClB,WAtDW;AtCipKb;;AsC/lKA;EASM,uBpClDyB;EoCmDzB,cpChEuB;AF0pK7B;;AsCpmKA;;EAcU,cpCpEmB;AF+pK7B;;AsCzmKA;;;;EAoBY,yB3BiCqB;E2BhCrB,cpC3EiB;AFuqK7B;;AsCjnKA;EAwBY,qBpC9EiB;AF2qK7B;;AsCrnKA;EA0BQ,cpChFqB;AF+qK7B;;ACxmKE;EqCjBF;;;;IAgCY,cpCtFiB;EFurK3B;EsCjoKF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,cpC7Fe;EFosK3B;EsC9oKF;;IA0Cc,qBpChGe;EFwsK3B;EsClpKF;;;IA8CU,yB3BOuB;I2BNvB,cpCrGmB;EF8sK3B;EsCxpKF;IAmDc,uBpC5FiB;IoC6FjB,cpC1Ge;EFktK3B;AACF;;AsC7pKA;EASM,yBpC/DuB;EoCgEvB,YpCnDyB;AF2sK/B;;AsClqKA;;EAcU,YpCvDqB;AFgtK/B;;AsCvqKA;;;;EAoBY,uB3BiCqB;E2BhCrB,YpC9DmB;AFwtK/B;;AsC/qKA;EAwBY,mBpCjEmB;AF4tK/B;;AsCnrKA;EA0BQ,YpCnEuB;AFguK/B;;ACtqKE;EqCjBF;;;;IAgCY,YpCzEmB;EFwuK7B;EsC/rKF;;;;;;;;;;IAsCc,uB3BemB;I2BdnB,YpChFiB;EFqvK7B;EsC5sKF;;IA0Cc,mBpCnFiB;EFyvK7B;EsChtKF;;;IA8CU,uB3BOuB;I2BNvB,YpCxFqB;EF+vK7B;EsCttKF;IAmDc,yBpCzGe;IoC0Gf,YpC7FiB;EFmwK7B;AACF;;AsC3tKA;EASM,4BpCpDwB;EoCqDxB,yB3Bce;AXwsKrB;;AsChuKA;;EAcU,yB3BUW;AX6sKrB;;AsCruKA;;;;EAoBY,yB3BiCqB;E2BhCrB,yB3BGS;AXqtKrB;;AsC7uKA;EAwBY,gC3BAS;AXytKrB;;AsCjvKA;EA0BQ,yB3BFa;AX6tKrB;;ACpuKE;EqCjBF;;;;IAgCY,yB3BRS;EXquKnB;EsC7vKF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,yB3BfO;EXkvKnB;EsC1wKF;;IA0Cc,gC3BlBO;EXsvKnB;EsC9wKF;;;IA8CU,yB3BOuB;I2BNvB,yB3BvBW;EX4vKnB;EsCpxKF;IAmDc,4BpC9FgB;IoC+FhB,yB3B5BO;EXgwKnB;AACF;;AsCzxKA;EASM,yBpC3DwB;EoC4DxB,W3BgBU;AXowKhB;;AsC9xKA;;EAcU,W3BYM;AXywKhB;;AsCnyKA;;;;EAoBY,yB3BiCqB;E2BhCrB,W3BKI;AXixKhB;;AsC3yKA;EAwBY,kB3BEI;AXqxKhB;;AsC/yKA;EA0BQ,W3BAQ;AXyxKhB;;AClyKE;EqCjBF;;;;IAgCY,W3BNI;EXiyKd;EsC3zKF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,W3BbE;EX8yKd;EsCx0KF;;IA0Cc,kB3BhBE;EXkzKd;EsC50KF;;;IA8CU,yB3BOuB;I2BNvB,W3BrBM;EXwzKd;EsCl1KF;IAmDc,yBpCrGgB;IoCsGhB,W3B1BE;EX4zKd;AACF;;AsCv1KA;EASM,yBpC7C4B;EoC8C5B,W3BgBU;AXk0KhB;;AsC51KA;;EAcU,W3BYM;AXu0KhB;;AsCj2KA;;;;EAoBY,yB3BiCqB;E2BhCrB,W3BKI;AX+0KhB;;AsCz2KA;EAwBY,kB3BEI;AXm1KhB;;AsC72KA;EA0BQ,W3BAQ;AXu1KhB;;ACh2KE;EqCjBF;;;;IAgCY,W3BNI;EX+1Kd;EsCz3KF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,W3BbE;EX42Kd;EsCt4KF;;IA0Cc,kB3BhBE;EXg3Kd;EsC14KF;;;IA8CU,yB3BOuB;I2BNvB,W3BrBM;EXs3Kd;EsCh5KF;IAmDc,yBpCvFoB;IoCwFpB,W3B1BE;EX03Kd;AACF;;AsCr5KA;EASM,yBpC3C4B;EoC4C5B,W3BgBU;AXg4KhB;;AsC15KA;;EAcU,W3BYM;AXq4KhB;;AsC/5KA;;;;EAoBY,yB3BiCqB;E2BhCrB,W3BKI;AX64KhB;;AsCv6KA;EAwBY,kB3BEI;AXi5KhB;;AsC36KA;EA0BQ,W3BAQ;AXq5KhB;;AC95KE;EqCjBF;;;;IAgCY,W3BNI;EX65Kd;EsCv7KF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,W3BbE;EX06Kd;EsCp8KF;;IA0Cc,kB3BhBE;EX86Kd;EsCx8KF;;;IA8CU,yB3BOuB;I2BNvB,W3BrBM;EXo7Kd;EsC98KF;IAmDc,yBpCrFoB;IoCsFpB,W3B1BE;EXw7Kd;AACF;;AsCn9KA;EASM,yBpC5C4B;EoC6C5B,W3BgBU;AX87KhB;;AsCx9KA;;EAcU,W3BYM;AXm8KhB;;AsC79KA;;;;EAoBY,yB3BiCqB;E2BhCrB,W3BKI;AX28KhB;;AsCr+KA;EAwBY,kB3BEI;AX+8KhB;;AsCz+KA;EA0BQ,W3BAQ;AXm9KhB;;AC59KE;EqCjBF;;;;IAgCY,W3BNI;EX29Kd;EsCr/KF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,W3BbE;EXw+Kd;EsClgLF;;IA0Cc,kB3BhBE;EX4+Kd;EsCtgLF;;;IA8CU,yB3BOuB;I2BNvB,W3BrBM;EXk/Kd;EsC5gLF;IAmDc,yBpCtFoB;IoCuFpB,W3B1BE;EXs/Kd;AACF;;AsCjhLA;EASM,yBpC9C4B;EoC+C5B,W3BgBU;AX4/KhB;;AsCthLA;;EAcU,W3BYM;AXigLhB;;AsC3hLA;;;;EAoBY,yB3BiCqB;E2BhCrB,W3BKI;AXygLhB;;AsCniLA;EAwBY,kB3BEI;AX6gLhB;;AsCviLA;EA0BQ,W3BAQ;AXihLhB;;AC1hLE;EqCjBF;;;;IAgCY,W3BNI;EXyhLd;EsCnjLF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,W3BbE;EXsiLd;EsChkLF;;IA0Cc,kB3BhBE;EX0iLd;EsCpkLF;;;IA8CU,yB3BOuB;I2BNvB,W3BrBM;EXgjLd;EsC1kLF;IAmDc,yBpCxFoB;IoCyFpB,W3B1BE;EXojLd;AACF;;AsC/kLA;EASM,yBpC/C4B;EoCgD5B,yB3Bce;AX4jLrB;;AsCplLA;;EAcU,yB3BUW;AXikLrB;;AsCzlLA;;;;EAoBY,yB3BiCqB;E2BhCrB,yB3BGS;AXykLrB;;AsCjmLA;EAwBY,gC3BAS;AX6kLrB;;AsCrmLA;EA0BQ,yB3BFa;AXilLrB;;ACxlLE;EqCjBF;;;;IAgCY,yB3BRS;EXylLnB;EsCjnLF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,yB3BfO;EXsmLnB;EsC9nLF;;IA0Cc,gC3BlBO;EX0mLnB;EsCloLF;;;IA8CU,yB3BOuB;I2BNvB,yB3BvBW;EXgnLnB;EsCxoLF;IAmDc,yBpCzFoB;IoC0FpB,yB3B5BO;EXonLnB;AACF;;AsC7oLA;EASM,yBpCzC2B;EoC0C3B,W3BgBU;AXwnLhB;;AsClpLA;;EAcU,W3BYM;AX6nLhB;;AsCvpLA;;;;EAoBY,yB3BiCqB;E2BhCrB,W3BKI;AXqoLhB;;AsC/pLA;EAwBY,kB3BEI;AXyoLhB;;AsCnqLA;EA0BQ,W3BAQ;AX6oLhB;;ACtpLE;EqCjBF;;;;IAgCY,W3BNI;EXqpLd;EsC/qLF;;;;;;;;;;IAsCc,yB3BemB;I2BdnB,W3BbE;EXkqLd;EsC5rLF;;IA0Cc,kB3BhBE;EXsqLd;EsChsLF;;;IA8CU,yB3BOuB;I2BNvB,W3BrBM;EX4qLd;EsCtsLF;IAmDc,yBpCnFmB;IoCoFnB,W3B1BE;EXgrLd;AACF;;AsC3sLA;EAsDI,oBAAoB;EACpB,aAAa;EACb,mBA7GmB;EA8GnB,WAAW;AtCypLf;;AsCltLA;EA2DI,gCpCtG0B;AFiwL9B;;AsCttLA;EALE,OAAO;EACP,eAAe;EACf,QAAQ;EACR,WA/CiB;AtC8wLnB;;AsC7tLA;EAgEI,SAAS;AtCiqLb;;AsCjuLA;EAkEM,iCpC7GwB;AFgxL9B;;AsCruLA;EAoEI,MAAM;AtCqqLV;;AsCnqLA;;EAGI,oBA9HmB;AtCmyLvB;;AsCxqLA;;EAKI,uBAhImB;AtCwyLvB;;AsCtqLA;;EAEE,oBAAoB;EACpB,aAAa;EACb,cAAc;EACd,mBAvIqB;AtCgzLvB;;AsCvqLA;EAIM,6BAA6B;AtCuqLnC;;AsCrqLA;ErCpFE,iCAAiC;EqCsFjC,gBAAgB;EAChB,gBAAgB;EAChB,kBAAkB;AtCwqLpB;;AsCtqLA;EACE,cpClJ4B;EDoB5B,eAAe;EACf,cAAc;EACd,eqC1BqB;ErC2BrB,kBAAkB;EAClB,cqC5BqB;ErC6InB,iBqCWkC;AtC6qLtC;;ACxyLE;EACE,8BAA8B;EAC9B,cAAc;EACd,WAAW;EACX,qBAAqB;EACrB,kBAAkB;EAClB,wBAAwB;EACxB,yBCiCQ;EDhCR,yDAAyD;EACzD,oCC0Ba;EDzBb,WAAW;AD2yLf;;AC1yLI;EACE,oBAAoB;AD6yL1B;;AC5yLI;EACE,oBAAoB;AD+yL1B;;AC9yLI;EACE,oBAAoB;ADizL1B;;AChzLE;EACE,qCAAiC;ADmzLrC;;AC/yLM;EACE,wCAAwC;ADkzLhD;;ACjzLM;EACE,UAAU;ADozLlB;;ACnzLM;EACE,0CAA0C;ADszLlD;;AsCptLA;EACE,aAAa;AtCutLf;;AsCrtLA;;EAEE,cpC3J4B;EoC4J5B,cAAc;EACd,gBAAgB;EAChB,uBAAuB;EACvB,kBAAkB;AtCwtLpB;;AsC9tLA;;EASM,qBAAqB;EACrB,sBAAsB;AtC0tL5B;;AsCxtLA;;EAEE,eAAe;AtC2tLjB;;AsC7tLA;;;;;EAOI,yBpCrK0B;EoCsK1B,cpC9J8B;AF43LlC;;AsC5tLA;EACE,YAAY;EACZ,cAAc;AtC+tLhB;;AsCjuLA;EAII,mBA5KgC;AtC64LpC;;AsCruLA;EAMI,UAAU;AtCmuLd;;AsCzuLA;EAQI,YAAY;EACZ,cAAc;AtCquLlB;;AsC9uLA;EAWI,oCAAoC;EACpC,mBA/LmB;EAgMnB,kCAAkC;AtCuuLtC;;AsCpvLA;EAgBM,6BApLyC;EAqLzC,4BpCjL4B;AFy5LlC;;AsCzvLA;EAmBM,6BApL0C;EAqL1C,4BpCpL4B;EoCqL5B,0BApLuC;EAqLvC,wBApLqC;EAqLrC,cpCvL4B;EoCwL5B,kCAAwE;AtC0uL9E;;AsCxuLA;EACE,YAAY;EACZ,cAAc;AtC2uLhB;;AsCzuLA;ErCpEI,oBqCqEoC;AtC4uLxC;;AsC7uLA;EAII,qBpClM8B;EoCmM9B,oBAAoB;ErCjEpB,cqCkE6B;AtC6uLjC;;AsC3uLA;EACE,mBAAmB;EACnB,sBAAsB;EACtB,mBAAmB;AtC8uLrB;;AsCjvLA;EAKI,oBAAoB;EACpB,qBAAqB;AtCgvLzB;;AsC9uLA;EACE,4BpCxN4B;EoCyN5B,YAAY;EACZ,aAAa;EACb,WA9LyB;EA+LzB,gBAAgB;AtCivLlB;;AC74LE;EqCrBF;IAqLI,cAAc;EtCkvLhB;EsCjvLA;;IAGI,mBAAmB;IACnB,aAAa;EtCkvLjB;EsCjvLA;IAEI,aAAa;EtCkvLjB;EsC10LF;IA0FI,uBpCxO2B;IoCyO3B,4CpCtPyB;IoCuPzB,iBAAiB;EtCmvLnB;EsCtvLA;IAKI,cAAc;EtCovLlB;EsClvLA;IA1MA,OAAO;IACP,eAAe;IACf,QAAQ;IACR,WA/CiB;EtC8+LjB;EsCxvLA;IAKI,SAAS;EtCsvLb;EsC3vLA;IAOM,4CpClQqB;EFy/L3B;EsC9vLA;IASI,MAAM;EtCwvLV;EsCjwLA;IrC/LA,iCAAiC;IqC6M3B,iCAA2C;IAC3C,cAAc;EtCuvLpB;EsCtvLA;;IAGI,oBA7QiB;EtCogMrB;EsC1vLA;;IAKI,uBA/QiB;EtCwgMrB;AACF;;ACn8LE;EqC4MA;;;;IAIE,oBAAoB;IACpB,aAAa;EtC2vLf;EsC79LF;IAoOI,mBAzRmB;EtCqhMrB;EsC7vLA;IAGI,kBAzR0B;EtCshM9B;EsChwLA;;IAMM,mBAAmB;EtC8vLzB;EsCpwLA;;IASM,kBpC/NI;EF89LV;EsCxwLA;;;;IAgBQ,wCAAwC;EtC8vLhD;EsC9wLA;IAuBU,wCAAwC;EtC0vLlD;EsCjxLA;IA4BU,4BpC1SkB;IoC2SlB,cpCtTiB;EF8iM3B;EsCrxLA;IA+BU,4BpC7SkB;IoC8SlB,cpCrSsB;EF8hMhC;EsC55LF;IAqKI,aAAa;EtC0vLf;EsCv5LF;;IAgKI,mBAAmB;IACnB,aAAa;EtC2vLf;EsCt4LF;IA8IM,oBAAoB;EtC2vLxB;EsC7vLA;IAKM,oDAAoD;EtC2vL1D;EsChwLA;IAOM,gCpC/TsB;IoCgUtB,0BAAkE;IAClE,gBAAgB;IAChB,YAAY;IACZ,4CpC3UqB;IoC4UrB,SAAS;EtC4vLf;EsCxwLA;IAkBM,cAAc;EtCyvLpB;EsCxvLM;IAEE,UAAU;IACV,oBAAoB;IACpB,wBAAwB;EtCyvLhC;EsCr7LF;IA8LI,YAAY;IACZ,cAAc;EtC0vLhB;EsCzvLA;IACE,2BAA2B;IrC9M3B,kBqC+MoC;EtC2vLtC;EsC1vLA;IACE,yBAAyB;IrCjNzB,iBqCkNoC;EtC4vLtC;EsCl4LF;IAwII,uBpCrV2B;IoCsV3B,8BpC/Rc;IoCgSd,+BpChSc;IoCiSd,6BpC7V0B;IoC8V1B,2CpCtWyB;IoCuWzB,aAAa;IACb,mBAAmB;IrClNnB,OqCmNuB;IACvB,eAAe;IACf,kBAAkB;IAClB,SAAS;IACT,WAhVkB;EtC6kMpB;EsCh5LF;IAqJM,sBAAsB;IACtB,mBAAmB;EtC8vLvB;EsC7wLA;IrCnNE,mBqCoOuC;EtC+vLzC;EsChxLA;IAoBM,4BpC1WsB;IoC2WtB,cpCtXqB;EFqnM3B;EsCpxLA;IAuBM,4BpC7WsB;IoC8WtB,cpCrW0B;EFqmMhC;EsC/vLE;IAEE,kBpCxTY;IoCyTZ,gBAAgB;IAChB,4EpC9XuB;IoC+XvB,cAAc;IACd,UAAU;IACV,oBAAoB;IACpB,wBAA8C;IAC9C,2BAA2B;IAC3B,yBpC9TM;IoC+TN,uCAAuC;EtCgwL3C;EsCpyLA;IAsCI,UAAU;IACV,QAAQ;EtCiwLZ;EsCv6LF;IAwKI,cAAc;EtCkwLhB;EsCjwLA;;IrC7PE,qBqCgQyC;EtCkwL3C;EsCrwLA;;IrC7PE,sBqCkQyC;EtCowL3C;EsClwLA;IAjWA,OAAO;IACP,eAAe;IACf,QAAQ;IACR,WA/CiB;EtCqpMjB;EsCxwLA;IAKI,SAAS;EtCswLb;EsC3wLA;IAOM,4CpCzZqB;EFgqM3B;EsC9wLA;IASI,MAAM;EtCwwLV;EsCvwLA;;IAGI,oBA9ZiB;EtCsqMrB;EsC3wLA;;IAKI,uBAhaiB;EtC0qMrB;EsC/wLA;;IAOI,oBAA4D;EtC4wLhE;EsCnxLA;;IASI,uBAA+D;EtC8wLnE;EsC5wLA;;IAGI,cpC1auB;EFurM3B;EsChxLA;;IAKI,6BAja2C;EtCgrM/C;EsC9wLA;IAKM,yBpCtasB;EFkrM5B;AACF;;AsCzwLA;EAEI,iCAA2C;AtC2wL/C;;AuCtqMA;EAEE,erCIW;EqCHX,gBAhC0B;AvCwsM5B;;AuC3qMA;EAMI,kBrCCY;AFwqMhB;;AuC/qMA;EAQI,kBrCHY;AF8qMhB;;AuCnrMA;EAUI,iBrCNW;AFmrMf;;AuCvrMA;;EAcM,iBAAiB;EACjB,kBAAkB;EAClB,uBrCwBmB;AFspMzB;;AuC9rMA;EAkBM,uBrCsBmB;AF0pMzB;;AuC9qMA;;EAEE,mBAAmB;EACnB,aAAa;EACb,uBAAuB;EACvB,kBAAkB;AvCirMpB;;AuC/qMA;;;;EAME,cA3D6B;EA4D7B,uBAAuB;EACvB,eA5D8B;EA6D9B,mBA5DkC;EA6DlC,oBA5DmC;EA6DnC,kBAAkB;AvCgrMpB;;AuC9qMA;;;EAGE,qBrChE4B;EqCiE5B,crCrE4B;EqCsE5B,gBpCvEoB;AHwvMtB;;AuCtrMA;;;EAOI,qBrCrE0B;EqCsE1B,crCzE0B;AF8vM9B;;AuC7rMA;;;EAUI,qBrC3D8B;AFovMlC;;AuCnsMA;;;EAYI,iDrCjFyB;AF8wM7B;;AuCzsMA;;;EAcI,yBrC3E0B;EqC4E1B,qBrC5E0B;EqC6E1B,gBAAgB;EAChB,crChF0B;EqCiF1B,YAAY;AvCisMhB;;AuC/rMA;;EAEE,oBAAoB;EACpB,qBAAqB;EACrB,mBAAmB;AvCksMrB;;AuChsMA;EAEI,yBrC7E8B;EqC8E9B,qBrC9E8B;EqC+E9B,W5BnBY;AXqtMhB;;AuChsMA;EACE,crC/F4B;EqCgG5B,oBAAoB;AvCmsMtB;;AuCjsMA;EACE,eAAe;AvCosMjB;;AC/tME;EsClDF;IAiFI,eAAe;EvCqsMjB;EuC1tMF;;IAwBI,YAAY;IACZ,cAAc;EvCssMhB;EuCrsMA;IAEI,YAAY;IACZ,cAAc;EvCssMlB;AACF;;AC1uME;EsCsBF;IAiBI,YAAY;IACZ,cAAc;IACd,2BAA2B;IAC3B,QAAQ;EvCwsMV;EuCvsMA;IACE,QAAQ;EvCysMV;EuCxsMA;IACE,QAAQ;EvC0sMV;EuC9yMF;IAsGI,8BAA8B;EvC2sMhC;EuC5sMA;IAIM,QAAQ;EvC2sMd;EuC/sMA;IAMM,uBAAuB;IACvB,QAAQ;EvC4sMd;EuCntMA;IASM,QAAQ;EvC6sMd;EuCttMA;IAYM,QAAQ;EvC6sMd;EuCztMA;IAcM,QAAQ;EvC8sMd;EuC5tMA;IAgBM,yBAAyB;IACzB,QAAQ;EvC+sMd;AACF;;AwCv0MA;EACE,kBtCuCgB;EsCtChB,0FtC9B2B;EsC+B3B,etCIW;AFs0Mb;;AwC70MA;EAKI,qBtCakB;AF+zMtB;;AwCj1MA;EAYQ,uBtC3BuB;EsC4BvB,ctCzCqB;AFk3M7B;;AwCt1MA;EAeQ,0BtC9BuB;AFy2M/B;;AwC11MA;EAiBQ,YtChCuB;AF62M/B;;AwC91MA;EAYQ,yBtCxCqB;EsCyCrB,YtC5BuB;AFk3M/B;;AwCn2MA;EAeQ,4BtC3CqB;AFm4M7B;;AwCv2MA;EAiBQ,ctC7CqB;AFu4M7B;;AwC32MA;EAYQ,4BtC7BsB;EsC8BtB,yB7BqCa;AX8zMrB;;AwCh3MA;EAeQ,+BtChCsB;AFq4M9B;;AwCp3MA;EAiBQ,iBtClCsB;AFy4M9B;;AwCx3MA;EAYQ,yBtCpCsB;EsCqCtB,W7BuCQ;AXy0MhB;;AwC73MA;EAeQ,4BtCvCsB;AFy5M9B;;AwCj4MA;EAiBQ,ctCzCsB;AF65M9B;;AwCr4MA;EAYQ,yBtCtB0B;EsCuB1B,W7BuCQ;AXs1MhB;;AwC14MA;EAeQ,4BtCzB0B;AFw5MlC;;AwC94MA;EAiBQ,ctC3B0B;AF45MlC;;AwCl5MA;EAYQ,yBtCpB0B;EsCqB1B,W7BuCQ;AXm2MhB;;AwCv5MA;EAeQ,4BtCvB0B;AFm6MlC;;AwC35MA;EAiBQ,ctCzB0B;AFu6MlC;;AwC/5MA;EAYQ,yBtCrB0B;EsCsB1B,W7BuCQ;AXg3MhB;;AwCp6MA;EAeQ,4BtCxB0B;AFi7MlC;;AwCx6MA;EAiBQ,ctC1B0B;AFq7MlC;;AwC56MA;EAYQ,yBtCvB0B;EsCwB1B,W7BuCQ;AX63MhB;;AwCj7MA;EAeQ,4BtC1B0B;AFg8MlC;;AwCr7MA;EAiBQ,ctC5B0B;AFo8MlC;;AwCz7MA;EAYQ,yBtCxB0B;EsCyB1B,yB7BqCa;AX44MrB;;AwC97MA;EAeQ,4BtC3B0B;AF88MlC;;AwCl8MA;EAiBQ,ctC7B0B;AFk9MlC;;AwCt8MA;EAYQ,yBtClByB;EsCmBzB,W7BuCQ;AXu5MhB;;AwC38MA;EAeQ,4BtCrByB;AFq9MjC;;AwC/8MA;EAiBQ,ctCvByB;AFy9MjC;;AwCh8MA;;EAGI,gCtCzC2B;AF2+M/B;;AwCh8MA;EACE,yBtC5C6B;EsC6C7B,0BAA8C;EAC9C,ctCnD4B;EsCoD5B,iBAhDyB;EAiDzB,gBtCfe;EsCgBf,iBArD8B;EAsD9B,mBArDgC;AxCw/MlC;;AwCj8MA;EACE,qBAAqB;EACrB,aAAa;EACb,kBArD4B;EAsD5B,uBAAuB;AxCo8MzB;;AwCx8MA;EAMI,gCtC3D0B;EsC4D1B,mBAAmB;EACnB,cAAc;AxCs8MlB;;AwC98MA;EAWM,4BtCnEwB;EsCoExB,ctCrEwB;AF4gN9B;;AwCr8MA;EAEI,ctCxE0B;AF+gN9B;;AwCz8MA;EAIM,ctC3D4B;AFogNlC;;AwCv8MA;EACE,mBAAmB;EACnB,ctC/E4B;EsCgF5B,aAAa;EACb,2BAA2B;EAC3B,qBAAqB;AxC08MvB;;AwC/8MA;EvC6DI,oBuCtDsC;AxC48M1C;;AwCn9MA;EASI,YAAY;EACZ,cAAc;EACd,WAAW;AxC88Mf;;AwCz9MA;EAaI,eAAe;AxCg9MnB;;AwC79MA;EAeI,0BtC5E8B;EsC6E9B,ctC7F0B;AF+iN9B;;AwCl+MA;EAkBM,ctC/E4B;AFmiNlC;;AwCt+MA;EAoBI,8BtCjCc;EsCkCd,+BtClCc;AFw/MlB;;AwCp9MA;;EAEE,eAAe;AxCu9MjB;;AwCz9MA;;EAII,4BtCjG0B;AF2jN9B;;AwCx9MA;EvC9FE,qBAAqB;EACrB,euC8FgB;EvC7FhB,WuC6FqB;EvC5FrB,gBuC4FqB;EvC3FrB,kBAAkB;EAClB,mBAAmB;EACnB,UuCyFqB;EACrB,ctC1G4B;EDwI1B,oBuC7BoC;AxCi+MxC;;AwCp+MA;EAKI,kBAAkB;EAClB,oBAAoB;AxCm+MxB;;AyC7jNA;ExCkCE,iCAAiC;EwC9BjC,oBAAoB;EACpB,aAAa;EACb,evCGW;EuCFX,8BAA8B;EAC9B,gBAAgB;EAChB,gBAAgB;EAChB,mBAAmB;AzC8jNrB;;AyCxkNA;EAYI,mBAAmB;EACnB,4BvC/B0B;EuCgC1B,0BAzC4B;EA0C5B,wBAzC0B;EA0C1B,cvCrC0B;EuCsC1B,aAAa;EACb,uBAAuB;EACvB,mBAA6C;EAC7C,kBAxCyB;EAyCzB,mBAAmB;AzCgkNvB;;AyCrlNA;EAuBM,4BvC7CwB;EuC8CxB,cvC9CwB;AFgnN9B;;AyC1lNA;EA0BI,cAAc;AzCokNlB;;AyC9lNA;EA6BQ,4BvCnC0B;EuCoC1B,cvCpC0B;AFymNlC;;AyCnmNA;EAgCI,mBAAmB;EACnB,4BvCnD0B;EuCoD1B,0BA7D4B;EA8D5B,wBA7D0B;EA8D1B,aAAa;EACb,YAAY;EACZ,cAAc;EACd,2BAA2B;AzCukN/B;;AyC9mNA;EAyCM,qBAAqB;AzCykN3B;;AyClnNA;EA2CM,UAAU;EACV,uBAAuB;EACvB,oBAAoB;EACpB,qBAAqB;AzC2kN3B;;AyCznNA;EAgDM,yBAAyB;EACzB,oBAAoB;AzC6kN1B;;AyC9nNA;ExCoHI,mBwChEuC;AzC8kN3C;;AyCloNA;ExCoHI,kBwC9DuC;AzCglN3C;;AyCtoNA;EA0DM,uBAAuB;AzCglN7B;;AyC1oNA;EA6DM,yBAAyB;AzCilN/B;;AyC9oNA;EAiEM,6BAA6B;EAE3B,0BAAkE;AzCglN1E;;AyCnpNA;EAuEQ,4BvCtFsB;EuCuFtB,4BvC1FsB;AF0qN9B;;AyCxpNA;EA4EU,uBvCzFqB;EuC0FrB,qBvC/FoB;EuCgGpB,2CAA2E;AzCglNrF;;AyC9pNA;EAiFM,YAAY;EACZ,cAAc;AzCilNpB;;AyCnqNA;EAqFM,qBvCvGwB;EuCwGxB,mBA/F+B;EAgG/B,iBA/F6B;EAgG7B,gBAAgB;EAChB,kBAAkB;AzCklNxB;;AyC3qNA;EA2FQ,4BvC1GsB;EuC2GtB,qBvC/GsB;EuCgHtB,UAAU;AzColNlB;;AyCjrNA;ExCoHI,iBwCpBuE;AzCqlN3E;;AyCrrNA;EAmGU,2BvC1DE;EuC2DF,8BvC3DE;AFipNZ;;AyC1rNA;EA0GU,4BvCjEE;EuCkEF,+BvClEE;AFspNZ;;AyC/rNA;EAiHU,yBvCvHwB;EuCwHxB,qBvCxHwB;EuCyHxB,W9B7DM;E8B8DN,UAAU;AzCklNpB;;AyCtsNA;EAsHM,mBAAmB;AzColNzB;;AyC1sNA;EA2HY,mCvChFa;EuCiFb,gCvCjFa;EuCkFb,oBAAoB;AzCmlNhC;;AyChtNA;EAoIY,oCvCzFa;EuC0Fb,iCvC1Fa;EuC2Fb,qBAAqB;AzCglNjC;;AyCttNA;EA6II,kBvCnIY;AFgtNhB;;AyC1tNA;EA+II,kBvCvIY;AFstNhB;;AyC9tNA;EAiJI,iBvC1IW;AF2tNf;;A0C9vNA,eAAA;ACEA;EACE,cAAc;EACd,aAAa;EACb,YAAY;EACZ,cAAc;EACd,gBAPkB;A3CuwNpB;;A2C/vNE;EACE,UAAU;A3CkwNd;;A2CjwNE;EACE,UAAU;EACV,WAAW;A3CowNf;;A2CnwNE;EACE,UAAU;EACV,UAAU;A3CswNd;;A2CrwNE;EACE,UAAU;EACV,eAAe;A3CwwNnB;;A2CvwNE;EACE,UAAU;EACV,UAAU;A3C0wNd;;A2CzwNE;EACE,UAAU;EACV,eAAe;A3C4wNnB;;A2C3wNE;EACE,UAAU;EACV,UAAU;A3C8wNd;;A2C7wNE;EACE,UAAU;EACV,UAAU;A3CgxNd;;A2C/wNE;EACE,UAAU;EACV,UAAU;A3CkxNd;;A2CjxNE;EACE,UAAU;EACV,UAAU;A3CoxNd;;A2CnxNE;EACE,UAAU;EACV,UAAU;A3CsxNd;;A2CrxNE;E1CwGE,gB0CvGmC;A3CwxNvC;;A2CvxNE;E1CsGE,qB0CrGwC;A3C0xN5C;;A2CzxNE;E1CoGE,gB0CnGmC;A3C4xNvC;;A2C3xNE;E1CkGE,qB0CjGwC;A3C8xN5C;;A2C7xNE;E1CgGE,gB0C/FmC;A3CgyNvC;;A2C/xNE;E1C8FE,gB0C7FmC;A3CkyNvC;;A2CjyNE;E1C4FE,gB0C3FmC;A3CoyNvC;;A2CnyNE;E1C0FE,gB0CzFmC;A3CsyNvC;;A2CryNE;E1CwFE,gB0CvFmC;A3CwyNvC;;A2CtyNI;EACE,UAAU;EACV,SAA0B;A3CyyNhC;;A2CxyNI;E1CkFA,e0CjFqD;A3C2yNzD;;A2C/yNI;EACE,UAAU;EACV,eAA0B;A3CkzNhC;;A2CjzNI;E1CkFA,qB0CjFqD;A3CozNzD;;A2CxzNI;EACE,UAAU;EACV,gBAA0B;A3C2zNhC;;A2C1zNI;E1CkFA,sB0CjFqD;A3C6zNzD;;A2Cj0NI;EACE,UAAU;EACV,UAA0B;A3Co0NhC;;A2Cn0NI;E1CkFA,gB0CjFqD;A3Cs0NzD;;A2C10NI;EACE,UAAU;EACV,gBAA0B;A3C60NhC;;A2C50NI;E1CkFA,sB0CjFqD;A3C+0NzD;;A2Cn1NI;EACE,UAAU;EACV,gBAA0B;A3Cs1NhC;;A2Cr1NI;E1CkFA,sB0CjFqD;A3Cw1NzD;;A2C51NI;EACE,UAAU;EACV,UAA0B;A3C+1NhC;;A2C91NI;E1CkFA,gB0CjFqD;A3Ci2NzD;;A2Cr2NI;EACE,UAAU;EACV,gBAA0B;A3Cw2NhC;;A2Cv2NI;E1CkFA,sB0CjFqD;A3C02NzD;;A2C92NI;EACE,UAAU;EACV,gBAA0B;A3Ci3NhC;;A2Ch3NI;E1CkFA,sB0CjFqD;A3Cm3NzD;;A2Cv3NI;EACE,UAAU;EACV,UAA0B;A3C03NhC;;A2Cz3NI;E1CkFA,gB0CjFqD;A3C43NzD;;A2Ch4NI;EACE,UAAU;EACV,gBAA0B;A3Cm4NhC;;A2Cl4NI;E1CkFA,sB0CjFqD;A3Cq4NzD;;A2Cz4NI;EACE,UAAU;EACV,gBAA0B;A3C44NhC;;A2C34NI;E1CkFA,sB0CjFqD;A3C84NzD;;A2Cl5NI;EACE,UAAU;EACV,WAA0B;A3Cq5NhC;;A2Cp5NI;E1CkFA,iB0CjFqD;A3Cu5NzD;;ACr4NE;E0C/EF;IAgEM,UAAU;E3Cy5Nd;E2Cz9NF;IAkEM,UAAU;IACV,WAAW;E3C05Nf;E2C79NF;IAqEM,UAAU;IACV,UAAU;E3C25Nd;E2Cj+NF;IAwEM,UAAU;IACV,eAAe;E3C45NnB;E2Cr+NF;IA2EM,UAAU;IACV,UAAU;E3C65Nd;E2Cz+NF;IA8EM,UAAU;IACV,eAAe;E3C85NnB;E2C7+NF;IAiFM,UAAU;IACV,UAAU;E3C+5Nd;E2Cj/NF;IAoFM,UAAU;IACV,UAAU;E3Cg6Nd;E2Cr/NF;IAuFM,UAAU;IACV,UAAU;E3Ci6Nd;E2Cz/NF;IA0FM,UAAU;IACV,UAAU;E3Ck6Nd;E2C7/NF;IA6FM,UAAU;IACV,UAAU;E3Cm6Nd;E2CjgOF;I1C8II,gB0C9CqC;E3Co6NvC;E2CpgOF;I1C8II,qB0C5C0C;E3Cq6N5C;E2CvgOF;I1C8II,gB0C1CqC;E3Cs6NvC;E2C1gOF;I1C8II,qB0CxC0C;E3Cu6N5C;E2C7gOF;I1C8II,gB0CtCqC;E3Cw6NvC;E2ChhOF;I1C8II,gB0CpCqC;E3Cy6NvC;E2CnhOF;I1C8II,gB0ClCqC;E3C06NvC;E2CthOF;I1C8II,gB0ChCqC;E3C26NvC;E2CzhOF;I1C8II,gB0C9BqC;E3C46NvC;E2C5hOF;IAmHQ,UAAU;IACV,SAA0B;E3C46NhC;E2ChiOF;I1C8II,e0CxBuD;E3C66NzD;E2CniOF;IAmHQ,UAAU;IACV,eAA0B;E3Cm7NhC;E2CviOF;I1C8II,qB0CxBuD;E3Co7NzD;E2C1iOF;IAmHQ,UAAU;IACV,gBAA0B;E3C07NhC;E2C9iOF;I1C8II,sB0CxBuD;E3C27NzD;E2CjjOF;IAmHQ,UAAU;IACV,UAA0B;E3Ci8NhC;E2CrjOF;I1C8II,gB0CxBuD;E3Ck8NzD;E2CxjOF;IAmHQ,UAAU;IACV,gBAA0B;E3Cw8NhC;E2C5jOF;I1C8II,sB0CxBuD;E3Cy8NzD;E2C/jOF;IAmHQ,UAAU;IACV,gBAA0B;E3C+8NhC;E2CnkOF;I1C8II,sB0CxBuD;E3Cg9NzD;E2CtkOF;IAmHQ,UAAU;IACV,UAA0B;E3Cs9NhC;E2C1kOF;I1C8II,gB0CxBuD;E3Cu9NzD;E2C7kOF;IAmHQ,UAAU;IACV,gBAA0B;E3C69NhC;E2CjlOF;I1C8II,sB0CxBuD;E3C89NzD;E2CplOF;IAmHQ,UAAU;IACV,gBAA0B;E3Co+NhC;E2CxlOF;I1C8II,sB0CxBuD;E3Cq+NzD;E2C3lOF;IAmHQ,UAAU;IACV,UAA0B;E3C2+NhC;E2C/lOF;I1C8II,gB0CxBuD;E3C4+NzD;E2ClmOF;IAmHQ,UAAU;IACV,gBAA0B;E3Ck/NhC;E2CtmOF;I1C8II,sB0CxBuD;E3Cm/NzD;E2CzmOF;IAmHQ,UAAU;IACV,gBAA0B;E3Cy/NhC;E2C7mOF;I1C8II,sB0CxBuD;E3C0/NzD;E2ChnOF;IAmHQ,UAAU;IACV,WAA0B;E3CggOhC;E2CpnOF;I1C8II,iB0CxBuD;E3CigOzD;AACF;;ACriOE;E0CnFF;IA0HM,UAAU;E3CmgOd;E2C7nOF;IA6HM,UAAU;IACV,WAAW;E3CmgOf;E2CjoOF;IAiIM,UAAU;IACV,UAAU;E3CmgOd;E2CroOF;IAqIM,UAAU;IACV,eAAe;E3CmgOnB;E2CzoOF;IAyIM,UAAU;IACV,UAAU;E3CmgOd;E2C7oOF;IA6IM,UAAU;IACV,eAAe;E3CmgOnB;E2CjpOF;IAiJM,UAAU;IACV,UAAU;E3CmgOd;E2CrpOF;IAqJM,UAAU;IACV,UAAU;E3CmgOd;E2CzpOF;IAyJM,UAAU;IACV,UAAU;E3CmgOd;E2C7pOF;IA6JM,UAAU;IACV,UAAU;E3CmgOd;E2CjqOF;IAiKM,UAAU;IACV,UAAU;E3CmgOd;E2CrqOF;I1C8II,gB0CuBqC;E3CmgOvC;E2CxqOF;I1C8II,qB0C0B0C;E3CmgO5C;E2C3qOF;I1C8II,gB0C6BqC;E3CmgOvC;E2C9qOF;I1C8II,qB0CgC0C;E3CmgO5C;E2CjrOF;I1C8II,gB0CmCqC;E3CmgOvC;E2CprOF;I1C8II,gB0CsCqC;E3CmgOvC;E2CvrOF;I1C8II,gB0CyCqC;E3CmgOvC;E2C1rOF;I1C8II,gB0C4CqC;E3CmgOvC;E2C7rOF;I1C8II,gB0C+CqC;E3CmgOvC;E2ChsOF;IAiMQ,UAAU;IACV,SAA0B;E3CkgOhC;E2CpsOF;I1C8II,e0CuDuD;E3CkgOzD;E2CvsOF;IAiMQ,UAAU;IACV,eAA0B;E3CygOhC;E2C3sOF;I1C8II,qB0CuDuD;E3CygOzD;E2C9sOF;IAiMQ,UAAU;IACV,gBAA0B;E3CghOhC;E2CltOF;I1C8II,sB0CuDuD;E3CghOzD;E2CrtOF;IAiMQ,UAAU;IACV,UAA0B;E3CuhOhC;E2CztOF;I1C8II,gB0CuDuD;E3CuhOzD;E2C5tOF;IAiMQ,UAAU;IACV,gBAA0B;E3C8hOhC;E2ChuOF;I1C8II,sB0CuDuD;E3C8hOzD;E2CnuOF;IAiMQ,UAAU;IACV,gBAA0B;E3CqiOhC;E2CvuOF;I1C8II,sB0CuDuD;E3CqiOzD;E2C1uOF;IAiMQ,UAAU;IACV,UAA0B;E3C4iOhC;E2C9uOF;I1C8II,gB0CuDuD;E3C4iOzD;E2CjvOF;IAiMQ,UAAU;IACV,gBAA0B;E3CmjOhC;E2CrvOF;I1C8II,sB0CuDuD;E3CmjOzD;E2CxvOF;IAiMQ,UAAU;IACV,gBAA0B;E3C0jOhC;E2C5vOF;I1C8II,sB0CuDuD;E3C0jOzD;E2C/vOF;IAiMQ,UAAU;IACV,UAA0B;E3CikOhC;E2CnwOF;I1C8II,gB0CuDuD;E3CikOzD;E2CtwOF;IAiMQ,UAAU;IACV,gBAA0B;E3CwkOhC;E2C1wOF;I1C8II,sB0CuDuD;E3CwkOzD;E2C7wOF;IAiMQ,UAAU;IACV,gBAA0B;E3C+kOhC;E2CjxOF;I1C8II,sB0CuDuD;E3C+kOzD;E2CpxOF;IAiMQ,UAAU;IACV,WAA0B;E3CslOhC;E2CxxOF;I1C8II,iB0CuDuD;E3CslOzD;AACF;;ACjsOE;E0C3FF;IAwMM,UAAU;E3CylOd;E2CjyOF;IA0MM,UAAU;IACV,WAAW;E3C0lOf;E2CryOF;IA6MM,UAAU;IACV,UAAU;E3C2lOd;E2CzyOF;IAgNM,UAAU;IACV,eAAe;E3C4lOnB;E2C7yOF;IAmNM,UAAU;IACV,UAAU;E3C6lOd;E2CjzOF;IAsNM,UAAU;IACV,eAAe;E3C8lOnB;E2CrzOF;IAyNM,UAAU;IACV,UAAU;E3C+lOd;E2CzzOF;IA4NM,UAAU;IACV,UAAU;E3CgmOd;E2C7zOF;IA+NM,UAAU;IACV,UAAU;E3CimOd;E2Cj0OF;IAkOM,UAAU;IACV,UAAU;E3CkmOd;E2Cr0OF;IAqOM,UAAU;IACV,UAAU;E3CmmOd;E2Cz0OF;I1C8II,gB0C0FqC;E3ComOvC;E2C50OF;I1C8II,qB0C4F0C;E3CqmO5C;E2C/0OF;I1C8II,gB0C8FqC;E3CsmOvC;E2Cl1OF;I1C8II,qB0CgG0C;E3CumO5C;E2Cr1OF;I1C8II,gB0CkGqC;E3CwmOvC;E2Cx1OF;I1C8II,gB0CoGqC;E3CymOvC;E2C31OF;I1C8II,gB0CsGqC;E3C0mOvC;E2C91OF;I1C8II,gB0CwGqC;E3C2mOvC;E2Cj2OF;I1C8II,gB0C0GqC;E3C4mOvC;E2Cp2OF;IA2PQ,UAAU;IACV,SAA0B;E3C4mOhC;E2Cx2OF;I1C8II,e0CgHuD;E3C6mOzD;E2C32OF;IA2PQ,UAAU;IACV,eAA0B;E3CmnOhC;E2C/2OF;I1C8II,qB0CgHuD;E3ConOzD;E2Cl3OF;IA2PQ,UAAU;IACV,gBAA0B;E3C0nOhC;E2Ct3OF;I1C8II,sB0CgHuD;E3C2nOzD;E2Cz3OF;IA2PQ,UAAU;IACV,UAA0B;E3CioOhC;E2C73OF;I1C8II,gB0CgHuD;E3CkoOzD;E2Ch4OF;IA2PQ,UAAU;IACV,gBAA0B;E3CwoOhC;E2Cp4OF;I1C8II,sB0CgHuD;E3CyoOzD;E2Cv4OF;IA2PQ,UAAU;IACV,gBAA0B;E3C+oOhC;E2C34OF;I1C8II,sB0CgHuD;E3CgpOzD;E2C94OF;IA2PQ,UAAU;IACV,UAA0B;E3CspOhC;E2Cl5OF;I1C8II,gB0CgHuD;E3CupOzD;E2Cr5OF;IA2PQ,UAAU;IACV,gBAA0B;E3C6pOhC;E2Cz5OF;I1C8II,sB0CgHuD;E3C8pOzD;E2C55OF;IA2PQ,UAAU;IACV,gBAA0B;E3CoqOhC;E2Ch6OF;I1C8II,sB0CgHuD;E3CqqOzD;E2Cn6OF;IA2PQ,UAAU;IACV,UAA0B;E3C2qOhC;E2Cv6OF;I1C8II,gB0CgHuD;E3C4qOzD;E2C16OF;IA2PQ,UAAU;IACV,gBAA0B;E3CkrOhC;E2C96OF;I1C8II,sB0CgHuD;E3CmrOzD;E2Cj7OF;IA2PQ,UAAU;IACV,gBAA0B;E3CyrOhC;E2Cr7OF;I1C8II,sB0CgHuD;E3C0rOzD;E2Cx7OF;IA2PQ,UAAU;IACV,WAA0B;E3CgsOhC;E2C57OF;I1C8II,iB0CgHuD;E3CisOzD;AACF;;ACj2OE;E0C/FF;IAiQM,UAAU;E3CosOd;E2Cr8OF;IAmQM,UAAU;IACV,WAAW;E3CqsOf;E2Cz8OF;IAsQM,UAAU;IACV,UAAU;E3CssOd;E2C78OF;IAyQM,UAAU;IACV,eAAe;E3CusOnB;E2Cj9OF;IA4QM,UAAU;IACV,UAAU;E3CwsOd;E2Cr9OF;IA+QM,UAAU;IACV,eAAe;E3CysOnB;E2Cz9OF;IAkRM,UAAU;IACV,UAAU;E3C0sOd;E2C79OF;IAqRM,UAAU;IACV,UAAU;E3C2sOd;E2Cj+OF;IAwRM,UAAU;IACV,UAAU;E3C4sOd;E2Cr+OF;IA2RM,UAAU;IACV,UAAU;E3C6sOd;E2Cz+OF;IA8RM,UAAU;IACV,UAAU;E3C8sOd;E2C7+OF;I1C8II,gB0CmJqC;E3C+sOvC;E2Ch/OF;I1C8II,qB0CqJ0C;E3CgtO5C;E2Cn/OF;I1C8II,gB0CuJqC;E3CitOvC;E2Ct/OF;I1C8II,qB0CyJ0C;E3CktO5C;E2Cz/OF;I1C8II,gB0C2JqC;E3CmtOvC;E2C5/OF;I1C8II,gB0C6JqC;E3CotOvC;E2C//OF;I1C8II,gB0C+JqC;E3CqtOvC;E2ClgPF;I1C8II,gB0CiKqC;E3CstOvC;E2CrgPF;I1C8II,gB0CmKqC;E3CutOvC;E2CxgPF;IAoTQ,UAAU;IACV,SAA0B;E3CutOhC;E2C5gPF;I1C8II,e0CyKuD;E3CwtOzD;E2C/gPF;IAoTQ,UAAU;IACV,eAA0B;E3C8tOhC;E2CnhPF;I1C8II,qB0CyKuD;E3C+tOzD;E2CthPF;IAoTQ,UAAU;IACV,gBAA0B;E3CquOhC;E2C1hPF;I1C8II,sB0CyKuD;E3CsuOzD;E2C7hPF;IAoTQ,UAAU;IACV,UAA0B;E3C4uOhC;E2CjiPF;I1C8II,gB0CyKuD;E3C6uOzD;E2CpiPF;IAoTQ,UAAU;IACV,gBAA0B;E3CmvOhC;E2CxiPF;I1C8II,sB0CyKuD;E3CovOzD;E2C3iPF;IAoTQ,UAAU;IACV,gBAA0B;E3C0vOhC;E2C/iPF;I1C8II,sB0CyKuD;E3C2vOzD;E2CljPF;IAoTQ,UAAU;IACV,UAA0B;E3CiwOhC;E2CtjPF;I1C8II,gB0CyKuD;E3CkwOzD;E2CzjPF;IAoTQ,UAAU;IACV,gBAA0B;E3CwwOhC;E2C7jPF;I1C8II,sB0CyKuD;E3CywOzD;E2ChkPF;IAoTQ,UAAU;IACV,gBAA0B;E3C+wOhC;E2CpkPF;I1C8II,sB0CyKuD;E3CgxOzD;E2CvkPF;IAoTQ,UAAU;IACV,UAA0B;E3CsxOhC;E2C3kPF;I1C8II,gB0CyKuD;E3CuxOzD;E2C9kPF;IAoTQ,UAAU;IACV,gBAA0B;E3C6xOhC;E2CllPF;I1C8II,sB0CyKuD;E3C8xOzD;E2CrlPF;IAoTQ,UAAU;IACV,gBAA0B;E3CoyOhC;E2CzlPF;I1C8II,sB0CyKuD;E3CqyOzD;E2C5lPF;IAoTQ,UAAU;IACV,WAA0B;E3C2yOhC;E2ChmPF;I1C8II,iB0CyKuD;E3C4yOzD;AACF;;ACt/OI;E0C9GJ;IA0TM,UAAU;E3C+yOd;E2CzmPF;IA4TM,UAAU;IACV,WAAW;E3CgzOf;E2C7mPF;IA+TM,UAAU;IACV,UAAU;E3CizOd;E2CjnPF;IAkUM,UAAU;IACV,eAAe;E3CkzOnB;E2CrnPF;IAqUM,UAAU;IACV,UAAU;E3CmzOd;E2CznPF;IAwUM,UAAU;IACV,eAAe;E3CozOnB;E2C7nPF;IA2UM,UAAU;IACV,UAAU;E3CqzOd;E2CjoPF;IA8UM,UAAU;IACV,UAAU;E3CszOd;E2CroPF;IAiVM,UAAU;IACV,UAAU;E3CuzOd;E2CzoPF;IAoVM,UAAU;IACV,UAAU;E3CwzOd;E2C7oPF;IAuVM,UAAU;IACV,UAAU;E3CyzOd;E2CjpPF;I1C8II,gB0C4MqC;E3C0zOvC;E2CppPF;I1C8II,qB0C8M0C;E3C2zO5C;E2CvpPF;I1C8II,gB0CgNqC;E3C4zOvC;E2C1pPF;I1C8II,qB0CkN0C;E3C6zO5C;E2C7pPF;I1C8II,gB0CoNqC;E3C8zOvC;E2ChqPF;I1C8II,gB0CsNqC;E3C+zOvC;E2CnqPF;I1C8II,gB0CwNqC;E3Cg0OvC;E2CtqPF;I1C8II,gB0C0NqC;E3Ci0OvC;E2CzqPF;I1C8II,gB0C4NqC;E3Ck0OvC;E2C5qPF;IA6WQ,UAAU;IACV,SAA0B;E3Ck0OhC;E2ChrPF;I1C8II,e0CkOuD;E3Cm0OzD;E2CnrPF;IA6WQ,UAAU;IACV,eAA0B;E3Cy0OhC;E2CvrPF;I1C8II,qB0CkOuD;E3C00OzD;E2C1rPF;IA6WQ,UAAU;IACV,gBAA0B;E3Cg1OhC;E2C9rPF;I1C8II,sB0CkOuD;E3Ci1OzD;E2CjsPF;IA6WQ,UAAU;IACV,UAA0B;E3Cu1OhC;E2CrsPF;I1C8II,gB0CkOuD;E3Cw1OzD;E2CxsPF;IA6WQ,UAAU;IACV,gBAA0B;E3C81OhC;E2C5sPF;I1C8II,sB0CkOuD;E3C+1OzD;E2C/sPF;IA6WQ,UAAU;IACV,gBAA0B;E3Cq2OhC;E2CntPF;I1C8II,sB0CkOuD;E3Cs2OzD;E2CttPF;IA6WQ,UAAU;IACV,UAA0B;E3C42OhC;E2C1tPF;I1C8II,gB0CkOuD;E3C62OzD;E2C7tPF;IA6WQ,UAAU;IACV,gBAA0B;E3Cm3OhC;E2CjuPF;I1C8II,sB0CkOuD;E3Co3OzD;E2CpuPF;IA6WQ,UAAU;IACV,gBAA0B;E3C03OhC;E2CxuPF;I1C8II,sB0CkOuD;E3C23OzD;E2C3uPF;IA6WQ,UAAU;IACV,UAA0B;E3Ci4OhC;E2C/uPF;I1C8II,gB0CkOuD;E3Ck4OzD;E2ClvPF;IA6WQ,UAAU;IACV,gBAA0B;E3Cw4OhC;E2CtvPF;I1C8II,sB0CkOuD;E3Cy4OzD;E2CzvPF;IA6WQ,UAAU;IACV,gBAA0B;E3C+4OhC;E2C7vPF;I1C8II,sB0CkOuD;E3Cg5OzD;E2ChwPF;IA6WQ,UAAU;IACV,WAA0B;E3Cs5OhC;E2CpwPF;I1C8II,iB0CkOuD;E3Cu5OzD;AACF;;AC3oPI;E0C7HJ;IAmXM,UAAU;E3C05Od;E2C7wPF;IAqXM,UAAU;IACV,WAAW;E3C25Of;E2CjxPF;IAwXM,UAAU;IACV,UAAU;E3C45Od;E2CrxPF;IA2XM,UAAU;IACV,eAAe;E3C65OnB;E2CzxPF;IA8XM,UAAU;IACV,UAAU;E3C85Od;E2C7xPF;IAiYM,UAAU;IACV,eAAe;E3C+5OnB;E2CjyPF;IAoYM,UAAU;IACV,UAAU;E3Cg6Od;E2CryPF;IAuYM,UAAU;IACV,UAAU;E3Ci6Od;E2CzyPF;IA0YM,UAAU;IACV,UAAU;E3Ck6Od;E2C7yPF;IA6YM,UAAU;IACV,UAAU;E3Cm6Od;E2CjzPF;IAgZM,UAAU;IACV,UAAU;E3Co6Od;E2CrzPF;I1C8II,gB0CqQqC;E3Cq6OvC;E2CxzPF;I1C8II,qB0CuQ0C;E3Cs6O5C;E2C3zPF;I1C8II,gB0CyQqC;E3Cu6OvC;E2C9zPF;I1C8II,qB0C2Q0C;E3Cw6O5C;E2Cj0PF;I1C8II,gB0C6QqC;E3Cy6OvC;E2Cp0PF;I1C8II,gB0C+QqC;E3C06OvC;E2Cv0PF;I1C8II,gB0CiRqC;E3C26OvC;E2C10PF;I1C8II,gB0CmRqC;E3C46OvC;E2C70PF;I1C8II,gB0CqRqC;E3C66OvC;E2Ch1PF;IAsaQ,UAAU;IACV,SAA0B;E3C66OhC;E2Cp1PF;I1C8II,e0C2RuD;E3C86OzD;E2Cv1PF;IAsaQ,UAAU;IACV,eAA0B;E3Co7OhC;E2C31PF;I1C8II,qB0C2RuD;E3Cq7OzD;E2C91PF;IAsaQ,UAAU;IACV,gBAA0B;E3C27OhC;E2Cl2PF;I1C8II,sB0C2RuD;E3C47OzD;E2Cr2PF;IAsaQ,UAAU;IACV,UAA0B;E3Ck8OhC;E2Cz2PF;I1C8II,gB0C2RuD;E3Cm8OzD;E2C52PF;IAsaQ,UAAU;IACV,gBAA0B;E3Cy8OhC;E2Ch3PF;I1C8II,sB0C2RuD;E3C08OzD;E2Cn3PF;IAsaQ,UAAU;IACV,gBAA0B;E3Cg9OhC;E2Cv3PF;I1C8II,sB0C2RuD;E3Ci9OzD;E2C13PF;IAsaQ,UAAU;IACV,UAA0B;E3Cu9OhC;E2C93PF;I1C8II,gB0C2RuD;E3Cw9OzD;E2Cj4PF;IAsaQ,UAAU;IACV,gBAA0B;E3C89OhC;E2Cr4PF;I1C8II,sB0C2RuD;E3C+9OzD;E2Cx4PF;IAsaQ,UAAU;IACV,gBAA0B;E3Cq+OhC;E2C54PF;I1C8II,sB0C2RuD;E3Cs+OzD;E2C/4PF;IAsaQ,UAAU;IACV,UAA0B;E3C4+OhC;E2Cn5PF;I1C8II,gB0C2RuD;E3C6+OzD;E2Ct5PF;IAsaQ,UAAU;IACV,gBAA0B;E3Cm/OhC;E2C15PF;I1C8II,sB0C2RuD;E3Co/OzD;E2C75PF;IAsaQ,UAAU;IACV,gBAA0B;E3C0/OhC;E2Cj6PF;I1C8II,sB0C2RuD;E3C2/OzD;E2Cp6PF;IAsaQ,UAAU;IACV,WAA0B;E3CigPhC;E2Cx6PF;I1C8II,iB0C2RuD;E3CkgPzD;AACF;;A2CjgPA;E1C7RI,qB0ChJgB;E1CgJhB,sB0ChJgB;EAgblB,oBAhbkB;A3Co7PpB;;A2CvgPA;EAKI,uBAlbgB;A3Cw7PpB;;A2C3gPA;EAOI,qCAA4C;A3CwgPhD;;A2C/gPA;EAUI,uBAAuB;A3CygP3B;;A2CnhPA;E1C7RI,c0CySiC;E1CzSjC,e0C0SiC;EACjC,aAAa;A3C2gPjB;;A2CzhPA;EAgBM,SAAS;EACT,qBAAqB;A3C6gP3B;;A2C9hPA;EAmBM,qBAAqB;A3C+gP3B;;A2CliPA;EAqBM,gBAAgB;A3CihPtB;;A2CtiPA;EAuBI,aAAa;A3CmhPjB;;A2C1iPA;EAyBI,eAAe;A3CqhPnB;;A2C9iPA;EA2BI,mBAAmB;A3CuhPvB;;AC14PE;E0CwVF;IA+BM,aAAa;E3CwhPjB;AACF;;ACp4PE;E0C4UF;IAmCM,aAAa;E3C0hPjB;AACF;;A2CxhPE;EACE,oBAAY;E1CpUZ,wC0CqU2D;E1CrU3D,yC0CsU2D;A3C2hP/D;;A2C9hPE;EAKI,8BAA8B;EAC9B,+BAA+B;A3C6hPrC;;A2CniPE;EASM,iBAAY;A3C8hPpB;;ACz6PE;E0CkYA;IAYQ,iBAAY;E3CgiPpB;AACF;;AC36PE;E0C8XA;IAeQ,iBAAY;E3CmiPpB;AACF;;AC76PE;E0C0XA;IAkBQ,iBAAY;E3CsiPpB;AACF;;AC/6PE;E0CsXA;IAqBQ,iBAAY;E3CyiPpB;AACF;;ACj7PE;E0CkXA;IAwBQ,iBAAY;E3C4iPpB;AACF;;ACl7PI;E0C6WF;IA2BQ,iBAAY;E3C+iPpB;AACF;;AC96PI;E0CmWF;IA8BQ,iBAAY;E3CkjPpB;AACF;;AC/6PI;E0C8VF;IAiCQ,iBAAY;E3CqjPpB;AACF;;AC36PI;E0CoVF;IAoCQ,iBAAY;E3CwjPpB;AACF;;A2C7lPE;EASM,oBAAY;A3CwlPpB;;ACn+PE;E0CkYA;IAYQ,oBAAY;E3C0lPpB;AACF;;ACr+PE;E0C8XA;IAeQ,oBAAY;E3C6lPpB;AACF;;ACv+PE;E0C0XA;IAkBQ,oBAAY;E3CgmPpB;AACF;;ACz+PE;E0CsXA;IAqBQ,oBAAY;E3CmmPpB;AACF;;AC3+PE;E0CkXA;IAwBQ,oBAAY;E3CsmPpB;AACF;;AC5+PI;E0C6WF;IA2BQ,oBAAY;E3CymPpB;AACF;;ACx+PI;E0CmWF;IA8BQ,oBAAY;E3C4mPpB;AACF;;ACz+PI;E0C8VF;IAiCQ,oBAAY;E3C+mPpB;AACF;;ACr+PI;E0CoVF;IAoCQ,oBAAY;E3CknPpB;AACF;;A2CvpPE;EASM,mBAAY;A3CkpPpB;;AC7hQE;E0CkYA;IAYQ,mBAAY;E3CopPpB;AACF;;AC/hQE;E0C8XA;IAeQ,mBAAY;E3CupPpB;AACF;;ACjiQE;E0C0XA;IAkBQ,mBAAY;E3C0pPpB;AACF;;ACniQE;E0CsXA;IAqBQ,mBAAY;E3C6pPpB;AACF;;ACriQE;E0CkXA;IAwBQ,mBAAY;E3CgqPpB;AACF;;ACtiQI;E0C6WF;IA2BQ,mBAAY;E3CmqPpB;AACF;;ACliQI;E0CmWF;IA8BQ,mBAAY;E3CsqPpB;AACF;;ACniQI;E0C8VF;IAiCQ,mBAAY;E3CyqPpB;AACF;;AC/hQI;E0CoVF;IAoCQ,mBAAY;E3C4qPpB;AACF;;A2CjtPE;EASM,oBAAY;A3C4sPpB;;ACvlQE;E0CkYA;IAYQ,oBAAY;E3C8sPpB;AACF;;ACzlQE;E0C8XA;IAeQ,oBAAY;E3CitPpB;AACF;;AC3lQE;E0C0XA;IAkBQ,oBAAY;E3CotPpB;AACF;;AC7lQE;E0CsXA;IAqBQ,oBAAY;E3CutPpB;AACF;;AC/lQE;E0CkXA;IAwBQ,oBAAY;E3C0tPpB;AACF;;AChmQI;E0C6WF;IA2BQ,oBAAY;E3C6tPpB;AACF;;AC5lQI;E0CmWF;IA8BQ,oBAAY;E3CguPpB;AACF;;AC7lQI;E0C8VF;IAiCQ,oBAAY;E3CmuPpB;AACF;;ACzlQI;E0CoVF;IAoCQ,oBAAY;E3CsuPpB;AACF;;A2C3wPE;EASM,iBAAY;A3CswPpB;;ACjpQE;E0CkYA;IAYQ,iBAAY;E3CwwPpB;AACF;;ACnpQE;E0C8XA;IAeQ,iBAAY;E3C2wPpB;AACF;;ACrpQE;E0C0XA;IAkBQ,iBAAY;E3C8wPpB;AACF;;ACvpQE;E0CsXA;IAqBQ,iBAAY;E3CixPpB;AACF;;ACzpQE;E0CkXA;IAwBQ,iBAAY;E3CoxPpB;AACF;;AC1pQI;E0C6WF;IA2BQ,iBAAY;E3CuxPpB;AACF;;ACtpQI;E0CmWF;IA8BQ,iBAAY;E3C0xPpB;AACF;;ACvpQI;E0C8VF;IAiCQ,iBAAY;E3C6xPpB;AACF;;ACnpQI;E0CoVF;IAoCQ,iBAAY;E3CgyPpB;AACF;;A2Cr0PE;EASM,oBAAY;A3Cg0PpB;;AC3sQE;E0CkYA;IAYQ,oBAAY;E3Ck0PpB;AACF;;AC7sQE;E0C8XA;IAeQ,oBAAY;E3Cq0PpB;AACF;;AC/sQE;E0C0XA;IAkBQ,oBAAY;E3Cw0PpB;AACF;;ACjtQE;E0CsXA;IAqBQ,oBAAY;E3C20PpB;AACF;;ACntQE;E0CkXA;IAwBQ,oBAAY;E3C80PpB;AACF;;ACptQI;E0C6WF;IA2BQ,oBAAY;E3Ci1PpB;AACF;;AChtQI;E0CmWF;IA8BQ,oBAAY;E3Co1PpB;AACF;;ACjtQI;E0C8VF;IAiCQ,oBAAY;E3Cu1PpB;AACF;;AC7sQI;E0CoVF;IAoCQ,oBAAY;E3C01PpB;AACF;;A2C/3PE;EASM,mBAAY;A3C03PpB;;ACrwQE;E0CkYA;IAYQ,mBAAY;E3C43PpB;AACF;;ACvwQE;E0C8XA;IAeQ,mBAAY;E3C+3PpB;AACF;;ACzwQE;E0C0XA;IAkBQ,mBAAY;E3Ck4PpB;AACF;;AC3wQE;E0CsXA;IAqBQ,mBAAY;E3Cq4PpB;AACF;;AC7wQE;E0CkXA;IAwBQ,mBAAY;E3Cw4PpB;AACF;;AC9wQI;E0C6WF;IA2BQ,mBAAY;E3C24PpB;AACF;;AC1wQI;E0CmWF;IA8BQ,mBAAY;E3C84PpB;AACF;;AC3wQI;E0C8VF;IAiCQ,mBAAY;E3Ci5PpB;AACF;;ACvwQI;E0CoVF;IAoCQ,mBAAY;E3Co5PpB;AACF;;A2Cz7PE;EASM,oBAAY;A3Co7PpB;;AC/zQE;E0CkYA;IAYQ,oBAAY;E3Cs7PpB;AACF;;ACj0QE;E0C8XA;IAeQ,oBAAY;E3Cy7PpB;AACF;;ACn0QE;E0C0XA;IAkBQ,oBAAY;E3C47PpB;AACF;;ACr0QE;E0CsXA;IAqBQ,oBAAY;E3C+7PpB;AACF;;ACv0QE;E0CkXA;IAwBQ,oBAAY;E3Ck8PpB;AACF;;ACx0QI;E0C6WF;IA2BQ,oBAAY;E3Cq8PpB;AACF;;ACp0QI;E0CmWF;IA8BQ,oBAAY;E3Cw8PpB;AACF;;ACr0QI;E0C8VF;IAiCQ,oBAAY;E3C28PpB;AACF;;ACj0QI;E0CoVF;IAoCQ,oBAAY;E3C88PpB;AACF;;A2Cn/PE;EASM,iBAAY;A3C8+PpB;;ACz3QE;E0CkYA;IAYQ,iBAAY;E3Cg/PpB;AACF;;AC33QE;E0C8XA;IAeQ,iBAAY;E3Cm/PpB;AACF;;AC73QE;E0C0XA;IAkBQ,iBAAY;E3Cs/PpB;AACF;;AC/3QE;E0CsXA;IAqBQ,iBAAY;E3Cy/PpB;AACF;;ACj4QE;E0CkXA;IAwBQ,iBAAY;E3C4/PpB;AACF;;ACl4QI;E0C6WF;IA2BQ,iBAAY;E3C+/PpB;AACF;;AC93QI;E0CmWF;IA8BQ,iBAAY;E3CkgQpB;AACF;;AC/3QI;E0C8VF;IAiCQ,iBAAY;E3CqgQpB;AACF;;AC33QI;E0CoVF;IAoCQ,iBAAY;E3CwgQpB;AACF;;A4C9/QA;EACE,oBAAoB;EACpB,cAAc;EACd,aAAa;EACb,YAAY;EACZ,cAAc;EACd,+BAAuB;EAAvB,4BAAuB;EAAvB,uBAAuB;A5CigRzB;;A4CvgRA;EASI,qBAA+B;EAC/B,sBAAgC;EAChC,oBAA8B;A5CkgRlC;;A4C7gRA;EAaM,uBAAiC;A5CogRvC;;A4CjhRA;EAeM,sBAjBgB;A5CuhRtB;;A4CrhRA;EAiBI,oBAAoB;A5CwgRxB;;A4CzhRA;EAmBI,gBArBkB;A5C+hRtB;;A4C7hRA;EAqBI,sBAAsB;A5C4gR1B;;A4CjiRA;EAuBM,gCAAgC;A5C8gRtC;;ACl9QE;E2CnFF;IA2BM,aAAa;E5C+gRjB;E4C1iRF;IA8BQ,UAAU;IACV,eAAuB;E5C+gR7B;E4C9iRF;IA8BQ,UAAU;IACV,gBAAuB;E5CmhR7B;E4CljRF;IA8BQ,UAAU;IACV,UAAuB;E5CuhR7B;E4CtjRF;IA8BQ,UAAU;IACV,gBAAuB;E5C2hR7B;E4C1jRF;IA8BQ,UAAU;IACV,gBAAuB;E5C+hR7B;E4C9jRF;IA8BQ,UAAU;IACV,UAAuB;E5CmiR7B;E4ClkRF;IA8BQ,UAAU;IACV,gBAAuB;E5CuiR7B;E4CtkRF;IA8BQ,UAAU;IACV,gBAAuB;E5C2iR7B;E4C1kRF;IA8BQ,UAAU;IACV,UAAuB;E5C+iR7B;E4C9kRF;IA8BQ,UAAU;IACV,gBAAuB;E5CmjR7B;E4CllRF;IA8BQ,UAAU;IACV,gBAAuB;E5CujR7B;E4CtlRF;IA8BQ,UAAU;IACV,WAAuB;E5C2jR7B;AACF;;A6C7lRA,kBAAA;ACEE;EACE,uBAAwB;A9C+lR5B;;A8C9lRE;EAGI,yBAA0C;A9C+lRhD;;A8C9lRE;EACE,kCAAmC;A9CimRvC;;A8CxmRE;EACE,yBAAwB;A9C2mR5B;;A8C1mRE;EAGI,uBAA0C;A9C2mRhD;;A8C1mRE;EACE,oCAAmC;A9C6mRvC;;A8CpnRE;EACE,4BAAwB;A9CunR5B;;A8CtnRE;EAGI,yBAA0C;A9CunRhD;;A8CtnRE;EACE,uCAAmC;A9CynRvC;;A8ChoRE;EACE,yBAAwB;A9CmoR5B;;A8CloRE;EAGI,yBAA0C;A9CmoRhD;;A8CloRE;EACE,oCAAmC;A9CqoRvC;;A8C5oRE;EACE,yBAAwB;A9C+oR5B;;A8C9oRE;EAGI,yBAA0C;A9C+oRhD;;A8C9oRE;EACE,oCAAmC;A9CipRvC;;A8C5oRI;EACE,yBAA8B;A9C+oRpC;;A8C9oRI;EAGI,yBAAgD;A9C+oRxD;;A8C9oRI;EACE,oCAAyC;A9CipR/C;;A8C/oRI;EACE,yBAA6B;A9CkpRnC;;A8CjpRI;EAGI,yBAAgD;A9CkpRxD;;A8CjpRI;EACE,oCAAwC;A9CopR9C;;A8ChrRE;EACE,yBAAwB;A9CmrR5B;;A8ClrRE;EAGI,yBAA0C;A9CmrRhD;;A8ClrRE;EACE,oCAAmC;A9CqrRvC;;A8ChrRI;EACE,yBAA8B;A9CmrRpC;;A8ClrRI;EAGI,yBAAgD;A9CmrRxD;;A8ClrRI;EACE,oCAAyC;A9CqrR/C;;A8CnrRI;EACE,yBAA6B;A9CsrRnC;;A8CrrRI;EAGI,yBAAgD;A9CsrRxD;;A8CrrRI;EACE,oCAAwC;A9CwrR9C;;A8CptRE;EACE,yBAAwB;A9CutR5B;;A8CttRE;EAGI,yBAA0C;A9CutRhD;;A8CttRE;EACE,oCAAmC;A9CytRvC;;A8CptRI;EACE,yBAA8B;A9CutRpC;;A8CttRI;EAGI,yBAAgD;A9CutRxD;;A8CttRI;EACE,oCAAyC;A9CytR/C;;A8CvtRI;EACE,yBAA6B;A9C0tRnC;;A8CztRI;EAGI,yBAAgD;A9C0tRxD;;A8CztRI;EACE,oCAAwC;A9C4tR9C;;A8CxvRE;EACE,yBAAwB;A9C2vR5B;;A8C1vRE;EAGI,yBAA0C;A9C2vRhD;;A8C1vRE;EACE,oCAAmC;A9C6vRvC;;A8CxvRI;EACE,yBAA8B;A9C2vRpC;;A8C1vRI;EAGI,yBAAgD;A9C2vRxD;;A8C1vRI;EACE,oCAAyC;A9C6vR/C;;A8C3vRI;EACE,yBAA6B;A9C8vRnC;;A8C7vRI;EAGI,yBAAgD;A9C8vRxD;;A8C7vRI;EACE,oCAAwC;A9CgwR9C;;A8C5xRE;EACE,yBAAwB;A9C+xR5B;;A8C9xRE;EAGI,yBAA0C;A9C+xRhD;;A8C9xRE;EACE,oCAAmC;A9CiyRvC;;A8C5xRI;EACE,yBAA8B;A9C+xRpC;;A8C9xRI;EAGI,yBAAgD;A9C+xRxD;;A8C9xRI;EACE,oCAAyC;A9CiyR/C;;A8C/xRI;EACE,yBAA6B;A9CkyRnC;;A8CjyRI;EAGI,yBAAgD;A9CkyRxD;;A8CjyRI;EACE,oCAAwC;A9CoyR9C;;A8Ch0RE;EACE,yBAAwB;A9Cm0R5B;;A8Cl0RE;EAGI,yBAA0C;A9Cm0RhD;;A8Cl0RE;EACE,oCAAmC;A9Cq0RvC;;A8Ch0RI;EACE,yBAA8B;A9Cm0RpC;;A8Cl0RI;EAGI,yBAAgD;A9Cm0RxD;;A8Cl0RI;EACE,oCAAyC;A9Cq0R/C;;A8Cn0RI;EACE,yBAA6B;A9Cs0RnC;;A8Cr0RI;EAGI,yBAAgD;A9Cs0RxD;;A8Cr0RI;EACE,oCAAwC;A9Cw0R9C;;A8Cr0RE;EACE,yBAAwB;A9Cw0R5B;;A8Cv0RE;EACE,oCAAmC;A9C00RvC;;A8C70RE;EACE,yBAAwB;A9Cg1R5B;;A8C/0RE;EACE,oCAAmC;A9Ck1RvC;;A8Cr1RE;EACE,yBAAwB;A9Cw1R5B;;A8Cv1RE;EACE,oCAAmC;A9C01RvC;;A8C71RE;EACE,yBAAwB;A9Cg2R5B;;A8C/1RE;EACE,oCAAmC;A9Ck2RvC;;A8Cr2RE;EACE,yBAAwB;A9Cw2R5B;;A8Cv2RE;EACE,oCAAmC;A9C02RvC;;A8C72RE;EACE,yBAAwB;A9Cg3R5B;;A8C/2RE;EACE,oCAAmC;A9Ck3RvC;;A8Cr3RE;EACE,yBAAwB;A9Cw3R5B;;A8Cv3RE;EACE,oCAAmC;A9C03RvC;;A8C73RE;EACE,4BAAwB;A9Cg4R5B;;A8C/3RE;EACE,uCAAmC;A9Ck4RvC;;A8Cr4RE;EACE,yBAAwB;A9Cw4R5B;;A8Cv4RE;EACE,oCAAmC;A9C04RvC;;A+C56RE;EACE,8BAAiC;A/C+6RrC;;A+Ch7RE;EACE,sCAAiC;A/Cm7RrC;;A+Cp7RE;EACE,iCAAiC;A/Cu7RrC;;A+Cx7RE;EACE,yCAAiC;A/C27RrC;;A+Cv7RE;EACE,4BAA4B;A/C07RhC;;A+C37RE;EACE,0BAA4B;A/C87RhC;;A+C/7RE;EACE,kCAA4B;A/Ck8RhC;;A+C97RE;EACE,sCAAkC;A/Ci8RtC;;A+Cl8RE;EACE,oCAAkC;A/Cq8RtC;;A+Ct8RE;EACE,kCAAkC;A/Cy8RtC;;A+C18RE;EACE,yCAAkC;A/C68RtC;;A+C98RE;EACE,wCAAkC;A/Ci9RtC;;A+Cl9RE;EACE,wCAAkC;A/Cq9RtC;;A+Ct9RE;EACE,iCAAkC;A/Cy9RtC;;A+C19RE;EACE,+BAAkC;A/C69RtC;;A+C99RE;EACE,gCAAkC;A/Ci+RtC;;A+Cl+RE;EACE,iCAAkC;A/Cq+RtC;;A+Cj+RE;EACE,oCAAgC;A/Co+RpC;;A+Cr+RE;EACE,kCAAgC;A/Cw+RpC;;A+Cz+RE;EACE,gCAAgC;A/C4+RpC;;A+C7+RE;EACE,uCAAgC;A/Cg/RpC;;A+Cj/RE;EACE,sCAAgC;A/Co/RpC;;A+Cr/RE;EACE,sCAAgC;A/Cw/RpC;;A+Cz/RE;EACE,iCAAgC;A/C4/RpC;;A+C7/RE;EACE,+BAAgC;A/CggSpC;;A+CjgSE;EACE,6BAAgC;A/CogSpC;;A+CrgSE;EACE,kCAAgC;A/CwgSpC;;A+CpgSE;EACE,+BAA8B;A/CugSlC;;A+CxgSE;EACE,kCAA8B;A/C2gSlC;;A+C5gSE;EACE,gCAA8B;A/C+gSlC;;A+ChhSE;EACE,8BAA8B;A/CmhSlC;;A+CphSE;EACE,gCAA8B;A/CuhSlC;;A+CxhSE;EACE,6BAA8B;A/C2hSlC;;A+C5hSE;EACE,2BAA8B;A/C+hSlC;;A+ChiSE;EACE,kCAA8B;A/CmiSlC;;A+CpiSE;EACE,gCAA8B;A/CuiSlC;;A+CniSE;EACE,2BAA6B;A/CsiSjC;;A+CviSE;EACE,iCAA6B;A/C0iSjC;;A+C3iSE;EACE,+BAA6B;A/C8iSjC;;A+C/iSE;EACE,6BAA6B;A/CkjSjC;;A+CnjSE;EACE,+BAA6B;A/CsjSjC;;A+CvjSE;EACE,8BAA6B;A/C0jSjC;;A+CrjSI;EACE,uBAAqC;A/CwjS3C;;A+CzjSI;EACE,uBAAqC;A/C4jS3C;;A+C7jSI;EACE,uBAAqC;A/CgkS3C;;A+CjkSI;EACE,uBAAqC;A/CokS3C;;A+CrkSI;EACE,uBAAqC;A/CwkS3C;;A+CzkSI;EACE,uBAAqC;A/C4kS3C;;A+C7kSI;EACE,yBAAqC;A/CglS3C;;A+CjlSI;EACE,yBAAqC;A/ColS3C;;A+CrlSI;EACE,yBAAqC;A/CwlS3C;;A+CzlSI;EACE,yBAAqC;A/C4lS3C;;A+C7lSI;EACE,yBAAqC;A/CgmS3C;;A+CjmSI;EACE,yBAAqC;A/ComS3C;;ACnoSE;EACE,WAAW;EACX,YAAY;EACZ,cAAc;ADsoSlB;;AgDzoSA;EACE,sBAAsB;AhD4oSxB;;AgD1oSA;EACE,uBAAuB;AhD6oSzB;;AiDppSA;EACE,2BAA2B;AjDupS7B;;AiDrpSA;EACE,2BAA2B;AjDwpS7B;;AiDtpSA;EACE,0BAA0B;AjDypS5B;;AkDhqSA;EACE,2BAA2B;AlDmqS7B;;AmDjqSA;EACE,6BAA6B;AnDoqS/B;;AoDxqSA;EACE,oBAAoB;ApD2qStB;;AoDzqSA;EACE,qBAAqB;ApD4qSvB;;AoDjqSI;EACE,oBAA+B;ApDoqSrC;;AoDjqSM;EACE,wBAA8C;ApDoqStD;;AoDrqSM;EACE,0BAA8C;ApDwqStD;;AoDzqSM;EACE,2BAA8C;ApD4qStD;;AoD7qSM;EACE,yBAA8C;ApDgrStD;;AoD7qSM;EACE,yBAAyC;EACzC,0BAA2C;ApDgrSnD;;AoD7qSM;EACE,wBAAuC;EACvC,2BAA6C;ApDgrSrD;;AoD/rSI;EACE,0BAA+B;ApDksSrC;;AoD/rSM;EACE,8BAA8C;ApDksStD;;AoDnsSM;EACE,gCAA8C;ApDssStD;;AoDvsSM;EACE,iCAA8C;ApD0sStD;;AoD3sSM;EACE,+BAA8C;ApD8sStD;;AoD3sSM;EACE,+BAAyC;EACzC,gCAA2C;ApD8sSnD;;AoD3sSM;EACE,8BAAuC;EACvC,iCAA6C;ApD8sSrD;;AoD7tSI;EACE,yBAA+B;ApDguSrC;;AoD7tSM;EACE,6BAA8C;ApDguStD;;AoDjuSM;EACE,+BAA8C;ApDouStD;;AoDruSM;EACE,gCAA8C;ApDwuStD;;AoDzuSM;EACE,8BAA8C;ApD4uStD;;AoDzuSM;EACE,8BAAyC;EACzC,+BAA2C;ApD4uSnD;;AoDzuSM;EACE,6BAAuC;EACvC,gCAA6C;ApD4uSrD;;AoD3vSI;EACE,0BAA+B;ApD8vSrC;;AoD3vSM;EACE,8BAA8C;ApD8vStD;;AoD/vSM;EACE,gCAA8C;ApDkwStD;;AoDnwSM;EACE,iCAA8C;ApDswStD;;AoDvwSM;EACE,+BAA8C;ApD0wStD;;AoDvwSM;EACE,+BAAyC;EACzC,gCAA2C;ApD0wSnD;;AoDvwSM;EACE,8BAAuC;EACvC,iCAA6C;ApD0wSrD;;AoDzxSI;EACE,uBAA+B;ApD4xSrC;;AoDzxSM;EACE,2BAA8C;ApD4xStD;;AoD7xSM;EACE,6BAA8C;ApDgyStD;;AoDjySM;EACE,8BAA8C;ApDoyStD;;AoDrySM;EACE,4BAA8C;ApDwyStD;;AoDrySM;EACE,4BAAyC;EACzC,6BAA2C;ApDwySnD;;AoDrySM;EACE,2BAAuC;EACvC,8BAA6C;ApDwySrD;;AoDvzSI;EACE,yBAA+B;ApD0zSrC;;AoDvzSM;EACE,6BAA8C;ApD0zStD;;AoD3zSM;EACE,+BAA8C;ApD8zStD;;AoD/zSM;EACE,gCAA8C;ApDk0StD;;AoDn0SM;EACE,8BAA8C;ApDs0StD;;AoDn0SM;EACE,8BAAyC;EACzC,+BAA2C;ApDs0SnD;;AoDn0SM;EACE,6BAAuC;EACvC,gCAA6C;ApDs0SrD;;AoDr1SI;EACE,uBAA+B;ApDw1SrC;;AoDr1SM;EACE,2BAA8C;ApDw1StD;;AoDz1SM;EACE,6BAA8C;ApD41StD;;AoD71SM;EACE,8BAA8C;ApDg2StD;;AoDj2SM;EACE,4BAA8C;ApDo2StD;;AoDj2SM;EACE,4BAAyC;EACzC,6BAA2C;ApDo2SnD;;AoDj2SM;EACE,2BAAuC;EACvC,8BAA6C;ApDo2SrD;;AoDn3SI;EACE,qBAA+B;ApDs3SrC;;AoDn3SM;EACE,yBAA8C;ApDs3StD;;AoDv3SM;EACE,2BAA8C;ApD03StD;;AoD33SM;EACE,4BAA8C;ApD83StD;;AoD/3SM;EACE,0BAA8C;ApDk4StD;;AoD/3SM;EACE,0BAAyC;EACzC,2BAA2C;ApDk4SnD;;AoD/3SM;EACE,yBAAuC;EACvC,4BAA6C;ApDk4SrD;;AoDj5SI;EACE,2BAA+B;ApDo5SrC;;AoDj5SM;EACE,+BAA8C;ApDo5StD;;AoDr5SM;EACE,iCAA8C;ApDw5StD;;AoDz5SM;EACE,kCAA8C;ApD45StD;;AoD75SM;EACE,gCAA8C;ApDg6StD;;AoD75SM;EACE,gCAAyC;EACzC,iCAA2C;ApDg6SnD;;AoD75SM;EACE,+BAAuC;EACvC,kCAA6C;ApDg6SrD;;AoD/6SI;EACE,0BAA+B;ApDk7SrC;;AoD/6SM;EACE,8BAA8C;ApDk7StD;;AoDn7SM;EACE,gCAA8C;ApDs7StD;;AoDv7SM;EACE,iCAA8C;ApD07StD;;AoD37SM;EACE,+BAA8C;ApD87StD;;AoD37SM;EACE,+BAAyC;EACzC,gCAA2C;ApD87SnD;;AoD37SM;EACE,8BAAuC;EACvC,iCAA6C;ApD87SrD;;AoD78SI;EACE,2BAA+B;ApDg9SrC;;AoD78SM;EACE,+BAA8C;ApDg9StD;;AoDj9SM;EACE,iCAA8C;ApDo9StD;;AoDr9SM;EACE,kCAA8C;ApDw9StD;;AoDz9SM;EACE,gCAA8C;ApD49StD;;AoDz9SM;EACE,gCAAyC;EACzC,iCAA2C;ApD49SnD;;AoDz9SM;EACE,+BAAuC;EACvC,kCAA6C;ApD49SrD;;AoD3+SI;EACE,wBAA+B;ApD8+SrC;;AoD3+SM;EACE,4BAA8C;ApD8+StD;;AoD/+SM;EACE,8BAA8C;ApDk/StD;;AoDn/SM;EACE,+BAA8C;ApDs/StD;;AoDv/SM;EACE,6BAA8C;ApD0/StD;;AoDv/SM;EACE,6BAAyC;EACzC,8BAA2C;ApD0/SnD;;AoDv/SM;EACE,4BAAuC;EACvC,+BAA6C;ApD0/SrD;;AoDzgTI;EACE,0BAA+B;ApD4gTrC;;AoDzgTM;EACE,8BAA8C;ApD4gTtD;;AoD7gTM;EACE,gCAA8C;ApDghTtD;;AoDjhTM;EACE,iCAA8C;ApDohTtD;;AoDrhTM;EACE,+BAA8C;ApDwhTtD;;AoDrhTM;EACE,+BAAyC;EACzC,gCAA2C;ApDwhTnD;;AoDrhTM;EACE,8BAAuC;EACvC,iCAA6C;ApDwhTrD;;AoDviTI;EACE,wBAA+B;ApD0iTrC;;AoDviTM;EACE,4BAA8C;ApD0iTtD;;AoD3iTM;EACE,8BAA8C;ApD8iTtD;;AoD/iTM;EACE,+BAA8C;ApDkjTtD;;AoDnjTM;EACE,6BAA8C;ApDsjTtD;;AoDnjTM;EACE,6BAAyC;EACzC,8BAA2C;ApDsjTnD;;AoDnjTM;EACE,4BAAuC;EACvC,+BAA6C;ApDsjTrD;;AqDjlTI;EACE,0BAA2B;ArDolTjC;;AqDrlTI;EACE,4BAA2B;ArDwlTjC;;AqDzlTI;EACE,0BAA2B;ArD4lTjC;;AqD7lTI;EACE,4BAA2B;ArDgmTjC;;AqDjmTI;EACE,6BAA2B;ArDomTjC;;AqDrmTI;EACE,0BAA2B;ArDwmTjC;;AqDzmTI;EACE,6BAA2B;ArD4mTjC;;AC/hTE;EoD9EE;IACE,0BAA2B;ErDinT/B;EqDlnTE;IACE,4BAA2B;ErDonT/B;EqDrnTE;IACE,0BAA2B;ErDunT/B;EqDxnTE;IACE,4BAA2B;ErD0nT/B;EqD3nTE;IACE,6BAA2B;ErD6nT/B;EqD9nTE;IACE,0BAA2B;ErDgoT/B;EqDjoTE;IACE,6BAA2B;ErDmoT/B;AACF;;ACnjTE;EoDlFE;IACE,0BAA2B;ErDyoT/B;EqD1oTE;IACE,4BAA2B;ErD4oT/B;EqD7oTE;IACE,0BAA2B;ErD+oT/B;EqDhpTE;IACE,4BAA2B;ErDkpT/B;EqDnpTE;IACE,6BAA2B;ErDqpT/B;EqDtpTE;IACE,0BAA2B;ErDwpT/B;EqDzpTE;IACE,6BAA2B;ErD2pT/B;AACF;;ACnkTE;EoD1FE;IACE,0BAA2B;ErDiqT/B;EqDlqTE;IACE,4BAA2B;ErDoqT/B;EqDrqTE;IACE,0BAA2B;ErDuqT/B;EqDxqTE;IACE,4BAA2B;ErD0qT/B;EqD3qTE;IACE,6BAA2B;ErD6qT/B;EqD9qTE;IACE,0BAA2B;ErDgrT/B;EqDjrTE;IACE,6BAA2B;ErDmrT/B;AACF;;ACvlTE;EoD9FE;IACE,0BAA2B;ErDyrT/B;EqD1rTE;IACE,4BAA2B;ErD4rT/B;EqD7rTE;IACE,0BAA2B;ErD+rT/B;EqDhsTE;IACE,4BAA2B;ErDksT/B;EqDnsTE;IACE,6BAA2B;ErDqsT/B;EqDtsTE;IACE,0BAA2B;ErDwsT/B;EqDzsTE;IACE,6BAA2B;ErD2sT/B;AACF;;AChmTI;EoD7GA;IACE,0BAA2B;ErDitT/B;EqDltTE;IACE,4BAA2B;ErDotT/B;EqDrtTE;IACE,0BAA2B;ErDutT/B;EqDxtTE;IACE,4BAA2B;ErD0tT/B;EqD3tTE;IACE,6BAA2B;ErD6tT/B;EqD9tTE;IACE,0BAA2B;ErDguT/B;EqDjuTE;IACE,6BAA2B;ErDmuT/B;AACF;;ACzmTI;EoD5HA;IACE,0BAA2B;ErDyuT/B;EqD1uTE;IACE,4BAA2B;ErD4uT/B;EqD7uTE;IACE,0BAA2B;ErD+uT/B;EqDhvTE;IACE,4BAA2B;ErDkvT/B;EqDnvTE;IACE,6BAA2B;ErDqvT/B;EqDtvTE;IACE,0BAA2B;ErDwvT/B;EqDzvTE;IACE,6BAA2B;ErD2vT/B;AACF;;AqDnuTE;EACE,6BAAqC;ArDsuTzC;;AqDvuTE;EACE,8BAAqC;ArD0uTzC;;AqD3uTE;EACE,2BAAqC;ArD8uTzC;;AqD/uTE;EACE,4BAAqC;ArDkvTzC;;AC/rTE;EoD/CE;IACE,6BAAqC;ErDkvTzC;AACF;;ACjsTE;EoDhDE;IACE,6BAAqC;ErDqvTzC;AACF;;ACnsTE;EoDjDE;IACE,6BAAqC;ErDwvTzC;AACF;;ACrsTE;EoDlDE;IACE,6BAAqC;ErD2vTzC;AACF;;ACvsTE;EoDnDE;IACE,6BAAqC;ErD8vTzC;AACF;;ACxsTI;EoDrDA;IACE,6BAAqC;ErDiwTzC;AACF;;ACpsTI;EoD5DA;IACE,6BAAqC;ErDowTzC;AACF;;ACrsTI;EoD9DA;IACE,6BAAqC;ErDuwTzC;AACF;;ACjsTI;EoDrEA;IACE,6BAAqC;ErD0wTzC;AACF;;ACrvTE;EoD/CE;IACE,8BAAqC;ErDwyTzC;AACF;;ACvvTE;EoDhDE;IACE,8BAAqC;ErD2yTzC;AACF;;ACzvTE;EoDjDE;IACE,8BAAqC;ErD8yTzC;AACF;;AC3vTE;EoDlDE;IACE,8BAAqC;ErDizTzC;AACF;;AC7vTE;EoDnDE;IACE,8BAAqC;ErDozTzC;AACF;;AC9vTI;EoDrDA;IACE,8BAAqC;ErDuzTzC;AACF;;AC1vTI;EoD5DA;IACE,8BAAqC;ErD0zTzC;AACF;;AC3vTI;EoD9DA;IACE,8BAAqC;ErD6zTzC;AACF;;ACvvTI;EoDrEA;IACE,8BAAqC;ErDg0TzC;AACF;;AC3yTE;EoD/CE;IACE,2BAAqC;ErD81TzC;AACF;;AC7yTE;EoDhDE;IACE,2BAAqC;ErDi2TzC;AACF;;AC/yTE;EoDjDE;IACE,2BAAqC;ErDo2TzC;AACF;;ACjzTE;EoDlDE;IACE,2BAAqC;ErDu2TzC;AACF;;ACnzTE;EoDnDE;IACE,2BAAqC;ErD02TzC;AACF;;ACpzTI;EoDrDA;IACE,2BAAqC;ErD62TzC;AACF;;AChzTI;EoD5DA;IACE,2BAAqC;ErDg3TzC;AACF;;ACjzTI;EoD9DA;IACE,2BAAqC;ErDm3TzC;AACF;;AC7yTI;EoDrEA;IACE,2BAAqC;ErDs3TzC;AACF;;ACj2TE;EoD/CE;IACE,4BAAqC;ErDo5TzC;AACF;;ACn2TE;EoDhDE;IACE,4BAAqC;ErDu5TzC;AACF;;ACr2TE;EoDjDE;IACE,4BAAqC;ErD05TzC;AACF;;ACv2TE;EoDlDE;IACE,4BAAqC;ErD65TzC;AACF;;ACz2TE;EoDnDE;IACE,4BAAqC;ErDg6TzC;AACF;;AC12TI;EoDrDA;IACE,4BAAqC;ErDm6TzC;AACF;;ACt2TI;EoD5DA;IACE,4BAAqC;ErDs6TzC;AACF;;ACv2TI;EoD9DA;IACE,4BAAqC;ErDy6TzC;AACF;;ACn2TI;EoDrEA;IACE,4BAAqC;ErD46TzC;AACF;;AqD36TA;EACE,qCAAqC;ArD86TvC;;AqD56TA;EACE,oCAAoC;ArD+6TtC;;AqD76TA;EACE,oCAAoC;ArDg7TtC;;AqD96TA;EACE,6BAA6B;ArDi7T/B;;AqD/6TA;EACE,2BAAqC;ArDk7TvC;;AqDj7TA;EACE,2BAAsC;ArDo7TxC;;AqDn7TA;EACE,2BAAsC;ArDs7TxC;;AqDr7TA;EACE,2BAAwC;ArDw7T1C;;AqDv7TA;EACE,2BAAoC;ArD07TtC;;AqDx7TA;EACE,+LAAuC;ArD27TzC;;AqDz7TA;EACE,+LAAyC;ArD47T3C;;AqD17TA;EACE,+LAA0C;ArD67T5C;;AqD37TA;EACE,iCAAyC;ArD87T3C;;AqD57TA;EACE,iCAAoC;ArD+7TtC;;AsD3hUE;EACE,yBAA+B;AtD8hUnC;;ACn9TE;EqDzEE;IACE,yBAA+B;EtDgiUnC;AACF;;ACr9TE;EqD1EE;IACE,yBAA+B;EtDmiUnC;AACF;;ACv9TE;EqD3EE;IACE,yBAA+B;EtDsiUnC;AACF;;ACz9TE;EqD5EE;IACE,yBAA+B;EtDyiUnC;AACF;;AC39TE;EqD7EE;IACE,yBAA+B;EtD4iUnC;AACF;;AC59TI;EqD/EA;IACE,yBAA+B;EtD+iUnC;AACF;;ACx9TI;EqDtFA;IACE,yBAA+B;EtDkjUnC;AACF;;ACz9TI;EqDxFA;IACE,yBAA+B;EtDqjUnC;AACF;;ACr9TI;EqD/FA;IACE,yBAA+B;EtDwjUnC;AACF;;AsDrlUE;EACE,wBAA+B;AtDwlUnC;;AC7gUE;EqDzEE;IACE,wBAA+B;EtD0lUnC;AACF;;AC/gUE;EqD1EE;IACE,wBAA+B;EtD6lUnC;AACF;;ACjhUE;EqD3EE;IACE,wBAA+B;EtDgmUnC;AACF;;ACnhUE;EqD5EE;IACE,wBAA+B;EtDmmUnC;AACF;;ACrhUE;EqD7EE;IACE,wBAA+B;EtDsmUnC;AACF;;ACthUI;EqD/EA;IACE,wBAA+B;EtDymUnC;AACF;;AClhUI;EqDtFA;IACE,wBAA+B;EtD4mUnC;AACF;;ACnhUI;EqDxFA;IACE,wBAA+B;EtD+mUnC;AACF;;AC/gUI;EqD/FA;IACE,wBAA+B;EtDknUnC;AACF;;AsD/oUE;EACE,0BAA+B;AtDkpUnC;;ACvkUE;EqDzEE;IACE,0BAA+B;EtDopUnC;AACF;;ACzkUE;EqD1EE;IACE,0BAA+B;EtDupUnC;AACF;;AC3kUE;EqD3EE;IACE,0BAA+B;EtD0pUnC;AACF;;AC7kUE;EqD5EE;IACE,0BAA+B;EtD6pUnC;AACF;;AC/kUE;EqD7EE;IACE,0BAA+B;EtDgqUnC;AACF;;AChlUI;EqD/EA;IACE,0BAA+B;EtDmqUnC;AACF;;AC5kUI;EqDtFA;IACE,0BAA+B;EtDsqUnC;AACF;;AC7kUI;EqDxFA;IACE,0BAA+B;EtDyqUnC;AACF;;ACzkUI;EqD/FA;IACE,0BAA+B;EtD4qUnC;AACF;;AsDzsUE;EACE,gCAA+B;AtD4sUnC;;ACjoUE;EqDzEE;IACE,gCAA+B;EtD8sUnC;AACF;;ACnoUE;EqD1EE;IACE,gCAA+B;EtDitUnC;AACF;;ACroUE;EqD3EE;IACE,gCAA+B;EtDotUnC;AACF;;ACvoUE;EqD5EE;IACE,gCAA+B;EtDutUnC;AACF;;ACzoUE;EqD7EE;IACE,gCAA+B;EtD0tUnC;AACF;;AC1oUI;EqD/EA;IACE,gCAA+B;EtD6tUnC;AACF;;ACtoUI;EqDtFA;IACE,gCAA+B;EtDguUnC;AACF;;ACvoUI;EqDxFA;IACE,gCAA+B;EtDmuUnC;AACF;;ACnoUI;EqD/FA;IACE,gCAA+B;EtDsuUnC;AACF;;AsDnwUE;EACE,+BAA+B;AtDswUnC;;AC3rUE;EqDzEE;IACE,+BAA+B;EtDwwUnC;AACF;;AC7rUE;EqD1EE;IACE,+BAA+B;EtD2wUnC;AACF;;AC/rUE;EqD3EE;IACE,+BAA+B;EtD8wUnC;AACF;;ACjsUE;EqD5EE;IACE,+BAA+B;EtDixUnC;AACF;;ACnsUE;EqD7EE;IACE,+BAA+B;EtDoxUnC;AACF;;ACpsUI;EqD/EA;IACE,+BAA+B;EtDuxUnC;AACF;;AChsUI;EqDtFA;IACE,+BAA+B;EtD0xUnC;AACF;;ACjsUI;EqDxFA;IACE,+BAA+B;EtD6xUnC;AACF;;AC7rUI;EqD/FA;IACE,+BAA+B;EtDgyUnC;AACF;;AsD/xUA;EACE,wBAAwB;AtDkyU1B;;AsDhyUA;EACE,uBAAuB;EACvB,iCAAiC;EACjC,yBAAyB;EACzB,2BAA2B;EAC3B,qBAAqB;EACrB,6BAA6B;EAC7B,8BAA8B;EAC9B,wBAAwB;AtDmyU1B;;AChwUE;EqDhCA;IACE,wBAAwB;EtDoyU1B;AACF;;AClwUE;EqDhCA;IACE,wBAAwB;EtDsyU1B;AACF;;ACpwUE;EqDhCA;IACE,wBAAwB;EtDwyU1B;AACF;;ACtwUE;EqDhCA;IACE,wBAAwB;EtD0yU1B;AACF;;ACxwUE;EqDhCA;IACE,wBAAwB;EtD4yU1B;AACF;;ACzwUI;EqDjCF;IACE,wBAAwB;EtD8yU1B;AACF;;ACrwUI;EqDvCF;IACE,wBAAwB;EtDgzU1B;AACF;;ACtwUI;EqDxCF;IACE,wBAAwB;EtDkzU1B;AACF;;AClwUI;EqD9CF;IACE,wBAAwB;EtDozU1B;AACF;;AsDnzUA;EACE,6BAA6B;AtDszU/B;;AC1zUE;EqDOA;IACE,6BAA6B;EtDuzU/B;AACF;;AC5zUE;EqDOA;IACE,6BAA6B;EtDyzU/B;AACF;;AC9zUE;EqDOA;IACE,6BAA6B;EtD2zU/B;AACF;;ACh0UE;EqDOA;IACE,6BAA6B;EtD6zU/B;AACF;;ACl0UE;EqDOA;IACE,6BAA6B;EtD+zU/B;AACF;;ACn0UI;EqDMF;IACE,6BAA6B;EtDi0U/B;AACF;;AC/zUI;EqDAF;IACE,6BAA6B;EtDm0U/B;AACF;;ACh0UI;EqDDF;IACE,6BAA6B;EtDq0U/B;AACF;;AC5zUI;EqDPF;IACE,6BAA6B;EtDu0U/B;AACF;;AuDj8UA,iBAAA;ACQA;EACE,oBAAoB;EACpB,aAAa;EACb,sBAAsB;EACtB,8BAA8B;AxD67UhC;;AwDj8UA;EAMI,gBAAgB;AxD+7UpB;;AwDr8UA;EASM,mBAAmB;AxDg8UzB;;AwDz8UA;EAeM,uBtDRyB;EsDSzB,ctDtBuB;AFo9U7B;;AwD98UA;;EAmBQ,cAAc;AxDg8UtB;;AwDn9UA;EAqBQ,ctD3BqB;AF69U7B;;AwDv9UA;EAuBQ,4BtD7BqB;AFi+U7B;;AwD39UA;;EA0BU,ctDhCmB;AFs+U7B;;AC34UE;EuDrFF;IA6BU,uBtDtBqB;EF89U7B;AACF;;AwDt+UA;;EAgCQ,4BtDtCqB;AFi/U7B;;AwD3+UA;;;EAqCU,yB7CgEuB;E6C/DvB,ctD5CmB;AFw/U7B;;AwDl/UA;EAyCU,ctD/CmB;EsDgDnB,YAAY;AxD68UtB;;AwDv/UA;EA4CY,UAAU;AxD+8UtB;;AwD3/UA;EA+CY,UAAU;AxDg9UtB;;AwD//UA;EAmDY,ctDzDiB;AFygV7B;;AwDngVA;EAqDc,uCtD3De;AF6gV7B;;AwDvgVA;EAyDc,yBtD/De;EsDgEf,qBtDhEe;EsDiEf,YtDpDiB;AFsgV/B;;AwD7gVA;EAiEU,4EAAyG;AxDg9UnH;;ACx8UE;EuDzEF;IAoEc,4EAAyG;ExDk9UrH;AACF;;AwDvhVA;EAeM,yBtDrBuB;EsDsBvB,YtDTyB;AFqhV/B;;AwD5hVA;;EAmBQ,cAAc;AxD8gVtB;;AwDjiVA;EAqBQ,YtDduB;AF8hV/B;;AwDriVA;EAuBQ,+BtDhBuB;AFkiV/B;;AwDziVA;;EA0BU,YtDnBqB;AFuiV/B;;ACz9UE;EuDrFF;IA6BU,yBtDnCmB;EFyjV3B;AACF;;AwDpjVA;;EAgCQ,+BtDzBuB;AFkjV/B;;AwDzjVA;;;EAqCU,uB7CgEuB;E6C/DvB,YtD/BqB;AFyjV/B;;AwDhkVA;EAyCU,YtDlCqB;EsDmCrB,YAAY;AxD2hVtB;;AwDrkVA;EA4CY,UAAU;AxD6hVtB;;AwDzkVA;EA+CY,UAAU;AxD8hVtB;;AwD7kVA;EAmDY,YtD5CmB;AF0kV/B;;AwDjlVA;EAqDc,uCtD3De;AF2lV7B;;AwDrlVA;EAyDc,uBtDlDiB;EsDmDjB,mBtDnDiB;EsDoDjB,ctDjEe;AFimV7B;;AwD3lVA;EAiEU,8EAAyG;AxD8hVnH;;ACthVE;EuDzEF;IAoEc,8EAAyG;ExDgiVrH;AACF;;AwDrmVA;EAeM,4BtDVwB;EsDWxB,yB7CwDe;AXkiVrB;;AwD1mVA;;EAmBQ,cAAc;AxD4lVtB;;AwD/mVA;EAqBQ,yB7CmDa;AX2iVrB;;AwDnnVA;EAuBQ,yB7CiDa;AX+iVrB;;AwDvnVA;;EA0BU,yB7C8CW;AXojVrB;;ACviVE;EuDrFF;IA6BU,4BtDxBoB;EF4nV5B;AACF;;AwDloVA;;EAgCQ,yB7CwCa;AX+jVrB;;AwDvoVA;;;EAqCU,yB7CgEuB;E6C/DvB,yB7CkCW;AXskVrB;;AwD9oVA;EAyCU,yB7C+BW;E6C9BX,YAAY;AxDymVtB;;AwDnpVA;EA4CY,UAAU;AxD2mVtB;;AwDvpVA;EA+CY,UAAU;AxD4mVtB;;AwD3pVA;EAmDY,yB7CqBS;AXulVrB;;AwD/pVA;EAqDc,uCtD3De;AFyqV7B;;AwDnqVA;EAyDc,oC7CeO;E6CdP,gC7CcO;E6CbP,iBtDtDgB;AFoqV9B;;AwDzqVA;EAiEU,iFAAyG;AxD4mVnH;;ACpmVE;EuDzEF;IAoEc,iFAAyG;ExD8mVrH;AACF;;AwDnrVA;EAeM,yBtDjBwB;EsDkBxB,W7C0DU;AX8mVhB;;AwDxrVA;;EAmBQ,cAAc;AxD0qVtB;;AwD7rVA;EAqBQ,W7CqDQ;AXunVhB;;AwDjsVA;EAuBQ,+B7CmDQ;AX2nVhB;;AwDrsVA;;EA0BU,W7CgDM;AXgoVhB;;ACrnVE;EuDrFF;IA6BU,yBtD/BoB;EFitV5B;AACF;;AwDhtVA;;EAgCQ,+B7C0CQ;AX2oVhB;;AwDrtVA;;;EAqCU,yB7CgEuB;E6C/DvB,W7CoCM;AXkpVhB;;AwD5tVA;EAyCU,W7CiCM;E6ChCN,YAAY;AxDurVtB;;AwDjuVA;EA4CY,UAAU;AxDyrVtB;;AwDruVA;EA+CY,UAAU;AxD0rVtB;;AwDzuVA;EAmDY,W7CuBI;AXmqVhB;;AwD7uVA;EAqDc,uCtD3De;AFuvV7B;;AwDjvVA;EAyDc,sB7CiBE;E6ChBF,kB7CgBE;E6CfF,ctD7DgB;AFyvV9B;;AwDvvVA;EAiEU,gFAAyG;AxD0rVnH;;AClrVE;EuDzEF;IAoEc,gFAAyG;ExD4rVrH;AACF;;AwDjwVA;EAeM,yBtDH4B;EsDI5B,W7C0DU;AX4rVhB;;AwDtwVA;;EAmBQ,cAAc;AxDwvVtB;;AwD3wVA;EAqBQ,W7CqDQ;AXqsVhB;;AwD/wVA;EAuBQ,+B7CmDQ;AXysVhB;;AwDnxVA;;EA0BU,W7CgDM;AX8sVhB;;ACnsVE;EuDrFF;IA6BU,yBtDjBwB;EFixVhC;AACF;;AwD9xVA;;EAgCQ,+B7C0CQ;AXytVhB;;AwDnyVA;;;EAqCU,yB7CgEuB;E6C/DvB,W7CoCM;AXguVhB;;AwD1yVA;EAyCU,W7CiCM;E6ChCN,YAAY;AxDqwVtB;;AwD/yVA;EA4CY,UAAU;AxDuwVtB;;AwDnzVA;EA+CY,UAAU;AxDwwVtB;;AwDvzVA;EAmDY,W7CuBI;AXivVhB;;AwD3zVA;EAqDc,uCtD3De;AFq0V7B;;AwD/zVA;EAyDc,sB7CiBE;E6ChBF,kB7CgBE;E6CfF,ctD/CoB;AFyzVlC;;AwDr0VA;EAiEU,gFAAyG;AxDwwVnH;;AChwVE;EuDzEF;IAoEc,gFAAyG;ExD0wVrH;AACF;;AwD/0VA;EAeM,yBtDD4B;EsDE5B,W7C0DU;AX0wVhB;;AwDp1VA;;EAmBQ,cAAc;AxDs0VtB;;AwDz1VA;EAqBQ,W7CqDQ;AXmxVhB;;AwD71VA;EAuBQ,+B7CmDQ;AXuxVhB;;AwDj2VA;;EA0BU,W7CgDM;AX4xVhB;;ACjxVE;EuDrFF;IA6BU,yBtDfwB;EF61VhC;AACF;;AwD52VA;;EAgCQ,+B7C0CQ;AXuyVhB;;AwDj3VA;;;EAqCU,yB7CgEuB;E6C/DvB,W7CoCM;AX8yVhB;;AwDx3VA;EAyCU,W7CiCM;E6ChCN,YAAY;AxDm1VtB;;AwD73VA;EA4CY,UAAU;AxDq1VtB;;AwDj4VA;EA+CY,UAAU;AxDs1VtB;;AwDr4VA;EAmDY,W7CuBI;AX+zVhB;;AwDz4VA;EAqDc,uCtD3De;AFm5V7B;;AwD74VA;EAyDc,sB7CiBE;E6ChBF,kB7CgBE;E6CfF,ctD7CoB;AFq4VlC;;AwDn5VA;EAiEU,gFAAyG;AxDs1VnH;;AC90VE;EuDzEF;IAoEc,gFAAyG;ExDw1VrH;AACF;;AwD75VA;EAeM,yBtDF4B;EsDG5B,W7C0DU;AXw1VhB;;AwDl6VA;;EAmBQ,cAAc;AxDo5VtB;;AwDv6VA;EAqBQ,W7CqDQ;AXi2VhB;;AwD36VA;EAuBQ,+B7CmDQ;AXq2VhB;;AwD/6VA;;EA0BU,W7CgDM;AX02VhB;;AC/1VE;EuDrFF;IA6BU,yBtDhBwB;EF46VhC;AACF;;AwD17VA;;EAgCQ,+B7C0CQ;AXq3VhB;;AwD/7VA;;;EAqCU,yB7CgEuB;E6C/DvB,W7CoCM;AX43VhB;;AwDt8VA;EAyCU,W7CiCM;E6ChCN,YAAY;AxDi6VtB;;AwD38VA;EA4CY,UAAU;AxDm6VtB;;AwD/8VA;EA+CY,UAAU;AxDo6VtB;;AwDn9VA;EAmDY,W7CuBI;AX64VhB;;AwDv9VA;EAqDc,uCtD3De;AFi+V7B;;AwD39VA;EAyDc,sB7CiBE;E6ChBF,kB7CgBE;E6CfF,ctD9CoB;AFo9VlC;;AwDj+VA;EAiEU,gFAAyG;AxDo6VnH;;AC55VE;EuDzEF;IAoEc,gFAAyG;ExDs6VrH;AACF;;AwD3+VA;EAeM,yBtDJ4B;EsDK5B,W7C0DU;AXs6VhB;;AwDh/VA;;EAmBQ,cAAc;AxDk+VtB;;AwDr/VA;EAqBQ,W7CqDQ;AX+6VhB;;AwDz/VA;EAuBQ,+B7CmDQ;AXm7VhB;;AwD7/VA;;EA0BU,W7CgDM;AXw7VhB;;AC76VE;EuDrFF;IA6BU,yBtDlBwB;EF4/VhC;AACF;;AwDxgWA;;EAgCQ,+B7C0CQ;AXm8VhB;;AwD7gWA;;;EAqCU,yB7CgEuB;E6C/DvB,W7CoCM;AX08VhB;;AwDphWA;EAyCU,W7CiCM;E6ChCN,YAAY;AxD++VtB;;AwDzhWA;EA4CY,UAAU;AxDi/VtB;;AwD7hWA;EA+CY,UAAU;AxDk/VtB;;AwDjiWA;EAmDY,W7CuBI;AX29VhB;;AwDriWA;EAqDc,uCtD3De;AF+iW7B;;AwDziWA;EAyDc,sB7CiBE;E6ChBF,kB7CgBE;E6CfF,ctDhDoB;AFoiWlC;;AwD/iWA;EAiEU,gFAAyG;AxDk/VnH;;AC1+VE;EuDzEF;IAoEc,gFAAyG;ExDo/VrH;AACF;;AwDzjWA;EAeM,yBtDL4B;EsDM5B,yB7CwDe;AXs/VrB;;AwD9jWA;;EAmBQ,cAAc;AxDgjWtB;;AwDnkWA;EAqBQ,yB7CmDa;AX+/VrB;;AwDvkWA;EAuBQ,yB7CiDa;AXmgWrB;;AwD3kWA;;EA0BU,yB7C8CW;AXwgWrB;;AC3/VE;EuDrFF;IA6BU,yBtDnBwB;EF2kWhC;AACF;;AwDtlWA;;EAgCQ,yB7CwCa;AXmhWrB;;AwD3lWA;;;EAqCU,yB7CgEuB;E6C/DvB,yB7CkCW;AX0hWrB;;AwDlmWA;EAyCU,yB7C+BW;E6C9BX,YAAY;AxD6jWtB;;AwDvmWA;EA4CY,UAAU;AxD+jWtB;;AwD3mWA;EA+CY,UAAU;AxDgkWtB;;AwD/mWA;EAmDY,yB7CqBS;AX2iWrB;;AwDnnWA;EAqDc,uCtD3De;AF6nW7B;;AwDvnWA;EAyDc,oC7CeO;E6CdP,gC7CcO;E6CbP,ctDjDoB;AFmnWlC;;AwD7nWA;EAiEU,gFAAyG;AxDgkWnH;;ACxjWE;EuDzEF;IAoEc,gFAAyG;ExDkkWrH;AACF;;AwDvoWA;EAeM,yBtDC2B;EsDA3B,W7C0DU;AXkkWhB;;AwD5oWA;;EAmBQ,cAAc;AxD8nWtB;;AwDjpWA;EAqBQ,W7CqDQ;AX2kWhB;;AwDrpWA;EAuBQ,+B7CmDQ;AX+kWhB;;AwDzpWA;;EA0BU,W7CgDM;AXolWhB;;ACzkWE;EuDrFF;IA6BU,yBtDbuB;EFmpW/B;AACF;;AwDpqWA;;EAgCQ,+B7C0CQ;AX+lWhB;;AwDzqWA;;;EAqCU,yB7CgEuB;E6C/DvB,W7CoCM;AXsmWhB;;AwDhrWA;EAyCU,W7CiCM;E6ChCN,YAAY;AxD2oWtB;;AwDrrWA;EA4CY,UAAU;AxD6oWtB;;AwDzrWA;EA+CY,UAAU;AxD8oWtB;;AwD7rWA;EAmDY,W7CuBI;AXunWhB;;AwDjsWA;EAqDc,uCtD3De;AF2sW7B;;AwDrsWA;EAyDc,sB7CiBE;E6ChBF,kB7CgBE;E6CfF,ctD3CmB;AF2rWjC;;AwD3sWA;EAiEU,gFAAyG;AxD8oWnH;;ACtoWE;EuDzEF;IAoEc,gFAAyG;ExDgpWrH;AACF;;AwDrtWA;EAwEM,eA/E0B;AxDguWhC;;AC5oWE;EuD7EF;IA4EQ,oBAlF8B;ExDouWpC;AACF;;AClpWE;EuD7EF;IAgFQ,qBArF8B;ExDyuWpC;AACF;;AwDruWA;EAqFM,mBAAmB;EACnB,aAAa;AxDopWnB;;AwD1uWA;EAwFQ,YAAY;EACZ,cAAc;AxDspWtB;;AwD/uWA;EA2FI,gBAAgB;AxDwpWpB;;AwDnvWA;EA6FI,iBAAiB;AxD0pWrB;;AwDtpWA;EAEE,gBAAgB;AxDwpWlB;;AwD1pWA;EAII,SAAS;EACT,gBAAgB;EAChB,eAAe;EACf,kBAAkB;EAClB,QAAQ;EACR,qCAAqC;AxD0pWzC;;AwDnqWA;EAYI,YAAY;AxD2pWhB;;AC/rWE;EuDwBF;IAeI,aAAa;ExD6pWf;AACF;;AwD5pWA;EACE,kBAAkB;AxD+pWpB;;ACzsWE;EuDyCF;IAKM,aAAa;ExDgqWjB;EwDrqWF;IAOQ,sBAAsB;ExDiqW5B;AACF;;AC9sWE;EuDqCF;IASI,aAAa;IACb,uBAAuB;ExDqqWzB;EwD/qWF;IvDsBI,oBuDVwC;ExDsqW1C;AACF;;AwDnqWA;;EAEE,YAAY;EACZ,cAAc;AxDsqWhB;;AwDpqWA;EACE,YAAY;EACZ,cAAc;EACd,oBAlJ6B;AxDyzW/B;;AyDrzWA;EACE,oBAL2B;AzD6zW7B;;AC5tWE;EwD7FF;IAMM,oBAT8B;EzDi0WlC;EyD9zWF;IAQM,qBAV8B;EzDm0WlC;AACF;;A0Dl0WA;EACE,yBxDS4B;EwDR5B,yBAJ+B;A1Dy0WjC","file":"bulma.css"} ================================================ FILE: docs/static/css/index.css ================================================ body { font-family: 'Noto Sans', sans-serif; } .footer .icon-link { font-size: 25px; color: #000; } .link-block a { margin-top: 5px; margin-bottom: 5px; } .dnerf { font-variant: small-caps; } .teaser .hero-body { padding-top: 0; padding-bottom: 3rem; } .teaser { font-family: 'Google Sans', sans-serif; } .publication-title { } .publication-banner { max-height: parent; } .publication-banner video { position: relative; left: auto; top: auto; transform: none; object-fit: fit; } .publication-header .hero-body { } .publication-title { font-family: 'Google Sans', sans-serif; } .publication-authors { font-family: 'Google Sans', sans-serif; } .publication-venue { color: #555; width: fit-content; font-weight: bold; } .publication-awards { color: #ff3860; width: fit-content; font-weight: bolder; } .publication-authors { } .publication-authors a { color: hsl(204, 86%, 53%) !important; } .publication-authors a:hover { text-decoration: underline; } .author-block { display: inline-block; } .publication-banner img { } .publication-authors { /*color: #4286f4;*/ } .publication-video { position: relative; width: 100%; height: 0; padding-bottom: 56.25%; overflow: hidden; border-radius: 10px !important; } .publication-video iframe { position: absolute; top: 0; left: 0; width: 100%; height: 100%; } .publication-body img { } .results-carousel { overflow: hidden; } .results-carousel .item { margin: 5px; overflow: hidden; border: 1px solid #bbb; border-radius: 10px; padding: 0; font-size: 0; } .results-carousel video { margin: 0; } .interpolation-panel { background: #f5f5f5; border-radius: 10px; } .interpolation-panel .interpolation-image { width: 100%; border-radius: 5px; } .interpolation-video-column { } .interpolation-panel .slider { margin: 0 !important; } .interpolation-panel .slider { margin: 0 !important; } #interpolation-image-wrapper { width: 100%; } #interpolation-image-wrapper img { border-radius: 5px; } ================================================ FILE: docs/static/js/bulma-carousel.js ================================================ (function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(); else if(typeof define === 'function' && define.amd) define([], factory); else if(typeof exports === 'object') exports["bulmaCarousel"] = factory(); else root["bulmaCarousel"] = factory(); })(typeof self !== 'undefined' ? self : this, function() { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) { /******/ return installedModules[moduleId].exports; /******/ } /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ i: moduleId, /******/ l: false, /******/ exports: {} /******/ }; /******/ /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ /******/ // Flag the module as loaded /******/ module.l = true; /******/ /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ /******/ /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ /******/ // define getter function for harmony exports /******/ __webpack_require__.d = function(exports, name, getter) { /******/ if(!__webpack_require__.o(exports, name)) { /******/ Object.defineProperty(exports, name, { /******/ configurable: false, /******/ enumerable: true, /******/ get: getter /******/ }); /******/ } /******/ }; /******/ /******/ // getDefaultExport function for compatibility with non-harmony modules /******/ __webpack_require__.n = function(module) { /******/ var getter = module && module.__esModule ? /******/ function getDefault() { return module['default']; } : /******/ function getModuleExports() { return module; }; /******/ __webpack_require__.d(getter, 'a', getter); /******/ return getter; /******/ }; /******/ /******/ // Object.prototype.hasOwnProperty.call /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; /******/ /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ /******/ // Load entry module and return exports /******/ return __webpack_require__(__webpack_require__.s = 5); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export addClasses */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return removeClasses; }); /* unused harmony export show */ /* unused harmony export hide */ /* unused harmony export offset */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return width; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return height; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return outerHeight; }); /* unused harmony export outerWidth */ /* unused harmony export position */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return css; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__type__ = __webpack_require__(2); var addClasses = function addClasses(element, classes) { classes = Array.isArray(classes) ? classes : classes.split(' '); classes.forEach(function (cls) { element.classList.add(cls); }); }; var removeClasses = function removeClasses(element, classes) { classes = Array.isArray(classes) ? classes : classes.split(' '); classes.forEach(function (cls) { element.classList.remove(cls); }); }; var show = function show(elements) { elements = Array.isArray(elements) ? elements : [elements]; elements.forEach(function (element) { element.style.display = ''; }); }; var hide = function hide(elements) { elements = Array.isArray(elements) ? elements : [elements]; elements.forEach(function (element) { element.style.display = 'none'; }); }; var offset = function offset(element) { var rect = element.getBoundingClientRect(); return { top: rect.top + document.body.scrollTop, left: rect.left + document.body.scrollLeft }; }; // returns an element's width var width = function width(element) { return element.getBoundingClientRect().width || element.offsetWidth; }; // returns an element's height var height = function height(element) { return element.getBoundingClientRect().height || element.offsetHeight; }; var outerHeight = function outerHeight(element) { var withMargin = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; var height = element.offsetHeight; if (withMargin) { var style = window.getComputedStyle(element); height += parseInt(style.marginTop) + parseInt(style.marginBottom); } return height; }; var outerWidth = function outerWidth(element) { var withMargin = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; var width = element.offsetWidth; if (withMargin) { var style = window.getComputedStyle(element); width += parseInt(style.marginLeft) + parseInt(style.marginRight); } return width; }; var position = function position(element) { return { left: element.offsetLeft, top: element.offsetTop }; }; var css = function css(element, obj) { if (!obj) { return window.getComputedStyle(element); } if (Object(__WEBPACK_IMPORTED_MODULE_0__type__["b" /* isObject */])(obj)) { var style = ''; Object.keys(obj).forEach(function (key) { style += key + ': ' + obj[key] + ';'; }); element.style.cssText += style; } }; /***/ }), /* 1 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = detectSupportsPassive; function detectSupportsPassive() { var supportsPassive = false; try { var opts = Object.defineProperty({}, 'passive', { get: function get() { supportsPassive = true; } }); window.addEventListener('testPassive', null, opts); window.removeEventListener('testPassive', null, opts); } catch (e) {} return supportsPassive; } /***/ }), /* 2 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return isFunction; }); /* unused harmony export isNumber */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return isString; }); /* unused harmony export isDate */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return isObject; }); /* unused harmony export isEmptyObject */ /* unused harmony export isNode */ /* unused harmony export isVideo */ /* unused harmony export isHTML5 */ /* unused harmony export isIFrame */ /* unused harmony export isYoutube */ /* unused harmony export isVimeo */ var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; var isFunction = function isFunction(unknown) { return typeof unknown === 'function'; }; var isNumber = function isNumber(unknown) { return typeof unknown === "number"; }; var isString = function isString(unknown) { return typeof unknown === 'string' || !!unknown && (typeof unknown === 'undefined' ? 'undefined' : _typeof(unknown)) === 'object' && Object.prototype.toString.call(unknown) === '[object String]'; }; var isDate = function isDate(unknown) { return (Object.prototype.toString.call(unknown) === '[object Date]' || unknown instanceof Date) && !isNaN(unknown.valueOf()); }; var isObject = function isObject(unknown) { return (typeof unknown === 'function' || (typeof unknown === 'undefined' ? 'undefined' : _typeof(unknown)) === 'object' && !!unknown) && !Array.isArray(unknown); }; var isEmptyObject = function isEmptyObject(unknown) { for (var name in unknown) { if (unknown.hasOwnProperty(name)) { return false; } } return true; }; var isNode = function isNode(unknown) { return !!(unknown && unknown.nodeType === HTMLElement | SVGElement); }; var isVideo = function isVideo(unknown) { return isYoutube(unknown) || isVimeo(unknown) || isHTML5(unknown); }; var isHTML5 = function isHTML5(unknown) { return isNode(unknown) && unknown.tagName === 'VIDEO'; }; var isIFrame = function isIFrame(unknown) { return isNode(unknown) && unknown.tagName === 'IFRAME'; }; var isYoutube = function isYoutube(unknown) { return isIFrame(unknown) && !!unknown.src.match(/\/\/.*?youtube(-nocookie)?\.[a-z]+\/(watch\?v=[^&\s]+|embed)|youtu\.be\/.*/); }; var isVimeo = function isVimeo(unknown) { return isIFrame(unknown) && !!unknown.src.match(/vimeo\.com\/video\/.*/); }; /***/ }), /* 3 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var EventEmitter = function () { function EventEmitter() { var events = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : []; _classCallCheck(this, EventEmitter); this.events = new Map(events); } _createClass(EventEmitter, [{ key: "on", value: function on(name, cb) { var _this = this; this.events.set(name, [].concat(_toConsumableArray(this.events.has(name) ? this.events.get(name) : []), [cb])); return function () { return _this.events.set(name, _this.events.get(name).filter(function (fn) { return fn !== cb; })); }; } }, { key: "emit", value: function emit(name) { for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { args[_key - 1] = arguments[_key]; } return this.events.has(name) && this.events.get(name).map(function (fn) { return fn.apply(undefined, args); }); } }]); return EventEmitter; }(); /* harmony default export */ __webpack_exports__["a"] = (EventEmitter); /***/ }), /* 4 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Coordinate = function () { function Coordinate() { var x = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; var y = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0; _classCallCheck(this, Coordinate); this._x = x; this._y = y; } _createClass(Coordinate, [{ key: 'add', value: function add(coord) { return new Coordinate(this._x + coord._x, this._y + coord._y); } }, { key: 'sub', value: function sub(coord) { return new Coordinate(this._x - coord._x, this._y - coord._y); } }, { key: 'distance', value: function distance(coord) { var deltaX = this._x - coord._x; var deltaY = this._y - coord._y; return Math.sqrt(Math.pow(deltaX, 2) + Math.pow(deltaY, 2)); } }, { key: 'max', value: function max(coord) { var x = Math.max(this._x, coord._x); var y = Math.max(this._y, coord._y); return new Coordinate(x, y); } }, { key: 'equals', value: function equals(coord) { if (this == coord) { return true; } if (!coord || coord == null) { return false; } return this._x == coord._x && this._y == coord._y; } }, { key: 'inside', value: function inside(northwest, southeast) { if (this._x >= northwest._x && this._x <= southeast._x && this._y >= northwest._y && this._y <= southeast._y) { return true; } return false; } }, { key: 'constrain', value: function constrain(min, max) { if (min._x > max._x || min._y > max._y) { return this; } var x = this._x, y = this._y; if (min._x !== null) { x = Math.max(x, min._x); } if (max._x !== null) { x = Math.min(x, max._x); } if (min._y !== null) { y = Math.max(y, min._y); } if (max._y !== null) { y = Math.min(y, max._y); } return new Coordinate(x, y); } }, { key: 'reposition', value: function reposition(element) { element.style['top'] = this._y + 'px'; element.style['left'] = this._x + 'px'; } }, { key: 'toString', value: function toString() { return '(' + this._x + ',' + this._y + ')'; } }, { key: 'x', get: function get() { return this._x; }, set: function set() { var value = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; this._x = value; return this; } }, { key: 'y', get: function get() { return this._y; }, set: function set() { var value = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; this._y = value; return this; } }]); return Coordinate; }(); /* harmony default export */ __webpack_exports__["a"] = (Coordinate); /***/ }), /* 5 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_index__ = __webpack_require__(6); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__utils_css__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__utils_type__ = __webpack_require__(2); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__utils_eventEmitter__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__components_autoplay__ = __webpack_require__(7); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__components_breakpoint__ = __webpack_require__(9); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__components_infinite__ = __webpack_require__(10); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__components_loop__ = __webpack_require__(11); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_navigation__ = __webpack_require__(13); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_pagination__ = __webpack_require__(15); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__components_swipe__ = __webpack_require__(18); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__components_transitioner__ = __webpack_require__(19); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__defaultOptions__ = __webpack_require__(22); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__templates__ = __webpack_require__(23); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__templates_item__ = __webpack_require__(24); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var bulmaCarousel = function (_EventEmitter) { _inherits(bulmaCarousel, _EventEmitter); function bulmaCarousel(selector) { var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; _classCallCheck(this, bulmaCarousel); var _this = _possibleConstructorReturn(this, (bulmaCarousel.__proto__ || Object.getPrototypeOf(bulmaCarousel)).call(this)); _this.element = Object(__WEBPACK_IMPORTED_MODULE_2__utils_type__["c" /* isString */])(selector) ? document.querySelector(selector) : selector; // An invalid selector or non-DOM node has been provided. if (!_this.element) { throw new Error('An invalid selector or non-DOM node has been provided.'); } _this._clickEvents = ['click', 'touch']; // Use Element dataset values to override options var elementConfig = _this.element.dataset ? Object.keys(_this.element.dataset).filter(function (key) { return Object.keys(__WEBPACK_IMPORTED_MODULE_12__defaultOptions__["a" /* default */]).includes(key); }).reduce(function (obj, key) { return _extends({}, obj, _defineProperty({}, key, _this.element.dataset[key])); }, {}) : {}; // Set default options - dataset attributes are master _this.options = _extends({}, __WEBPACK_IMPORTED_MODULE_12__defaultOptions__["a" /* default */], options, elementConfig); _this._id = Object(__WEBPACK_IMPORTED_MODULE_0__utils_index__["a" /* uuid */])('slider'); _this.onShow = _this.onShow.bind(_this); // Initiate plugin _this._init(); return _this; } /** * Initiate all DOM element containing datePicker class * @method * @return {Array} Array of all datePicker instances */ _createClass(bulmaCarousel, [{ key: '_init', /**************************************************** * * * PRIVATE FUNCTIONS * * * ****************************************************/ /** * Initiate plugin instance * @method _init * @return {Slider} Current plugin instance */ value: function _init() { this._items = Array.from(this.element.children); // Load plugins this._breakpoint = new __WEBPACK_IMPORTED_MODULE_5__components_breakpoint__["a" /* default */](this); this._autoplay = new __WEBPACK_IMPORTED_MODULE_4__components_autoplay__["a" /* default */](this); this._navigation = new __WEBPACK_IMPORTED_MODULE_8__components_navigation__["a" /* default */](this); this._pagination = new __WEBPACK_IMPORTED_MODULE_9__components_pagination__["a" /* default */](this); this._infinite = new __WEBPACK_IMPORTED_MODULE_6__components_infinite__["a" /* default */](this); this._loop = new __WEBPACK_IMPORTED_MODULE_7__components_loop__["a" /* default */](this); this._swipe = new __WEBPACK_IMPORTED_MODULE_10__components_swipe__["a" /* default */](this); this._build(); if (Object(__WEBPACK_IMPORTED_MODULE_2__utils_type__["a" /* isFunction */])(this.options.onReady)) { this.options.onReady(this); } return this; } /** * Build Slider HTML component and append it to the DOM * @method _build */ }, { key: '_build', value: function _build() { var _this2 = this; // Generate HTML Fragment of template this.node = document.createRange().createContextualFragment(Object(__WEBPACK_IMPORTED_MODULE_13__templates__["a" /* default */])(this.id)); // Save pointers to template parts this._ui = { wrapper: this.node.firstChild, container: this.node.querySelector('.slider-container') // Add slider to DOM };this.element.appendChild(this.node); this._ui.wrapper.classList.add('is-loading'); this._ui.container.style.opacity = 0; this._transitioner = new __WEBPACK_IMPORTED_MODULE_11__components_transitioner__["a" /* default */](this); // Wrap all items by slide element this._slides = this._items.map(function (item, index) { return _this2._createSlide(item, index); }); this.reset(); this._bindEvents(); this._ui.container.style.opacity = 1; this._ui.wrapper.classList.remove('is-loading'); } /** * Bind all events * @method _bindEvents * @return {void} */ }, { key: '_bindEvents', value: function _bindEvents() { this.on('show', this.onShow); } }, { key: '_unbindEvents', value: function _unbindEvents() { this.off('show', this.onShow); } }, { key: '_createSlide', value: function _createSlide(item, index) { var slide = document.createRange().createContextualFragment(Object(__WEBPACK_IMPORTED_MODULE_14__templates_item__["a" /* default */])()).firstChild; slide.dataset.sliderIndex = index; slide.appendChild(item); return slide; } /** * Calculate slider dimensions */ }, { key: '_setDimensions', value: function _setDimensions() { var _this3 = this; if (!this.options.vertical) { if (this.options.centerMode) { this._ui.wrapper.style.padding = '0px ' + this.options.centerPadding; } } else { this._ui.wrapper.style.height = Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["c" /* outerHeight */])(this._slides[0]) * this.slidesToShow; if (this.options.centerMode) { this._ui.wrapper.style.padding = this.options.centerPadding + ' 0px'; } } this._wrapperWidth = Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["e" /* width */])(this._ui.wrapper); this._wrapperHeight = Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["c" /* outerHeight */])(this._ui.wrapper); if (!this.options.vertical) { this._slideWidth = Math.ceil(this._wrapperWidth / this.slidesToShow); this._containerWidth = Math.ceil(this._slideWidth * this._slides.length); this._ui.container.style.width = this._containerWidth + 'px'; } else { this._slideWidth = Math.ceil(this._wrapperWidth); this._containerHeight = Math.ceil(Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["c" /* outerHeight */])(this._slides[0]) * this._slides.length); this._ui.container.style.height = this._containerHeight + 'px'; } this._slides.forEach(function (slide) { slide.style.width = _this3._slideWidth + 'px'; }); } }, { key: '_setHeight', value: function _setHeight() { if (this.options.effect !== 'translate') { this._ui.container.style.height = Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["c" /* outerHeight */])(this._slides[this.state.index]) + 'px'; } } // Update slides classes }, { key: '_setClasses', value: function _setClasses() { var _this4 = this; this._slides.forEach(function (slide) { Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["d" /* removeClasses */])(slide, 'is-active is-current is-slide-previous is-slide-next'); if (Math.abs((_this4.state.index - 1) % _this4.state.length) === parseInt(slide.dataset.sliderIndex, 10)) { slide.classList.add('is-slide-previous'); } if (Math.abs(_this4.state.index % _this4.state.length) === parseInt(slide.dataset.sliderIndex, 10)) { slide.classList.add('is-current'); } if (Math.abs((_this4.state.index + 1) % _this4.state.length) === parseInt(slide.dataset.sliderIndex, 10)) { slide.classList.add('is-slide-next'); } }); } /**************************************************** * * * GETTERS and SETTERS * * * ****************************************************/ /** * Get id of current datePicker */ }, { key: 'onShow', /**************************************************** * * * EVENTS FUNCTIONS * * * ****************************************************/ value: function onShow(e) { this._navigation.refresh(); this._pagination.refresh(); this._setClasses(); } /**************************************************** * * * PUBLIC FUNCTIONS * * * ****************************************************/ }, { key: 'next', value: function next() { if (!this.options.loop && !this.options.infinite && this.state.index + this.slidesToScroll > this.state.length - this.slidesToShow && !this.options.centerMode) { this.state.next = this.state.index; } else { this.state.next = this.state.index + this.slidesToScroll; } this.show(); } }, { key: 'previous', value: function previous() { if (!this.options.loop && !this.options.infinite && this.state.index === 0) { this.state.next = this.state.index; } else { this.state.next = this.state.index - this.slidesToScroll; } this.show(); } }, { key: 'start', value: function start() { this._autoplay.start(); } }, { key: 'pause', value: function pause() { this._autoplay.pause(); } }, { key: 'stop', value: function stop() { this._autoplay.stop(); } }, { key: 'show', value: function show(index) { var force = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; // If all slides are already visible then return if (!this.state.length || this.state.length <= this.slidesToShow) { return; } if (typeof index === 'Number') { this.state.next = index; } if (this.options.loop) { this._loop.apply(); } if (this.options.infinite) { this._infinite.apply(); } // If new slide is already the current one then return if (this.state.index === this.state.next) { return; } this.emit('before:show', this.state); this._transitioner.apply(force, this._setHeight.bind(this)); this.emit('after:show', this.state); this.emit('show', this); } }, { key: 'reset', value: function reset() { var _this5 = this; this.state = { length: this._items.length, index: Math.abs(this.options.initialSlide), next: Math.abs(this.options.initialSlide), prev: undefined }; // Fix options if (this.options.loop && this.options.infinite) { this.options.loop = false; } if (this.options.slidesToScroll > this.options.slidesToShow) { this.options.slidesToScroll = this.slidesToShow; } this._breakpoint.init(); if (this.state.index >= this.state.length && this.state.index !== 0) { this.state.index = this.state.index - this.slidesToScroll; } if (this.state.length <= this.slidesToShow) { this.state.index = 0; } this._ui.wrapper.appendChild(this._navigation.init().render()); this._ui.wrapper.appendChild(this._pagination.init().render()); if (this.options.navigationSwipe) { this._swipe.bindEvents(); } else { this._swipe._bindEvents(); } this._breakpoint.apply(); // Move all created slides into slider this._slides.forEach(function (slide) { return _this5._ui.container.appendChild(slide); }); this._transitioner.init().apply(true, this._setHeight.bind(this)); if (this.options.autoplay) { this._autoplay.init().start(); } } /** * Destroy Slider * @method destroy */ }, { key: 'destroy', value: function destroy() { var _this6 = this; this._unbindEvents(); this._items.forEach(function (item) { _this6.element.appendChild(item); }); this.node.remove(); } }, { key: 'id', get: function get() { return this._id; } }, { key: 'index', set: function set(index) { this._index = index; }, get: function get() { return this._index; } }, { key: 'length', set: function set(length) { this._length = length; }, get: function get() { return this._length; } }, { key: 'slides', get: function get() { return this._slides; }, set: function set(slides) { this._slides = slides; } }, { key: 'slidesToScroll', get: function get() { return this.options.effect === 'translate' ? this._breakpoint.getSlidesToScroll() : 1; } }, { key: 'slidesToShow', get: function get() { return this.options.effect === 'translate' ? this._breakpoint.getSlidesToShow() : 1; } }, { key: 'direction', get: function get() { return this.element.dir.toLowerCase() === 'rtl' || this.element.style.direction === 'rtl' ? 'rtl' : 'ltr'; } }, { key: 'wrapper', get: function get() { return this._ui.wrapper; } }, { key: 'wrapperWidth', get: function get() { return this._wrapperWidth || 0; } }, { key: 'container', get: function get() { return this._ui.container; } }, { key: 'containerWidth', get: function get() { return this._containerWidth || 0; } }, { key: 'slideWidth', get: function get() { return this._slideWidth || 0; } }, { key: 'transitioner', get: function get() { return this._transitioner; } }], [{ key: 'attach', value: function attach() { var _this7 = this; var selector = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : '.slider'; var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var instances = new Array(); var elements = Object(__WEBPACK_IMPORTED_MODULE_2__utils_type__["c" /* isString */])(selector) ? document.querySelectorAll(selector) : Array.isArray(selector) ? selector : [selector]; [].forEach.call(elements, function (element) { if (typeof element[_this7.constructor.name] === 'undefined') { var instance = new bulmaCarousel(element, options); element[_this7.constructor.name] = instance; instances.push(instance); } else { instances.push(element[_this7.constructor.name]); } }); return instances; } }]); return bulmaCarousel; }(__WEBPACK_IMPORTED_MODULE_3__utils_eventEmitter__["a" /* default */]); /* harmony default export */ __webpack_exports__["default"] = (bulmaCarousel); /***/ }), /* 6 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return uuid; }); /* unused harmony export isRtl */ /* unused harmony export defer */ /* unused harmony export getNodeIndex */ /* unused harmony export camelize */ function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } } var uuid = function uuid() { var prefix = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ''; return prefix + ([1e7] + -1e3 + -4e3 + -8e3 + -1e11).replace(/[018]/g, function (c) { return (c ^ crypto.getRandomValues(new Uint8Array(1))[0] & 15 >> c / 4).toString(16); }); }; var isRtl = function isRtl() { return document.documentElement.getAttribute('dir') === 'rtl'; }; var defer = function defer() { this.promise = new Promise(function (resolve, reject) { this.resolve = resolve; this.reject = reject; }.bind(this)); this.then = this.promise.then.bind(this.promise); this.catch = this.promise.catch.bind(this.promise); }; var getNodeIndex = function getNodeIndex(node) { return [].concat(_toConsumableArray(node.parentNode.children)).indexOf(node); }; var camelize = function camelize(str) { return str.replace(/-(\w)/g, toUpper); }; /***/ }), /* 7 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_eventEmitter__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__utils_device__ = __webpack_require__(8); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var onVisibilityChange = Symbol('onVisibilityChange'); var onMouseEnter = Symbol('onMouseEnter'); var onMouseLeave = Symbol('onMouseLeave'); var defaultOptions = { autoplay: false, autoplaySpeed: 3000 }; var Autoplay = function (_EventEmitter) { _inherits(Autoplay, _EventEmitter); function Autoplay(slider) { _classCallCheck(this, Autoplay); var _this = _possibleConstructorReturn(this, (Autoplay.__proto__ || Object.getPrototypeOf(Autoplay)).call(this)); _this.slider = slider; _this.onVisibilityChange = _this.onVisibilityChange.bind(_this); _this.onMouseEnter = _this.onMouseEnter.bind(_this); _this.onMouseLeave = _this.onMouseLeave.bind(_this); return _this; } _createClass(Autoplay, [{ key: 'init', value: function init() { this._bindEvents(); return this; } }, { key: '_bindEvents', value: function _bindEvents() { document.addEventListener('visibilitychange', this.onVisibilityChange); if (this.slider.options.pauseOnHover) { this.slider.container.addEventListener(__WEBPACK_IMPORTED_MODULE_1__utils_device__["a" /* pointerEnter */], this.onMouseEnter); this.slider.container.addEventListener(__WEBPACK_IMPORTED_MODULE_1__utils_device__["b" /* pointerLeave */], this.onMouseLeave); } } }, { key: '_unbindEvents', value: function _unbindEvents() { document.removeEventListener('visibilitychange', this.onVisibilityChange); this.slider.container.removeEventListener(__WEBPACK_IMPORTED_MODULE_1__utils_device__["a" /* pointerEnter */], this.onMouseEnter); this.slider.container.removeEventListener(__WEBPACK_IMPORTED_MODULE_1__utils_device__["b" /* pointerLeave */], this.onMouseLeave); } }, { key: 'start', value: function start() { var _this2 = this; this.stop(); if (this.slider.options.autoplay) { this.emit('start', this); this._interval = setInterval(function () { if (!(_this2._hovering && _this2.slider.options.pauseOnHover)) { if (!_this2.slider.options.centerMode && _this2.slider.state.next >= _this2.slider.state.length - _this2.slider.slidesToShow && !_this2.slider.options.loop && !_this2.slider.options.infinite) { _this2.stop(); } else { _this2.slider.next(); } } }, this.slider.options.autoplaySpeed); } } }, { key: 'stop', value: function stop() { this._interval = clearInterval(this._interval); this.emit('stop', this); } }, { key: 'pause', value: function pause() { var _this3 = this; var speed = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0; if (this.paused) { return; } if (this.timer) { this.stop(); } this.paused = true; if (speed === 0) { this.paused = false; this.start(); } else { this.slider.on('transition:end', function () { if (!_this3) { return; } _this3.paused = false; if (!_this3.run) { _this3.stop(); } else { _this3.start(); } }); } } }, { key: 'onVisibilityChange', value: function onVisibilityChange(e) { if (document.hidden) { this.stop(); } else { this.start(); } } }, { key: 'onMouseEnter', value: function onMouseEnter(e) { this._hovering = true; if (this.slider.options.pauseOnHover) { this.pause(); } } }, { key: 'onMouseLeave', value: function onMouseLeave(e) { this._hovering = false; if (this.slider.options.pauseOnHover) { this.pause(); } } }]); return Autoplay; }(__WEBPACK_IMPORTED_MODULE_0__utils_eventEmitter__["a" /* default */]); /* harmony default export */ __webpack_exports__["a"] = (Autoplay); /***/ }), /* 8 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export isIE */ /* unused harmony export isIETouch */ /* unused harmony export isAndroid */ /* unused harmony export isiPad */ /* unused harmony export isiPod */ /* unused harmony export isiPhone */ /* unused harmony export isSafari */ /* unused harmony export isUiWebView */ /* unused harmony export supportsTouchEvents */ /* unused harmony export supportsPointerEvents */ /* unused harmony export supportsTouch */ /* unused harmony export pointerDown */ /* unused harmony export pointerMove */ /* unused harmony export pointerUp */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return pointerEnter; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return pointerLeave; }); var isIE = window.navigator.pointerEnabled || window.navigator.msPointerEnabled; var isIETouch = window.navigator.msPointerEnabled && window.navigator.msMaxTouchPoints > 1 || window.navigator.pointerEnabled && window.navigator.maxTouchPoints > 1; var isAndroid = navigator.userAgent.match(/(Android);?[\s\/]+([\d.]+)?/); var isiPad = navigator.userAgent.match(/(iPad).*OS\s([\d_]+)/); var isiPod = navigator.userAgent.match(/(iPod)(.*OS\s([\d_]+))?/); var isiPhone = !navigator.userAgent.match(/(iPad).*OS\s([\d_]+)/) && navigator.userAgent.match(/(iPhone\sOS)\s([\d_]+)/); var isSafari = navigator.userAgent.toLowerCase().indexOf('safari') >= 0 && navigator.userAgent.toLowerCase().indexOf('chrome') < 0 && navigator.userAgent.toLowerCase().indexOf('android') < 0; var isUiWebView = /(iPhone|iPod|iPad).*AppleWebKit(?!.*Safari)/i.test(navigator.userAgent); var supportsTouchEvents = !!('ontouchstart' in window); var supportsPointerEvents = !!('PointerEvent' in window); var supportsTouch = supportsTouchEvents || window.DocumentTouch && document instanceof DocumentTouch || navigator.maxTouchPoints; // IE >=11 var pointerDown = !supportsTouch ? 'mousedown' : 'mousedown ' + (supportsTouchEvents ? 'touchstart' : 'pointerdown'); var pointerMove = !supportsTouch ? 'mousemove' : 'mousemove ' + (supportsTouchEvents ? 'touchmove' : 'pointermove'); var pointerUp = !supportsTouch ? 'mouseup' : 'mouseup ' + (supportsTouchEvents ? 'touchend' : 'pointerup'); var pointerEnter = supportsTouch && supportsPointerEvents ? 'pointerenter' : 'mouseenter'; var pointerLeave = supportsTouch && supportsPointerEvents ? 'pointerleave' : 'mouseleave'; /***/ }), /* 9 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var onResize = Symbol('onResize'); var Breakpoints = function () { function Breakpoints(slider) { _classCallCheck(this, Breakpoints); this.slider = slider; this.options = slider.options; this[onResize] = this[onResize].bind(this); this._bindEvents(); } _createClass(Breakpoints, [{ key: 'init', value: function init() { this._defaultBreakpoint = { slidesToShow: this.options.slidesToShow, slidesToScroll: this.options.slidesToScroll }; this.options.breakpoints.sort(function (a, b) { return parseInt(a.changePoint, 10) > parseInt(b.changePoint, 10); }); this._currentBreakpoint = this._getActiveBreakpoint(); return this; } }, { key: 'destroy', value: function destroy() { this._unbindEvents(); } }, { key: '_bindEvents', value: function _bindEvents() { window.addEventListener('resize', this[onResize]); window.addEventListener('orientationchange', this[onResize]); } }, { key: '_unbindEvents', value: function _unbindEvents() { window.removeEventListener('resize', this[onResize]); window.removeEventListener('orientationchange', this[onResize]); } }, { key: '_getActiveBreakpoint', value: function _getActiveBreakpoint() { //Get breakpoint for window width var _iteratorNormalCompletion = true; var _didIteratorError = false; var _iteratorError = undefined; try { for (var _iterator = this.options.breakpoints[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) { var point = _step.value; if (point.changePoint >= window.innerWidth) { return point; } } } catch (err) { _didIteratorError = true; _iteratorError = err; } finally { try { if (!_iteratorNormalCompletion && _iterator.return) { _iterator.return(); } } finally { if (_didIteratorError) { throw _iteratorError; } } } return this._defaultBreakpoint; } }, { key: 'getSlidesToShow', value: function getSlidesToShow() { return this._currentBreakpoint ? this._currentBreakpoint.slidesToShow : this._defaultBreakpoint.slidesToShow; } }, { key: 'getSlidesToScroll', value: function getSlidesToScroll() { return this._currentBreakpoint ? this._currentBreakpoint.slidesToScroll : this._defaultBreakpoint.slidesToScroll; } }, { key: 'apply', value: function apply() { if (this.slider.state.index >= this.slider.state.length && this.slider.state.index !== 0) { this.slider.state.index = this.slider.state.index - this._currentBreakpoint.slidesToScroll; } if (this.slider.state.length <= this._currentBreakpoint.slidesToShow) { this.slider.state.index = 0; } if (this.options.loop) { this.slider._loop.init().apply(); } if (this.options.infinite) { this.slider._infinite.init().apply(); } this.slider._setDimensions(); this.slider._transitioner.init().apply(true, this.slider._setHeight.bind(this.slider)); this.slider._setClasses(); this.slider._navigation.refresh(); this.slider._pagination.refresh(); } }, { key: onResize, value: function value(e) { var newBreakPoint = this._getActiveBreakpoint(); if (newBreakPoint.slidesToShow !== this._currentBreakpoint.slidesToShow) { this._currentBreakpoint = newBreakPoint; this.apply(); } } }]); return Breakpoints; }(); /* harmony default export */ __webpack_exports__["a"] = (Breakpoints); /***/ }), /* 10 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Infinite = function () { function Infinite(slider) { _classCallCheck(this, Infinite); this.slider = slider; } _createClass(Infinite, [{ key: 'init', value: function init() { if (this.slider.options.infinite && this.slider.options.effect === 'translate') { if (this.slider.options.centerMode) { this._infiniteCount = Math.ceil(this.slider.slidesToShow + this.slider.slidesToShow / 2); } else { this._infiniteCount = this.slider.slidesToShow; } var frontClones = []; var slideIndex = 0; for (var i = this.slider.state.length; i > this.slider.state.length - 1 - this._infiniteCount; i -= 1) { slideIndex = i - 1; frontClones.unshift(this._cloneSlide(this.slider.slides[slideIndex], slideIndex - this.slider.state.length)); } var backClones = []; for (var _i = 0; _i < this._infiniteCount + this.slider.state.length; _i += 1) { backClones.push(this._cloneSlide(this.slider.slides[_i % this.slider.state.length], _i + this.slider.state.length)); } this.slider.slides = [].concat(frontClones, _toConsumableArray(this.slider.slides), backClones); } return this; } }, { key: 'apply', value: function apply() {} }, { key: 'onTransitionEnd', value: function onTransitionEnd(e) { if (this.slider.options.infinite) { if (this.slider.state.next >= this.slider.state.length) { this.slider.state.index = this.slider.state.next = this.slider.state.next - this.slider.state.length; this.slider.transitioner.apply(true); } else if (this.slider.state.next < 0) { this.slider.state.index = this.slider.state.next = this.slider.state.length + this.slider.state.next; this.slider.transitioner.apply(true); } } } }, { key: '_cloneSlide', value: function _cloneSlide(slide, index) { var newSlide = slide.cloneNode(true); newSlide.dataset.sliderIndex = index; newSlide.dataset.cloned = true; var ids = newSlide.querySelectorAll('[id]') || []; ids.forEach(function (id) { id.setAttribute('id', ''); }); return newSlide; } }]); return Infinite; }(); /* harmony default export */ __webpack_exports__["a"] = (Infinite); /***/ }), /* 11 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_dom__ = __webpack_require__(12); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Loop = function () { function Loop(slider) { _classCallCheck(this, Loop); this.slider = slider; } _createClass(Loop, [{ key: "init", value: function init() { return this; } }, { key: "apply", value: function apply() { if (this.slider.options.loop) { if (this.slider.state.next > 0) { if (this.slider.state.next < this.slider.state.length) { if (this.slider.state.next > this.slider.state.length - this.slider.slidesToShow && Object(__WEBPACK_IMPORTED_MODULE_0__utils_dom__["a" /* isInViewport */])(this.slider._slides[this.slider.state.length - 1], this.slider.wrapper)) { this.slider.state.next = 0; } else { this.slider.state.next = Math.min(Math.max(this.slider.state.next, 0), this.slider.state.length - this.slider.slidesToShow); } } else { this.slider.state.next = 0; } } else { if (this.slider.state.next <= 0 - this.slider.slidesToScroll) { this.slider.state.next = this.slider.state.length - this.slider.slidesToShow; } else { this.slider.state.next = 0; } } } } }]); return Loop; }(); /* harmony default export */ __webpack_exports__["a"] = (Loop); /***/ }), /* 12 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return isInViewport; }); var isInViewport = function isInViewport(element, html) { var rect = element.getBoundingClientRect(); html = html || document.documentElement; return rect.top >= 0 && rect.left >= 0 && rect.bottom <= (window.innerHeight || html.clientHeight) && rect.right <= (window.innerWidth || html.clientWidth); }; /***/ }), /* 13 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__templates_navigation__ = __webpack_require__(14); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__utils_detect_supportsPassive__ = __webpack_require__(1); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Navigation = function () { function Navigation(slider) { _classCallCheck(this, Navigation); this.slider = slider; this._clickEvents = ['click', 'touch']; this._supportsPassive = Object(__WEBPACK_IMPORTED_MODULE_1__utils_detect_supportsPassive__["a" /* default */])(); this.onPreviousClick = this.onPreviousClick.bind(this); this.onNextClick = this.onNextClick.bind(this); this.onKeyUp = this.onKeyUp.bind(this); } _createClass(Navigation, [{ key: 'init', value: function init() { this.node = document.createRange().createContextualFragment(Object(__WEBPACK_IMPORTED_MODULE_0__templates_navigation__["a" /* default */])(this.slider.options.icons)); this._ui = { previous: this.node.querySelector('.slider-navigation-previous'), next: this.node.querySelector('.slider-navigation-next') }; this._unbindEvents(); this._bindEvents(); this.refresh(); return this; } }, { key: 'destroy', value: function destroy() { this._unbindEvents(); } }, { key: '_bindEvents', value: function _bindEvents() { var _this = this; this.slider.wrapper.addEventListener('keyup', this.onKeyUp); this._clickEvents.forEach(function (clickEvent) { _this._ui.previous.addEventListener(clickEvent, _this.onPreviousClick); _this._ui.next.addEventListener(clickEvent, _this.onNextClick); }); } }, { key: '_unbindEvents', value: function _unbindEvents() { var _this2 = this; this.slider.wrapper.removeEventListener('keyup', this.onKeyUp); this._clickEvents.forEach(function (clickEvent) { _this2._ui.previous.removeEventListener(clickEvent, _this2.onPreviousClick); _this2._ui.next.removeEventListener(clickEvent, _this2.onNextClick); }); } }, { key: 'onNextClick', value: function onNextClick(e) { if (!this._supportsPassive) { e.preventDefault(); } if (this.slider.options.navigation) { this.slider.next(); } } }, { key: 'onPreviousClick', value: function onPreviousClick(e) { if (!this._supportsPassive) { e.preventDefault(); } if (this.slider.options.navigation) { this.slider.previous(); } } }, { key: 'onKeyUp', value: function onKeyUp(e) { if (this.slider.options.keyNavigation) { if (e.key === 'ArrowRight' || e.key === 'Right') { this.slider.next(); } else if (e.key === 'ArrowLeft' || e.key === 'Left') { this.slider.previous(); } } } }, { key: 'refresh', value: function refresh() { // let centerOffset = Math.floor(this.options.slidesToShow / 2); if (!this.slider.options.loop && !this.slider.options.infinite) { if (this.slider.options.navigation && this.slider.state.length > this.slider.slidesToShow) { this._ui.previous.classList.remove('is-hidden'); this._ui.next.classList.remove('is-hidden'); if (this.slider.state.next === 0) { this._ui.previous.classList.add('is-hidden'); this._ui.next.classList.remove('is-hidden'); } else if (this.slider.state.next >= this.slider.state.length - this.slider.slidesToShow && !this.slider.options.centerMode) { this._ui.previous.classList.remove('is-hidden'); this._ui.next.classList.add('is-hidden'); } else if (this.slider.state.next >= this.slider.state.length - 1 && this.slider.options.centerMode) { this._ui.previous.classList.remove('is-hidden'); this._ui.next.classList.add('is-hidden'); } } else { this._ui.previous.classList.add('is-hidden'); this._ui.next.classList.add('is-hidden'); } } } }, { key: 'render', value: function render() { return this.node; } }]); return Navigation; }(); /* harmony default export */ __webpack_exports__["a"] = (Navigation); /***/ }), /* 14 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = (function (icons) { return "
" + icons.previous + "
\n
" + icons.next + "
"; }); /***/ }), /* 15 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__templates_pagination__ = __webpack_require__(16); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__templates_pagination_page__ = __webpack_require__(17); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__utils_detect_supportsPassive__ = __webpack_require__(1); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Pagination = function () { function Pagination(slider) { _classCallCheck(this, Pagination); this.slider = slider; this._clickEvents = ['click', 'touch']; this._supportsPassive = Object(__WEBPACK_IMPORTED_MODULE_2__utils_detect_supportsPassive__["a" /* default */])(); this.onPageClick = this.onPageClick.bind(this); this.onResize = this.onResize.bind(this); } _createClass(Pagination, [{ key: 'init', value: function init() { this._pages = []; this.node = document.createRange().createContextualFragment(Object(__WEBPACK_IMPORTED_MODULE_0__templates_pagination__["a" /* default */])()); this._ui = { container: this.node.firstChild }; this._count = Math.ceil((this.slider.state.length - this.slider.slidesToShow) / this.slider.slidesToScroll); this._draw(); this.refresh(); return this; } }, { key: 'destroy', value: function destroy() { this._unbindEvents(); } }, { key: '_bindEvents', value: function _bindEvents() { var _this = this; window.addEventListener('resize', this.onResize); window.addEventListener('orientationchange', this.onResize); this._clickEvents.forEach(function (clickEvent) { _this._pages.forEach(function (page) { return page.addEventListener(clickEvent, _this.onPageClick); }); }); } }, { key: '_unbindEvents', value: function _unbindEvents() { var _this2 = this; window.removeEventListener('resize', this.onResize); window.removeEventListener('orientationchange', this.onResize); this._clickEvents.forEach(function (clickEvent) { _this2._pages.forEach(function (page) { return page.removeEventListener(clickEvent, _this2.onPageClick); }); }); } }, { key: '_draw', value: function _draw() { this._ui.container.innerHTML = ''; if (this.slider.options.pagination && this.slider.state.length > this.slider.slidesToShow) { for (var i = 0; i <= this._count; i++) { var newPageNode = document.createRange().createContextualFragment(Object(__WEBPACK_IMPORTED_MODULE_1__templates_pagination_page__["a" /* default */])()).firstChild; newPageNode.dataset.index = i * this.slider.slidesToScroll; this._pages.push(newPageNode); this._ui.container.appendChild(newPageNode); } this._bindEvents(); } } }, { key: 'onPageClick', value: function onPageClick(e) { if (!this._supportsPassive) { e.preventDefault(); } this.slider.state.next = e.currentTarget.dataset.index; this.slider.show(); } }, { key: 'onResize', value: function onResize() { this._draw(); } }, { key: 'refresh', value: function refresh() { var _this3 = this; var newCount = void 0; if (this.slider.options.infinite) { newCount = Math.ceil(this.slider.state.length - 1 / this.slider.slidesToScroll); } else { newCount = Math.ceil((this.slider.state.length - this.slider.slidesToShow) / this.slider.slidesToScroll); } if (newCount !== this._count) { this._count = newCount; this._draw(); } this._pages.forEach(function (page) { page.classList.remove('is-active'); if (parseInt(page.dataset.index, 10) === _this3.slider.state.next % _this3.slider.state.length) { page.classList.add('is-active'); } }); } }, { key: 'render', value: function render() { return this.node; } }]); return Pagination; }(); /* harmony default export */ __webpack_exports__["a"] = (Pagination); /***/ }), /* 16 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = (function () { return "
"; }); /***/ }), /* 17 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = (function () { return "
"; }); /***/ }), /* 18 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__ = __webpack_require__(4); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__utils_detect_supportsPassive__ = __webpack_require__(1); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Swipe = function () { function Swipe(slider) { _classCallCheck(this, Swipe); this.slider = slider; this._supportsPassive = Object(__WEBPACK_IMPORTED_MODULE_1__utils_detect_supportsPassive__["a" /* default */])(); this.onStartDrag = this.onStartDrag.bind(this); this.onMoveDrag = this.onMoveDrag.bind(this); this.onStopDrag = this.onStopDrag.bind(this); this._init(); } _createClass(Swipe, [{ key: '_init', value: function _init() {} }, { key: 'bindEvents', value: function bindEvents() { var _this = this; this.slider.container.addEventListener('dragstart', function (e) { if (!_this._supportsPassive) { e.preventDefault(); } }); this.slider.container.addEventListener('mousedown', this.onStartDrag); this.slider.container.addEventListener('touchstart', this.onStartDrag); window.addEventListener('mousemove', this.onMoveDrag); window.addEventListener('touchmove', this.onMoveDrag); window.addEventListener('mouseup', this.onStopDrag); window.addEventListener('touchend', this.onStopDrag); window.addEventListener('touchcancel', this.onStopDrag); } }, { key: 'unbindEvents', value: function unbindEvents() { var _this2 = this; this.slider.container.removeEventListener('dragstart', function (e) { if (!_this2._supportsPassive) { e.preventDefault(); } }); this.slider.container.removeEventListener('mousedown', this.onStartDrag); this.slider.container.removeEventListener('touchstart', this.onStartDrag); window.removeEventListener('mousemove', this.onMoveDrag); window.removeEventListener('touchmove', this.onMoveDrag); window.removeEventListener('mouseup', this.onStopDrag); window.removeEventListener('mouseup', this.onStopDrag); window.removeEventListener('touchcancel', this.onStopDrag); } /** * @param {MouseEvent|TouchEvent} */ }, { key: 'onStartDrag', value: function onStartDrag(e) { if (e.touches) { if (e.touches.length > 1) { return; } else { e = e.touches[0]; } } this._origin = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](e.screenX, e.screenY); this.width = this.slider.wrapperWidth; this.slider.transitioner.disable(); } /** * @param {MouseEvent|TouchEvent} */ }, { key: 'onMoveDrag', value: function onMoveDrag(e) { if (this._origin) { var point = e.touches ? e.touches[0] : e; this._lastTranslate = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](point.screenX - this._origin.x, point.screenY - this._origin.y); if (e.touches) { if (Math.abs(this._lastTranslate.x) > Math.abs(this._lastTranslate.y)) { if (!this._supportsPassive) { e.preventDefault(); } e.stopPropagation(); } } } } /** * @param {MouseEvent|TouchEvent} */ }, { key: 'onStopDrag', value: function onStopDrag(e) { if (this._origin && this._lastTranslate) { if (Math.abs(this._lastTranslate.x) > 0.2 * this.width) { if (this._lastTranslate.x < 0) { this.slider.next(); } else { this.slider.previous(); } } else { this.slider.show(true); } } this._origin = null; this._lastTranslate = null; } }]); return Swipe; }(); /* harmony default export */ __webpack_exports__["a"] = (Swipe); /***/ }), /* 19 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__transitions_fade__ = __webpack_require__(20); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__transitions_translate__ = __webpack_require__(21); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Transitioner = function () { function Transitioner(slider) { _classCallCheck(this, Transitioner); this.slider = slider; this.options = slider.options; this._animating = false; this._animation = undefined; this._translate = new __WEBPACK_IMPORTED_MODULE_1__transitions_translate__["a" /* default */](this, slider, slider.options); this._fade = new __WEBPACK_IMPORTED_MODULE_0__transitions_fade__["a" /* default */](this, slider, slider.options); } _createClass(Transitioner, [{ key: 'init', value: function init() { this._fade.init(); this._translate.init(); return this; } }, { key: 'isAnimating', value: function isAnimating() { return this._animating; } }, { key: 'enable', value: function enable() { this._animation && this._animation.enable(); } }, { key: 'disable', value: function disable() { this._animation && this._animation.disable(); } }, { key: 'apply', value: function apply(force, callback) { // If we don't force refresh and animation in progress then return if (this._animating && !force) { return; } switch (this.options.effect) { case 'fade': this._animation = this._fade; break; case 'translate': default: this._animation = this._translate; break; } this._animationCallback = callback; if (force) { this._animation && this._animation.disable(); } else { this._animation && this._animation.enable(); this._animating = true; } this._animation && this._animation.apply(); if (force) { this.end(); } } }, { key: 'end', value: function end() { this._animating = false; this._animation = undefined; this.slider.state.index = this.slider.state.next; if (this._animationCallback) { this._animationCallback(); } } }]); return Transitioner; }(); /* harmony default export */ __webpack_exports__["a"] = (Transitioner); /***/ }), /* 20 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_css__ = __webpack_require__(0); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Fade = function () { function Fade(transitioner, slider) { var options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; _classCallCheck(this, Fade); this.transitioner = transitioner; this.slider = slider; this.options = _extends({}, options); } _createClass(Fade, [{ key: 'init', value: function init() { var _this = this; if (this.options.effect === 'fade') { this.slider.slides.forEach(function (slide, index) { Object(__WEBPACK_IMPORTED_MODULE_0__utils_css__["a" /* css */])(slide, { position: 'absolute', left: 0, top: 0, bottom: 0, 'z-index': slide.dataset.sliderIndex == _this.slider.state.index ? 0 : -2, opacity: slide.dataset.sliderIndex == _this.slider.state.index ? 1 : 0 }); }); } return this; } }, { key: 'enable', value: function enable() { var _this2 = this; this._oldSlide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this2.slider.state.index; })[0]; this._newSlide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this2.slider.state.next; })[0]; if (this._newSlide) { this._newSlide.addEventListener('transitionend', this.onTransitionEnd.bind(this)); this._newSlide.style.transition = this.options.duration + 'ms ' + this.options.timing; if (this._oldSlide) { this._oldSlide.addEventListener('transitionend', this.onTransitionEnd.bind(this)); this._oldSlide.style.transition = this.options.duration + 'ms ' + this.options.timing; } } } }, { key: 'disable', value: function disable() { var _this3 = this; this._oldSlide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this3.slider.state.index; })[0]; this._newSlide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this3.slider.state.next; })[0]; if (this._newSlide) { this._newSlide.removeEventListener('transitionend', this.onTransitionEnd.bind(this)); this._newSlide.style.transition = 'none'; if (this._oldSlide) { this._oldSlide.removeEventListener('transitionend', this.onTransitionEnd.bind(this)); this._oldSlide.style.transition = 'none'; } } } }, { key: 'apply', value: function apply(force) { var _this4 = this; this._oldSlide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this4.slider.state.index; })[0]; this._newSlide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this4.slider.state.next; })[0]; if (this._oldSlide && this._newSlide) { Object(__WEBPACK_IMPORTED_MODULE_0__utils_css__["a" /* css */])(this._oldSlide, { opacity: 0 }); Object(__WEBPACK_IMPORTED_MODULE_0__utils_css__["a" /* css */])(this._newSlide, { opacity: 1, 'z-index': force ? 0 : -1 }); } } }, { key: 'onTransitionEnd', value: function onTransitionEnd(e) { if (this.options.effect === 'fade') { if (this.transitioner.isAnimating() && e.target == this._newSlide) { if (this._newSlide) { Object(__WEBPACK_IMPORTED_MODULE_0__utils_css__["a" /* css */])(this._newSlide, { 'z-index': 0 }); this._newSlide.removeEventListener('transitionend', this.onTransitionEnd.bind(this)); } if (this._oldSlide) { Object(__WEBPACK_IMPORTED_MODULE_0__utils_css__["a" /* css */])(this._oldSlide, { 'z-index': -2 }); this._oldSlide.removeEventListener('transitionend', this.onTransitionEnd.bind(this)); } } this.transitioner.end(); } } }]); return Fade; }(); /* harmony default export */ __webpack_exports__["a"] = (Fade); /***/ }), /* 21 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__ = __webpack_require__(4); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__utils_css__ = __webpack_require__(0); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var Translate = function () { function Translate(transitioner, slider) { var options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; _classCallCheck(this, Translate); this.transitioner = transitioner; this.slider = slider; this.options = _extends({}, options); this.onTransitionEnd = this.onTransitionEnd.bind(this); } _createClass(Translate, [{ key: 'init', value: function init() { this._position = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](this.slider.container.offsetLeft, this.slider.container.offsetTop); this._bindEvents(); return this; } }, { key: 'destroy', value: function destroy() { this._unbindEvents(); } }, { key: '_bindEvents', value: function _bindEvents() { this.slider.container.addEventListener('transitionend', this.onTransitionEnd); } }, { key: '_unbindEvents', value: function _unbindEvents() { this.slider.container.removeEventListener('transitionend', this.onTransitionEnd); } }, { key: 'enable', value: function enable() { this.slider.container.style.transition = this.options.duration + 'ms ' + this.options.timing; } }, { key: 'disable', value: function disable() { this.slider.container.style.transition = 'none'; } }, { key: 'apply', value: function apply() { var _this = this; var maxOffset = void 0; if (this.options.effect === 'translate') { var slide = this.slider.slides.filter(function (slide) { return slide.dataset.sliderIndex == _this.slider.state.next; })[0]; var slideOffset = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](slide.offsetLeft, slide.offsetTop); if (this.options.centerMode) { maxOffset = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](Math.round(Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["e" /* width */])(this.slider.container)), Math.round(Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["b" /* height */])(this.slider.container))); } else { maxOffset = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](Math.round(Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["e" /* width */])(this.slider.container) - Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["e" /* width */])(this.slider.wrapper)), Math.round(Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["b" /* height */])(this.slider.container) - Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["b" /* height */])(this.slider.wrapper))); } var nextOffset = new __WEBPACK_IMPORTED_MODULE_0__utils_coordinate__["a" /* default */](Math.min(Math.max(slideOffset.x * -1, maxOffset.x * -1), 0), Math.min(Math.max(slideOffset.y * -1, maxOffset.y * -1), 0)); if (this.options.loop) { if (!this.options.vertical && Math.abs(this._position.x) > maxOffset.x) { nextOffset.x = 0; this.slider.state.next = 0; } else if (this.options.vertical && Math.abs(this._position.y) > maxOffset.y) { nextOffset.y = 0; this.slider.state.next = 0; } } this._position.x = nextOffset.x; this._position.y = nextOffset.y; if (this.options.centerMode) { this._position.x = this._position.x + this.slider.wrapperWidth / 2 - Object(__WEBPACK_IMPORTED_MODULE_1__utils_css__["e" /* width */])(slide) / 2; } if (this.slider.direction === 'rtl') { this._position.x = -this._position.x; this._position.y = -this._position.y; } this.slider.container.style.transform = 'translate3d(' + this._position.x + 'px, ' + this._position.y + 'px, 0)'; /** * update the index with the nextIndex only if * the offset of the nextIndex is in the range of the maxOffset */ if (slideOffset.x > maxOffset.x) { this.slider.transitioner.end(); } } } }, { key: 'onTransitionEnd', value: function onTransitionEnd(e) { if (this.options.effect === 'translate') { if (this.transitioner.isAnimating() && e.target == this.slider.container) { if (this.options.infinite) { this.slider._infinite.onTransitionEnd(e); } } this.transitioner.end(); } } }]); return Translate; }(); /* harmony default export */ __webpack_exports__["a"] = (Translate); /***/ }), /* 22 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var defaultOptions = { initialSlide: 0, slidesToScroll: 1, slidesToShow: 1, navigation: true, navigationKeys: true, navigationSwipe: true, pagination: true, loop: false, infinite: false, effect: 'translate', duration: 300, timing: 'ease', autoplay: false, autoplaySpeed: 3000, pauseOnHover: true, breakpoints: [{ changePoint: 480, slidesToShow: 1, slidesToScroll: 1 }, { changePoint: 640, slidesToShow: 2, slidesToScroll: 2 }, { changePoint: 768, slidesToShow: 3, slidesToScroll: 3 }], onReady: null, icons: { 'previous': '\n \n ', 'next': '\n \n ' } }; /* harmony default export */ __webpack_exports__["a"] = (defaultOptions); /***/ }), /* 23 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = (function (id) { return "
\n
\n
"; }); /***/ }), /* 24 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = (function () { return "
"; }); /***/ }) /******/ ])["default"]; }); ================================================ FILE: docs/static/js/bulma-slider.js ================================================ (function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(); else if(typeof define === 'function' && define.amd) define([], factory); else if(typeof exports === 'object') exports["bulmaSlider"] = factory(); else root["bulmaSlider"] = factory(); })(typeof self !== 'undefined' ? self : this, function() { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) { /******/ return installedModules[moduleId].exports; /******/ } /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ i: moduleId, /******/ l: false, /******/ exports: {} /******/ }; /******/ /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ /******/ // Flag the module as loaded /******/ module.l = true; /******/ /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ /******/ /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ /******/ // define getter function for harmony exports /******/ __webpack_require__.d = function(exports, name, getter) { /******/ if(!__webpack_require__.o(exports, name)) { /******/ Object.defineProperty(exports, name, { /******/ configurable: false, /******/ enumerable: true, /******/ get: getter /******/ }); /******/ } /******/ }; /******/ /******/ // getDefaultExport function for compatibility with non-harmony modules /******/ __webpack_require__.n = function(module) { /******/ var getter = module && module.__esModule ? /******/ function getDefault() { return module['default']; } : /******/ function getModuleExports() { return module; }; /******/ __webpack_require__.d(getter, 'a', getter); /******/ return getter; /******/ }; /******/ /******/ // Object.prototype.hasOwnProperty.call /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; /******/ /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ /******/ // Load entry module and return exports /******/ return __webpack_require__(__webpack_require__.s = 0); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isString", function() { return isString; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__events__ = __webpack_require__(1); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var isString = function isString(unknown) { return typeof unknown === 'string' || !!unknown && (typeof unknown === 'undefined' ? 'undefined' : _typeof(unknown)) === 'object' && Object.prototype.toString.call(unknown) === '[object String]'; }; var bulmaSlider = function (_EventEmitter) { _inherits(bulmaSlider, _EventEmitter); function bulmaSlider(selector) { var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; _classCallCheck(this, bulmaSlider); var _this = _possibleConstructorReturn(this, (bulmaSlider.__proto__ || Object.getPrototypeOf(bulmaSlider)).call(this)); _this.element = typeof selector === 'string' ? document.querySelector(selector) : selector; // An invalid selector or non-DOM node has been provided. if (!_this.element) { throw new Error('An invalid selector or non-DOM node has been provided.'); } _this._clickEvents = ['click']; /// Set default options and merge with instance defined _this.options = _extends({}, options); _this.onSliderInput = _this.onSliderInput.bind(_this); _this.init(); return _this; } /** * Initiate all DOM element containing selector * @method * @return {Array} Array of all slider instances */ _createClass(bulmaSlider, [{ key: 'init', /** * Initiate plugin * @method init * @return {void} */ value: function init() { this._id = 'bulmaSlider' + new Date().getTime() + Math.floor(Math.random() * Math.floor(9999)); this.output = this._findOutputForSlider(); this._bindEvents(); if (this.output) { if (this.element.classList.contains('has-output-tooltip')) { // Get new output position var newPosition = this._getSliderOutputPosition(); // Set output position this.output.style['left'] = newPosition.position; } } this.emit('bulmaslider:ready', this.element.value); } }, { key: '_findOutputForSlider', value: function _findOutputForSlider() { var _this2 = this; var result = null; var outputs = document.getElementsByTagName('output') || []; Array.from(outputs).forEach(function (output) { if (output.htmlFor == _this2.element.getAttribute('id')) { result = output; return true; } }); return result; } }, { key: '_getSliderOutputPosition', value: function _getSliderOutputPosition() { // Update output position var newPlace, minValue; var style = window.getComputedStyle(this.element, null); // Measure width of range input var sliderWidth = parseInt(style.getPropertyValue('width'), 10); // Figure out placement percentage between left and right of input if (!this.element.getAttribute('min')) { minValue = 0; } else { minValue = this.element.getAttribute('min'); } var newPoint = (this.element.value - minValue) / (this.element.getAttribute('max') - minValue); // Prevent bubble from going beyond left or right (unsupported browsers) if (newPoint < 0) { newPlace = 0; } else if (newPoint > 1) { newPlace = sliderWidth; } else { newPlace = sliderWidth * newPoint; } return { 'position': newPlace + 'px' }; } /** * Bind all events * @method _bindEvents * @return {void} */ }, { key: '_bindEvents', value: function _bindEvents() { if (this.output) { // Add event listener to update output when slider value change this.element.addEventListener('input', this.onSliderInput, false); } } }, { key: 'onSliderInput', value: function onSliderInput(e) { e.preventDefault(); if (this.element.classList.contains('has-output-tooltip')) { // Get new output position var newPosition = this._getSliderOutputPosition(); // Set output position this.output.style['left'] = newPosition.position; } // Check for prefix and postfix var prefix = this.output.hasAttribute('data-prefix') ? this.output.getAttribute('data-prefix') : ''; var postfix = this.output.hasAttribute('data-postfix') ? this.output.getAttribute('data-postfix') : ''; // Update output with slider value this.output.value = prefix + this.element.value + postfix; this.emit('bulmaslider:ready', this.element.value); } }], [{ key: 'attach', value: function attach() { var _this3 = this; var selector = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 'input[type="range"].slider'; var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var instances = new Array(); var elements = isString(selector) ? document.querySelectorAll(selector) : Array.isArray(selector) ? selector : [selector]; elements.forEach(function (element) { if (typeof element[_this3.constructor.name] === 'undefined') { var instance = new bulmaSlider(element, options); element[_this3.constructor.name] = instance; instances.push(instance); } else { instances.push(element[_this3.constructor.name]); } }); return instances; } }]); return bulmaSlider; }(__WEBPACK_IMPORTED_MODULE_0__events__["a" /* default */]); /* harmony default export */ __webpack_exports__["default"] = (bulmaSlider); /***/ }), /* 1 */ /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } var EventEmitter = function () { function EventEmitter() { var listeners = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : []; _classCallCheck(this, EventEmitter); this._listeners = new Map(listeners); this._middlewares = new Map(); } _createClass(EventEmitter, [{ key: "listenerCount", value: function listenerCount(eventName) { if (!this._listeners.has(eventName)) { return 0; } var eventListeners = this._listeners.get(eventName); return eventListeners.length; } }, { key: "removeListeners", value: function removeListeners() { var _this = this; var eventName = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : null; var middleware = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false; if (eventName !== null) { if (Array.isArray(eventName)) { name.forEach(function (e) { return _this.removeListeners(e, middleware); }); } else { this._listeners.delete(eventName); if (middleware) { this.removeMiddleware(eventName); } } } else { this._listeners = new Map(); } } }, { key: "middleware", value: function middleware(eventName, fn) { var _this2 = this; if (Array.isArray(eventName)) { name.forEach(function (e) { return _this2.middleware(e, fn); }); } else { if (!Array.isArray(this._middlewares.get(eventName))) { this._middlewares.set(eventName, []); } this._middlewares.get(eventName).push(fn); } } }, { key: "removeMiddleware", value: function removeMiddleware() { var _this3 = this; var eventName = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : null; if (eventName !== null) { if (Array.isArray(eventName)) { name.forEach(function (e) { return _this3.removeMiddleware(e); }); } else { this._middlewares.delete(eventName); } } else { this._middlewares = new Map(); } } }, { key: "on", value: function on(name, callback) { var _this4 = this; var once = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false; if (Array.isArray(name)) { name.forEach(function (e) { return _this4.on(e, callback); }); } else { name = name.toString(); var split = name.split(/,|, | /); if (split.length > 1) { split.forEach(function (e) { return _this4.on(e, callback); }); } else { if (!Array.isArray(this._listeners.get(name))) { this._listeners.set(name, []); } this._listeners.get(name).push({ once: once, callback: callback }); } } } }, { key: "once", value: function once(name, callback) { this.on(name, callback, true); } }, { key: "emit", value: function emit(name, data) { var _this5 = this; var silent = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false; name = name.toString(); var listeners = this._listeners.get(name); var middlewares = null; var doneCount = 0; var execute = silent; if (Array.isArray(listeners)) { listeners.forEach(function (listener, index) { // Start Middleware checks unless we're doing a silent emit if (!silent) { middlewares = _this5._middlewares.get(name); // Check and execute Middleware if (Array.isArray(middlewares)) { middlewares.forEach(function (middleware) { middleware(data, function () { var newData = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : null; if (newData !== null) { data = newData; } doneCount++; }, name); }); if (doneCount >= middlewares.length) { execute = true; } } else { execute = true; } } // If Middleware checks have been passed, execute if (execute) { if (listener.once) { listeners[index] = null; } listener.callback(data); } }); // Dirty way of removing used Events while (listeners.indexOf(null) !== -1) { listeners.splice(listeners.indexOf(null), 1); } } } }]); return EventEmitter; }(); /* harmony default export */ __webpack_exports__["a"] = (EventEmitter); /***/ }) /******/ ])["default"]; }); ================================================ FILE: docs/static/js/index.js ================================================ window.HELP_IMPROVE_VIDEOJS = false; var INTERP_BASE = "./static/interpolation/stacked"; var NUM_INTERP_FRAMES = 240; var interp_images = []; function preloadInterpolationImages() { for (var i = 0; i < NUM_INTERP_FRAMES; i++) { var path = INTERP_BASE + '/' + String(i).padStart(6, '0') + '.jpg'; interp_images[i] = new Image(); interp_images[i].src = path; } } function setInterpolationImage(i) { var image = interp_images[i]; image.ondragstart = function() { return false; }; image.oncontextmenu = function() { return false; }; $('#interpolation-image-wrapper').empty().append(image); } $(document).ready(function() { // Check for click events on the navbar burger icon $(".navbar-burger").click(function() { // Toggle the "is-active" class on both the "navbar-burger" and the "navbar-menu" $(".navbar-burger").toggleClass("is-active"); $(".navbar-menu").toggleClass("is-active"); }); var options = { slidesToScroll: 1, slidesToShow: 3, loop: true, infinite: true, autoplay: false, autoplaySpeed: 3000, } // Initialize all div with carousel class var carousels = bulmaCarousel.attach('.carousel', options); // Loop on each carousel initialized for(var i = 0; i < carousels.length; i++) { // Add listener to event carousels[i].on('before:show', state => { console.log(state); }); } // Access to bulmaCarousel instance of an element var element = document.querySelector('#my-element'); if (element && element.bulmaCarousel) { // bulmaCarousel instance is available as element.bulmaCarousel element.bulmaCarousel.on('before-show', function(state) { console.log(state); }); } /*var player = document.getElementById('interpolation-video'); player.addEventListener('loadedmetadata', function() { $('#interpolation-slider').on('input', function(event) { console.log(this.value, player.duration); player.currentTime = player.duration / 100 * this.value; }) }, false);*/ preloadInterpolationImages(); $('#interpolation-slider').on('input', function(event) { setInterpolationImage(this.value); }); setInterpolationImage(0); $('#interpolation-slider').prop('max', NUM_INTERP_FRAMES - 1); bulmaSlider.attach(); }) ================================================ FILE: eval.sh ================================================ python evaluate.py \ --base_method merge \ --comp_method composite \ --compos_num 2 \ --image_style anime \ --image_path output \ --save_path eval_result \ ================================================ FILE: evaluate.py ================================================ import os import re import json import openai import base64 import logging import requests import argparse from tqdm import tqdm from os.path import join, exists from openai import OpenAI from utils import load_lora_info, generate_combinations from utils import get_eval_prompt class GPT4V: def comparative_evaluate( self, prompt, image_1, image_2, max_tokens=2048, temperature=1.0, max_retries=5, **kwargs ): self.api_key = os.environ.get('OPENAI_API_KEY', None) self.client = OpenAI(api_key=self.api_key) retry_interval_exp = 1 retry_count = 0 while retry_count < max_retries: try: response = self.client.chat.completions.create( model="gpt-4-vision-preview", messages=[ { "role": "user", "content": [ { "type": "text", "text": prompt, }, { "type": "image_url", "image_url": { "url": f"data:image/png;base64,{image_1}" } }, { "type": "image_url", "image_url": { "url": f"data:image/png;base64,{image_2}" } }, ] } ], max_tokens=max_tokens, temperature=temperature, ) return response.choices[0].message.content except openai.RateLimitError: logging.warning("OpenAI rate limit error. Retry!") except openai.APIConnectionError: logging.warning("OpenAI API connection error. Retry!") except openai.APITimeoutError: logging.warning("OpenAI timeout error. Retry!") except Exception as e: logging.error(f"Unexpected error: {e}") break # Simple backoff mechanism time.sleep(min(60, 0.5 * (2 ** retry_interval_exp))) retry_interval_exp += 1 retry_count += 1 return "An error occurred while processing the request." # Function to encode the image def encode_image(image_path): with open(image_path, "rb") as image_file: return base64.b64encode(image_file.read()).decode('utf-8') def parse_scores(text): # Regular expression pattern to match scores, pattern = r"image (\d): composition quality: ([\d\.]+)\/10.*?image quality: ([\d\.]+)\/10" # Find all matches in the evaluation text, case-insensitive matches = re.findall(pattern, text, re.IGNORECASE) # Check if exactly two images are present if len(matches) != 2: return False, "Expected scores for exactly two images" results = {} for match in matches: image_number, comp_quality, image_quality = match comp_quality = float(comp_quality) image_quality = float(image_quality) # Check if scores are within the valid range if not (0 <= comp_quality <= 10) or not (0 <= image_quality <= 10): return False, "Scores must be between 0 and 10" results[f'image {image_number}'] = { 'composition quality': comp_quality, 'image quality': image_quality } return True, results def evaluate(args): image_path = f"{args.image_path}_{args.image_style}" image_path = join(image_path, f'{args.compos_num}_elements') # load all the information of LoRAs lora_info = load_lora_info(args.image_style, args.lora_info_path) # generate all combinations that can be composed combinations = generate_combinations(lora_info, args.compos_num) # comparative evaluation gpt4v = GPT4V() all_eval = [] for combo in tqdm(combinations): # get the image path elements = '_'.join([lora['id'] for lora in combo]) image_1_path = join(image_path, args.base_method + '_' + elements + '.png') image_2_path = join(image_path, args.comp_method + '_' + elements + '.png') if not exists(image_1_path) or not exists(image_2_path): print(f"Can't find the generate images for {elements}") continue # encode the images image_1 = encode_image(image_1_path) image_2 = encode_image(image_2_path) # get the prompt for the comparative evaluation prompt = get_eval_prompt(combo) # print(prompt) # comparative evaluation # If the scores cannot be parsed from the evaluation result, then retry retry_cnt = 0 max_retries = 10 while retry_cnt < max_retries: result = gpt4v.comparative_evaluate(prompt, image_1, image_2) print(result) valid, scores = parse_scores(result) if valid == True: cur_eval = {} cur_eval['elements'] = elements cur_eval['method 1'] = args.base_method cur_eval['method 2'] = args.comp_method cur_eval['eval'] = result cur_eval['scores'] = scores all_eval.append(cur_eval) break else: print(scores) print(f"Retry for {elements}") retry_cnt += 1 if retry_cnt == max_retries: print(f"Can't get evaluation scores for {elements}!") # save the evaluation results if not exists(args.save_path): os.makedirs(args.save_path) save_path = join(args.save_path, f'{args.image_style}_{args.compos_num}_elements_{args.base_method}_vs_{args.comp_method}.json') with open(save_path, 'w') as f: json.dump(all_eval, f, indent=4, ensure_ascii=False) if __name__ == "__main__": parser = argparse.ArgumentParser( description='Evaluate the generated images based on composition efficacy and image quality' ) parser.add_argument('--image_path', default='output', help='path to store the generated image', type=str) parser.add_argument('--save_path', default='eval_result', help='path to save the evaluation results', type=str) parser.add_argument('--base_method', default='merge', choices=['merge', 'switch', 'composite'], help='the first method used for comparative evaluation', type=str) parser.add_argument('--comp_method', default='composite', choices=['merge', 'switch', 'composite'], help='the first method used for comparative evaluation', type=str) parser.add_argument('--compos_num', default=2, help='number of elements to be evaluated in a single image', type=int) parser.add_argument('--image_style', default='reality', choices=['anime', 'reality'], help='styles of images to be evaluated', type=str) parser.add_argument('--lora_info_path', default='lora_info.json', help='path to stroe all LoRA information', type=str) args = parser.parse_args() evaluate(args) ================================================ FILE: example.py ================================================ import torch import argparse from diffusers import DiffusionPipeline, StableDiffusionPipeline, AutoencoderKL from diffusers import DPMSolverMultistepScheduler from callbacks import make_callback def get_example_prompt(): prompt = "RAW photo, subject, 8k uhd, dslr, high quality, Fujifilm XT3, half-length portrait from knees up, scarlett, short red hair, blue eyes, school uniform, white shirt, red tie, blue pleated microskirt" negative_prompt = "extra heads, nsfw, deformed iris, deformed pupils, semi-realistic, cgi, 3d, render, sketch, cartoon, drawing, anime, text, cropped, out of frame, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, dehydrated, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck" return prompt, negative_prompt def main(args): # set the prompts for image generation prompt, negative_prompt = get_example_prompt() # base model for the realistic style example model_name = 'SG161222/Realistic_Vision_V5.1_noVAE' # set base model pipeline = DiffusionPipeline.from_pretrained( model_name, custom_pipeline="./pipelines/sd1.5_0.26.3", use_safetensors=True ).to("cuda") # set vae vae = AutoencoderKL.from_pretrained( "stabilityai/sd-vae-ft-mse", ).to("cuda") pipeline.vae = vae # set scheduler schedule_config = dict(pipeline.scheduler.config) schedule_config["algorithm_type"] = "dpmsolver++" pipeline.scheduler = DPMSolverMultistepScheduler.from_config(schedule_config) # initialize LoRAs # This example shows the composition of a character LoRA and a clothing LoRA pipeline.load_lora_weights(args.lora_path, weight_name="character_2.safetensors", adapter_name="character") pipeline.load_lora_weights(args.lora_path, weight_name="clothing_2.safetensors", adapter_name="clothing") cur_loras = ["character", "clothing"] # select the method for the composition if args.method == "merge": pipeline.set_adapters(cur_loras) switch_callback = None elif args.method == "switch": pipeline.set_adapters([cur_loras[0]]) switch_callback = make_callback(switch_step=args.switch_step, loras=cur_loras) else: pipeline.set_adapters(cur_loras) switch_callback = None image = pipeline( prompt=prompt, negative_prompt=negative_prompt, height=args.height, width=args.width, num_inference_steps=args.denoise_steps, guidance_scale=args.cfg_scale, generator=args.generator, cross_attention_kwargs={"scale": args.lora_scale}, callback_on_step_end=switch_callback, lora_composite=True if args.method == "composite" else False ).images[0] image.save(args.save_path) if __name__ == "__main__": parser = argparse.ArgumentParser( description='Example code for multi-LoRA composition' ) # Arguments for composing LoRAs parser.add_argument('--method', default='switch', choices=['merge', 'switch', 'composite'], help='methods for combining LoRAs', type=str) parser.add_argument('--save_path', default='example.png', help='path to save the generated image', type=str) parser.add_argument('--lora_path', default='models/lora/reality', help='path to store all LoRAs', type=str) parser.add_argument('--lora_scale', default=0.8, help='scale of each LoRA when generating images', type=float) parser.add_argument('--switch_step', default=5, help='number of steps to switch LoRA during denoising, applicable only in the switch method', type=int) # Arguments for generating images parser.add_argument('--height', default=1024, help='height of the generated images', type=int) parser.add_argument('--width', default=768, help='width of the generated images', type=int) parser.add_argument('--denoise_steps', default=50, help='number of the denoising steps', type=int) parser.add_argument('--cfg_scale', default=7, help='scale for classifier-free guidance', type=float) parser.add_argument('--seed', default=11, help='seed for generating images', type=int) args = parser.parse_args() args.generator = torch.manual_seed(args.seed) main(args) ================================================ FILE: human_eval/README.md ================================================ # Human Evaluations of Generated Images We conduct detailed human evaluations on a subset of images generated by different methods. If you're interested in exploring these images and their associated data, follow the instructions and information provided below. ## Accessing the Generated Images You can download a sample of 120 generated images for evaluation from the following link: [Download Generated Images](https://drive.google.com/file/d/12Prm1cJRiOMSOEVF3H6-rIfWyZbsMASN/view?usp=sharing). Please unzip the file in this folder for the following analysis. Alongside each image, we provide: - Detailed prompts used for generating and evaluting the image - Human evaluation scores for composition and image quality - CLIPScore for each image - Scores on composition and image quality based on GPT-4V evaluations All the detailed information is available in `results.json`. ## Evaluation Results by Method We evaluate the images generated by different methods using several metrics. Here are the summarized results: ``` +-----------+-------------------+-------------+-----------+-------------------+-------------+ | Methods | Human-Composition | Human-Image | CLIPScore | GPT4V-Composition | GPT4V-Image | +-----------+-------------------+-------------+-----------+-------------------+-------------+ | merge | 3.14 | 2.94 | 33.42 | 7.02 | 9.24 | | switch | 3.91 | 4.15 | 35.52 | 7.22 | 9.53 | | composite | 3.77 | 4.35 | 34.85 | 7.13 | 9.55 | +-----------+-------------------+-------------+-----------+-------------------+-------------+ ``` ## Correlations Between Metrics and Human Judgements To further understand the effectiveness of each metric, we calculate their correlations with human judgements. The correlation scores are as follows: ``` +-----------------------------------------+---------+----------+---------+ | Metrics | Pearson | Spearman | Kendall | +-----------------------------------------+---------+----------+---------+ | CLIPScore --- Human Composition | -0.006 | 0.024 | 0.019 | | CLIPScore --- Human Image Quliaty | 0.083 | 0.08 | 0.055 | | GPT4V Composition --- Human Composition | 0.454 | 0.449 | 0.337 | | GPT4V Image --- Human Image | 0.457 | 0.426 | 0.337 | +-----------------------------------------+---------+----------+---------+ ``` ================================================ FILE: human_eval/calculate_correlations.py ================================================ import json from prettytable import PrettyTable from scipy.stats import spearmanr, pearsonr, kendalltau def init_metric(): scores = ['human_compos', 'human_image', 'clip_score', 'gpt4v_compos', 'gpt4v_image'] methods = ['merge', 'switch', 'composite'] return {method: {score: 0 for score in scores} for method in methods} def print_metric(metric): table = PrettyTable(['Methods','Human-Composition', 'Human-Image', 'CLIPScore', 'GPT4V-Composition', 'GPT4V-Image']) for method, scores in metric.items(): row = [method] + [round(scores[score], 2) for score in scores] table.add_row(row) print(table) def calculate_correlation(pred_score, human_score): assert len(pred_score) == len(human_score) correlations = [pearsonr(pred_score, human_score)[0], spearmanr(pred_score, human_score)[0], kendalltau(pred_score, human_score)[0]] return correlations def print_correlation(correlation_results): table = PrettyTable(['Metrics', 'Pearson', 'Spearman', 'Kendall']) for name, scores in correlation_results.items(): table.add_row([name] + [round(score, 3) for score in scores]) print(table) def main(results): metric = init_metric() counts = {method: 0 for method in metric.keys()} clip_score, human_compos, human_image, gpt_compos, gpt_image = [], [], [], [], [] for i, result in enumerate(results): method = ['merge', 'switch', 'composite'][i % 3] metric[method]['human_compos'] += result['avg_human_score']['composition'] metric[method]['human_image'] += result['avg_human_score']['image'] metric[method]['clip_score'] += result['clipscore']['score'] metric[method]['gpt4v_compos'] += result['gpt4v']['composition'] metric[method]['gpt4v_image'] += result['gpt4v']['image'] counts[method] += 1 human_compos.append(result['avg_human_score']['composition']) human_image.append(result['avg_human_score']['image']) clip_score.append(result['clipscore']['score']) gpt_compos.append(result['gpt4v']['composition']) gpt_image.append(result['gpt4v']['image']) for method in metric: for score in metric[method]: metric[method][score] /= counts[method] print('Results for each method:') print_metric(metric) correlation_results = { 'CLIPScore --- Human Composition': calculate_correlation(clip_score, human_compos), 'CLIPScore --- Human Image Quliaty': calculate_correlation(clip_score, human_image), 'GPT4V Composition --- Human Composition': calculate_correlation(gpt_compos, human_compos), 'GPT4V Image --- Human Image': calculate_correlation(gpt_image, human_image) } print('Correlations between different metrics with human judgements:') print_correlation(correlation_results) if __name__ == "__main__": with open('results.json') as f: results = json.loads(f.read()) main(results) ================================================ FILE: human_eval/clipscore.py ================================================ import json import torch import numpy as np from tqdm import tqdm from os.path import join from functools import partial from diffusers.utils import load_image from torchmetrics.functional.multimodal import clip_score clip_score_fn = partial(clip_score, model_name_or_path="openai/clip-vit-base-patch16") image_n = 120 # number of images to evaluate def calculate_clip_score(images, prompts): images_int = (images * 255).astype("uint8") clip_score = clip_score_fn(torch.from_numpy(images_int).permute(0, 3, 1, 2), prompts).detach() return round(float(clip_score), 4) # Load images # The size of anime and realistic style images is different. image_path = 'images' images = [] for i in range(1, image_n + 1): cur_image = load_image(join(image_path, f'{i}.png')) # scale pixel values to [0, 1] cur_image = np.array(cur_image, dtype=np.float32) / 255.0 images.append(cur_image) # Load prompts prompts = [] with open('image_info.json') as f: image_info = json.loads(f.read()) for i in range(len(image_info)): cur_prompt = ', '.join(content.split(': ')[1] for content in image_info[i]['prompt']) prompts.append(cur_prompt) # Calculate CLIP score scores = [] for i in tqdm(range(image_n)): cur_image = np.expand_dims(images[i], axis=0) cur_prompt = [prompts[i]] sd_clip_score = calculate_clip_score(cur_image, cur_prompt) scores.append(sd_clip_score) # Save results result = [] for i in range(len(scores)): cur = {} cur['index'] = i + 1 cur['clip_score'] = scores[i] result.append(cur) with open('clip_results.json', 'w') as f: json.dump(result, f, indent=4, ensure_ascii=False) ================================================ FILE: human_eval/gpt4v.py ================================================ import os import re import json import copy import openai import base64 import logging import requests import argparse from tqdm import tqdm from os.path import join, exists from openai import OpenAI class GPT4V: def comparative_evaluate( self, prompt, image_1, image_2, max_tokens=2048, temperature=1.0, max_retries=5, **kwargs ): self.api_key = os.environ.get('OPENAI_API_KEY', None) self.client = OpenAI(api_key=self.api_key) retry_interval_exp = 1 retry_count = 0 while retry_count < max_retries: try: response = self.client.chat.completions.create( model="gpt-4-vision-preview", messages=[ { "role": "user", "content": [ { "type": "text", "text": prompt, }, { "type": "image_url", "image_url": { "url": f"data:image/png;base64,{image_1}" } }, { "type": "image_url", "image_url": { "url": f"data:image/png;base64,{image_2}" } }, ] } ], max_tokens=max_tokens, temperature=temperature, ) return response.choices[0].message.content except openai.RateLimitError: logging.warning("OpenAI rate limit error. Retry!") except openai.APIConnectionError: logging.warning("OpenAI API connection error. Retry!") except openai.APITimeoutError: logging.warning("OpenAI timeout error. Retry!") except Exception as e: logging.error(f"Unexpected error: {e}") break # Simple backoff mechanism time.sleep(min(60, 0.5 * (2 ** retry_interval_exp))) retry_interval_exp += 1 retry_count += 1 return "An error occurred while processing the request." # Function to encode the image def encode_image(image_path): with open(image_path, "rb") as image_file: return base64.b64encode(image_file.read()).decode('utf-8') def get_eval_prompt(element_prompt): prompt = "I need assistance in comparatively evaluating two text-to-image models based on their ability to compose different elements into a single image. The elements and their key features are as follows:\n\n" prompt += element_prompt + '\n\n' prompt += "Please help me rate both given images on the following evaluation dimensions and criteria:\n\nComposition quality:\n- Score on a scale of 0 to 10, in 0.5 increments, where 10 is the best and 0 is the worst.\n- Deduct 3 points if any element is missing or incorrectly depicted.\n- Deduct 1 point for each missing or incorrect feature within an element.\n- Deduct 1 point for minor inconsistencies or lack of harmony between elements.\n- Additional deductions can be made for compositions that lack coherence, creativity, or realism.\n\nImage quality:\n- Score on a scale of 0 to 10, in 0.5 increments, where 10 is the best and 0 is the worst.\n- Deduct 3 points for each deformity in the image (e.g., extra limbs or fingers, distorted face, incorrect proportions).\n- Deduct 2 points for noticeable issues with texture, lighting, or color.\n- Deduct 1 point for each minor flaw or imperfection.\n- Additional deductions can be made for any issues affecting the overall aesthetic or clarity of the image.\n\nPlease format the evaluation as follows:\n\nFor Image 1:\n[Explanation of evaluation]\n\nFor Image 2:\n[Explanation of evaluation]\n\nScores:\nImage 1: Composition Quality: [score]/10, Image Quality: [score]/10\nImage 2: Composition Quality: [score]/10, Image Quality: [score]/10\n\nBased on the above guidelines, help me to conduct a step-by-step comparative evaluation of the given images. The scoring should follow two principles:\n1. Please evaluate critically.\n2. Try not to let the two models end in a tie on both dimensions." return prompt def parse_scores(text): # Regular expression pattern to match scores, pattern = r"image (\d): composition quality: ([\d\.]+)\/10.*?image quality: ([\d\.]+)\/10" # Find all matches in the evaluation text, case-insensitive matches = re.findall(pattern, text, re.IGNORECASE) # Check if exactly two images are present if len(matches) != 2: return False, "Expected scores for exactly two images" results = {} for match in matches: image_number, comp_quality, image_quality = match comp_quality = float(comp_quality) image_quality = float(image_quality) # Check if scores are within the valid range if not (0 <= comp_quality <= 10) or not (0 <= image_quality <= 10): return False, "Scores must be between 0 and 10" results[f'image {image_number}'] = { 'composition quality': comp_quality, 'image quality': image_quality } return True, results def evaluate(): image_n = 120 # number of images to evaluate gpt4v = GPT4V() # Load images image_path = 'images' # Initialize the list with a placeholder to ensure indexing starts at 1. images = [None] for i in range(1, image_n + 1): cur_image = encode_image(join(image_path, f'{i}.png')) images.append(cur_image) # Load prompts prompts = [None] with open('image_info.json') as f: image_info = json.loads(f.read()) for i in range(len(image_info)): cur_prompt = '\n'.join(image_info[i]['prompt']) prompts.append(cur_prompt) # Comparative evaluation gpt4v = GPT4V() gpt4v_scores = [{} for _ in range(image_n + 1)] # i: merge # i + 1: switch # i + 2: composite for i in tqdm(range(1, image_n + 1, 3)): merge_image = images[i] switch_image = images[i + 1] composite_image = images[i + 2] cur_prompt = get_eval_prompt(prompts[i]) print(i) print("merge (image 1) vs switch (image 2)") retry_cnt = 0 max_retries = 20 while retry_cnt < max_retries: result = gpt4v.comparative_evaluate(cur_prompt, merge_image, switch_image) valid, scores = parse_scores(result) if valid == True: print(scores) # merge if len(gpt4v_scores[i]) == 0: gpt4v_scores[i] = copy.deepcopy(scores['image 1']) else: gpt4v_scores[i]['composition quality'] += scores['image 1']['composition quality'] gpt4v_scores[i]['image quality'] += scores['image 1']['image quality'] # switch if len(gpt4v_scores[i + 1]) == 0: gpt4v_scores[i + 1] = copy.deepcopy(scores['image 2']) else: gpt4v_scores[i + 1]['composition quality'] += scores['image 2']['composition quality'] gpt4v_scores[i + 1]['image quality'] += scores['image 2']['image quality'] break else: print(f"Retry for {i}.png") retry_cnt += 1 if retry_cnt == max_retries: print(f"Can't get evaluation scores for {i}.png!") print("switch (image 1) vs merge (image 2)") retry_cnt = 0 max_retries = 20 while retry_cnt < max_retries: result = gpt4v.comparative_evaluate(cur_prompt, switch_image, merge_image) valid, scores = parse_scores(result) if valid == True: print(scores) # merge if len(gpt4v_scores[i]) == 0: gpt4v_scores[i] = copy.deepcopy(scores['image 2']) else: gpt4v_scores[i]['composition quality'] += scores['image 2']['composition quality'] gpt4v_scores[i]['image quality'] += scores['image 2']['image quality'] # switch if len(gpt4v_scores[i + 1]) == 0: gpt4v_scores[i + 1] = copy.deepcopy(scores['image 1']) else: gpt4v_scores[i + 1]['composition quality'] += scores['image 1']['composition quality'] gpt4v_scores[i + 1]['image quality'] += scores['image 1']['image quality'] break else: print(f"Retry for {i}.png") retry_cnt += 1 if retry_cnt == max_retries: print(f"Can't get evaluation scores for {i}.png!") print("merge (image 1) vs composite (image 2)") retry_cnt = 0 max_retries = 20 while retry_cnt < max_retries: result = gpt4v.comparative_evaluate(cur_prompt, merge_image, composite_image) valid, scores = parse_scores(result) if valid == True: print(scores) # merge if len(gpt4v_scores[i]) == 0: gpt4v_scores[i] = copy.deepcopy(scores['image 1']) else: gpt4v_scores[i]['composition quality'] += scores['image 1']['composition quality'] gpt4v_scores[i]['image quality'] += scores['image 1']['image quality'] # switch if len(gpt4v_scores[i + 2]) == 0: gpt4v_scores[i + 2] = copy.deepcopy(scores['image 2']) else: gpt4v_scores[i + 2]['composition quality'] += scores['image 2']['composition quality'] gpt4v_scores[i + 2]['image quality'] += scores['image 2']['image quality'] break else: print(f"Retry for {i}.png") retry_cnt += 1 if retry_cnt == max_retries: print(f"Can't get evaluation scores for {i}.png!") print("composite (image 1) vs merge (image 2)") retry_cnt = 0 max_retries = 20 while retry_cnt < max_retries: result = gpt4v.comparative_evaluate(cur_prompt, composite_image, merge_image) valid, scores = parse_scores(result) if valid == True: print(scores) # merge if len(gpt4v_scores[i]) == 0: gpt4v_scores[i] = copy.deepcopy(scores['image 2']) else: gpt4v_scores[i]['composition quality'] += scores['image 2']['composition quality'] gpt4v_scores[i]['image quality'] += scores['image 2']['image quality'] # switch if len(gpt4v_scores[i + 2]) == 0: gpt4v_scores[i + 2] = copy.deepcopy(scores['image 1']) else: gpt4v_scores[i + 2]['composition quality'] += scores['image 1']['composition quality'] gpt4v_scores[i + 2]['image quality'] += scores['image 1']['image quality'] break else: print(f"Retry for {i}.png") retry_cnt += 1 if retry_cnt == max_retries: print(f"Can't get evaluation scores for {i}.png!") results = [] for i in range(1, image_n + 1): cur = {} cur['index'] = i # merge if i % 3 == 1: cur['composition quality'] = gpt4v_scores[i]['composition quality'] / 4 cur['image quality'] = gpt4v_scores[i]['image quality'] / 4 else: cur['composition quality'] = gpt4v_scores[i]['composition quality'] / 2 cur['image quality'] = gpt4v_scores[i]['image quality'] / 2 results.append(cur) with open('gpt4v_results.json', 'w') as f: json.dump(results, f, indent=4, ensure_ascii=False) if __name__ == "__main__": evaluate() ================================================ FILE: human_eval/image_info.json ================================================ [ { "index": 1, "path": "output_anime/2_elements/merge_character_1_style_2.png", "method": "merge", "number of elements": 2, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting" ] }, { "index": 2, "path": "output_anime/2_elements/switch_character_1_style_2.png", "method": "switch", "number of elements": 2, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting" ] }, { "index": 3, "path": "output_anime/2_elements/composite_character_1_style_2.png", "method": "composite", "number of elements": 2, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting" ] }, { "index": 4, "path": "output_anime/4_elements/merge_character_2_clothing_1_style_2_background_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo" ] }, { "index": 5, "path": "output_anime/4_elements/switch_character_2_clothing_1_style_2_background_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo" ] }, { "index": 6, "path": "output_anime/4_elements/composite_character_2_clothing_1_style_2_background_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo" ] }, { "index": 7, "path": "output_anime/5_elements/merge_character_3_clothing_1_style_1_background_1_object_1.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 8, "path": "output_anime/5_elements/switch_character_3_clothing_1_style_1_background_1_object_1.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 9, "path": "output_anime/5_elements/composite_character_3_clothing_1_style_1_background_1_object_1.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 10, "path": "output_anime/3_elements/merge_character_3_clothing_2_background_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 11, "path": "output_anime/3_elements/switch_character_3_clothing_2_background_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 12, "path": "output_anime/3_elements/composite_character_3_clothing_2_background_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 13, "path": "output_anime/5_elements/merge_character_3_clothing_1_style_1_background_2_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ] }, { "index": 14, "path": "output_anime/5_elements/switch_character_3_clothing_1_style_1_background_2_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ] }, { "index": 15, "path": "output_anime/5_elements/composite_character_3_clothing_1_style_1_background_2_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ] }, { "index": 16, "path": "output_anime/5_elements/merge_character_2_clothing_2_style_1_background_1_object_1.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 17, "path": "output_anime/5_elements/switch_character_2_clothing_2_style_1_background_1_object_1.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 18, "path": "output_anime/5_elements/composite_character_2_clothing_2_style_1_background_1_object_1.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 19, "path": "output_anime/3_elements/merge_character_2_clothing_2_background_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 20, "path": "output_anime/3_elements/switch_character_2_clothing_2_background_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 21, "path": "output_anime/3_elements/composite_character_2_clothing_2_background_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 22, "path": "output_anime/4_elements/merge_character_1_clothing_2_background_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Toast): toast, toast in mouth" ] }, { "index": 23, "path": "output_anime/4_elements/switch_character_1_clothing_2_background_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Toast): toast, toast in mouth" ] }, { "index": 24, "path": "output_anime/4_elements/composite_character_1_clothing_2_background_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Toast): toast, toast in mouth" ] }, { "index": 25, "path": "output_anime/4_elements/merge_character_1_clothing_2_background_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 26, "path": "output_anime/4_elements/switch_character_1_clothing_2_background_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 27, "path": "output_anime/4_elements/composite_character_1_clothing_2_background_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 28, "path": "output_anime/4_elements/merge_character_2_clothing_2_style_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 29, "path": "output_anime/4_elements/switch_character_2_clothing_2_style_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 30, "path": "output_anime/4_elements/composite_character_2_clothing_2_style_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 31, "path": "output_anime/3_elements/merge_character_3_style_2_object_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 32, "path": "output_anime/3_elements/switch_character_3_style_2_object_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 33, "path": "output_anime/3_elements/composite_character_3_style_2_object_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 34, "path": "output_anime/4_elements/merge_character_1_clothing_1_style_2_background_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 35, "path": "output_anime/4_elements/switch_character_1_clothing_1_style_2_background_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 36, "path": "output_anime/4_elements/composite_character_1_clothing_1_style_2_background_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors" ] }, { "index": 37, "path": "output_anime/4_elements/merge_character_3_clothing_2_background_1_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 38, "path": "output_anime/4_elements/switch_character_3_clothing_2_background_1_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 39, "path": "output_anime/4_elements/composite_character_3_clothing_2_background_1_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 40, "path": "output_anime/4_elements/merge_character_1_clothing_1_style_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 41, "path": "output_anime/4_elements/switch_character_1_clothing_1_style_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 42, "path": "output_anime/4_elements/composite_character_1_clothing_1_style_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 43, "path": "output_anime/4_elements/merge_character_3_clothing_2_style_1_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Toast): toast, toast in mouth" ] }, { "index": 44, "path": "output_anime/4_elements/switch_character_3_clothing_2_style_1_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Toast): toast, toast in mouth" ] }, { "index": 45, "path": "output_anime/4_elements/composite_character_3_clothing_2_style_1_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Toast): toast, toast in mouth" ] }, { "index": 46, "path": "output_anime/5_elements/merge_character_3_clothing_2_style_1_background_1_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Toast): toast, toast in mouth" ] }, { "index": 47, "path": "output_anime/5_elements/switch_character_3_clothing_2_style_1_background_1_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Toast): toast, toast in mouth" ] }, { "index": 48, "path": "output_anime/5_elements/composite_character_3_clothing_2_style_1_background_1_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Toast): toast, toast in mouth" ] }, { "index": 49, "path": "output_anime/4_elements/merge_character_1_style_2_background_1_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Toast): toast, toast in mouth" ] }, { "index": 50, "path": "output_anime/4_elements/switch_character_1_style_2_background_1_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Toast): toast, toast in mouth" ] }, { "index": 51, "path": "output_anime/4_elements/composite_character_1_style_2_background_1_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Toast): toast, toast in mouth" ] }, { "index": 52, "path": "output_anime/5_elements/merge_character_2_clothing_2_style_2_background_2_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ] }, { "index": 53, "path": "output_anime/5_elements/switch_character_2_clothing_2_style_2_background_2_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ] }, { "index": 54, "path": "output_anime/5_elements/composite_character_2_clothing_2_style_2_background_2_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ] }, { "index": 55, "path": "output_anime/4_elements/merge_character_1_clothing_2_style_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 56, "path": "output_anime/4_elements/switch_character_1_clothing_2_style_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 57, "path": "output_anime/4_elements/composite_character_1_clothing_2_style_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 58, "path": "output_anime/4_elements/merge_character_2_clothing_2_style_1_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 59, "path": "output_anime/4_elements/switch_character_2_clothing_2_style_1_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 60, "path": "output_anime/4_elements/composite_character_2_clothing_2_style_1_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ] }, { "index": 61, "path": "output_reality/3_elements/merge_character_3_clothing_2_style_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain" ] }, { "index": 62, "path": "output_reality/3_elements/switch_character_3_clothing_2_style_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain" ] }, { "index": 63, "path": "output_reality/3_elements/composite_character_3_clothing_2_style_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain" ] }, { "index": 64, "path": "output_reality/2_elements/merge_character_1_background_2.png", "method": "merge", "number of elements": 2, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Forest Background): slg, river, forest" ] }, { "index": 65, "path": "output_reality/2_elements/switch_character_1_background_2.png", "method": "switch", "number of elements": 2, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Forest Background): slg, river, forest" ] }, { "index": 66, "path": "output_reality/2_elements/composite_character_1_background_2.png", "method": "composite", "number of elements": 2, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Forest Background): slg, river, forest" ] }, { "index": 67, "path": "output_reality/4_elements/merge_character_2_clothing_2_style_1_background_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 68, "path": "output_reality/4_elements/switch_character_2_clothing_2_style_1_background_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 69, "path": "output_reality/4_elements/composite_character_2_clothing_2_style_1_background_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 70, "path": "output_reality/4_elements/merge_character_1_clothing_1_style_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 71, "path": "output_reality/4_elements/switch_character_1_clothing_1_style_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 72, "path": "output_reality/4_elements/composite_character_1_clothing_1_style_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 73, "path": "output_reality/4_elements/merge_character_1_clothing_1_background_1_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf", "4. object (Umbrella): transparent umbrella" ] }, { "index": 74, "path": "output_reality/4_elements/switch_character_1_clothing_1_background_1_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf", "4. object (Umbrella): transparent umbrella" ] }, { "index": 75, "path": "output_reality/4_elements/composite_character_1_clothing_1_background_1_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf", "4. object (Umbrella): transparent umbrella" ] }, { "index": 76, "path": "output_reality/4_elements/merge_character_2_clothing_1_style_2_background_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Forest Background): slg, river, forest" ] }, { "index": 77, "path": "output_reality/4_elements/switch_character_2_clothing_1_style_2_background_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Forest Background): slg, river, forest" ] }, { "index": 78, "path": "output_reality/4_elements/composite_character_2_clothing_1_style_2_background_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Forest Background): slg, river, forest" ] }, { "index": 79, "path": "output_reality/4_elements/merge_character_3_clothing_1_style_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 80, "path": "output_reality/4_elements/switch_character_3_clothing_1_style_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 81, "path": "output_reality/4_elements/composite_character_3_clothing_1_style_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 82, "path": "output_reality/3_elements/merge_character_1_clothing_2_style_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting" ] }, { "index": 83, "path": "output_reality/3_elements/switch_character_1_clothing_2_style_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting" ] }, { "index": 84, "path": "output_reality/3_elements/composite_character_1_clothing_2_style_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting" ] }, { "index": 85, "path": "output_reality/3_elements/merge_character_2_clothing_1_background_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 86, "path": "output_reality/3_elements/switch_character_2_clothing_1_background_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 87, "path": "output_reality/3_elements/composite_character_2_clothing_1_background_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 88, "path": "output_reality/5_elements/merge_character_3_clothing_1_style_2_background_1_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 89, "path": "output_reality/5_elements/switch_character_3_clothing_1_style_2_background_1_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 90, "path": "output_reality/5_elements/composite_character_3_clothing_1_style_2_background_1_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 91, "path": "output_reality/3_elements/merge_character_1_clothing_2_background_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 92, "path": "output_reality/3_elements/switch_character_1_clothing_2_background_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 93, "path": "output_reality/3_elements/composite_character_1_clothing_2_background_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 94, "path": "output_reality/3_elements/merge_character_2_clothing_2_object_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. object (Bubble Gum): blow bubble gum" ] }, { "index": 95, "path": "output_reality/3_elements/switch_character_2_clothing_2_object_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. object (Bubble Gum): blow bubble gum" ] }, { "index": 96, "path": "output_reality/3_elements/composite_character_2_clothing_2_object_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. object (Bubble Gum): blow bubble gum" ] }, { "index": 97, "path": "output_reality/3_elements/merge_character_1_background_1_object_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Library Bookshelf Background): lib_bg, library bookshelf", "3. object (Bubble Gum): blow bubble gum" ] }, { "index": 98, "path": "output_reality/3_elements/switch_character_1_background_1_object_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Library Bookshelf Background): lib_bg, library bookshelf", "3. object (Bubble Gum): blow bubble gum" ] }, { "index": 99, "path": "output_reality/3_elements/composite_character_1_background_1_object_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Library Bookshelf Background): lib_bg, library bookshelf", "3. object (Bubble Gum): blow bubble gum" ] }, { "index": 100, "path": "output_reality/5_elements/merge_character_3_clothing_1_style_1_background_2_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Forest Background): slg, river, forest", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 101, "path": "output_reality/5_elements/switch_character_3_clothing_1_style_1_background_2_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Forest Background): slg, river, forest", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 102, "path": "output_reality/5_elements/composite_character_3_clothing_1_style_1_background_2_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Forest Background): slg, river, forest", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 103, "path": "output_reality/3_elements/merge_character_1_style_1_background_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Japanese Film Color Style): film overlay, film grain", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 104, "path": "output_reality/3_elements/switch_character_1_style_1_background_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Japanese Film Color Style): film overlay, film grain", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 105, "path": "output_reality/3_elements/composite_character_1_style_1_background_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Japanese Film Color Style): film overlay, film grain", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 106, "path": "output_reality/5_elements/merge_character_1_clothing_2_style_2_background_1_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 107, "path": "output_reality/5_elements/switch_character_1_clothing_2_style_2_background_1_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 108, "path": "output_reality/5_elements/composite_character_1_clothing_2_style_2_background_1_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ] }, { "index": 109, "path": "output_reality/4_elements/merge_character_1_style_2_background_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 110, "path": "output_reality/4_elements/switch_character_1_style_2_background_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 111, "path": "output_reality/4_elements/composite_character_1_style_2_background_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest", "4. object (Bubble Gum): blow bubble gum" ] }, { "index": 112, "path": "output_reality/4_elements/merge_character_2_clothing_2_style_2_background_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 113, "path": "output_reality/4_elements/switch_character_2_clothing_2_style_2_background_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 114, "path": "output_reality/4_elements/composite_character_2_clothing_2_style_2_background_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ] }, { "index": 115, "path": "output_reality/3_elements/merge_character_1_style_2_background_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest" ] }, { "index": 116, "path": "output_reality/3_elements/switch_character_1_style_2_background_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest" ] }, { "index": 117, "path": "output_reality/3_elements/composite_character_1_style_2_background_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest" ] }, { "index": 118, "path": "output_reality/2_elements/merge_character_3_style_1.png", "method": "merge", "number of elements": 2, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. style (Japanese Film Color Style): film overlay, film grain" ] }, { "index": 119, "path": "output_reality/2_elements/switch_character_3_style_1.png", "method": "switch", "number of elements": 2, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. style (Japanese Film Color Style): film overlay, film grain" ] }, { "index": 120, "path": "output_reality/2_elements/composite_character_3_style_1.png", "method": "composite", "number of elements": 2, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. style (Japanese Film Color Style): film overlay, film grain" ] } ] ================================================ FILE: human_eval/results.json ================================================ [ { "index": 1, "path": "output_anime/2_elements/merge_character_1_style_2.png", "method": "merge", "number of elements": 2, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.5 }, "clipscore": { "score": 34.57 }, "gpt4v": { "composition": 7.75, "image": 9.0 } }, { "index": 2, "path": "output_anime/2_elements/switch_character_1_style_2.png", "method": "switch", "number of elements": 2, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting" ], "human_1": { "composition": 2.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 3.5, "image": 4.5 }, "clipscore": { "score": 36.1757 }, "gpt4v": { "composition": 6.0, "image": 8.5 } }, { "index": 3, "path": "output_anime/2_elements/composite_character_1_style_2.png", "method": "composite", "number of elements": 2, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 36.2511 }, "gpt4v": { "composition": 8.75, "image": 9.25 } }, { "index": 4, "path": "output_anime/4_elements/merge_character_2_clothing_1_style_2_background_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo" ], "human_1": { "composition": 4.0, "image": 3.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 3.0 }, "clipscore": { "score": 34.0178 }, "gpt4v": { "composition": 7.5, "image": 8.875 } }, { "index": 5, "path": "output_anime/4_elements/switch_character_2_clothing_1_style_2_background_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.0 }, "clipscore": { "score": 33.3053 }, "gpt4v": { "composition": 7.75, "image": 9.25 } }, { "index": 6, "path": "output_anime/4_elements/composite_character_2_clothing_1_style_2_background_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.5, "image": 5.0 }, "clipscore": { "score": 31.7461 }, "gpt4v": { "composition": 8.25, "image": 9.5 } }, { "index": 7, "path": "output_anime/5_elements/merge_character_3_clothing_1_style_1_background_1_object_1.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 1.0, "image": 1.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 1.5, "image": 1.0 }, "clipscore": { "score": 38.0065 }, "gpt4v": { "composition": 8.0, "image": 9.5 } }, { "index": 8, "path": "output_anime/5_elements/switch_character_3_clothing_1_style_1_background_1_object_1.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 4.0, "image": 3.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 3.0 }, "clipscore": { "score": 40.1243 }, "gpt4v": { "composition": 8.75, "image": 9.75 } }, { "index": 9, "path": "output_anime/5_elements/composite_character_3_clothing_1_style_1_background_1_object_1.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.0, "image": 3.5 }, "clipscore": { "score": 39.4737 }, "gpt4v": { "composition": 8.0, "image": 9.75 } }, { "index": 10, "path": "output_anime/3_elements/merge_character_3_clothing_2_background_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 3.0, "image": 2.0 }, "human_2": { "composition": 5.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 2.5 }, "clipscore": { "score": 37.5053 }, "gpt4v": { "composition": 8.625, "image": 9.25 } }, { "index": 11, "path": "output_anime/3_elements/switch_character_3_clothing_2_background_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 4.0 }, "avg_human_score": { "composition": 4.5, "image": 4.0 }, "clipscore": { "score": 35.5424 }, "gpt4v": { "composition": 7.5, "image": 9.0 } }, { "index": 12, "path": "output_anime/3_elements/composite_character_3_clothing_2_background_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 5.0 }, "avg_human_score": { "composition": 3.5, "image": 4.5 }, "clipscore": { "score": 38.1935 }, "gpt4v": { "composition": 9.75, "image": 9.5 } }, { "index": 13, "path": "output_anime/5_elements/merge_character_3_clothing_1_style_1_background_2_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 4.0, "image": 3.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 3.5 }, "clipscore": { "score": 33.5435 }, "gpt4v": { "composition": 6.5, "image": 9.75 } }, { "index": 14, "path": "output_anime/5_elements/switch_character_3_clothing_1_style_1_background_2_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.0, "image": 4.0 }, "clipscore": { "score": 36.0033 }, "gpt4v": { "composition": 7.75, "image": 9.75 } }, { "index": 15, "path": "output_anime/5_elements/composite_character_3_clothing_1_style_1_background_2_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 4.0, "image": 3.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 3.5 }, "clipscore": { "score": 32.1798 }, "gpt4v": { "composition": 8.5, "image": 9.5 } }, { "index": 16, "path": "output_anime/5_elements/merge_character_2_clothing_2_style_1_background_1_object_1.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 2.0, "image": 2.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 2.5 }, "clipscore": { "score": 29.6089 }, "gpt4v": { "composition": 7.5, "image": 9.75 } }, { "index": 17, "path": "output_anime/5_elements/switch_character_2_clothing_2_style_1_background_1_object_1.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.5, "image": 4.0 }, "clipscore": { "score": 34.6888 }, "gpt4v": { "composition": 9.5, "image": 9.5 } }, { "index": 18, "path": "output_anime/5_elements/composite_character_2_clothing_2_style_1_background_1_object_1.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.0 }, "clipscore": { "score": 29.4748 }, "gpt4v": { "composition": 9.0, "image": 9.75 } }, { "index": 19, "path": "output_anime/3_elements/merge_character_2_clothing_2_background_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 4.0, "image": 3.0 }, "human_2": { "composition": 4.0, "image": 2.0 }, "avg_human_score": { "composition": 4.0, "image": 2.5 }, "clipscore": { "score": 38.4343 }, "gpt4v": { "composition": 8.625, "image": 9.375 } }, { "index": 20, "path": "output_anime/3_elements/switch_character_2_clothing_2_background_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 36.5482 }, "gpt4v": { "composition": 8.25, "image": 10.0 } }, { "index": 21, "path": "output_anime/3_elements/composite_character_2_clothing_2_background_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.5, "image": 4.5 }, "clipscore": { "score": 35.3934 }, "gpt4v": { "composition": 8.5, "image": 9.5 } }, { "index": 22, "path": "output_anime/4_elements/merge_character_1_clothing_2_background_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.0, "image": 3.0 }, "clipscore": { "score": 40.0848 }, "gpt4v": { "composition": 8.125, "image": 9.875 } }, { "index": 23, "path": "output_anime/4_elements/switch_character_1_clothing_2_background_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 4.0 }, "clipscore": { "score": 36.855 }, "gpt4v": { "composition": 7.75, "image": 10.0 } }, { "index": 24, "path": "output_anime/4_elements/composite_character_1_clothing_2_background_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 4.0 }, "avg_human_score": { "composition": 2.5, "image": 4.0 }, "clipscore": { "score": 36.9936 }, "gpt4v": { "composition": 6.5, "image": 9.75 } }, { "index": 25, "path": "output_anime/4_elements/merge_character_1_clothing_2_background_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 1.0, "image": 1.0 }, "human_2": { "composition": 1.0, "image": 1.0 }, "avg_human_score": { "composition": 1.0, "image": 1.0 }, "clipscore": { "score": 36.696 }, "gpt4v": { "composition": 7.5, "image": 8.625 } }, { "index": 26, "path": "output_anime/4_elements/switch_character_1_clothing_2_background_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.5, "image": 3.5 }, "clipscore": { "score": 43.1276 }, "gpt4v": { "composition": 8.25, "image": 10.0 } }, { "index": 27, "path": "output_anime/4_elements/composite_character_1_clothing_2_background_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Auroral Background): auroral, starry sky, outdoors", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 2.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 4.0 }, "clipscore": { "score": 42.7789 }, "gpt4v": { "composition": 7.25, "image": 9.5 } }, { "index": 28, "path": "output_anime/4_elements/merge_character_2_clothing_2_style_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 2.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.0, "image": 2.0 }, "clipscore": { "score": 30.5346 }, "gpt4v": { "composition": 4.25, "image": 9.125 } }, { "index": 29, "path": "output_anime/4_elements/switch_character_2_clothing_2_style_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 3.5 }, "clipscore": { "score": 36.1002 }, "gpt4v": { "composition": 4.25, "image": 9.5 } }, { "index": 30, "path": "output_anime/4_elements/composite_character_2_clothing_2_style_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.0, "image": 4.0 }, "clipscore": { "score": 34.4661 }, "gpt4v": { "composition": 5.5, "image": 9.5 } }, { "index": 31, "path": "output_anime/3_elements/merge_character_3_style_2_object_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 4.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 3.0, "image": 2.0 }, "clipscore": { "score": 35.0985 }, "gpt4v": { "composition": 7.75, "image": 8.875 } }, { "index": 32, "path": "output_anime/3_elements/switch_character_3_style_2_object_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 3.5 }, "clipscore": { "score": 34.5847 }, "gpt4v": { "composition": 5.0, "image": 9.0 } }, { "index": 33, "path": "output_anime/3_elements/composite_character_3_style_2_object_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 3.5 }, "clipscore": { "score": 38.6079 }, "gpt4v": { "composition": 6.75, "image": 9.0 } }, { "index": 34, "path": "output_anime/4_elements/merge_character_1_clothing_1_style_2_background_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 1.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 2.0 }, "avg_human_score": { "composition": 1.5, "image": 2.5 }, "clipscore": { "score": 33.2259 }, "gpt4v": { "composition": 4.375, "image": 8.25 } }, { "index": 35, "path": "output_anime/4_elements/switch_character_1_clothing_1_style_2_background_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 3.5 }, "clipscore": { "score": 37.2583 }, "gpt4v": { "composition": 7.75, "image": 9.0 } }, { "index": 36, "path": "output_anime/4_elements/composite_character_1_clothing_1_style_2_background_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors" ], "human_1": { "composition": 2.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 2.5, "image": 4.5 }, "clipscore": { "score": 34.5118 }, "gpt4v": { "composition": 5.5, "image": 9.5 } }, { "index": 37, "path": "output_anime/4_elements/merge_character_3_clothing_2_background_1_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 2.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.0, "image": 2.5 }, "clipscore": { "score": 34.9788 }, "gpt4v": { "composition": 6.0, "image": 9.25 } }, { "index": 38, "path": "output_anime/4_elements/switch_character_3_clothing_2_background_1_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 2.0 }, "avg_human_score": { "composition": 3.0, "image": 3.0 }, "clipscore": { "score": 34.8866 }, "gpt4v": { "composition": 5.5, "image": 8.5 } }, { "index": 39, "path": "output_anime/4_elements/composite_character_3_clothing_2_background_1_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 2.0 }, "avg_human_score": { "composition": 4.0, "image": 3.5 }, "clipscore": { "score": 36.994 }, "gpt4v": { "composition": 7.25, "image": 9.75 } }, { "index": 40, "path": "output_anime/4_elements/merge_character_1_clothing_1_style_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 1.0, "image": 2.0 }, "human_2": { "composition": 1.0, "image": 1.0 }, "avg_human_score": { "composition": 1.0, "image": 1.5 }, "clipscore": { "score": 29.6 }, "gpt4v": { "composition": 4.875, "image": 9.125 } }, { "index": 41, "path": "output_anime/4_elements/switch_character_1_clothing_1_style_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 3.5 }, "clipscore": { "score": 38.3351 }, "gpt4v": { "composition": 6.5, "image": 9.5 } }, { "index": 42, "path": "output_anime/4_elements/composite_character_1_clothing_1_style_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Garreg Mach Monastery Uniform): gmuniform, blue thighhighs, long sleeves", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.0 }, "clipscore": { "score": 38.7396 }, "gpt4v": { "composition": 6.0, "image": 9.5 } }, { "index": 43, "path": "output_anime/4_elements/merge_character_3_clothing_2_style_1_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.5, "image": 3.5 }, "clipscore": { "score": 33.0407 }, "gpt4v": { "composition": 8.25, "image": 9.125 } }, { "index": 44, "path": "output_anime/4_elements/switch_character_3_clothing_2_style_1_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.0, "image": 3.5 }, "clipscore": { "score": 32.3786 }, "gpt4v": { "composition": 6.5, "image": 9.5 } }, { "index": 45, "path": "output_anime/4_elements/composite_character_3_clothing_2_style_1_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.0, "image": 4.0 }, "clipscore": { "score": 32.9488 }, "gpt4v": { "composition": 7.0, "image": 9.5 } }, { "index": 46, "path": "output_anime/5_elements/merge_character_3_clothing_2_style_1_background_1_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 2.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 2.0 }, "avg_human_score": { "composition": 2.0, "image": 3.0 }, "clipscore": { "score": 36.2348 }, "gpt4v": { "composition": 7.125, "image": 8.75 } }, { "index": 47, "path": "output_anime/5_elements/switch_character_3_clothing_2_style_1_background_1_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 3.0, "image": 1.0 }, "avg_human_score": { "composition": 3.0, "image": 2.0 }, "clipscore": { "score": 34.9156 }, "gpt4v": { "composition": 5.5, "image": 9.0 } }, { "index": 48, "path": "output_anime/5_elements/composite_character_3_clothing_2_style_1_background_1_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Son Goku): son goku, spiked hair, muscular male, wristband", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. background (Bamboolight Background): bamboolight, outdoors, bamboo", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 3.5 }, "clipscore": { "score": 33.1048 }, "gpt4v": { "composition": 6.25, "image": 9.5 } }, { "index": 49, "path": "output_anime/4_elements/merge_character_1_style_2_background_1_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.0, "image": 3.0 }, "clipscore": { "score": 36.6768 }, "gpt4v": { "composition": 8.25, "image": 9.625 } }, { "index": 50, "path": "output_anime/4_elements/switch_character_1_style_2_background_1_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 4.0 }, "avg_human_score": { "composition": 5.0, "image": 4.5 }, "clipscore": { "score": 40.792 }, "gpt4v": { "composition": 9.75, "image": 9.75 } }, { "index": 51, "path": "output_anime/4_elements/composite_character_1_style_2_background_1_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "3. background (Bamboolight Background): bamboolight, outdoors, bamboo", "4. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 4.0 }, "avg_human_score": { "composition": 5.0, "image": 4.0 }, "clipscore": { "score": 38.5719 }, "gpt4v": { "composition": 8.75, "image": 9.5 } }, { "index": 52, "path": "output_anime/5_elements/merge_character_2_clothing_2_style_2_background_2_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 2.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.0, "image": 2.0 }, "clipscore": { "score": 29.867 }, "gpt4v": { "composition": 4.375, "image": 9.375 } }, { "index": 53, "path": "output_anime/5_elements/switch_character_2_clothing_2_style_2_background_2_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.0 }, "clipscore": { "score": 34.3121 }, "gpt4v": { "composition": 6.0, "image": 9.25 } }, { "index": 54, "path": "output_anime/5_elements/composite_character_2_clothing_2_style_2_background_2_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. background (Auroral Background): auroral, starry sky, outdoors", "5. object (Toast): toast, toast in mouth" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 4.0 }, "clipscore": { "score": 31.6278 }, "gpt4v": { "composition": 5.75, "image": 9.75 } }, { "index": 55, "path": "output_anime/4_elements/merge_character_1_clothing_2_style_2_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.5, "image": 2.0 }, "clipscore": { "score": 40.51 }, "gpt4v": { "composition": 6.75, "image": 9.0 } }, { "index": 56, "path": "output_anime/4_elements/switch_character_1_clothing_2_style_2_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 2.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 3.5 }, "clipscore": { "score": 37.5231 }, "gpt4v": { "composition": 5.5, "image": 9.5 } }, { "index": 57, "path": "output_anime/4_elements/composite_character_1_clothing_2_style_2_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Kamado Nezuko): kamado nezuko, black hair, pink eyes, forehead", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Shuimobysim (Chinese Ink Wash Style)): shuimobysim, traditional chinese ink painting", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.0, "image": 3.5 }, "clipscore": { "score": 37.4707 }, "gpt4v": { "composition": 6.0, "image": 9.0 } }, { "index": 58, "path": "output_anime/4_elements/merge_character_2_clothing_2_style_1_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 2.0 }, "avg_human_score": { "composition": 2.5, "image": 3.0 }, "clipscore": { "score": 30.7663 }, "gpt4v": { "composition": 6.375, "image": 9.0 } }, { "index": 59, "path": "output_anime/4_elements/switch_character_2_clothing_2_style_1_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.0, "image": 3.5 }, "clipscore": { "score": 30.6962 }, "gpt4v": { "composition": 6.75, "image": 9.25 } }, { "index": 60, "path": "output_anime/4_elements/composite_character_2_clothing_2_style_1_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Texas the Omertosa in Arknights): omertosa, 1girl, wolf ears, long hair", "2. clothing (Zero Suit (Metroid)): zero suit, blue gloves, high heels", "3. style (Hand-drawn Style): lineart, hand-drawn style", "4. object (Huge Two-Handed Burger): two-handed burger, holding a huge burger with both hands" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 4.0 }, "clipscore": { "score": 36.6772 }, "gpt4v": { "composition": 6.5, "image": 9.5 } }, { "index": 61, "path": "output_reality/3_elements/merge_character_3_clothing_2_style_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.5, "image": 4.0 }, "clipscore": { "score": 31.7792 }, "gpt4v": { "composition": 8.125, "image": 9.0 } }, { "index": 62, "path": "output_reality/3_elements/switch_character_3_clothing_2_style_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.5, "image": 5.0 }, "clipscore": { "score": 34.0626 }, "gpt4v": { "composition": 7.5, "image": 9.0 } }, { "index": 63, "path": "output_reality/3_elements/composite_character_3_clothing_2_style_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.5, "image": 5.0 }, "clipscore": { "score": 33.965 }, "gpt4v": { "composition": 7.5, "image": 9.0 } }, { "index": 64, "path": "output_reality/2_elements/merge_character_1_background_2.png", "method": "merge", "number of elements": 2, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 3.0 }, "clipscore": { "score": 26.6335 }, "gpt4v": { "composition": 8.25, "image": 9.75 } }, { "index": 65, "path": "output_reality/2_elements/switch_character_1_background_2.png", "method": "switch", "number of elements": 2, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 30.5736 }, "gpt4v": { "composition": 7.0, "image": 10.0 } }, { "index": 66, "path": "output_reality/2_elements/composite_character_1_background_2.png", "method": "composite", "number of elements": 2, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 30.1499 }, "gpt4v": { "composition": 7.0, "image": 9.5 } }, { "index": 67, "path": "output_reality/4_elements/merge_character_2_clothing_2_style_1_background_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 3.5 }, "clipscore": { "score": 37.2627 }, "gpt4v": { "composition": 7.0, "image": 9.125 } }, { "index": 68, "path": "output_reality/4_elements/switch_character_2_clothing_2_style_1_background_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 38.5944 }, "gpt4v": { "composition": 7.5, "image": 9.5 } }, { "index": 69, "path": "output_reality/4_elements/composite_character_2_clothing_2_style_1_background_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 35.552 }, "gpt4v": { "composition": 6.75, "image": 9.5 } }, { "index": 70, "path": "output_reality/4_elements/merge_character_1_clothing_1_style_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 3.0, "image": 2.5 }, "clipscore": { "score": 29.8164 }, "gpt4v": { "composition": 7.875, "image": 9.25 } }, { "index": 71, "path": "output_reality/4_elements/switch_character_1_clothing_1_style_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 3.5 }, "clipscore": { "score": 37.9293 }, "gpt4v": { "composition": 6.0, "image": 9.5 } }, { "index": 72, "path": "output_reality/4_elements/composite_character_1_clothing_1_style_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 4.0 }, "clipscore": { "score": 36.2537 }, "gpt4v": { "composition": 5.5, "image": 9.5 } }, { "index": 73, "path": "output_reality/4_elements/merge_character_1_clothing_1_background_1_object_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf", "4. object (Umbrella): transparent umbrella" ], "human_1": { "composition": 2.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.0, "image": 2.5 }, "clipscore": { "score": 36.3731 }, "gpt4v": { "composition": 2.25, "image": 9.25 } }, { "index": 74, "path": "output_reality/4_elements/switch_character_1_clothing_1_background_1_object_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf", "4. object (Umbrella): transparent umbrella" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.5 }, "clipscore": { "score": 39.3619 }, "gpt4v": { "composition": 9.0, "image": 10.0 } }, { "index": 75, "path": "output_reality/4_elements/composite_character_1_clothing_1_background_1_object_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf", "4. object (Umbrella): transparent umbrella" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 4.0 }, "avg_human_score": { "composition": 5.0, "image": 4.5 }, "clipscore": { "score": 36.4537 }, "gpt4v": { "composition": 5.0, "image": 9.5 } }, { "index": 76, "path": "output_reality/4_elements/merge_character_2_clothing_1_style_2_background_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 2.0, "image": 2.0 }, "avg_human_score": { "composition": 3.0, "image": 3.5 }, "clipscore": { "score": 35.4899 }, "gpt4v": { "composition": 9.0, "image": 9.375 } }, { "index": 77, "path": "output_reality/4_elements/switch_character_2_clothing_1_style_2_background_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 38.2703 }, "gpt4v": { "composition": 9.5, "image": 10.0 } }, { "index": 78, "path": "output_reality/4_elements/composite_character_2_clothing_1_style_2_background_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 36.787 }, "gpt4v": { "composition": 8.5, "image": 9.75 } }, { "index": 79, "path": "output_reality/4_elements/merge_character_3_clothing_1_style_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.5, "image": 2.5 }, "clipscore": { "score": 31.6602 }, "gpt4v": { "composition": 6.375, "image": 9.625 } }, { "index": 80, "path": "output_reality/4_elements/switch_character_3_clothing_1_style_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.5, "image": 4.5 }, "clipscore": { "score": 36.4865 }, "gpt4v": { "composition": 8.0, "image": 9.5 } }, { "index": 81, "path": "output_reality/4_elements/composite_character_3_clothing_1_style_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.5 }, "clipscore": { "score": 34.3751 }, "gpt4v": { "composition": 6.5, "image": 9.75 } }, { "index": 82, "path": "output_reality/3_elements/merge_character_1_clothing_2_style_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 34.7694 }, "gpt4v": { "composition": 9.0, "image": 9.625 } }, { "index": 83, "path": "output_reality/3_elements/switch_character_1_clothing_2_style_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 4.5 }, "clipscore": { "score": 37.2876 }, "gpt4v": { "composition": 8.0, "image": 9.75 } }, { "index": 84, "path": "output_reality/3_elements/composite_character_1_clothing_2_style_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.5 }, "clipscore": { "score": 35.6261 }, "gpt4v": { "composition": 8.5, "image": 9.0 } }, { "index": 85, "path": "output_reality/3_elements/merge_character_2_clothing_1_background_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 3.0 }, "avg_human_score": { "composition": 4.5, "image": 3.5 }, "clipscore": { "score": 36.0037 }, "gpt4v": { "composition": 9.0, "image": 9.75 } }, { "index": 86, "path": "output_reality/3_elements/switch_character_2_clothing_1_background_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 4.5, "image": 5.0 }, "clipscore": { "score": 36.511 }, "gpt4v": { "composition": 9.0, "image": 10.0 } }, { "index": 87, "path": "output_reality/3_elements/composite_character_2_clothing_1_background_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 39.224 }, "gpt4v": { "composition": 5.0, "image": 9.5 } }, { "index": 88, "path": "output_reality/5_elements/merge_character_3_clothing_1_style_2_background_1_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 2.0, "image": 2.0 }, "avg_human_score": { "composition": 2.5, "image": 3.0 }, "clipscore": { "score": 28.4802 }, "gpt4v": { "composition": 1.75, "image": 9.5 } }, { "index": 89, "path": "output_reality/5_elements/switch_character_3_clothing_1_style_2_background_1_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 3.5, "image": 5.0 }, "clipscore": { "score": 35.9777 }, "gpt4v": { "composition": 7.0, "image": 10.0 } }, { "index": 90, "path": "output_reality/5_elements/composite_character_3_clothing_1_style_2_background_1_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 3.5, "image": 5.0 }, "clipscore": { "score": 36.1203 }, "gpt4v": { "composition": 6.5, "image": 10.0 } }, { "index": 91, "path": "output_reality/3_elements/merge_character_1_clothing_2_background_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 3.0 }, "avg_human_score": { "composition": 3.5, "image": 4.0 }, "clipscore": { "score": 37.029 }, "gpt4v": { "composition": 7.75, "image": 9.375 } }, { "index": 92, "path": "output_reality/3_elements/switch_character_1_clothing_2_background_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.5 }, "clipscore": { "score": 38.7682 }, "gpt4v": { "composition": 9.0, "image": 10.0 } }, { "index": 93, "path": "output_reality/3_elements/composite_character_1_clothing_2_background_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 4.0 }, "clipscore": { "score": 37.642 }, "gpt4v": { "composition": 8.75, "image": 10.0 } }, { "index": 94, "path": "output_reality/3_elements/merge_character_2_clothing_2_object_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 4.0 }, "avg_human_score": { "composition": 5.0, "image": 4.5 }, "clipscore": { "score": 37.2169 }, "gpt4v": { "composition": 8.875, "image": 9.875 } }, { "index": 95, "path": "output_reality/3_elements/switch_character_2_clothing_2_object_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.0 }, "clipscore": { "score": 36.5079 }, "gpt4v": { "composition": 7.75, "image": 10.0 } }, { "index": 96, "path": "output_reality/3_elements/composite_character_2_clothing_2_object_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 38.2253 }, "gpt4v": { "composition": 8.5, "image": 9.5 } }, { "index": 97, "path": "output_reality/3_elements/merge_character_1_background_1_object_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Library Bookshelf Background): lib_bg, library bookshelf", "3. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 3.0 }, "avg_human_score": { "composition": 5.0, "image": 3.5 }, "clipscore": { "score": 30.5479 }, "gpt4v": { "composition": 8.625, "image": 9.25 } }, { "index": 98, "path": "output_reality/3_elements/switch_character_1_background_1_object_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Library Bookshelf Background): lib_bg, library bookshelf", "3. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 33.8878 }, "gpt4v": { "composition": 8.5, "image": 9.5 } }, { "index": 99, "path": "output_reality/3_elements/composite_character_1_background_1_object_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. background (Library Bookshelf Background): lib_bg, library bookshelf", "3. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 5.0 }, "avg_human_score": { "composition": 3.5, "image": 5.0 }, "clipscore": { "score": 31.293 }, "gpt4v": { "composition": 6.5, "image": 9.5 } }, { "index": 100, "path": "output_reality/5_elements/merge_character_3_clothing_1_style_1_background_2_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Forest Background): slg, river, forest", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.5, "image": 2.0 }, "clipscore": { "score": 29.54 }, "gpt4v": { "composition": 4.125, "image": 9.25 } }, { "index": 101, "path": "output_reality/5_elements/switch_character_3_clothing_1_style_1_background_2_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Forest Background): slg, river, forest", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 2.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 4.0 }, "clipscore": { "score": 30.1944 }, "gpt4v": { "composition": 5.0, "image": 9.25 } }, { "index": 102, "path": "output_reality/5_elements/composite_character_3_clothing_1_style_1_background_2_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. clothing (Thai University Uniform): mahalaiuniform, white shirt short sleeves, black pencil skirt", "3. style (Japanese Film Color Style): film overlay, film grain", "4. background (Forest Background): slg, river, forest", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.5 }, "clipscore": { "score": 30.875 }, "gpt4v": { "composition": 4.75, "image": 9.5 } }, { "index": 103, "path": "output_reality/3_elements/merge_character_1_style_1_background_1.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Japanese Film Color Style): film overlay, film grain", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.5, "image": 3.5 }, "clipscore": { "score": 29.2703 }, "gpt4v": { "composition": 6.875, "image": 9.0 } }, { "index": 104, "path": "output_reality/3_elements/switch_character_1_style_1_background_1.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Japanese Film Color Style): film overlay, film grain", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 31.1808 }, "gpt4v": { "composition": 6.0, "image": 9.0 } }, { "index": 105, "path": "output_reality/3_elements/composite_character_1_style_1_background_1.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Japanese Film Color Style): film overlay, film grain", "3. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 31.265 }, "gpt4v": { "composition": 6.0, "image": 9.5 } }, { "index": 106, "path": "output_reality/5_elements/merge_character_1_clothing_2_style_2_background_1_object_2.png", "method": "merge", "number of elements": 5, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 2.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 2.0 }, "avg_human_score": { "composition": 2.0, "image": 2.5 }, "clipscore": { "score": 35.6569 }, "gpt4v": { "composition": 7.5, "image": 8.0 } }, { "index": 107, "path": "output_reality/5_elements/switch_character_1_clothing_2_style_2_background_1_object_2.png", "method": "switch", "number of elements": 5, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 3.5, "image": 4.0 }, "clipscore": { "score": 38.4301 }, "gpt4v": { "composition": 5.75, "image": 10.0 } }, { "index": 108, "path": "output_reality/5_elements/composite_character_1_clothing_2_style_2_background_1_object_2.png", "method": "composite", "number of elements": 5, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf", "5. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 5.0 }, "human_2": { "composition": 2.0, "image": 3.0 }, "avg_human_score": { "composition": 2.5, "image": 4.0 }, "clipscore": { "score": 34.751 }, "gpt4v": { "composition": 6.0, "image": 9.5 } }, { "index": 109, "path": "output_reality/4_elements/merge_character_1_style_2_background_2_object_2.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 3.0, "image": 3.0 }, "human_2": { "composition": 2.0, "image": 1.0 }, "avg_human_score": { "composition": 2.5, "image": 2.0 }, "clipscore": { "score": 25.1638 }, "gpt4v": { "composition": 6.625, "image": 7.75 } }, { "index": 110, "path": "output_reality/4_elements/switch_character_1_style_2_background_2_object_2.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 4.0, "image": 4.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.0, "image": 3.5 }, "clipscore": { "score": 28.4197 }, "gpt4v": { "composition": 8.25, "image": 9.25 } }, { "index": 111, "path": "output_reality/4_elements/composite_character_1_style_2_background_2_object_2.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest", "4. object (Bubble Gum): blow bubble gum" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 3.0 }, "avg_human_score": { "composition": 4.5, "image": 4.0 }, "clipscore": { "score": 26.9113 }, "gpt4v": { "composition": 8.75, "image": 9.5 } }, { "index": 112, "path": "output_reality/4_elements/merge_character_2_clothing_2_style_2_background_1.png", "method": "merge", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.5 }, "clipscore": { "score": 36.9875 }, "gpt4v": { "composition": 9.0, "image": 9.625 } }, { "index": 113, "path": "output_reality/4_elements/switch_character_2_clothing_2_style_2_background_1.png", "method": "switch", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 38.9775 }, "gpt4v": { "composition": 8.5, "image": 9.5 } }, { "index": 114, "path": "output_reality/4_elements/composite_character_2_clothing_2_style_2_background_1.png", "method": "composite", "number of elements": 4, "prompt": [ "1. character (Scarlett Johansson): scarlett, short red hair, blue eyes", "2. clothing (School Dress): school uniform, white shirt, red tie, blue pleated microskirt", "3. style (Bright Style): bright lighting", "4. background (Library Bookshelf Background): lib_bg, library bookshelf" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 40.0983 }, "gpt4v": { "composition": 9.0, "image": 10.0 } }, { "index": 115, "path": "output_reality/3_elements/merge_character_1_style_2_background_2.png", "method": "merge", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 3.0 }, "avg_human_score": { "composition": 5.0, "image": 3.5 }, "clipscore": { "score": 26.566 }, "gpt4v": { "composition": 7.75, "image": 9.875 } }, { "index": 116, "path": "output_reality/3_elements/switch_character_1_style_2_background_2.png", "method": "switch", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 4.0, "image": 5.0 }, "human_2": { "composition": 4.0, "image": 5.0 }, "avg_human_score": { "composition": 4.0, "image": 5.0 }, "clipscore": { "score": 30.3636 }, "gpt4v": { "composition": 4.5, "image": 10.0 } }, { "index": 117, "path": "output_reality/3_elements/composite_character_1_style_2_background_2.png", "method": "composite", "number of elements": 3, "prompt": [ "1. character (IU (Lee Ji Eun, Korean singer)): iu1, long straight black hair, hazel eyes, diamond stud earrings", "2. style (Bright Style): bright lighting", "3. background (Forest Background): slg, river, forest" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 3.0, "image": 4.0 }, "avg_human_score": { "composition": 4.0, "image": 4.5 }, "clipscore": { "score": 27.9653 }, "gpt4v": { "composition": 7.5, "image": 10.0 } }, { "index": 118, "path": "output_reality/2_elements/merge_character_3_style_1.png", "method": "merge", "number of elements": 2, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. style (Japanese Film Color Style): film overlay, film grain" ], "human_1": { "composition": 5.0, "image": 4.0 }, "human_2": { "composition": 5.0, "image": 4.0 }, "avg_human_score": { "composition": 5.0, "image": 4.0 }, "clipscore": { "score": 27.6391 }, "gpt4v": { "composition": 6.5, "image": 10.0 } }, { "index": 119, "path": "output_reality/2_elements/switch_character_3_style_1.png", "method": "switch", "number of elements": 2, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. style (Japanese Film Color Style): film overlay, film grain" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 25.042 }, "gpt4v": { "composition": 6.5, "image": 10.0 } }, { "index": 120, "path": "output_reality/2_elements/composite_character_3_style_1.png", "method": "composite", "number of elements": 2, "prompt": [ "1. character (The Rock (Dwayne Johnson)): th3r0ck with no hair, muscular male, serious look on his face", "2. style (Japanese Film Color Style): film overlay, film grain" ], "human_1": { "composition": 5.0, "image": 5.0 }, "human_2": { "composition": 5.0, "image": 5.0 }, "avg_human_score": { "composition": 5.0, "image": 5.0 }, "clipscore": { "score": 24.2756 }, "gpt4v": { "composition": 7.0, "image": 10.0 } } ] ================================================ FILE: lcm_example.py ================================================ import torch import argparse from diffusers import DiffusionPipeline, StableDiffusionPipeline, AutoencoderKL from diffusers import LCMScheduler from callbacks import make_callback def get_example_prompt(): prompt = "RAW photo, subject, 8k uhd, dslr, high quality, Fujifilm XT3, half-length portrait from knees up, scarlett, short red hair, blue eyes, school uniform, white shirt, red tie, blue pleated microskirt" negative_prompt = "extra heads, nsfw, deformed iris, deformed pupils, semi-realistic, cgi, 3d, render, sketch, cartoon, drawing, anime, text, cropped, out of frame, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, dehydrated, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck" return prompt, negative_prompt def main(args): # set the prompts for image generation prompt, negative_prompt = get_example_prompt() # base model for the realistic style example model_name = 'SimianLuo/LCM_Dreamshaper_v7' # set base model pipeline = DiffusionPipeline.from_pretrained( model_name, custom_pipeline="./pipelines/sd1.5_0.26.3", use_safetensors=True, safety_checker=None, requires_safety_checker=False ).to("cuda") # set scheduler pipeline.scheduler = LCMScheduler.from_config(pipeline.scheduler.config) # initialize LoRAs # This example shows the composition of a character LoRA and a clothing LoRA pipeline.load_lora_weights(args.lora_path, weight_name="character_2.safetensors", adapter_name="character") pipeline.load_lora_weights(args.lora_path, weight_name="clothing_2.safetensors", adapter_name="clothing") cur_loras = ["character", "clothing"] # select the method for the composition if args.method == "merge": pipeline.set_adapters(cur_loras) switch_callback = None elif args.method == "switch": pipeline.set_adapters([cur_loras[0]]) switch_callback = make_callback(switch_step=args.switch_step, loras=cur_loras) else: pipeline.set_adapters(cur_loras) switch_callback = None image = pipeline( prompt=prompt, negative_prompt=negative_prompt, height=args.height, width=args.width, num_inference_steps=args.denoise_steps, guidance_scale=args.cfg_scale, generator=args.generator, cross_attention_kwargs={"scale": args.lora_scale}, callback_on_step_end=switch_callback, lora_composite=True if args.method == "composite" else False, ).images[0] image.save(args.save_path) if __name__ == "__main__": parser = argparse.ArgumentParser( description='Example code for multi-LoRA composition' ) # Arguments for composing LoRAs parser.add_argument('--method', default='switch', choices=['merge', 'switch', 'composite'], help='methods for combining LoRAs', type=str) parser.add_argument('--save_path', default='example.png', help='path to save the generated image', type=str) parser.add_argument('--lora_path', default='models/lora/reality', help='path to store all LoRAs', type=str) parser.add_argument('--lora_scale', default=0.9, help='scale of each LoRA when generating images', type=float) parser.add_argument('--switch_step', default=2, help='number of steps to switch LoRA during denoising, applicable only in the switch method', type=int) # Arguments for generating images parser.add_argument('--height', default=1024, help='height of the generated images', type=int) parser.add_argument('--width', default=768, help='width of the generated images', type=int) parser.add_argument('--denoise_steps', default=8, help='number of the denoising steps', type=int) parser.add_argument('--cfg_scale', default=7.0, help='scale for classifier-free guidance', type=float) parser.add_argument('--seed', default=11, help='seed for generating images', type=int) args = parser.parse_args() args.generator = torch.manual_seed(args.seed) main(args) ================================================ FILE: lcm_lora_example.py ================================================ import os import torch import argparse from diffusers import DiffusionPipeline, StableDiffusionPipeline, AutoencoderKL from diffusers import LCMScheduler from callbacks import make_callback def get_example_prompt(): prompt = "RAW photo, subject, 8k uhd, dslr, high quality, Fujifilm XT3, half-length portrait from knees up, scarlett, short red hair, blue eyes, school uniform, white shirt, red tie, blue pleated microskirt" negative_prompt = "extra heads, nsfw, deformed iris, deformed pupils, semi-realistic, cgi, 3d, render, sketch, cartoon, drawing, anime, text, cropped, out of frame, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, dehydrated, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck" return prompt, negative_prompt def main(args): # set the prompts for image generation prompt, negative_prompt = get_example_prompt() # base model for the realistic style example model_name = 'models/Realistic-LCM-LoRA' if not os.path.exists(model_name): # set base model pipeline = DiffusionPipeline.from_pretrained( 'SG161222/Realistic_Vision_V5.1_noVAE', custom_pipeline="./pipelines/sd1.5_0.26.3", use_safetensors=True, safety_checker=None, requires_safety_checker=False ).to("cuda") # set vae vae = AutoencoderKL.from_pretrained( "stabilityai/sd-vae-ft-mse", ).to("cuda") pipeline.vae = vae # set scheduler pipeline.scheduler = LCMScheduler.from_config(pipeline.scheduler.config) # It seems that there is a bug when composing multiple LoRAs after fusing. # Therefore, we first save the models before proceeding with the composition. pipeline.load_lora_weights("latent-consistency/lcm-lora-sdv1-5") pipeline.fuse_lora() pipeline.unload_lora_weights() pipeline.save_pretrained("models/Realistic-LCM-LoRA") # set base model pipeline = DiffusionPipeline.from_pretrained( model_name, custom_pipeline="./pipelines/sd1.5_0.26.3", use_safetensors=True, safety_checker=None, requires_safety_checker=False ).to("cuda") # set scheduler pipeline.scheduler = LCMScheduler.from_config(pipeline.scheduler.config) # initialize LoRAs # This example shows the composition of a character LoRA and a clothing LoRA pipeline.load_lora_weights(args.lora_path, weight_name="character_2.safetensors", adapter_name="character") pipeline.load_lora_weights(args.lora_path, weight_name="clothing_2.safetensors", adapter_name="clothing") cur_loras = ["character", "clothing"] # select the method for the composition if args.method == "merge": pipeline.set_adapters(cur_loras) switch_callback = None elif args.method == "switch": pipeline.set_adapters([cur_loras[0]]) switch_callback = make_callback(switch_step=args.switch_step, loras=cur_loras) else: pipeline.set_adapters(cur_loras) switch_callback = None image = pipeline( prompt=prompt, negative_prompt=negative_prompt, height=args.height, width=args.width, num_inference_steps=args.denoise_steps, guidance_scale=args.cfg_scale, generator=args.generator, cross_attention_kwargs={"scale": args.lora_scale}, callback_on_step_end=switch_callback, lora_composite=True if args.method == "composite" else False ).images[0] image.save(args.save_path) if __name__ == "__main__": parser = argparse.ArgumentParser( description='Example code for multi-LoRA composition' ) # Arguments for composing LoRAs parser.add_argument('--method', default='switch', choices=['merge', 'switch', 'composite'], help='methods for combining LoRAs', type=str) parser.add_argument('--save_path', default='example.png', help='path to save the generated image', type=str) parser.add_argument('--lora_path', default='models/lora/reality', help='path to store all LoRAs', type=str) parser.add_argument('--lora_scale', default=0.8, help='scale of each LoRA when generating images', type=float) parser.add_argument('--switch_step', default=2, help='number of steps to switch LoRA during denoising, applicable only in the switch method', type=int) # Arguments for generating images parser.add_argument('--height', default=1024, help='height of the generated images', type=int) parser.add_argument('--width', default=768, help='width of the generated images', type=int) parser.add_argument('--denoise_steps', default=8, help='number of the denoising steps', type=int) parser.add_argument('--cfg_scale', default=1.8, help='scale for classifier-free guidance', type=float) parser.add_argument('--seed', default=42, help='seed for generating images', type=int) args = parser.parse_args() args.generator = torch.manual_seed(args.seed) main(args) ================================================ FILE: models/README.md ================================================ # Models in ComposLoRA Our **ComposLoRA** testbed comprises 22 pre-trained LoRAs, spanning characters, colors, styles, backgrounds, and objects. Download `ComposLoRA.zip` from [this link](https://drive.google.com/file/d/1SuwRgV1LtEud8dfjftnw-zxBMgzSCwIT/view?usp=sharing), and unzip it in this folder. ================================================ FILE: pipelines/sd1.5_0.26.3/pipeline.py ================================================ # Copyright 2023 The HuggingFace Team. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # for diffusers version 0.26.3 import inspect from typing import Any, Callable, Dict, List, Optional, Union import torch from packaging import version from transformers import CLIPImageProcessor, CLIPTextModel, CLIPTokenizer, CLIPVisionModelWithProjection from diffusers.configuration_utils import FrozenDict from diffusers.image_processor import PipelineImageInput, VaeImageProcessor from diffusers.loaders import FromSingleFileMixin, IPAdapterMixin, LoraLoaderMixin, TextualInversionLoaderMixin from diffusers.models import AutoencoderKL, ImageProjection, UNet2DConditionModel from diffusers.models.attention_processor import FusedAttnProcessor2_0 from diffusers.models.lora import adjust_lora_scale_text_encoder from diffusers.schedulers import KarrasDiffusionSchedulers from diffusers.utils import ( USE_PEFT_BACKEND, deprecate, logging, replace_example_docstring, scale_lora_layers, unscale_lora_layers, ) from diffusers.utils.torch_utils import randn_tensor from diffusers.pipelines.pipeline_utils import DiffusionPipeline from diffusers.pipelines.stable_diffusion.pipeline_output import StableDiffusionPipelineOutput from diffusers.pipelines.stable_diffusion.safety_checker import StableDiffusionSafetyChecker logger = logging.get_logger(__name__) # pylint: disable=invalid-name EXAMPLE_DOC_STRING = """ Examples: ```py >>> import torch >>> from diffusers import StableDiffusionPipeline >>> pipe = StableDiffusionPipeline.from_pretrained("runwayml/stable-diffusion-v1-5", torch_dtype=torch.float16) >>> pipe = pipe.to("cuda") >>> prompt = "a photo of an astronaut riding a horse on mars" >>> image = pipe(prompt).images[0] ``` """ def rescale_noise_cfg(noise_cfg, noise_pred_text, guidance_rescale=0.0): """ Rescale `noise_cfg` according to `guidance_rescale`. Based on findings of [Common Diffusion Noise Schedules and Sample Steps are Flawed](https://arxiv.org/pdf/2305.08891.pdf). See Section 3.4 """ std_text = noise_pred_text.std(dim=list(range(1, noise_pred_text.ndim)), keepdim=True) std_cfg = noise_cfg.std(dim=list(range(1, noise_cfg.ndim)), keepdim=True) # rescale the results from guidance (fixes overexposure) noise_pred_rescaled = noise_cfg * (std_text / std_cfg) # mix with the original results from guidance by factor guidance_rescale to avoid "plain looking" images noise_cfg = guidance_rescale * noise_pred_rescaled + (1 - guidance_rescale) * noise_cfg return noise_cfg def retrieve_timesteps( scheduler, num_inference_steps: Optional[int] = None, device: Optional[Union[str, torch.device]] = None, timesteps: Optional[List[int]] = None, **kwargs, ): """ Calls the scheduler's `set_timesteps` method and retrieves timesteps from the scheduler after the call. Handles custom timesteps. Any kwargs will be supplied to `scheduler.set_timesteps`. Args: scheduler (`SchedulerMixin`): The scheduler to get timesteps from. num_inference_steps (`int`): The number of diffusion steps used when generating samples with a pre-trained model. If used, `timesteps` must be `None`. device (`str` or `torch.device`, *optional*): The device to which the timesteps should be moved to. If `None`, the timesteps are not moved. timesteps (`List[int]`, *optional*): Custom timesteps used to support arbitrary spacing between timesteps. If `None`, then the default timestep spacing strategy of the scheduler is used. If `timesteps` is passed, `num_inference_steps` must be `None`. Returns: `Tuple[torch.Tensor, int]`: A tuple where the first element is the timestep schedule from the scheduler and the second element is the number of inference steps. """ if timesteps is not None: accepts_timesteps = "timesteps" in set(inspect.signature(scheduler.set_timesteps).parameters.keys()) if not accepts_timesteps: raise ValueError( f"The current scheduler class {scheduler.__class__}'s `set_timesteps` does not support custom" f" timestep schedules. Please check whether you are using the correct scheduler." ) scheduler.set_timesteps(timesteps=timesteps, device=device, **kwargs) timesteps = scheduler.timesteps num_inference_steps = len(timesteps) else: scheduler.set_timesteps(num_inference_steps, device=device, **kwargs) timesteps = scheduler.timesteps return timesteps, num_inference_steps class StableDiffusionPipeline( DiffusionPipeline, TextualInversionLoaderMixin, LoraLoaderMixin, IPAdapterMixin, FromSingleFileMixin ): r""" Pipeline for text-to-image generation using Stable Diffusion. This model inherits from [`DiffusionPipeline`]. Check the superclass documentation for the generic methods implemented for all pipelines (downloading, saving, running on a particular device, etc.). The pipeline also inherits the following loading methods: - [`~loaders.TextualInversionLoaderMixin.load_textual_inversion`] for loading textual inversion embeddings - [`~loaders.LoraLoaderMixin.load_lora_weights`] for loading LoRA weights - [`~loaders.LoraLoaderMixin.save_lora_weights`] for saving LoRA weights - [`~loaders.FromSingleFileMixin.from_single_file`] for loading `.ckpt` files - [`~loaders.IPAdapterMixin.load_ip_adapter`] for loading IP Adapters Args: vae ([`AutoencoderKL`]): Variational Auto-Encoder (VAE) model to encode and decode images to and from latent representations. text_encoder ([`~transformers.CLIPTextModel`]): Frozen text-encoder ([clip-vit-large-patch14](https://huggingface.co/openai/clip-vit-large-patch14)). tokenizer ([`~transformers.CLIPTokenizer`]): A `CLIPTokenizer` to tokenize text. unet ([`UNet2DConditionModel`]): A `UNet2DConditionModel` to denoise the encoded image latents. scheduler ([`SchedulerMixin`]): A scheduler to be used in combination with `unet` to denoise the encoded image latents. Can be one of [`DDIMScheduler`], [`LMSDiscreteScheduler`], or [`PNDMScheduler`]. safety_checker ([`StableDiffusionSafetyChecker`]): Classification module that estimates whether generated images could be considered offensive or harmful. Please refer to the [model card](https://huggingface.co/runwayml/stable-diffusion-v1-5) for more details about a model's potential harms. feature_extractor ([`~transformers.CLIPImageProcessor`]): A `CLIPImageProcessor` to extract features from generated images; used as inputs to the `safety_checker`. """ model_cpu_offload_seq = "text_encoder->image_encoder->unet->vae" _optional_components = ["safety_checker", "feature_extractor", "image_encoder"] _exclude_from_cpu_offload = ["safety_checker"] _callback_tensor_inputs = ["latents", "prompt_embeds", "negative_prompt_embeds"] def __init__( self, vae: AutoencoderKL, text_encoder: CLIPTextModel, tokenizer: CLIPTokenizer, unet: UNet2DConditionModel, scheduler: KarrasDiffusionSchedulers, safety_checker: StableDiffusionSafetyChecker, feature_extractor: CLIPImageProcessor, image_encoder: CLIPVisionModelWithProjection = None, requires_safety_checker: bool = True, ): super().__init__() if hasattr(scheduler.config, "steps_offset") and scheduler.config.steps_offset != 1: deprecation_message = ( f"The configuration file of this scheduler: {scheduler} is outdated. `steps_offset`" f" should be set to 1 instead of {scheduler.config.steps_offset}. Please make sure " "to update the config accordingly as leaving `steps_offset` might led to incorrect results" " in future versions. If you have downloaded this checkpoint from the Hugging Face Hub," " it would be very nice if you could open a Pull request for the `scheduler/scheduler_config.json`" " file" ) deprecate("steps_offset!=1", "1.0.0", deprecation_message, standard_warn=False) new_config = dict(scheduler.config) new_config["steps_offset"] = 1 scheduler._internal_dict = FrozenDict(new_config) if hasattr(scheduler.config, "clip_sample") and scheduler.config.clip_sample is True: deprecation_message = ( f"The configuration file of this scheduler: {scheduler} has not set the configuration `clip_sample`." " `clip_sample` should be set to False in the configuration file. Please make sure to update the" " config accordingly as not setting `clip_sample` in the config might lead to incorrect results in" " future versions. If you have downloaded this checkpoint from the Hugging Face Hub, it would be very" " nice if you could open a Pull request for the `scheduler/scheduler_config.json` file" ) deprecate("clip_sample not set", "1.0.0", deprecation_message, standard_warn=False) new_config = dict(scheduler.config) new_config["clip_sample"] = False scheduler._internal_dict = FrozenDict(new_config) if safety_checker is None and requires_safety_checker: logger.warning( f"You have disabled the safety checker for {self.__class__} by passing `safety_checker=None`. Ensure" " that you abide to the conditions of the Stable Diffusion license and do not expose unfiltered" " results in services or applications open to the public. Both the diffusers team and Hugging Face" " strongly recommend to keep the safety filter enabled in all public facing circumstances, disabling" " it only for use-cases that involve analyzing network behavior or auditing its results. For more" " information, please have a look at https://github.com/huggingface/diffusers/pull/254 ." ) if safety_checker is not None and feature_extractor is None: raise ValueError( "Make sure to define a feature extractor when loading {self.__class__} if you want to use the safety" " checker. If you do not want to use the safety checker, you can pass `'safety_checker=None'` instead." ) is_unet_version_less_0_9_0 = hasattr(unet.config, "_diffusers_version") and version.parse( version.parse(unet.config._diffusers_version).base_version ) < version.parse("0.9.0.dev0") is_unet_sample_size_less_64 = hasattr(unet.config, "sample_size") and unet.config.sample_size < 64 if is_unet_version_less_0_9_0 and is_unet_sample_size_less_64: deprecation_message = ( "The configuration file of the unet has set the default `sample_size` to smaller than" " 64 which seems highly unlikely. If your checkpoint is a fine-tuned version of any of the" " following: \n- CompVis/stable-diffusion-v1-4 \n- CompVis/stable-diffusion-v1-3 \n-" " CompVis/stable-diffusion-v1-2 \n- CompVis/stable-diffusion-v1-1 \n- runwayml/stable-diffusion-v1-5" " \n- runwayml/stable-diffusion-inpainting \n you should change 'sample_size' to 64 in the" " configuration file. Please make sure to update the config accordingly as leaving `sample_size=32`" " in the config might lead to incorrect results in future versions. If you have downloaded this" " checkpoint from the Hugging Face Hub, it would be very nice if you could open a Pull request for" " the `unet/config.json` file" ) deprecate("sample_size<64", "1.0.0", deprecation_message, standard_warn=False) new_config = dict(unet.config) new_config["sample_size"] = 64 unet._internal_dict = FrozenDict(new_config) self.register_modules( vae=vae, text_encoder=text_encoder, tokenizer=tokenizer, unet=unet, scheduler=scheduler, safety_checker=safety_checker, feature_extractor=feature_extractor, image_encoder=image_encoder, ) self.vae_scale_factor = 2 ** (len(self.vae.config.block_out_channels) - 1) self.image_processor = VaeImageProcessor(vae_scale_factor=self.vae_scale_factor) self.register_to_config(requires_safety_checker=requires_safety_checker) def enable_vae_slicing(self): r""" Enable sliced VAE decoding. When this option is enabled, the VAE will split the input tensor in slices to compute decoding in several steps. This is useful to save some memory and allow larger batch sizes. """ self.vae.enable_slicing() def disable_vae_slicing(self): r""" Disable sliced VAE decoding. If `enable_vae_slicing` was previously enabled, this method will go back to computing decoding in one step. """ self.vae.disable_slicing() def enable_vae_tiling(self): r""" Enable tiled VAE decoding. When this option is enabled, the VAE will split the input tensor into tiles to compute decoding and encoding in several steps. This is useful for saving a large amount of memory and to allow processing larger images. """ self.vae.enable_tiling() def disable_vae_tiling(self): r""" Disable tiled VAE decoding. If `enable_vae_tiling` was previously enabled, this method will go back to computing decoding in one step. """ self.vae.disable_tiling() def _encode_prompt( self, prompt, device, num_images_per_prompt, do_classifier_free_guidance, negative_prompt=None, prompt_embeds: Optional[torch.FloatTensor] = None, negative_prompt_embeds: Optional[torch.FloatTensor] = None, lora_scale: Optional[float] = None, **kwargs, ): deprecation_message = "`_encode_prompt()` is deprecated and it will be removed in a future version. Use `encode_prompt()` instead. Also, be aware that the output format changed from a concatenated tensor to a tuple." deprecate("_encode_prompt()", "1.0.0", deprecation_message, standard_warn=False) prompt_embeds_tuple = self.encode_prompt( prompt=prompt, device=device, num_images_per_prompt=num_images_per_prompt, do_classifier_free_guidance=do_classifier_free_guidance, negative_prompt=negative_prompt, prompt_embeds=prompt_embeds, negative_prompt_embeds=negative_prompt_embeds, lora_scale=lora_scale, **kwargs, ) # concatenate for backwards comp prompt_embeds = torch.cat([prompt_embeds_tuple[1], prompt_embeds_tuple[0]]) return prompt_embeds def encode_prompt( self, prompt, device, num_images_per_prompt, do_classifier_free_guidance, negative_prompt=None, prompt_embeds: Optional[torch.FloatTensor] = None, negative_prompt_embeds: Optional[torch.FloatTensor] = None, lora_scale: Optional[float] = None, clip_skip: Optional[int] = None, ): r""" Encodes the prompt into text encoder hidden states. Args: prompt (`str` or `List[str]`, *optional*): prompt to be encoded device: (`torch.device`): torch device num_images_per_prompt (`int`): number of images that should be generated per prompt do_classifier_free_guidance (`bool`): whether to use classifier free guidance or not negative_prompt (`str` or `List[str]`, *optional*): The prompt or prompts not to guide the image generation. If not defined, one has to pass `negative_prompt_embeds` instead. Ignored when not using guidance (i.e., ignored if `guidance_scale` is less than `1`). prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, text embeddings will be generated from `prompt` input argument. negative_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated negative text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, negative_prompt_embeds will be generated from `negative_prompt` input argument. lora_scale (`float`, *optional*): A LoRA scale that will be applied to all LoRA layers of the text encoder if LoRA layers are loaded. clip_skip (`int`, *optional*): Number of layers to be skipped from CLIP while computing the prompt embeddings. A value of 1 means that the output of the pre-final layer will be used for computing the prompt embeddings. """ # set lora scale so that monkey patched LoRA # function of text encoder can correctly access it if lora_scale is not None and isinstance(self, LoraLoaderMixin): self._lora_scale = lora_scale # dynamically adjust the LoRA scale if not USE_PEFT_BACKEND: adjust_lora_scale_text_encoder(self.text_encoder, lora_scale) else: scale_lora_layers(self.text_encoder, lora_scale) if prompt is not None and isinstance(prompt, str): batch_size = 1 elif prompt is not None and isinstance(prompt, list): batch_size = len(prompt) else: batch_size = prompt_embeds.shape[0] if prompt_embeds is None: # textual inversion: procecss multi-vector tokens if necessary if isinstance(self, TextualInversionLoaderMixin): prompt = self.maybe_convert_prompt(prompt, self.tokenizer) text_inputs = self.tokenizer( prompt, padding="max_length", max_length=self.tokenizer.model_max_length, truncation=True, return_tensors="pt", ) text_input_ids = text_inputs.input_ids untruncated_ids = self.tokenizer(prompt, padding="longest", return_tensors="pt").input_ids if untruncated_ids.shape[-1] >= text_input_ids.shape[-1] and not torch.equal( text_input_ids, untruncated_ids ): removed_text = self.tokenizer.batch_decode( untruncated_ids[:, self.tokenizer.model_max_length - 1 : -1] ) logger.warning( "The following part of your input was truncated because CLIP can only handle sequences up to" f" {self.tokenizer.model_max_length} tokens: {removed_text}" ) if hasattr(self.text_encoder.config, "use_attention_mask") and self.text_encoder.config.use_attention_mask: attention_mask = text_inputs.attention_mask.to(device) else: attention_mask = None if clip_skip is None: prompt_embeds = self.text_encoder(text_input_ids.to(device), attention_mask=attention_mask) prompt_embeds = prompt_embeds[0] else: prompt_embeds = self.text_encoder( text_input_ids.to(device), attention_mask=attention_mask, output_hidden_states=True ) # Access the `hidden_states` first, that contains a tuple of # all the hidden states from the encoder layers. Then index into # the tuple to access the hidden states from the desired layer. prompt_embeds = prompt_embeds[-1][-(clip_skip + 1)] # We also need to apply the final LayerNorm here to not mess with the # representations. The `last_hidden_states` that we typically use for # obtaining the final prompt representations passes through the LayerNorm # layer. prompt_embeds = self.text_encoder.text_model.final_layer_norm(prompt_embeds) if self.text_encoder is not None: prompt_embeds_dtype = self.text_encoder.dtype elif self.unet is not None: prompt_embeds_dtype = self.unet.dtype else: prompt_embeds_dtype = prompt_embeds.dtype prompt_embeds = prompt_embeds.to(dtype=prompt_embeds_dtype, device=device) bs_embed, seq_len, _ = prompt_embeds.shape # duplicate text embeddings for each generation per prompt, using mps friendly method prompt_embeds = prompt_embeds.repeat(1, num_images_per_prompt, 1) prompt_embeds = prompt_embeds.view(bs_embed * num_images_per_prompt, seq_len, -1) # get unconditional embeddings for classifier free guidance if do_classifier_free_guidance and negative_prompt_embeds is None: uncond_tokens: List[str] if negative_prompt is None: uncond_tokens = [""] * batch_size elif prompt is not None and type(prompt) is not type(negative_prompt): raise TypeError( f"`negative_prompt` should be the same type to `prompt`, but got {type(negative_prompt)} !=" f" {type(prompt)}." ) elif isinstance(negative_prompt, str): uncond_tokens = [negative_prompt] elif batch_size != len(negative_prompt): raise ValueError( f"`negative_prompt`: {negative_prompt} has batch size {len(negative_prompt)}, but `prompt`:" f" {prompt} has batch size {batch_size}. Please make sure that passed `negative_prompt` matches" " the batch size of `prompt`." ) else: uncond_tokens = negative_prompt # textual inversion: procecss multi-vector tokens if necessary if isinstance(self, TextualInversionLoaderMixin): uncond_tokens = self.maybe_convert_prompt(uncond_tokens, self.tokenizer) max_length = prompt_embeds.shape[1] uncond_input = self.tokenizer( uncond_tokens, padding="max_length", max_length=max_length, truncation=True, return_tensors="pt", ) if hasattr(self.text_encoder.config, "use_attention_mask") and self.text_encoder.config.use_attention_mask: attention_mask = uncond_input.attention_mask.to(device) else: attention_mask = None negative_prompt_embeds = self.text_encoder( uncond_input.input_ids.to(device), attention_mask=attention_mask, ) negative_prompt_embeds = negative_prompt_embeds[0] if do_classifier_free_guidance: # duplicate unconditional embeddings for each generation per prompt, using mps friendly method seq_len = negative_prompt_embeds.shape[1] negative_prompt_embeds = negative_prompt_embeds.to(dtype=prompt_embeds_dtype, device=device) negative_prompt_embeds = negative_prompt_embeds.repeat(1, num_images_per_prompt, 1) negative_prompt_embeds = negative_prompt_embeds.view(batch_size * num_images_per_prompt, seq_len, -1) if isinstance(self, LoraLoaderMixin) and USE_PEFT_BACKEND: # Retrieve the original scale by scaling back the LoRA layers unscale_lora_layers(self.text_encoder, lora_scale) return prompt_embeds, negative_prompt_embeds def encode_image(self, image, device, num_images_per_prompt, output_hidden_states=None): dtype = next(self.image_encoder.parameters()).dtype if not isinstance(image, torch.Tensor): image = self.feature_extractor(image, return_tensors="pt").pixel_values image = image.to(device=device, dtype=dtype) if output_hidden_states: image_enc_hidden_states = self.image_encoder(image, output_hidden_states=True).hidden_states[-2] image_enc_hidden_states = image_enc_hidden_states.repeat_interleave(num_images_per_prompt, dim=0) uncond_image_enc_hidden_states = self.image_encoder( torch.zeros_like(image), output_hidden_states=True ).hidden_states[-2] uncond_image_enc_hidden_states = uncond_image_enc_hidden_states.repeat_interleave( num_images_per_prompt, dim=0 ) return image_enc_hidden_states, uncond_image_enc_hidden_states else: image_embeds = self.image_encoder(image).image_embeds image_embeds = image_embeds.repeat_interleave(num_images_per_prompt, dim=0) uncond_image_embeds = torch.zeros_like(image_embeds) return image_embeds, uncond_image_embeds def prepare_ip_adapter_image_embeds(self, ip_adapter_image, device, num_images_per_prompt): if not isinstance(ip_adapter_image, list): ip_adapter_image = [ip_adapter_image] if len(ip_adapter_image) != len(self.unet.encoder_hid_proj.image_projection_layers): raise ValueError( f"`ip_adapter_image` must have same length as the number of IP Adapters. Got {len(ip_adapter_image)} images and {len(self.unet.encoder_hid_proj.image_projection_layers)} IP Adapters." ) image_embeds = [] for single_ip_adapter_image, image_proj_layer in zip( ip_adapter_image, self.unet.encoder_hid_proj.image_projection_layers ): output_hidden_state = not isinstance(image_proj_layer, ImageProjection) single_image_embeds, single_negative_image_embeds = self.encode_image( single_ip_adapter_image, device, 1, output_hidden_state ) single_image_embeds = torch.stack([single_image_embeds] * num_images_per_prompt, dim=0) single_negative_image_embeds = torch.stack([single_negative_image_embeds] * num_images_per_prompt, dim=0) if self.do_classifier_free_guidance: single_image_embeds = torch.cat([single_negative_image_embeds, single_image_embeds]) single_image_embeds = single_image_embeds.to(device) image_embeds.append(single_image_embeds) return image_embeds def run_safety_checker(self, image, device, dtype): if self.safety_checker is None: has_nsfw_concept = None else: if torch.is_tensor(image): feature_extractor_input = self.image_processor.postprocess(image, output_type="pil") else: feature_extractor_input = self.image_processor.numpy_to_pil(image) safety_checker_input = self.feature_extractor(feature_extractor_input, return_tensors="pt").to(device) image, has_nsfw_concept = self.safety_checker( images=image, clip_input=safety_checker_input.pixel_values.to(dtype) ) return image, has_nsfw_concept def decode_latents(self, latents): deprecation_message = "The decode_latents method is deprecated and will be removed in 1.0.0. Please use VaeImageProcessor.postprocess(...) instead" deprecate("decode_latents", "1.0.0", deprecation_message, standard_warn=False) latents = 1 / self.vae.config.scaling_factor * latents image = self.vae.decode(latents, return_dict=False)[0] image = (image / 2 + 0.5).clamp(0, 1) # we always cast to float32 as this does not cause significant overhead and is compatible with bfloat16 image = image.cpu().permute(0, 2, 3, 1).float().numpy() return image def prepare_extra_step_kwargs(self, generator, eta): # prepare extra kwargs for the scheduler step, since not all schedulers have the same signature # eta (η) is only used with the DDIMScheduler, it will be ignored for other schedulers. # eta corresponds to η in DDIM paper: https://arxiv.org/abs/2010.02502 # and should be between [0, 1] accepts_eta = "eta" in set(inspect.signature(self.scheduler.step).parameters.keys()) extra_step_kwargs = {} if accepts_eta: extra_step_kwargs["eta"] = eta # check if the scheduler accepts generator accepts_generator = "generator" in set(inspect.signature(self.scheduler.step).parameters.keys()) if accepts_generator: extra_step_kwargs["generator"] = generator return extra_step_kwargs def check_inputs( self, prompt, height, width, callback_steps, negative_prompt=None, prompt_embeds=None, negative_prompt_embeds=None, callback_on_step_end_tensor_inputs=None, ): if height % 8 != 0 or width % 8 != 0: raise ValueError(f"`height` and `width` have to be divisible by 8 but are {height} and {width}.") if callback_steps is not None and (not isinstance(callback_steps, int) or callback_steps <= 0): raise ValueError( f"`callback_steps` has to be a positive integer but is {callback_steps} of type" f" {type(callback_steps)}." ) if callback_on_step_end_tensor_inputs is not None and not all( k in self._callback_tensor_inputs for k in callback_on_step_end_tensor_inputs ): raise ValueError( f"`callback_on_step_end_tensor_inputs` has to be in {self._callback_tensor_inputs}, but found {[k for k in callback_on_step_end_tensor_inputs if k not in self._callback_tensor_inputs]}" ) if prompt is not None and prompt_embeds is not None: raise ValueError( f"Cannot forward both `prompt`: {prompt} and `prompt_embeds`: {prompt_embeds}. Please make sure to" " only forward one of the two." ) elif prompt is None and prompt_embeds is None: raise ValueError( "Provide either `prompt` or `prompt_embeds`. Cannot leave both `prompt` and `prompt_embeds` undefined." ) elif prompt is not None and (not isinstance(prompt, str) and not isinstance(prompt, list)): raise ValueError(f"`prompt` has to be of type `str` or `list` but is {type(prompt)}") if negative_prompt is not None and negative_prompt_embeds is not None: raise ValueError( f"Cannot forward both `negative_prompt`: {negative_prompt} and `negative_prompt_embeds`:" f" {negative_prompt_embeds}. Please make sure to only forward one of the two." ) if prompt_embeds is not None and negative_prompt_embeds is not None: if prompt_embeds.shape != negative_prompt_embeds.shape: raise ValueError( "`prompt_embeds` and `negative_prompt_embeds` must have the same shape when passed directly, but" f" got: `prompt_embeds` {prompt_embeds.shape} != `negative_prompt_embeds`" f" {negative_prompt_embeds.shape}." ) def prepare_latents(self, batch_size, num_channels_latents, height, width, dtype, device, generator, latents=None): shape = (batch_size, num_channels_latents, height // self.vae_scale_factor, width // self.vae_scale_factor) if isinstance(generator, list) and len(generator) != batch_size: raise ValueError( f"You have passed a list of generators of length {len(generator)}, but requested an effective batch" f" size of {batch_size}. Make sure the batch size matches the length of the generators." ) if latents is None: latents = randn_tensor(shape, generator=generator, device=device, dtype=dtype) else: latents = latents.to(device) # scale the initial noise by the standard deviation required by the scheduler latents = latents * self.scheduler.init_noise_sigma return latents def enable_freeu(self, s1: float, s2: float, b1: float, b2: float): r"""Enables the FreeU mechanism as in https://arxiv.org/abs/2309.11497. The suffixes after the scaling factors represent the stages where they are being applied. Please refer to the [official repository](https://github.com/ChenyangSi/FreeU) for combinations of the values that are known to work well for different pipelines such as Stable Diffusion v1, v2, and Stable Diffusion XL. Args: s1 (`float`): Scaling factor for stage 1 to attenuate the contributions of the skip features. This is done to mitigate "oversmoothing effect" in the enhanced denoising process. s2 (`float`): Scaling factor for stage 2 to attenuate the contributions of the skip features. This is done to mitigate "oversmoothing effect" in the enhanced denoising process. b1 (`float`): Scaling factor for stage 1 to amplify the contributions of backbone features. b2 (`float`): Scaling factor for stage 2 to amplify the contributions of backbone features. """ if not hasattr(self, "unet"): raise ValueError("The pipeline must have `unet` for using FreeU.") self.unet.enable_freeu(s1=s1, s2=s2, b1=b1, b2=b2) def disable_freeu(self): """Disables the FreeU mechanism if enabled.""" self.unet.disable_freeu() # Copied from diffusers.pipelines.stable_diffusion_xl.pipeline_stable_diffusion_xl.StableDiffusionXLPipeline.fuse_qkv_projections def fuse_qkv_projections(self, unet: bool = True, vae: bool = True): """ Enables fused QKV projections. For self-attention modules, all projection matrices (i.e., query, key, value) are fused. For cross-attention modules, key and value projection matrices are fused. This API is 🧪 experimental. Args: unet (`bool`, defaults to `True`): To apply fusion on the UNet. vae (`bool`, defaults to `True`): To apply fusion on the VAE. """ self.fusing_unet = False self.fusing_vae = False if unet: self.fusing_unet = True self.unet.fuse_qkv_projections() self.unet.set_attn_processor(FusedAttnProcessor2_0()) if vae: if not isinstance(self.vae, AutoencoderKL): raise ValueError("`fuse_qkv_projections()` is only supported for the VAE of type `AutoencoderKL`.") self.fusing_vae = True self.vae.fuse_qkv_projections() self.vae.set_attn_processor(FusedAttnProcessor2_0()) # Copied from diffusers.pipelines.stable_diffusion_xl.pipeline_stable_diffusion_xl.StableDiffusionXLPipeline.unfuse_qkv_projections def unfuse_qkv_projections(self, unet: bool = True, vae: bool = True): """Disable QKV projection fusion if enabled. This API is 🧪 experimental. Args: unet (`bool`, defaults to `True`): To apply fusion on the UNet. vae (`bool`, defaults to `True`): To apply fusion on the VAE. """ if unet: if not self.fusing_unet: logger.warning("The UNet was not initially fused for QKV projections. Doing nothing.") else: self.unet.unfuse_qkv_projections() self.fusing_unet = False if vae: if not self.fusing_vae: logger.warning("The VAE was not initially fused for QKV projections. Doing nothing.") else: self.vae.unfuse_qkv_projections() self.fusing_vae = False # Copied from diffusers.pipelines.latent_consistency_models.pipeline_latent_consistency_text2img.LatentConsistencyModelPipeline.get_guidance_scale_embedding def get_guidance_scale_embedding(self, w, embedding_dim=512, dtype=torch.float32): """ See https://github.com/google-research/vdm/blob/dc27b98a554f65cdc654b800da5aa1846545d41b/model_vdm.py#L298 Args: timesteps (`torch.Tensor`): generate embedding vectors at these timesteps embedding_dim (`int`, *optional*, defaults to 512): dimension of the embeddings to generate dtype: data type of the generated embeddings Returns: `torch.FloatTensor`: Embedding vectors with shape `(len(timesteps), embedding_dim)` """ assert len(w.shape) == 1 w = w * 1000.0 half_dim = embedding_dim // 2 emb = torch.log(torch.tensor(10000.0)) / (half_dim - 1) emb = torch.exp(torch.arange(half_dim, dtype=dtype) * -emb) emb = w.to(dtype)[:, None] * emb[None, :] emb = torch.cat([torch.sin(emb), torch.cos(emb)], dim=1) if embedding_dim % 2 == 1: # zero pad emb = torch.nn.functional.pad(emb, (0, 1)) assert emb.shape == (w.shape[0], embedding_dim) return emb @property def guidance_scale(self): return self._guidance_scale @property def guidance_rescale(self): return self._guidance_rescale @property def clip_skip(self): return self._clip_skip # here `guidance_scale` is defined analog to the guidance weight `w` of equation (2) # of the Imagen paper: https://arxiv.org/pdf/2205.11487.pdf . `guidance_scale = 1` # corresponds to doing no classifier free guidance. @property def do_classifier_free_guidance(self): return self._guidance_scale > 1 and self.unet.config.time_cond_proj_dim is None @property def cross_attention_kwargs(self): return self._cross_attention_kwargs @property def num_timesteps(self): return self._num_timesteps @property def interrupt(self): return self._interrupt @torch.no_grad() @replace_example_docstring(EXAMPLE_DOC_STRING) def __call__( self, prompt: Union[str, List[str]] = None, height: Optional[int] = None, width: Optional[int] = None, num_inference_steps: int = 50, timesteps: List[int] = None, guidance_scale: float = 7.5, negative_prompt: Optional[Union[str, List[str]]] = None, num_images_per_prompt: Optional[int] = 1, eta: float = 0.0, generator: Optional[Union[torch.Generator, List[torch.Generator]]] = None, latents: Optional[torch.FloatTensor] = None, prompt_embeds: Optional[torch.FloatTensor] = None, negative_prompt_embeds: Optional[torch.FloatTensor] = None, ip_adapter_image: Optional[PipelineImageInput] = None, output_type: Optional[str] = "pil", return_dict: bool = True, cross_attention_kwargs: Optional[Dict[str, Any]] = None, guidance_rescale: float = 0.0, clip_skip: Optional[int] = None, callback_on_step_end: Optional[Callable[[int, int, Dict], None]] = None, callback_on_step_end_tensor_inputs: List[str] = ["latents"], lora_composite: bool = False, **kwargs, ): r""" The call function to the pipeline for generation. Args: prompt (`str` or `List[str]`, *optional*): The prompt or prompts to guide image generation. If not defined, you need to pass `prompt_embeds`. height (`int`, *optional*, defaults to `self.unet.config.sample_size * self.vae_scale_factor`): The height in pixels of the generated image. width (`int`, *optional*, defaults to `self.unet.config.sample_size * self.vae_scale_factor`): The width in pixels of the generated image. num_inference_steps (`int`, *optional*, defaults to 50): The number of denoising steps. More denoising steps usually lead to a higher quality image at the expense of slower inference. timesteps (`List[int]`, *optional*): Custom timesteps to use for the denoising process with schedulers which support a `timesteps` argument in their `set_timesteps` method. If not defined, the default behavior when `num_inference_steps` is passed will be used. Must be in descending order. guidance_scale (`float`, *optional*, defaults to 7.5): A higher guidance scale value encourages the model to generate images closely linked to the text `prompt` at the expense of lower image quality. Guidance scale is enabled when `guidance_scale > 1`. negative_prompt (`str` or `List[str]`, *optional*): The prompt or prompts to guide what to not include in image generation. If not defined, you need to pass `negative_prompt_embeds` instead. Ignored when not using guidance (`guidance_scale < 1`). num_images_per_prompt (`int`, *optional*, defaults to 1): The number of images to generate per prompt. eta (`float`, *optional*, defaults to 0.0): Corresponds to parameter eta (η) from the [DDIM](https://arxiv.org/abs/2010.02502) paper. Only applies to the [`~schedulers.DDIMScheduler`], and is ignored in other schedulers. generator (`torch.Generator` or `List[torch.Generator]`, *optional*): A [`torch.Generator`](https://pytorch.org/docs/stable/generated/torch.Generator.html) to make generation deterministic. latents (`torch.FloatTensor`, *optional*): Pre-generated noisy latents sampled from a Gaussian distribution, to be used as inputs for image generation. Can be used to tweak the same generation with different prompts. If not provided, a latents tensor is generated by sampling using the supplied random `generator`. prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated text embeddings. Can be used to easily tweak text inputs (prompt weighting). If not provided, text embeddings are generated from the `prompt` input argument. negative_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated negative text embeddings. Can be used to easily tweak text inputs (prompt weighting). If not provided, `negative_prompt_embeds` are generated from the `negative_prompt` input argument. ip_adapter_image: (`PipelineImageInput`, *optional*): Optional image input to work with IP Adapters. output_type (`str`, *optional*, defaults to `"pil"`): The output format of the generated image. Choose between `PIL.Image` or `np.array`. return_dict (`bool`, *optional*, defaults to `True`): Whether or not to return a [`~pipelines.stable_diffusion.StableDiffusionPipelineOutput`] instead of a plain tuple. cross_attention_kwargs (`dict`, *optional*): A kwargs dictionary that if specified is passed along to the [`AttentionProcessor`] as defined in [`self.processor`](https://github.com/huggingface/diffusers/blob/main/src/diffusers/models/attention_processor.py). guidance_rescale (`float`, *optional*, defaults to 0.0): Guidance rescale factor from [Common Diffusion Noise Schedules and Sample Steps are Flawed](https://arxiv.org/pdf/2305.08891.pdf). Guidance rescale factor should fix overexposure when using zero terminal SNR. clip_skip (`int`, *optional*): Number of layers to be skipped from CLIP while computing the prompt embeddings. A value of 1 means that the output of the pre-final layer will be used for computing the prompt embeddings. callback_on_step_end (`Callable`, *optional*): A function that calls at the end of each denoising steps during the inference. The function is called with the following arguments: `callback_on_step_end(self: DiffusionPipeline, step: int, timestep: int, callback_kwargs: Dict)`. `callback_kwargs` will include a list of all tensors as specified by `callback_on_step_end_tensor_inputs`. callback_on_step_end_tensor_inputs (`List`, *optional*): The list of tensor inputs for the `callback_on_step_end` function. The tensors specified in the list will be passed as `callback_kwargs` argument. You will only be able to include variables listed in the `._callback_tensor_inputs` attribute of your pipeline class. lora_composite (`bool`, *optional*, defaults to `False`): Whether to use the `LoRA Composite` method from the paper `Multi-LoRA Composition for Image Generation` to generate the image given multiple LoRAs. Examples: Returns: [`~pipelines.stable_diffusion.StableDiffusionPipelineOutput`] or `tuple`: If `return_dict` is `True`, [`~pipelines.stable_diffusion.StableDiffusionPipelineOutput`] is returned, otherwise a `tuple` is returned where the first element is a list with the generated images and the second element is a list of `bool`s indicating whether the corresponding generated image contains "not-safe-for-work" (nsfw) content. """ callback = kwargs.pop("callback", None) callback_steps = kwargs.pop("callback_steps", None) if callback is not None: deprecate( "callback", "1.0.0", "Passing `callback` as an input argument to `__call__` is deprecated, consider using `callback_on_step_end`", ) if callback_steps is not None: deprecate( "callback_steps", "1.0.0", "Passing `callback_steps` as an input argument to `__call__` is deprecated, consider using `callback_on_step_end`", ) # 0. Default height and width to unet height = height or self.unet.config.sample_size * self.vae_scale_factor width = width or self.unet.config.sample_size * self.vae_scale_factor # to deal with lora scaling and other possible forward hooks # 1. Check inputs. Raise error if not correct self.check_inputs( prompt, height, width, callback_steps, negative_prompt, prompt_embeds, negative_prompt_embeds, callback_on_step_end_tensor_inputs, ) self._guidance_scale = guidance_scale self._guidance_rescale = guidance_rescale self._clip_skip = clip_skip self._cross_attention_kwargs = cross_attention_kwargs self._interrupt = False # 2. Define call parameters if prompt is not None and isinstance(prompt, str): batch_size = 1 elif prompt is not None and isinstance(prompt, list): batch_size = len(prompt) else: batch_size = prompt_embeds.shape[0] device = self._execution_device # 3. Encode input prompt lora_scale = ( self.cross_attention_kwargs.get("scale", None) if self.cross_attention_kwargs is not None else None ) prompt_embeds, negative_prompt_embeds = self.encode_prompt( prompt, device, num_images_per_prompt, self.do_classifier_free_guidance, negative_prompt, prompt_embeds=prompt_embeds, negative_prompt_embeds=negative_prompt_embeds, lora_scale=lora_scale, clip_skip=self.clip_skip, ) # For classifier free guidance, we need to do two forward passes. # Here we concatenate the unconditional and text embeddings into a single batch # to avoid doing two forward passes if self.do_classifier_free_guidance: prompt_embeds = torch.cat([negative_prompt_embeds, prompt_embeds]) if ip_adapter_image is not None: image_embeds = self.prepare_ip_adapter_image_embeds( ip_adapter_image, device, batch_size * num_images_per_prompt ) # 4. Prepare timesteps timesteps, num_inference_steps = retrieve_timesteps(self.scheduler, num_inference_steps, device, timesteps) # 5. Prepare latent variables num_channels_latents = self.unet.config.in_channels latents = self.prepare_latents( batch_size * num_images_per_prompt, num_channels_latents, height, width, prompt_embeds.dtype, device, generator, latents, ) # 6. Prepare extra step kwargs. TODO: Logic should ideally just be moved out of the pipeline extra_step_kwargs = self.prepare_extra_step_kwargs(generator, eta) # 6.1 Add image embeds for IP-Adapter added_cond_kwargs = {"image_embeds": image_embeds} if ip_adapter_image is not None else None # 6.2 Optionally get Guidance Scale Embedding timestep_cond = None if self.unet.config.time_cond_proj_dim is not None: guidance_scale_tensor = torch.tensor(self.guidance_scale - 1).repeat(batch_size * num_images_per_prompt) timestep_cond = self.get_guidance_scale_embedding( guidance_scale_tensor, embedding_dim=self.unet.config.time_cond_proj_dim ).to(device=device, dtype=latents.dtype) # 7. Denoising loop num_warmup_steps = len(timesteps) - num_inference_steps * self.scheduler.order if lora_composite: adapters = self.get_active_adapters() self._num_timesteps = len(timesteps) with self.progress_bar(total=num_inference_steps) as progress_bar: for i, t in enumerate(timesteps): if self.interrupt: continue # expand the latents if we are doing classifier free guidance latent_model_input = torch.cat([latents] * 2) if self.do_classifier_free_guidance else latents latent_model_input = self.scheduler.scale_model_input(latent_model_input, t) # predict the noise residual if lora_composite: noise_preds = [] # get noise_pred conditioned on each lora self.enable_lora() for adapter in adapters: self.set_adapters(adapter) noise_pred = self.unet( latent_model_input, t, encoder_hidden_states=prompt_embeds, timestep_cond=timestep_cond, cross_attention_kwargs=self.cross_attention_kwargs, added_cond_kwargs=added_cond_kwargs, return_dict=False, )[0] noise_preds.append(noise_pred) else: noise_pred = self.unet( latent_model_input, t, encoder_hidden_states=prompt_embeds, timestep_cond=timestep_cond, cross_attention_kwargs=self.cross_attention_kwargs, added_cond_kwargs=added_cond_kwargs, return_dict=False, )[0] # perform guidance if self.do_classifier_free_guidance: if lora_composite: noise_preds = torch.stack(noise_preds, dim=0) noise_pred_uncond, noise_pred_text = noise_preds.chunk(2, dim=1) noise_pred_uncond = noise_pred_uncond.mean(dim=0) noise_pred_text = noise_pred_text.mean(dim=0) noise_pred = noise_pred_uncond + self.guidance_scale * (noise_pred_text - noise_pred_uncond) else: noise_pred_uncond, noise_pred_text = noise_pred.chunk(2) noise_pred = noise_pred_uncond + self.guidance_scale * (noise_pred_text - noise_pred_uncond) if self.do_classifier_free_guidance and self.guidance_rescale > 0.0: # Based on 3.4. in https://arxiv.org/pdf/2305.08891.pdf noise_pred = rescale_noise_cfg(noise_pred, noise_pred_text, guidance_rescale=self.guidance_rescale) # compute the previous noisy sample x_t -> x_t-1 latents = self.scheduler.step(noise_pred, t, latents, **extra_step_kwargs, return_dict=False)[0] if callback_on_step_end is not None: callback_kwargs = {} for k in callback_on_step_end_tensor_inputs: callback_kwargs[k] = locals()[k] callback_outputs = callback_on_step_end(self, i, t, callback_kwargs) latents = callback_outputs.pop("latents", latents) prompt_embeds = callback_outputs.pop("prompt_embeds", prompt_embeds) negative_prompt_embeds = callback_outputs.pop("negative_prompt_embeds", negative_prompt_embeds) # call the callback, if provided if i == len(timesteps) - 1 or ((i + 1) > num_warmup_steps and (i + 1) % self.scheduler.order == 0): progress_bar.update() if callback is not None and i % callback_steps == 0: step_idx = i // getattr(self.scheduler, "order", 1) callback(step_idx, t, latents) if not output_type == "latent": image = self.vae.decode(latents / self.vae.config.scaling_factor, return_dict=False, generator=generator)[ 0 ] image, has_nsfw_concept = self.run_safety_checker(image, device, prompt_embeds.dtype) else: image = latents has_nsfw_concept = None if has_nsfw_concept is None: do_denormalize = [True] * image.shape[0] else: do_denormalize = [not has_nsfw for has_nsfw in has_nsfw_concept] image = self.image_processor.postprocess(image, output_type=output_type, do_denormalize=do_denormalize) # Offload all models self.maybe_free_model_hooks() if not return_dict: return (image, has_nsfw_concept) return StableDiffusionPipelineOutput(images=image, nsfw_content_detected=has_nsfw_concept) ================================================ FILE: pipelines/sdxl_0.26.3/pipeline.py ================================================ # Copyright 2023 The HuggingFace Team. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import inspect from typing import Any, Callable, Dict, List, Optional, Tuple, Union import torch from transformers import ( CLIPImageProcessor, CLIPTextModel, CLIPTextModelWithProjection, CLIPTokenizer, CLIPVisionModelWithProjection, ) from diffusers.image_processor import PipelineImageInput, VaeImageProcessor from diffusers.loaders import ( FromSingleFileMixin, IPAdapterMixin, StableDiffusionXLLoraLoaderMixin, TextualInversionLoaderMixin, ) from diffusers.models import AutoencoderKL, ImageProjection, UNet2DConditionModel from diffusers.models.attention_processor import ( AttnProcessor2_0, FusedAttnProcessor2_0, LoRAAttnProcessor2_0, LoRAXFormersAttnProcessor, XFormersAttnProcessor, ) from diffusers.models.lora import adjust_lora_scale_text_encoder from diffusers.schedulers import KarrasDiffusionSchedulers from diffusers.utils import ( USE_PEFT_BACKEND, deprecate, is_invisible_watermark_available, is_torch_xla_available, logging, replace_example_docstring, scale_lora_layers, unscale_lora_layers, ) from diffusers.utils.torch_utils import randn_tensor from diffusers.pipelines.pipeline_utils import DiffusionPipeline from diffusers.pipelines.stable_diffusion_xl.pipeline_output import StableDiffusionXLPipelineOutput if is_invisible_watermark_available(): from .watermark import StableDiffusionXLWatermarker if is_torch_xla_available(): import torch_xla.core.xla_model as xm XLA_AVAILABLE = True else: XLA_AVAILABLE = False logger = logging.get_logger(__name__) # pylint: disable=invalid-name EXAMPLE_DOC_STRING = """ Examples: ```py >>> import torch >>> from diffusers import StableDiffusionXLPipeline >>> pipe = StableDiffusionXLPipeline.from_pretrained( ... "stabilityai/stable-diffusion-xl-base-1.0", torch_dtype=torch.float16 ... ) >>> pipe = pipe.to("cuda") >>> prompt = "a photo of an astronaut riding a horse on mars" >>> image = pipe(prompt).images[0] ``` """ # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.rescale_noise_cfg def rescale_noise_cfg(noise_cfg, noise_pred_text, guidance_rescale=0.0): """ Rescale `noise_cfg` according to `guidance_rescale`. Based on findings of [Common Diffusion Noise Schedules and Sample Steps are Flawed](https://arxiv.org/pdf/2305.08891.pdf). See Section 3.4 """ std_text = noise_pred_text.std(dim=list(range(1, noise_pred_text.ndim)), keepdim=True) std_cfg = noise_cfg.std(dim=list(range(1, noise_cfg.ndim)), keepdim=True) # rescale the results from guidance (fixes overexposure) noise_pred_rescaled = noise_cfg * (std_text / std_cfg) # mix with the original results from guidance by factor guidance_rescale to avoid "plain looking" images noise_cfg = guidance_rescale * noise_pred_rescaled + (1 - guidance_rescale) * noise_cfg return noise_cfg # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.retrieve_timesteps def retrieve_timesteps( scheduler, num_inference_steps: Optional[int] = None, device: Optional[Union[str, torch.device]] = None, timesteps: Optional[List[int]] = None, **kwargs, ): """ Calls the scheduler's `set_timesteps` method and retrieves timesteps from the scheduler after the call. Handles custom timesteps. Any kwargs will be supplied to `scheduler.set_timesteps`. Args: scheduler (`SchedulerMixin`): The scheduler to get timesteps from. num_inference_steps (`int`): The number of diffusion steps used when generating samples with a pre-trained model. If used, `timesteps` must be `None`. device (`str` or `torch.device`, *optional*): The device to which the timesteps should be moved to. If `None`, the timesteps are not moved. timesteps (`List[int]`, *optional*): Custom timesteps used to support arbitrary spacing between timesteps. If `None`, then the default timestep spacing strategy of the scheduler is used. If `timesteps` is passed, `num_inference_steps` must be `None`. Returns: `Tuple[torch.Tensor, int]`: A tuple where the first element is the timestep schedule from the scheduler and the second element is the number of inference steps. """ if timesteps is not None: accepts_timesteps = "timesteps" in set(inspect.signature(scheduler.set_timesteps).parameters.keys()) if not accepts_timesteps: raise ValueError( f"The current scheduler class {scheduler.__class__}'s `set_timesteps` does not support custom" f" timestep schedules. Please check whether you are using the correct scheduler." ) scheduler.set_timesteps(timesteps=timesteps, device=device, **kwargs) timesteps = scheduler.timesteps num_inference_steps = len(timesteps) else: scheduler.set_timesteps(num_inference_steps, device=device, **kwargs) timesteps = scheduler.timesteps return timesteps, num_inference_steps class StableDiffusionXLPipeline( DiffusionPipeline, FromSingleFileMixin, StableDiffusionXLLoraLoaderMixin, TextualInversionLoaderMixin, IPAdapterMixin, ): r""" Pipeline for text-to-image generation using Stable Diffusion XL. This model inherits from [`DiffusionPipeline`]. Check the superclass documentation for the generic methods the library implements for all the pipelines (such as downloading or saving, running on a particular device, etc.) The pipeline also inherits the following loading methods: - [`~loaders.TextualInversionLoaderMixin.load_textual_inversion`] for loading textual inversion embeddings - [`~loaders.FromSingleFileMixin.from_single_file`] for loading `.ckpt` files - [`~loaders.StableDiffusionXLLoraLoaderMixin.load_lora_weights`] for loading LoRA weights - [`~loaders.StableDiffusionXLLoraLoaderMixin.save_lora_weights`] for saving LoRA weights - [`~loaders.IPAdapterMixin.load_ip_adapter`] for loading IP Adapters Args: vae ([`AutoencoderKL`]): Variational Auto-Encoder (VAE) Model to encode and decode images to and from latent representations. text_encoder ([`CLIPTextModel`]): Frozen text-encoder. Stable Diffusion XL uses the text portion of [CLIP](https://huggingface.co/docs/transformers/model_doc/clip#transformers.CLIPTextModel), specifically the [clip-vit-large-patch14](https://huggingface.co/openai/clip-vit-large-patch14) variant. text_encoder_2 ([` CLIPTextModelWithProjection`]): Second frozen text-encoder. Stable Diffusion XL uses the text and pool portion of [CLIP](https://huggingface.co/docs/transformers/model_doc/clip#transformers.CLIPTextModelWithProjection), specifically the [laion/CLIP-ViT-bigG-14-laion2B-39B-b160k](https://huggingface.co/laion/CLIP-ViT-bigG-14-laion2B-39B-b160k) variant. tokenizer (`CLIPTokenizer`): Tokenizer of class [CLIPTokenizer](https://huggingface.co/docs/transformers/v4.21.0/en/model_doc/clip#transformers.CLIPTokenizer). tokenizer_2 (`CLIPTokenizer`): Second Tokenizer of class [CLIPTokenizer](https://huggingface.co/docs/transformers/v4.21.0/en/model_doc/clip#transformers.CLIPTokenizer). unet ([`UNet2DConditionModel`]): Conditional U-Net architecture to denoise the encoded image latents. scheduler ([`SchedulerMixin`]): A scheduler to be used in combination with `unet` to denoise the encoded image latents. Can be one of [`DDIMScheduler`], [`LMSDiscreteScheduler`], or [`PNDMScheduler`]. force_zeros_for_empty_prompt (`bool`, *optional*, defaults to `"True"`): Whether the negative prompt embeddings shall be forced to always be set to 0. Also see the config of `stabilityai/stable-diffusion-xl-base-1-0`. add_watermarker (`bool`, *optional*): Whether to use the [invisible_watermark library](https://github.com/ShieldMnt/invisible-watermark/) to watermark output images. If not defined, it will default to True if the package is installed, otherwise no watermarker will be used. """ model_cpu_offload_seq = "text_encoder->text_encoder_2->image_encoder->unet->vae" _optional_components = [ "tokenizer", "tokenizer_2", "text_encoder", "text_encoder_2", "image_encoder", "feature_extractor", ] _callback_tensor_inputs = [ "latents", "prompt_embeds", "negative_prompt_embeds", "add_text_embeds", "add_time_ids", "negative_pooled_prompt_embeds", "negative_add_time_ids", ] def __init__( self, vae: AutoencoderKL, text_encoder: CLIPTextModel, text_encoder_2: CLIPTextModelWithProjection, tokenizer: CLIPTokenizer, tokenizer_2: CLIPTokenizer, unet: UNet2DConditionModel, scheduler: KarrasDiffusionSchedulers, image_encoder: CLIPVisionModelWithProjection = None, feature_extractor: CLIPImageProcessor = None, force_zeros_for_empty_prompt: bool = True, add_watermarker: Optional[bool] = None, ): super().__init__() self.register_modules( vae=vae, text_encoder=text_encoder, text_encoder_2=text_encoder_2, tokenizer=tokenizer, tokenizer_2=tokenizer_2, unet=unet, scheduler=scheduler, image_encoder=image_encoder, feature_extractor=feature_extractor, ) self.register_to_config(force_zeros_for_empty_prompt=force_zeros_for_empty_prompt) self.vae_scale_factor = 2 ** (len(self.vae.config.block_out_channels) - 1) self.image_processor = VaeImageProcessor(vae_scale_factor=self.vae_scale_factor) self.default_sample_size = self.unet.config.sample_size add_watermarker = add_watermarker if add_watermarker is not None else is_invisible_watermark_available() if add_watermarker: self.watermark = StableDiffusionXLWatermarker() else: self.watermark = None # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.enable_vae_slicing def enable_vae_slicing(self): r""" Enable sliced VAE decoding. When this option is enabled, the VAE will split the input tensor in slices to compute decoding in several steps. This is useful to save some memory and allow larger batch sizes. """ self.vae.enable_slicing() # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.disable_vae_slicing def disable_vae_slicing(self): r""" Disable sliced VAE decoding. If `enable_vae_slicing` was previously enabled, this method will go back to computing decoding in one step. """ self.vae.disable_slicing() # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.enable_vae_tiling def enable_vae_tiling(self): r""" Enable tiled VAE decoding. When this option is enabled, the VAE will split the input tensor into tiles to compute decoding and encoding in several steps. This is useful for saving a large amount of memory and to allow processing larger images. """ self.vae.enable_tiling() # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.disable_vae_tiling def disable_vae_tiling(self): r""" Disable tiled VAE decoding. If `enable_vae_tiling` was previously enabled, this method will go back to computing decoding in one step. """ self.vae.disable_tiling() def encode_prompt( self, prompt: str, prompt_2: Optional[str] = None, device: Optional[torch.device] = None, num_images_per_prompt: int = 1, do_classifier_free_guidance: bool = True, negative_prompt: Optional[str] = None, negative_prompt_2: Optional[str] = None, prompt_embeds: Optional[torch.FloatTensor] = None, negative_prompt_embeds: Optional[torch.FloatTensor] = None, pooled_prompt_embeds: Optional[torch.FloatTensor] = None, negative_pooled_prompt_embeds: Optional[torch.FloatTensor] = None, lora_scale: Optional[float] = None, clip_skip: Optional[int] = None, ): r""" Encodes the prompt into text encoder hidden states. Args: prompt (`str` or `List[str]`, *optional*): prompt to be encoded prompt_2 (`str` or `List[str]`, *optional*): The prompt or prompts to be sent to the `tokenizer_2` and `text_encoder_2`. If not defined, `prompt` is used in both text-encoders device: (`torch.device`): torch device num_images_per_prompt (`int`): number of images that should be generated per prompt do_classifier_free_guidance (`bool`): whether to use classifier free guidance or not negative_prompt (`str` or `List[str]`, *optional*): The prompt or prompts not to guide the image generation. If not defined, one has to pass `negative_prompt_embeds` instead. Ignored when not using guidance (i.e., ignored if `guidance_scale` is less than `1`). negative_prompt_2 (`str` or `List[str]`, *optional*): The prompt or prompts not to guide the image generation to be sent to `tokenizer_2` and `text_encoder_2`. If not defined, `negative_prompt` is used in both text-encoders prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, text embeddings will be generated from `prompt` input argument. negative_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated negative text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, negative_prompt_embeds will be generated from `negative_prompt` input argument. pooled_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated pooled text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, pooled text embeddings will be generated from `prompt` input argument. negative_pooled_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated negative pooled text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, pooled negative_prompt_embeds will be generated from `negative_prompt` input argument. lora_scale (`float`, *optional*): A lora scale that will be applied to all LoRA layers of the text encoder if LoRA layers are loaded. clip_skip (`int`, *optional*): Number of layers to be skipped from CLIP while computing the prompt embeddings. A value of 1 means that the output of the pre-final layer will be used for computing the prompt embeddings. """ device = device or self._execution_device # set lora scale so that monkey patched LoRA # function of text encoder can correctly access it if lora_scale is not None and isinstance(self, StableDiffusionXLLoraLoaderMixin): self._lora_scale = lora_scale # dynamically adjust the LoRA scale if self.text_encoder is not None: if not USE_PEFT_BACKEND: adjust_lora_scale_text_encoder(self.text_encoder, lora_scale) else: scale_lora_layers(self.text_encoder, lora_scale) if self.text_encoder_2 is not None: if not USE_PEFT_BACKEND: adjust_lora_scale_text_encoder(self.text_encoder_2, lora_scale) else: scale_lora_layers(self.text_encoder_2, lora_scale) prompt = [prompt] if isinstance(prompt, str) else prompt if prompt is not None: batch_size = len(prompt) else: batch_size = prompt_embeds.shape[0] # Define tokenizers and text encoders tokenizers = [self.tokenizer, self.tokenizer_2] if self.tokenizer is not None else [self.tokenizer_2] text_encoders = ( [self.text_encoder, self.text_encoder_2] if self.text_encoder is not None else [self.text_encoder_2] ) if prompt_embeds is None: prompt_2 = prompt_2 or prompt prompt_2 = [prompt_2] if isinstance(prompt_2, str) else prompt_2 # textual inversion: procecss multi-vector tokens if necessary prompt_embeds_list = [] prompts = [prompt, prompt_2] for prompt, tokenizer, text_encoder in zip(prompts, tokenizers, text_encoders): if isinstance(self, TextualInversionLoaderMixin): prompt = self.maybe_convert_prompt(prompt, tokenizer) text_inputs = tokenizer( prompt, padding="max_length", max_length=tokenizer.model_max_length, truncation=True, return_tensors="pt", ) text_input_ids = text_inputs.input_ids untruncated_ids = tokenizer(prompt, padding="longest", return_tensors="pt").input_ids if untruncated_ids.shape[-1] >= text_input_ids.shape[-1] and not torch.equal( text_input_ids, untruncated_ids ): removed_text = tokenizer.batch_decode(untruncated_ids[:, tokenizer.model_max_length - 1 : -1]) logger.warning( "The following part of your input was truncated because CLIP can only handle sequences up to" f" {tokenizer.model_max_length} tokens: {removed_text}" ) prompt_embeds = text_encoder(text_input_ids.to(device), output_hidden_states=True) # We are only ALWAYS interested in the pooled output of the final text encoder pooled_prompt_embeds = prompt_embeds[0] if clip_skip is None: prompt_embeds = prompt_embeds.hidden_states[-2] else: # "2" because SDXL always indexes from the penultimate layer. prompt_embeds = prompt_embeds.hidden_states[-(clip_skip + 2)] prompt_embeds_list.append(prompt_embeds) prompt_embeds = torch.concat(prompt_embeds_list, dim=-1) # get unconditional embeddings for classifier free guidance zero_out_negative_prompt = negative_prompt is None and self.config.force_zeros_for_empty_prompt if do_classifier_free_guidance and negative_prompt_embeds is None and zero_out_negative_prompt: negative_prompt_embeds = torch.zeros_like(prompt_embeds) negative_pooled_prompt_embeds = torch.zeros_like(pooled_prompt_embeds) elif do_classifier_free_guidance and negative_prompt_embeds is None: negative_prompt = negative_prompt or "" negative_prompt_2 = negative_prompt_2 or negative_prompt # normalize str to list negative_prompt = batch_size * [negative_prompt] if isinstance(negative_prompt, str) else negative_prompt negative_prompt_2 = ( batch_size * [negative_prompt_2] if isinstance(negative_prompt_2, str) else negative_prompt_2 ) uncond_tokens: List[str] if prompt is not None and type(prompt) is not type(negative_prompt): raise TypeError( f"`negative_prompt` should be the same type to `prompt`, but got {type(negative_prompt)} !=" f" {type(prompt)}." ) elif batch_size != len(negative_prompt): raise ValueError( f"`negative_prompt`: {negative_prompt} has batch size {len(negative_prompt)}, but `prompt`:" f" {prompt} has batch size {batch_size}. Please make sure that passed `negative_prompt` matches" " the batch size of `prompt`." ) else: uncond_tokens = [negative_prompt, negative_prompt_2] negative_prompt_embeds_list = [] for negative_prompt, tokenizer, text_encoder in zip(uncond_tokens, tokenizers, text_encoders): if isinstance(self, TextualInversionLoaderMixin): negative_prompt = self.maybe_convert_prompt(negative_prompt, tokenizer) max_length = prompt_embeds.shape[1] uncond_input = tokenizer( negative_prompt, padding="max_length", max_length=max_length, truncation=True, return_tensors="pt", ) negative_prompt_embeds = text_encoder( uncond_input.input_ids.to(device), output_hidden_states=True, ) # We are only ALWAYS interested in the pooled output of the final text encoder negative_pooled_prompt_embeds = negative_prompt_embeds[0] negative_prompt_embeds = negative_prompt_embeds.hidden_states[-2] negative_prompt_embeds_list.append(negative_prompt_embeds) negative_prompt_embeds = torch.concat(negative_prompt_embeds_list, dim=-1) if self.text_encoder_2 is not None: prompt_embeds = prompt_embeds.to(dtype=self.text_encoder_2.dtype, device=device) else: prompt_embeds = prompt_embeds.to(dtype=self.unet.dtype, device=device) bs_embed, seq_len, _ = prompt_embeds.shape # duplicate text embeddings for each generation per prompt, using mps friendly method prompt_embeds = prompt_embeds.repeat(1, num_images_per_prompt, 1) prompt_embeds = prompt_embeds.view(bs_embed * num_images_per_prompt, seq_len, -1) if do_classifier_free_guidance: # duplicate unconditional embeddings for each generation per prompt, using mps friendly method seq_len = negative_prompt_embeds.shape[1] if self.text_encoder_2 is not None: negative_prompt_embeds = negative_prompt_embeds.to(dtype=self.text_encoder_2.dtype, device=device) else: negative_prompt_embeds = negative_prompt_embeds.to(dtype=self.unet.dtype, device=device) negative_prompt_embeds = negative_prompt_embeds.repeat(1, num_images_per_prompt, 1) negative_prompt_embeds = negative_prompt_embeds.view(batch_size * num_images_per_prompt, seq_len, -1) pooled_prompt_embeds = pooled_prompt_embeds.repeat(1, num_images_per_prompt).view( bs_embed * num_images_per_prompt, -1 ) if do_classifier_free_guidance: negative_pooled_prompt_embeds = negative_pooled_prompt_embeds.repeat(1, num_images_per_prompt).view( bs_embed * num_images_per_prompt, -1 ) if self.text_encoder is not None: if isinstance(self, StableDiffusionXLLoraLoaderMixin) and USE_PEFT_BACKEND: # Retrieve the original scale by scaling back the LoRA layers unscale_lora_layers(self.text_encoder, lora_scale) if self.text_encoder_2 is not None: if isinstance(self, StableDiffusionXLLoraLoaderMixin) and USE_PEFT_BACKEND: # Retrieve the original scale by scaling back the LoRA layers unscale_lora_layers(self.text_encoder_2, lora_scale) return prompt_embeds, negative_prompt_embeds, pooled_prompt_embeds, negative_pooled_prompt_embeds # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.encode_image def encode_image(self, image, device, num_images_per_prompt, output_hidden_states=None): dtype = next(self.image_encoder.parameters()).dtype if not isinstance(image, torch.Tensor): image = self.feature_extractor(image, return_tensors="pt").pixel_values image = image.to(device=device, dtype=dtype) if output_hidden_states: image_enc_hidden_states = self.image_encoder(image, output_hidden_states=True).hidden_states[-2] image_enc_hidden_states = image_enc_hidden_states.repeat_interleave(num_images_per_prompt, dim=0) uncond_image_enc_hidden_states = self.image_encoder( torch.zeros_like(image), output_hidden_states=True ).hidden_states[-2] uncond_image_enc_hidden_states = uncond_image_enc_hidden_states.repeat_interleave( num_images_per_prompt, dim=0 ) return image_enc_hidden_states, uncond_image_enc_hidden_states else: image_embeds = self.image_encoder(image).image_embeds image_embeds = image_embeds.repeat_interleave(num_images_per_prompt, dim=0) uncond_image_embeds = torch.zeros_like(image_embeds) return image_embeds, uncond_image_embeds # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.prepare_ip_adapter_image_embeds def prepare_ip_adapter_image_embeds(self, ip_adapter_image, device, num_images_per_prompt): if not isinstance(ip_adapter_image, list): ip_adapter_image = [ip_adapter_image] if len(ip_adapter_image) != len(self.unet.encoder_hid_proj.image_projection_layers): raise ValueError( f"`ip_adapter_image` must have same length as the number of IP Adapters. Got {len(ip_adapter_image)} images and {len(self.unet.encoder_hid_proj.image_projection_layers)} IP Adapters." ) image_embeds = [] for single_ip_adapter_image, image_proj_layer in zip( ip_adapter_image, self.unet.encoder_hid_proj.image_projection_layers ): output_hidden_state = not isinstance(image_proj_layer, ImageProjection) single_image_embeds, single_negative_image_embeds = self.encode_image( single_ip_adapter_image, device, 1, output_hidden_state ) single_image_embeds = torch.stack([single_image_embeds] * num_images_per_prompt, dim=0) single_negative_image_embeds = torch.stack([single_negative_image_embeds] * num_images_per_prompt, dim=0) if self.do_classifier_free_guidance: single_image_embeds = torch.cat([single_negative_image_embeds, single_image_embeds]) single_image_embeds = single_image_embeds.to(device) image_embeds.append(single_image_embeds) return image_embeds # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.prepare_extra_step_kwargs def prepare_extra_step_kwargs(self, generator, eta): # prepare extra kwargs for the scheduler step, since not all schedulers have the same signature # eta (η) is only used with the DDIMScheduler, it will be ignored for other schedulers. # eta corresponds to η in DDIM paper: https://arxiv.org/abs/2010.02502 # and should be between [0, 1] accepts_eta = "eta" in set(inspect.signature(self.scheduler.step).parameters.keys()) extra_step_kwargs = {} if accepts_eta: extra_step_kwargs["eta"] = eta # check if the scheduler accepts generator accepts_generator = "generator" in set(inspect.signature(self.scheduler.step).parameters.keys()) if accepts_generator: extra_step_kwargs["generator"] = generator return extra_step_kwargs def check_inputs( self, prompt, prompt_2, height, width, callback_steps, negative_prompt=None, negative_prompt_2=None, prompt_embeds=None, negative_prompt_embeds=None, pooled_prompt_embeds=None, negative_pooled_prompt_embeds=None, callback_on_step_end_tensor_inputs=None, ): if height % 8 != 0 or width % 8 != 0: raise ValueError(f"`height` and `width` have to be divisible by 8 but are {height} and {width}.") if callback_steps is not None and (not isinstance(callback_steps, int) or callback_steps <= 0): raise ValueError( f"`callback_steps` has to be a positive integer but is {callback_steps} of type" f" {type(callback_steps)}." ) if callback_on_step_end_tensor_inputs is not None and not all( k in self._callback_tensor_inputs for k in callback_on_step_end_tensor_inputs ): raise ValueError( f"`callback_on_step_end_tensor_inputs` has to be in {self._callback_tensor_inputs}, but found {[k for k in callback_on_step_end_tensor_inputs if k not in self._callback_tensor_inputs]}" ) if prompt is not None and prompt_embeds is not None: raise ValueError( f"Cannot forward both `prompt`: {prompt} and `prompt_embeds`: {prompt_embeds}. Please make sure to" " only forward one of the two." ) elif prompt_2 is not None and prompt_embeds is not None: raise ValueError( f"Cannot forward both `prompt_2`: {prompt_2} and `prompt_embeds`: {prompt_embeds}. Please make sure to" " only forward one of the two." ) elif prompt is None and prompt_embeds is None: raise ValueError( "Provide either `prompt` or `prompt_embeds`. Cannot leave both `prompt` and `prompt_embeds` undefined." ) elif prompt is not None and (not isinstance(prompt, str) and not isinstance(prompt, list)): raise ValueError(f"`prompt` has to be of type `str` or `list` but is {type(prompt)}") elif prompt_2 is not None and (not isinstance(prompt_2, str) and not isinstance(prompt_2, list)): raise ValueError(f"`prompt_2` has to be of type `str` or `list` but is {type(prompt_2)}") if negative_prompt is not None and negative_prompt_embeds is not None: raise ValueError( f"Cannot forward both `negative_prompt`: {negative_prompt} and `negative_prompt_embeds`:" f" {negative_prompt_embeds}. Please make sure to only forward one of the two." ) elif negative_prompt_2 is not None and negative_prompt_embeds is not None: raise ValueError( f"Cannot forward both `negative_prompt_2`: {negative_prompt_2} and `negative_prompt_embeds`:" f" {negative_prompt_embeds}. Please make sure to only forward one of the two." ) if prompt_embeds is not None and negative_prompt_embeds is not None: if prompt_embeds.shape != negative_prompt_embeds.shape: raise ValueError( "`prompt_embeds` and `negative_prompt_embeds` must have the same shape when passed directly, but" f" got: `prompt_embeds` {prompt_embeds.shape} != `negative_prompt_embeds`" f" {negative_prompt_embeds.shape}." ) if prompt_embeds is not None and pooled_prompt_embeds is None: raise ValueError( "If `prompt_embeds` are provided, `pooled_prompt_embeds` also have to be passed. Make sure to generate `pooled_prompt_embeds` from the same text encoder that was used to generate `prompt_embeds`." ) if negative_prompt_embeds is not None and negative_pooled_prompt_embeds is None: raise ValueError( "If `negative_prompt_embeds` are provided, `negative_pooled_prompt_embeds` also have to be passed. Make sure to generate `negative_pooled_prompt_embeds` from the same text encoder that was used to generate `negative_prompt_embeds`." ) # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.prepare_latents def prepare_latents(self, batch_size, num_channels_latents, height, width, dtype, device, generator, latents=None): shape = (batch_size, num_channels_latents, height // self.vae_scale_factor, width // self.vae_scale_factor) if isinstance(generator, list) and len(generator) != batch_size: raise ValueError( f"You have passed a list of generators of length {len(generator)}, but requested an effective batch" f" size of {batch_size}. Make sure the batch size matches the length of the generators." ) if latents is None: latents = randn_tensor(shape, generator=generator, device=device, dtype=dtype) else: latents = latents.to(device) # scale the initial noise by the standard deviation required by the scheduler latents = latents * self.scheduler.init_noise_sigma return latents def _get_add_time_ids( self, original_size, crops_coords_top_left, target_size, dtype, text_encoder_projection_dim=None ): add_time_ids = list(original_size + crops_coords_top_left + target_size) passed_add_embed_dim = ( self.unet.config.addition_time_embed_dim * len(add_time_ids) + text_encoder_projection_dim ) expected_add_embed_dim = self.unet.add_embedding.linear_1.in_features if expected_add_embed_dim != passed_add_embed_dim: raise ValueError( f"Model expects an added time embedding vector of length {expected_add_embed_dim}, but a vector of {passed_add_embed_dim} was created. The model has an incorrect config. Please check `unet.config.time_embedding_type` and `text_encoder_2.config.projection_dim`." ) add_time_ids = torch.tensor([add_time_ids], dtype=dtype) return add_time_ids def upcast_vae(self): dtype = self.vae.dtype self.vae.to(dtype=torch.float32) use_torch_2_0_or_xformers = isinstance( self.vae.decoder.mid_block.attentions[0].processor, ( AttnProcessor2_0, XFormersAttnProcessor, LoRAXFormersAttnProcessor, LoRAAttnProcessor2_0, FusedAttnProcessor2_0, ), ) # if xformers or torch_2_0 is used attention block does not need # to be in float32 which can save lots of memory if use_torch_2_0_or_xformers: self.vae.post_quant_conv.to(dtype) self.vae.decoder.conv_in.to(dtype) self.vae.decoder.mid_block.to(dtype) # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.enable_freeu def enable_freeu(self, s1: float, s2: float, b1: float, b2: float): r"""Enables the FreeU mechanism as in https://arxiv.org/abs/2309.11497. The suffixes after the scaling factors represent the stages where they are being applied. Please refer to the [official repository](https://github.com/ChenyangSi/FreeU) for combinations of the values that are known to work well for different pipelines such as Stable Diffusion v1, v2, and Stable Diffusion XL. Args: s1 (`float`): Scaling factor for stage 1 to attenuate the contributions of the skip features. This is done to mitigate "oversmoothing effect" in the enhanced denoising process. s2 (`float`): Scaling factor for stage 2 to attenuate the contributions of the skip features. This is done to mitigate "oversmoothing effect" in the enhanced denoising process. b1 (`float`): Scaling factor for stage 1 to amplify the contributions of backbone features. b2 (`float`): Scaling factor for stage 2 to amplify the contributions of backbone features. """ if not hasattr(self, "unet"): raise ValueError("The pipeline must have `unet` for using FreeU.") self.unet.enable_freeu(s1=s1, s2=s2, b1=b1, b2=b2) # Copied from diffusers.pipelines.stable_diffusion.pipeline_stable_diffusion.StableDiffusionPipeline.disable_freeu def disable_freeu(self): """Disables the FreeU mechanism if enabled.""" self.unet.disable_freeu() def fuse_qkv_projections(self, unet: bool = True, vae: bool = True): """ Enables fused QKV projections. For self-attention modules, all projection matrices (i.e., query, key, value) are fused. For cross-attention modules, key and value projection matrices are fused. This API is 🧪 experimental. Args: unet (`bool`, defaults to `True`): To apply fusion on the UNet. vae (`bool`, defaults to `True`): To apply fusion on the VAE. """ self.fusing_unet = False self.fusing_vae = False if unet: self.fusing_unet = True self.unet.fuse_qkv_projections() self.unet.set_attn_processor(FusedAttnProcessor2_0()) if vae: if not isinstance(self.vae, AutoencoderKL): raise ValueError("`fuse_qkv_projections()` is only supported for the VAE of type `AutoencoderKL`.") self.fusing_vae = True self.vae.fuse_qkv_projections() self.vae.set_attn_processor(FusedAttnProcessor2_0()) def unfuse_qkv_projections(self, unet: bool = True, vae: bool = True): """Disable QKV projection fusion if enabled. This API is 🧪 experimental. Args: unet (`bool`, defaults to `True`): To apply fusion on the UNet. vae (`bool`, defaults to `True`): To apply fusion on the VAE. """ if unet: if not self.fusing_unet: logger.warning("The UNet was not initially fused for QKV projections. Doing nothing.") else: self.unet.unfuse_qkv_projections() self.fusing_unet = False if vae: if not self.fusing_vae: logger.warning("The VAE was not initially fused for QKV projections. Doing nothing.") else: self.vae.unfuse_qkv_projections() self.fusing_vae = False # Copied from diffusers.pipelines.latent_consistency_models.pipeline_latent_consistency_text2img.LatentConsistencyModelPipeline.get_guidance_scale_embedding def get_guidance_scale_embedding(self, w, embedding_dim=512, dtype=torch.float32): """ See https://github.com/google-research/vdm/blob/dc27b98a554f65cdc654b800da5aa1846545d41b/model_vdm.py#L298 Args: timesteps (`torch.Tensor`): generate embedding vectors at these timesteps embedding_dim (`int`, *optional*, defaults to 512): dimension of the embeddings to generate dtype: data type of the generated embeddings Returns: `torch.FloatTensor`: Embedding vectors with shape `(len(timesteps), embedding_dim)` """ assert len(w.shape) == 1 w = w * 1000.0 half_dim = embedding_dim // 2 emb = torch.log(torch.tensor(10000.0)) / (half_dim - 1) emb = torch.exp(torch.arange(half_dim, dtype=dtype) * -emb) emb = w.to(dtype)[:, None] * emb[None, :] emb = torch.cat([torch.sin(emb), torch.cos(emb)], dim=1) if embedding_dim % 2 == 1: # zero pad emb = torch.nn.functional.pad(emb, (0, 1)) assert emb.shape == (w.shape[0], embedding_dim) return emb @property def guidance_scale(self): return self._guidance_scale @property def guidance_rescale(self): return self._guidance_rescale @property def clip_skip(self): return self._clip_skip # here `guidance_scale` is defined analog to the guidance weight `w` of equation (2) # of the Imagen paper: https://arxiv.org/pdf/2205.11487.pdf . `guidance_scale = 1` # corresponds to doing no classifier free guidance. @property def do_classifier_free_guidance(self): return self._guidance_scale > 1 and self.unet.config.time_cond_proj_dim is None @property def cross_attention_kwargs(self): return self._cross_attention_kwargs @property def denoising_end(self): return self._denoising_end @property def num_timesteps(self): return self._num_timesteps @property def interrupt(self): return self._interrupt @torch.no_grad() @replace_example_docstring(EXAMPLE_DOC_STRING) def __call__( self, prompt: Union[str, List[str]] = None, prompt_2: Optional[Union[str, List[str]]] = None, height: Optional[int] = None, width: Optional[int] = None, num_inference_steps: int = 50, timesteps: List[int] = None, denoising_end: Optional[float] = None, guidance_scale: float = 5.0, negative_prompt: Optional[Union[str, List[str]]] = None, negative_prompt_2: Optional[Union[str, List[str]]] = None, num_images_per_prompt: Optional[int] = 1, eta: float = 0.0, generator: Optional[Union[torch.Generator, List[torch.Generator]]] = None, latents: Optional[torch.FloatTensor] = None, prompt_embeds: Optional[torch.FloatTensor] = None, negative_prompt_embeds: Optional[torch.FloatTensor] = None, pooled_prompt_embeds: Optional[torch.FloatTensor] = None, negative_pooled_prompt_embeds: Optional[torch.FloatTensor] = None, ip_adapter_image: Optional[PipelineImageInput] = None, output_type: Optional[str] = "pil", return_dict: bool = True, cross_attention_kwargs: Optional[Dict[str, Any]] = None, guidance_rescale: float = 0.0, original_size: Optional[Tuple[int, int]] = None, crops_coords_top_left: Tuple[int, int] = (0, 0), target_size: Optional[Tuple[int, int]] = None, negative_original_size: Optional[Tuple[int, int]] = None, negative_crops_coords_top_left: Tuple[int, int] = (0, 0), negative_target_size: Optional[Tuple[int, int]] = None, clip_skip: Optional[int] = None, callback_on_step_end: Optional[Callable[[int, int, Dict], None]] = None, callback_on_step_end_tensor_inputs: List[str] = ["latents"], lora_composite: bool = False, **kwargs, ): r""" Function invoked when calling the pipeline for generation. Args: prompt (`str` or `List[str]`, *optional*): The prompt or prompts to guide the image generation. If not defined, one has to pass `prompt_embeds`. instead. prompt_2 (`str` or `List[str]`, *optional*): The prompt or prompts to be sent to the `tokenizer_2` and `text_encoder_2`. If not defined, `prompt` is used in both text-encoders height (`int`, *optional*, defaults to self.unet.config.sample_size * self.vae_scale_factor): The height in pixels of the generated image. This is set to 1024 by default for the best results. Anything below 512 pixels won't work well for [stabilityai/stable-diffusion-xl-base-1.0](https://huggingface.co/stabilityai/stable-diffusion-xl-base-1.0) and checkpoints that are not specifically fine-tuned on low resolutions. width (`int`, *optional*, defaults to self.unet.config.sample_size * self.vae_scale_factor): The width in pixels of the generated image. This is set to 1024 by default for the best results. Anything below 512 pixels won't work well for [stabilityai/stable-diffusion-xl-base-1.0](https://huggingface.co/stabilityai/stable-diffusion-xl-base-1.0) and checkpoints that are not specifically fine-tuned on low resolutions. num_inference_steps (`int`, *optional*, defaults to 50): The number of denoising steps. More denoising steps usually lead to a higher quality image at the expense of slower inference. timesteps (`List[int]`, *optional*): Custom timesteps to use for the denoising process with schedulers which support a `timesteps` argument in their `set_timesteps` method. If not defined, the default behavior when `num_inference_steps` is passed will be used. Must be in descending order. denoising_end (`float`, *optional*): When specified, determines the fraction (between 0.0 and 1.0) of the total denoising process to be completed before it is intentionally prematurely terminated. As a result, the returned sample will still retain a substantial amount of noise as determined by the discrete timesteps selected by the scheduler. The denoising_end parameter should ideally be utilized when this pipeline forms a part of a "Mixture of Denoisers" multi-pipeline setup, as elaborated in [**Refining the Image Output**](https://huggingface.co/docs/diffusers/api/pipelines/stable_diffusion/stable_diffusion_xl#refining-the-image-output) guidance_scale (`float`, *optional*, defaults to 5.0): Guidance scale as defined in [Classifier-Free Diffusion Guidance](https://arxiv.org/abs/2207.12598). `guidance_scale` is defined as `w` of equation 2. of [Imagen Paper](https://arxiv.org/pdf/2205.11487.pdf). Guidance scale is enabled by setting `guidance_scale > 1`. Higher guidance scale encourages to generate images that are closely linked to the text `prompt`, usually at the expense of lower image quality. negative_prompt (`str` or `List[str]`, *optional*): The prompt or prompts not to guide the image generation. If not defined, one has to pass `negative_prompt_embeds` instead. Ignored when not using guidance (i.e., ignored if `guidance_scale` is less than `1`). negative_prompt_2 (`str` or `List[str]`, *optional*): The prompt or prompts not to guide the image generation to be sent to `tokenizer_2` and `text_encoder_2`. If not defined, `negative_prompt` is used in both text-encoders num_images_per_prompt (`int`, *optional*, defaults to 1): The number of images to generate per prompt. eta (`float`, *optional*, defaults to 0.0): Corresponds to parameter eta (η) in the DDIM paper: https://arxiv.org/abs/2010.02502. Only applies to [`schedulers.DDIMScheduler`], will be ignored for others. generator (`torch.Generator` or `List[torch.Generator]`, *optional*): One or a list of [torch generator(s)](https://pytorch.org/docs/stable/generated/torch.Generator.html) to make generation deterministic. latents (`torch.FloatTensor`, *optional*): Pre-generated noisy latents, sampled from a Gaussian distribution, to be used as inputs for image generation. Can be used to tweak the same generation with different prompts. If not provided, a latents tensor will ge generated by sampling using the supplied random `generator`. prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, text embeddings will be generated from `prompt` input argument. negative_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated negative text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, negative_prompt_embeds will be generated from `negative_prompt` input argument. pooled_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated pooled text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, pooled text embeddings will be generated from `prompt` input argument. negative_pooled_prompt_embeds (`torch.FloatTensor`, *optional*): Pre-generated negative pooled text embeddings. Can be used to easily tweak text inputs, *e.g.* prompt weighting. If not provided, pooled negative_prompt_embeds will be generated from `negative_prompt` input argument. ip_adapter_image: (`PipelineImageInput`, *optional*): Optional image input to work with IP Adapters. output_type (`str`, *optional*, defaults to `"pil"`): The output format of the generate image. Choose between [PIL](https://pillow.readthedocs.io/en/stable/): `PIL.Image.Image` or `np.array`. return_dict (`bool`, *optional*, defaults to `True`): Whether or not to return a [`~pipelines.stable_diffusion_xl.StableDiffusionXLPipelineOutput`] instead of a plain tuple. cross_attention_kwargs (`dict`, *optional*): A kwargs dictionary that if specified is passed along to the `AttentionProcessor` as defined under `self.processor` in [diffusers.models.attention_processor](https://github.com/huggingface/diffusers/blob/main/src/diffusers/models/attention_processor.py). guidance_rescale (`float`, *optional*, defaults to 0.0): Guidance rescale factor proposed by [Common Diffusion Noise Schedules and Sample Steps are Flawed](https://arxiv.org/pdf/2305.08891.pdf) `guidance_scale` is defined as `φ` in equation 16. of [Common Diffusion Noise Schedules and Sample Steps are Flawed](https://arxiv.org/pdf/2305.08891.pdf). Guidance rescale factor should fix overexposure when using zero terminal SNR. original_size (`Tuple[int]`, *optional*, defaults to (1024, 1024)): If `original_size` is not the same as `target_size` the image will appear to be down- or upsampled. `original_size` defaults to `(height, width)` if not specified. Part of SDXL's micro-conditioning as explained in section 2.2 of [https://huggingface.co/papers/2307.01952](https://huggingface.co/papers/2307.01952). crops_coords_top_left (`Tuple[int]`, *optional*, defaults to (0, 0)): `crops_coords_top_left` can be used to generate an image that appears to be "cropped" from the position `crops_coords_top_left` downwards. Favorable, well-centered images are usually achieved by setting `crops_coords_top_left` to (0, 0). Part of SDXL's micro-conditioning as explained in section 2.2 of [https://huggingface.co/papers/2307.01952](https://huggingface.co/papers/2307.01952). target_size (`Tuple[int]`, *optional*, defaults to (1024, 1024)): For most cases, `target_size` should be set to the desired height and width of the generated image. If not specified it will default to `(height, width)`. Part of SDXL's micro-conditioning as explained in section 2.2 of [https://huggingface.co/papers/2307.01952](https://huggingface.co/papers/2307.01952). negative_original_size (`Tuple[int]`, *optional*, defaults to (1024, 1024)): To negatively condition the generation process based on a specific image resolution. Part of SDXL's micro-conditioning as explained in section 2.2 of [https://huggingface.co/papers/2307.01952](https://huggingface.co/papers/2307.01952). For more information, refer to this issue thread: https://github.com/huggingface/diffusers/issues/4208. negative_crops_coords_top_left (`Tuple[int]`, *optional*, defaults to (0, 0)): To negatively condition the generation process based on a specific crop coordinates. Part of SDXL's micro-conditioning as explained in section 2.2 of [https://huggingface.co/papers/2307.01952](https://huggingface.co/papers/2307.01952). For more information, refer to this issue thread: https://github.com/huggingface/diffusers/issues/4208. negative_target_size (`Tuple[int]`, *optional*, defaults to (1024, 1024)): To negatively condition the generation process based on a target image resolution. It should be as same as the `target_size` for most cases. Part of SDXL's micro-conditioning as explained in section 2.2 of [https://huggingface.co/papers/2307.01952](https://huggingface.co/papers/2307.01952). For more information, refer to this issue thread: https://github.com/huggingface/diffusers/issues/4208. callback_on_step_end (`Callable`, *optional*): A function that calls at the end of each denoising steps during the inference. The function is called with the following arguments: `callback_on_step_end(self: DiffusionPipeline, step: int, timestep: int, callback_kwargs: Dict)`. `callback_kwargs` will include a list of all tensors as specified by `callback_on_step_end_tensor_inputs`. callback_on_step_end_tensor_inputs (`List`, *optional*): The list of tensor inputs for the `callback_on_step_end` function. The tensors specified in the list will be passed as `callback_kwargs` argument. You will only be able to include variables listed in the `._callback_tensor_inputs` attribute of your pipeline class. lora_composite (`bool`, *optional*, defaults to `False`): Whether to use the `LoRA Composite` method from the paper `Multi-LoRA Composition for Image Generation` to generate the image given multiple LoRAs. Examples: Returns: [`~pipelines.stable_diffusion_xl.StableDiffusionXLPipelineOutput`] or `tuple`: [`~pipelines.stable_diffusion_xl.StableDiffusionXLPipelineOutput`] if `return_dict` is True, otherwise a `tuple`. When returning a tuple, the first element is a list with the generated images. """ callback = kwargs.pop("callback", None) callback_steps = kwargs.pop("callback_steps", None) if callback is not None: deprecate( "callback", "1.0.0", "Passing `callback` as an input argument to `__call__` is deprecated, consider use `callback_on_step_end`", ) if callback_steps is not None: deprecate( "callback_steps", "1.0.0", "Passing `callback_steps` as an input argument to `__call__` is deprecated, consider use `callback_on_step_end`", ) # 0. Default height and width to unet height = height or self.default_sample_size * self.vae_scale_factor width = width or self.default_sample_size * self.vae_scale_factor original_size = original_size or (height, width) target_size = target_size or (height, width) # 1. Check inputs. Raise error if not correct self.check_inputs( prompt, prompt_2, height, width, callback_steps, negative_prompt, negative_prompt_2, prompt_embeds, negative_prompt_embeds, pooled_prompt_embeds, negative_pooled_prompt_embeds, callback_on_step_end_tensor_inputs, ) self._guidance_scale = guidance_scale self._guidance_rescale = guidance_rescale self._clip_skip = clip_skip self._cross_attention_kwargs = cross_attention_kwargs self._denoising_end = denoising_end self._interrupt = False # 2. Define call parameters if prompt is not None and isinstance(prompt, str): batch_size = 1 elif prompt is not None and isinstance(prompt, list): batch_size = len(prompt) else: batch_size = prompt_embeds.shape[0] device = self._execution_device # 3. Encode input prompt lora_scale = ( self.cross_attention_kwargs.get("scale", None) if self.cross_attention_kwargs is not None else None ) ( prompt_embeds, negative_prompt_embeds, pooled_prompt_embeds, negative_pooled_prompt_embeds, ) = self.encode_prompt( prompt=prompt, prompt_2=prompt_2, device=device, num_images_per_prompt=num_images_per_prompt, do_classifier_free_guidance=self.do_classifier_free_guidance, negative_prompt=negative_prompt, negative_prompt_2=negative_prompt_2, prompt_embeds=prompt_embeds, negative_prompt_embeds=negative_prompt_embeds, pooled_prompt_embeds=pooled_prompt_embeds, negative_pooled_prompt_embeds=negative_pooled_prompt_embeds, lora_scale=lora_scale, clip_skip=self.clip_skip, ) # 4. Prepare timesteps timesteps, num_inference_steps = retrieve_timesteps(self.scheduler, num_inference_steps, device, timesteps) # 5. Prepare latent variables num_channels_latents = self.unet.config.in_channels latents = self.prepare_latents( batch_size * num_images_per_prompt, num_channels_latents, height, width, prompt_embeds.dtype, device, generator, latents, ) # 6. Prepare extra step kwargs. TODO: Logic should ideally just be moved out of the pipeline extra_step_kwargs = self.prepare_extra_step_kwargs(generator, eta) # 7. Prepare added time ids & embeddings add_text_embeds = pooled_prompt_embeds if self.text_encoder_2 is None: text_encoder_projection_dim = int(pooled_prompt_embeds.shape[-1]) else: text_encoder_projection_dim = self.text_encoder_2.config.projection_dim add_time_ids = self._get_add_time_ids( original_size, crops_coords_top_left, target_size, dtype=prompt_embeds.dtype, text_encoder_projection_dim=text_encoder_projection_dim, ) if negative_original_size is not None and negative_target_size is not None: negative_add_time_ids = self._get_add_time_ids( negative_original_size, negative_crops_coords_top_left, negative_target_size, dtype=prompt_embeds.dtype, text_encoder_projection_dim=text_encoder_projection_dim, ) else: negative_add_time_ids = add_time_ids if self.do_classifier_free_guidance: prompt_embeds = torch.cat([negative_prompt_embeds, prompt_embeds], dim=0) add_text_embeds = torch.cat([negative_pooled_prompt_embeds, add_text_embeds], dim=0) add_time_ids = torch.cat([negative_add_time_ids, add_time_ids], dim=0) prompt_embeds = prompt_embeds.to(device) add_text_embeds = add_text_embeds.to(device) add_time_ids = add_time_ids.to(device).repeat(batch_size * num_images_per_prompt, 1) if ip_adapter_image is not None: image_embeds = self.prepare_ip_adapter_image_embeds( ip_adapter_image, device, batch_size * num_images_per_prompt ) # 8. Denoising loop num_warmup_steps = max(len(timesteps) - num_inference_steps * self.scheduler.order, 0) if lora_composite: adapters = self.get_active_adapters() # 8.1 Apply denoising_end if ( self.denoising_end is not None and isinstance(self.denoising_end, float) and self.denoising_end > 0 and self.denoising_end < 1 ): discrete_timestep_cutoff = int( round( self.scheduler.config.num_train_timesteps - (self.denoising_end * self.scheduler.config.num_train_timesteps) ) ) num_inference_steps = len(list(filter(lambda ts: ts >= discrete_timestep_cutoff, timesteps))) timesteps = timesteps[:num_inference_steps] # 9. Optionally get Guidance Scale Embedding timestep_cond = None if self.unet.config.time_cond_proj_dim is not None: guidance_scale_tensor = torch.tensor(self.guidance_scale - 1).repeat(batch_size * num_images_per_prompt) timestep_cond = self.get_guidance_scale_embedding( guidance_scale_tensor, embedding_dim=self.unet.config.time_cond_proj_dim ).to(device=device, dtype=latents.dtype) self._num_timesteps = len(timesteps) with self.progress_bar(total=num_inference_steps) as progress_bar: for i, t in enumerate(timesteps): if self.interrupt: continue # expand the latents if we are doing classifier free guidance latent_model_input = torch.cat([latents] * 2) if self.do_classifier_free_guidance else latents latent_model_input = self.scheduler.scale_model_input(latent_model_input, t) # predict the noise residual added_cond_kwargs = {"text_embeds": add_text_embeds, "time_ids": add_time_ids} if ip_adapter_image is not None: added_cond_kwargs["image_embeds"] = image_embeds # predict the noise residual if lora_composite: noise_preds = [] # get noise_pred conditioned on each lora self.enable_lora() for adapter in adapters: self.set_adapters(adapter) noise_pred = self.unet( latent_model_input, t, encoder_hidden_states=prompt_embeds, timestep_cond=timestep_cond, cross_attention_kwargs=self.cross_attention_kwargs, added_cond_kwargs=added_cond_kwargs, return_dict=False, )[0] noise_preds.append(noise_pred) else: noise_pred = self.unet( latent_model_input, t, encoder_hidden_states=prompt_embeds, timestep_cond=timestep_cond, cross_attention_kwargs=self.cross_attention_kwargs, added_cond_kwargs=added_cond_kwargs, return_dict=False, )[0] # perform guidance if self.do_classifier_free_guidance: if lora_composite: noise_preds = torch.stack(noise_preds, dim=0) noise_pred_uncond, noise_pred_text = noise_preds.chunk(2, dim=1) noise_pred_uncond = noise_pred_uncond.mean(dim=0) noise_pred_text = noise_pred_text.mean(dim=0) noise_pred = noise_pred_uncond + self.guidance_scale * (noise_pred_text - noise_pred_uncond) else: noise_pred_uncond, noise_pred_text = noise_pred.chunk(2) noise_pred = noise_pred_uncond + self.guidance_scale * (noise_pred_text - noise_pred_uncond) if self.do_classifier_free_guidance and self.guidance_rescale > 0.0: # Based on 3.4. in https://arxiv.org/pdf/2305.08891.pdf noise_pred = rescale_noise_cfg(noise_pred, noise_pred_text, guidance_rescale=self.guidance_rescale) # compute the previous noisy sample x_t -> x_t-1 latents = self.scheduler.step(noise_pred, t, latents, **extra_step_kwargs, return_dict=False)[0] if callback_on_step_end is not None: callback_kwargs = {} for k in callback_on_step_end_tensor_inputs: callback_kwargs[k] = locals()[k] callback_outputs = callback_on_step_end(self, i, t, callback_kwargs) latents = callback_outputs.pop("latents", latents) prompt_embeds = callback_outputs.pop("prompt_embeds", prompt_embeds) negative_prompt_embeds = callback_outputs.pop("negative_prompt_embeds", negative_prompt_embeds) add_text_embeds = callback_outputs.pop("add_text_embeds", add_text_embeds) negative_pooled_prompt_embeds = callback_outputs.pop( "negative_pooled_prompt_embeds", negative_pooled_prompt_embeds ) add_time_ids = callback_outputs.pop("add_time_ids", add_time_ids) negative_add_time_ids = callback_outputs.pop("negative_add_time_ids", negative_add_time_ids) # call the callback, if provided if i == len(timesteps) - 1 or ((i + 1) > num_warmup_steps and (i + 1) % self.scheduler.order == 0): progress_bar.update() if callback is not None and i % callback_steps == 0: step_idx = i // getattr(self.scheduler, "order", 1) callback(step_idx, t, latents) if XLA_AVAILABLE: xm.mark_step() if not output_type == "latent": # make sure the VAE is in float32 mode, as it overflows in float16 needs_upcasting = self.vae.dtype == torch.float16 and self.vae.config.force_upcast if needs_upcasting: self.upcast_vae() latents = latents.to(next(iter(self.vae.post_quant_conv.parameters())).dtype) image = self.vae.decode(latents / self.vae.config.scaling_factor, return_dict=False)[0] # cast back to fp16 if needed if needs_upcasting: self.vae.to(dtype=torch.float16) else: image = latents if not output_type == "latent": # apply watermark if available if self.watermark is not None: image = self.watermark.apply_watermark(image) image = self.image_processor.postprocess(image, output_type=output_type) # Offload all models self.maybe_free_model_hooks() if not return_dict: return (image,) return StableDiffusionXLPipelineOutput(images=image) ================================================ FILE: pipelines/sdxl_0.26.3/watermark.py ================================================ import numpy as np import torch from diffusers.utils import is_invisible_watermark_available if is_invisible_watermark_available(): from imwatermark import WatermarkEncoder # Copied from https://github.com/Stability-AI/generative-models/blob/613af104c6b85184091d42d374fef420eddb356d/scripts/demo/streamlit_helpers.py#L66 WATERMARK_MESSAGE = 0b101100111110110010010000011110111011000110011110 # bin(x)[2:] gives bits of x as str, use int to convert them to 0/1 WATERMARK_BITS = [int(bit) for bit in bin(WATERMARK_MESSAGE)[2:]] class StableDiffusionXLWatermarker: def __init__(self): self.watermark = WATERMARK_BITS self.encoder = WatermarkEncoder() self.encoder.set_watermark("bits", self.watermark) def apply_watermark(self, images: torch.FloatTensor): # can't encode images that are smaller than 256 if images.shape[-1] < 256: return images images = (255 * (images / 2 + 0.5)).cpu().permute(0, 2, 3, 1).float().numpy() images = [self.encoder.encode(image, "dwtDct") for image in images] images = torch.from_numpy(np.array(images)).permute(0, 3, 1, 2) images = torch.clamp(2 * (images / 255 - 0.5), min=-1.0, max=1.0) return images ================================================ FILE: reality_lora_info.json ================================================ { "character": [ { "id": "character_1", "name": "IU (Lee Ji Eun, Korean singer)", "trigger": [ "iu1", "long straight black hair", "hazel eyes", "diamond stud earrings" ], "url": "https://civitai.com/models/11722/iu?modelVersionId=18576" }, { "id": "character_2", "name": "Scarlett Johansson", "trigger": [ "scarlett", "short red hair", "blue eyes" ], "url": "https://civitai.com/models/7468/scarlett-johanssonlora" }, { "id": "character_3", "name": "The Rock (Dwayne Johnson)", "trigger": [ "th3r0ck with no hair", "muscular male", "serious look on his face" ], "url": "https://civitai.com/models/22345/dwayne-the-rock-johnsonlora?modelVersionId=26680" } ], "clothing": [ { "id": "clothing_1", "name": "Thai University Uniform", "trigger": [ "mahalaiuniform", "white shirt short sleeves", "black pencil skirt" ], "url": "https://civitai.com/models/12657/thai-university-uniform?modelVersionId=58690" }, { "id": "clothing_2", "name": "School Dress", "trigger": [ "school uniform", "white shirt", "red tie", "blue pleated microskirt" ], "url": "https://civitai.com/models/201305?modelVersionId=291486" } ], "style": [ { "id": "style_1", "name": "Japanese Film Color Style", "trigger": [ "film overlay", "film grain" ], "url": "https://civitai.com/models/90393/japan-vibes-film-color?modelVersionId=107032" }, { "id": "style_2", "name": "Bright Style", "trigger": [ "bright lighting" ], "url": "https://civitai.com/models/70034/brightness-tweaker-lora-lora" } ], "background": [ { "id": "background_1", "name": "Library Bookshelf Background", "trigger": [ "lib_bg", "library bookshelf" ], "url": "https://civitai.com/models/113488/library-bookshelf?modelVersionId=125699" }, { "id": "background_2", "name": "Forest Background", "trigger": [ "slg", "river", "forest" ], "url": "https://civitai.com/models/104292/the-forest-light?modelVersionId=127699" } ], "object": [ { "id": "object_1", "name": "Umbrella", "trigger": [ "transparent umbrella" ], "url": "https://civitai.com/models/54218/umbrellalora?modelVersionId=58578" }, { "id": "object_2", "name": "Bubble Gum", "trigger": [ "blow bubble gum" ], "url": "https://civitai.com/models/97550/bubble-gum-kaugummi-v20?modelVersionId=117038" } ] } ================================================ FILE: requirements.txt ================================================ diffusers[torch]==0.26.3 openai peft==0.8.2 transformers ================================================ FILE: sdxl_example.py ================================================ import torch import argparse from diffusers import DiffusionPipeline from callbacks import make_callback def get_example_prompt(): prompt = "fluffy pikachu wearing a VR headset, faces visible, cinematic, screencap, high quality" negative_prompt = "out of frame, lowres, text, error, cropped, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, out of frame, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck, username, watermark, signature" return prompt, negative_prompt def main(args): # set the prompts for image generation prompt, negative_prompt = get_example_prompt() # base model for the realistic style example model_name = 'stabilityai/stable-diffusion-xl-base-1.0' # set base model pipeline = DiffusionPipeline.from_pretrained( model_name, custom_pipeline="./pipelines/sdxl_0.26.3", torch_dtype=torch.float16, use_safetensors=True, variant="fp16" ).to("cuda") # initialize LoRAs # This example shows the composition of a character LoRA and a clothing LoRA pipeline.load_lora_weights("TheLastBen/Pikachu_SDXL", weight_name="pikachu.safetensors", adapter_name="character") pipeline.load_lora_weights("fofr/sdxl-vision-pro", weight_name="lora.safetensors", adapter_name="object") cur_loras = ["character", "object"] # select the method for the composition if args.method == "merge": pipeline.set_adapters(cur_loras) switch_callback = None elif args.method == "switch": pipeline.set_adapters([cur_loras[0]]) switch_callback = make_callback(switch_step=args.switch_step, loras=cur_loras) else: pipeline.set_adapters(cur_loras) switch_callback = None image = pipeline( prompt=prompt, negative_prompt=negative_prompt, height=args.height, width=args.width, num_inference_steps=args.denoise_steps, guidance_scale=args.cfg_scale, generator=args.generator, cross_attention_kwargs={"scale": args.lora_scale}, callback_on_step_end=switch_callback, lora_composite=True if args.method == "composite" else False ).images[0] image.save(args.save_path) if __name__ == "__main__": parser = argparse.ArgumentParser( description='Example code for multi-LoRA composition' ) # Arguments for composing LoRAs parser.add_argument('--method', default='switch', choices=['merge', 'switch', 'composite'], help='methods for combining LoRAs', type=str) parser.add_argument('--save_path', default='example.png', help='path to save the generated image', type=str) parser.add_argument('--lora_path', default='models/lora/reality', help='path to store all LoRAs', type=str) parser.add_argument('--lora_scale', default=0.8, help='scale of each LoRA when generating images', type=float) parser.add_argument('--switch_step', default=5, help='number of steps to switch LoRA during denoising, applicable only in the switch method', type=int) # Arguments for generating images parser.add_argument('--height', default=1024, help='height of the generated images', type=int) parser.add_argument('--width', default=1024, help='width of the generated images', type=int) parser.add_argument('--denoise_steps', default=100, help='number of the denoising steps', type=int) parser.add_argument('--cfg_scale', default=7, help='scale for classifier-free guidance', type=float) parser.add_argument('--seed', default=11, help='seed for generating images', type=int) args = parser.parse_args() args.generator = torch.manual_seed(args.seed) main(args) ================================================ FILE: utils.py ================================================ import json import itertools def load_lora_info(image_style, path='lora_info.json'): path = f"{image_style}_{path}" with open(path) as f: lora_info = json.loads(f.read()) return lora_info def get_prompt(image_style): if image_style == 'anime': prompt = "masterpiece, best quality" negative_prompt = "EasyNegative, extra fingers, extra limbs, fewer fingers, fewer limbs, multiple girls, multiple views, worst quality, low quality, depth of field, blurry, greyscale, 3D face, cropped, lowres, text, jpeg artifacts, signature, watermark, username, blurry, artist name, trademark, watermark, title, reference sheet, curvy, plump, fat, muscular female, strabismus, clothing cutout, side slit, tattoo, nsfw" else: prompt = "RAW photo, subject, 8k uhd, dslr, high quality, Fujifilm XT3, half-length portrait from knees up" negative_prompt = "extra heads, nsfw, deformed iris, deformed pupils, semi-realistic, cgi, 3d, render, sketch, cartoon, drawing, anime, text, cropped, out of frame, worst quality, low quality, jpeg artifacts, ugly, duplicate, morbid, mutilated, extra fingers, mutated hands, poorly drawn hands, poorly drawn face, mutation, deformed, blurry, dehydrated, bad anatomy, bad proportions, extra limbs, cloned face, disfigured, gross proportions, malformed limbs, missing arms, missing legs, extra arms, extra legs, fused fingers, too many fingers, long neck" return prompt, negative_prompt def get_eval_prompt(combo): prompt = "I need assistance in comparatively evaluating two text-to-image models based on their ability to compose different elements into a single image. The elements and their key features are as follows:\n\n" cur_index = 1 element_prompt = "" for lora in combo: ele_type = lora['id'].split('_')[0] name = lora['name'] features = ', '.join(lora['trigger']) element_prompt += f"{cur_index}. {ele_type} ({name}): {features}\n" cur_index += 1 prompt += element_prompt + '\n' prompt += "Please help me rate both given images on the following evaluation dimensions and criteria:\n\nComposition quality:\n- Score on a scale of 0 to 10, in 0.5 increments, where 10 is the best and 0 is the worst.\n- Deduct 3 points if any element is missing or incorrectly depicted.\n- Deduct 1 point for each missing or incorrect feature within an element.\n- Deduct 1 point for minor inconsistencies or lack of harmony between elements.\n- Additional deductions can be made for compositions that lack coherence, creativity, or realism.\n\nImage quality:\n- Score on a scale of 0 to 10, in 0.5 increments, where 10 is the best and 0 is the worst.\n- Deduct 3 points for each deformity in the image (e.g., extra limbs or fingers, distorted face, incorrect proportions).\n- Deduct 2 points for noticeable issues with texture, lighting, or color.\n- Deduct 1 point for each minor flaw or imperfection.\n- Additional deductions can be made for any issues affecting the overall aesthetic or clarity of the image.\n\nPlease format the evaluation as follows:\n\nFor Image 1:\n[Explanation of evaluation]\n\nFor Image 2:\n[Explanation of evaluation]\n\nScores:\nImage 1: Composition Quality: [score]/10, Image Quality: [score]/10\nImage 2: Composition Quality: [score]/10, Image Quality: [score]/10\n\nBased on the above guidelines, help me to conduct a step-by-step comparative evaluation of the given images. The scoring should follow two principles:\n1. Please evaluate critically.\n2. Try not to let the two models end in a tie on both dimensions." return prompt def generate_combinations(lora_info, compos_num): """ Generate all combinations of LoRA elements ensuring that each combination includes at least one 'character'. Args: lora_info (dict): A dictionary containing LoRA elements and their instances. compos_num (int): The number of elements to be included in each combination. Returns: list: A list of all possible combinations, each combination is a list of element instances. """ elements = list(lora_info.keys()) # Check if the composition number is greater than the number of element types if compos_num > len(elements): raise ValueError("The composition number cannot be greater than the number of elements.") all_combinations = [] # Ensure that 'character' is always included in the combinations if 'character' in elements: # Remove 'character' from the list to avoid duplicating elements.remove('character') # Generate all possible combinations of the remaining element types selected_types = list(itertools.combinations(elements, compos_num - 1)) # For each combination of types, generate all possible combinations of instances for types in selected_types: # Add 'character' to the current combination of types current_types = ['character', *types] # Gather instances for each type in the current combination instances = [lora_info[t] for t in current_types] # Create combinations of instances across the selected types for combination in itertools.product(*instances): all_combinations.append(combination) return all_combinations