From 8b74b9aa9a20e4c5c1f72641f8b9617479eb276b Mon Sep 17 00:00:00 2001 From: papuSpartan Date: Wed, 19 Oct 2022 19:06:14 -0500 Subject: add symbol for clear button and simplify roll_col css selector --- style.css | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) (limited to 'style.css') diff --git a/style.css b/style.css index 26ae36a5..21a8911f 100644 --- a/style.css +++ b/style.css @@ -114,7 +114,7 @@ padding: 0.4em 0; } -#roll, #paste, #style_create, #style_apply{ +#roll_col > button { min-width: 2em; min-height: 2em; max-width: 2em; -- cgit v1.2.3 From df5706409386cc2e88718bd9101045587c39f8bb Mon Sep 17 00:00:00 2001 From: AUTOMATIC <16777216c@gmail.com> Date: Fri, 21 Oct 2022 16:10:51 +0300 Subject: do not load aesthetic clip model until it's needed add refresh button for aesthetic embeddings add aesthetic params to images' infotext --- modules/aesthetic_clip.py | 40 +++++++++++++++++++---- modules/generation_parameters_copypaste.py | 18 +++++++++-- modules/img2img.py | 5 +-- modules/processing.py | 4 +-- modules/sd_models.py | 3 -- modules/txt2img.py | 4 +-- modules/ui.py | 52 ++++++++++++++++++++---------- style.css | 2 +- 8 files changed, 89 insertions(+), 39 deletions(-) (limited to 'style.css') diff --git a/modules/aesthetic_clip.py b/modules/aesthetic_clip.py index 34efa931..8c828541 100644 --- a/modules/aesthetic_clip.py +++ b/modules/aesthetic_clip.py @@ -40,6 +40,8 @@ def iter_to_batched(iterable, n=1): def create_ui(): + import modules.ui + with gr.Group(): with gr.Accordion("Open for Clip Aesthetic!", open=False): with gr.Row(): @@ -55,6 +57,8 @@ def create_ui(): label="Aesthetic imgs embedding", value="None") + modules.ui.create_refresh_button(aesthetic_imgs, shared.update_aesthetic_embeddings, lambda: {"choices": sorted(shared.aesthetic_embeddings.keys())}, "refresh_aesthetic_embeddings") + with gr.Row(): aesthetic_imgs_text = gr.Textbox(label='Aesthetic text for imgs', placeholder="This text is used to rotate the feature space of the imgs embs", @@ -66,11 +70,21 @@ def create_ui(): return aesthetic_weight, aesthetic_steps, aesthetic_lr, aesthetic_slerp, aesthetic_imgs, aesthetic_imgs_text, aesthetic_slerp_angle, aesthetic_text_negative +aesthetic_clip_model = None + + +def aesthetic_clip(): + global aesthetic_clip_model + + if aesthetic_clip_model is None or aesthetic_clip_model.name_or_path != shared.sd_model.cond_stage_model.wrapped.transformer.name_or_path: + aesthetic_clip_model = CLIPModel.from_pretrained(shared.sd_model.cond_stage_model.wrapped.transformer.name_or_path) + aesthetic_clip_model.cpu() + + return aesthetic_clip_model + + def generate_imgs_embd(name, folder, batch_size): - # clipModel = CLIPModel.from_pretrained( - # shared.sd_model.cond_stage_model.clipModel.name_or_path - # ) - model = shared.clip_model.to(device) + model = aesthetic_clip().to(device) processor = CLIPProcessor.from_pretrained(model.name_or_path) with torch.no_grad(): @@ -91,7 +105,7 @@ def generate_imgs_embd(name, folder, batch_size): path = str(Path(shared.cmd_opts.aesthetic_embeddings_dir) / f"{name}.pt") torch.save(embs, path) - model = model.cpu() + model.cpu() del processor del embs gc.collect() @@ -132,7 +146,7 @@ class AestheticCLIP: self.image_embs = None self.load_image_embs(None) - def set_aesthetic_params(self, aesthetic_lr=0, aesthetic_weight=0, aesthetic_steps=0, image_embs_name=None, + def set_aesthetic_params(self, p, aesthetic_lr=0, aesthetic_weight=0, aesthetic_steps=0, image_embs_name=None, aesthetic_slerp=True, aesthetic_imgs_text="", aesthetic_slerp_angle=0.15, aesthetic_text_negative=False): @@ -145,6 +159,18 @@ class AestheticCLIP: self.aesthetic_steps = aesthetic_steps self.load_image_embs(image_embs_name) + if self.image_embs_name is not None: + p.extra_generation_params.update({ + "Aesthetic LR": aesthetic_lr, + "Aesthetic weight": aesthetic_weight, + "Aesthetic steps": aesthetic_steps, + "Aesthetic embedding": self.image_embs_name, + "Aesthetic slerp": aesthetic_slerp, + "Aesthetic text": aesthetic_imgs_text, + "Aesthetic text negative": aesthetic_text_negative, + "Aesthetic slerp angle": aesthetic_slerp_angle, + }) + def set_skip(self, skip): self.skip = skip @@ -168,7 +194,7 @@ class AestheticCLIP: tokens = torch.asarray(remade_batch_tokens).to(device) - model = copy.deepcopy(shared.clip_model).to(device) + model = copy.deepcopy(aesthetic_clip()).to(device) model.requires_grad_(True) if self.aesthetic_imgs_text is not None and len(self.aesthetic_imgs_text) > 0: text_embs_2 = model.get_text_features( diff --git a/modules/generation_parameters_copypaste.py b/modules/generation_parameters_copypaste.py index 0f041449..f73647da 100644 --- a/modules/generation_parameters_copypaste.py +++ b/modules/generation_parameters_copypaste.py @@ -4,13 +4,22 @@ import gradio as gr from modules.shared import script_path from modules import shared -re_param_code = r"\s*([\w ]+):\s*([^,]+)(?:,|$)" +re_param_code = r'\s*([\w ]+):\s*("(?:\\|\"|[^\"])+"|[^,]*)(?:,|$)' re_param = re.compile(re_param_code) re_params = re.compile(r"^(?:" + re_param_code + "){3,}$") re_imagesize = re.compile(r"^(\d+)x(\d+)$") type_of_gr_update = type(gr.update()) +def quote(text): + if ',' not in str(text): + return text + + text = str(text) + text = text.replace('\\', '\\\\') + text = text.replace('"', '\\"') + return f'"{text}"' + def parse_generation_parameters(x: str): """parses generation parameters string, the one you see in text field under the picture in UI: ``` @@ -83,7 +92,12 @@ def connect_paste(button, paste_fields, input_comp, js=None): else: try: valtype = type(output.value) - val = valtype(v) + + if valtype == bool and v == "False": + val = False + else: + val = valtype(v) + res.append(gr.update(value=val)) except Exception: res.append(gr.update()) diff --git a/modules/img2img.py b/modules/img2img.py index bc7c66bc..eea5199b 100644 --- a/modules/img2img.py +++ b/modules/img2img.py @@ -109,10 +109,7 @@ def img2img(mode: int, prompt: str, negative_prompt: str, prompt_style: str, pro inpainting_mask_invert=inpainting_mask_invert, ) - shared.aesthetic_clip.set_aesthetic_params(float(aesthetic_lr), float(aesthetic_weight), int(aesthetic_steps), - aesthetic_imgs, aesthetic_slerp, aesthetic_imgs_text, - aesthetic_slerp_angle, - aesthetic_text_negative) + shared.aesthetic_clip.set_aesthetic_params(p, float(aesthetic_lr), float(aesthetic_weight), int(aesthetic_steps), aesthetic_imgs, aesthetic_slerp, aesthetic_imgs_text, aesthetic_slerp_angle, aesthetic_text_negative) if shared.cmd_opts.enable_console_prompts: print(f"\nimg2img: {prompt}", file=shared.progress_print_out) diff --git a/modules/processing.py b/modules/processing.py index d1deffa9..f0852cd5 100644 --- a/modules/processing.py +++ b/modules/processing.py @@ -12,7 +12,7 @@ from skimage import exposure from typing import Any, Dict, List, Optional import modules.sd_hijack -from modules import devices, prompt_parser, masking, sd_samplers, lowvram +from modules import devices, prompt_parser, masking, sd_samplers, lowvram, generation_parameters_copypaste from modules.sd_hijack import model_hijack from modules.shared import opts, cmd_opts, state import modules.shared as shared @@ -318,7 +318,7 @@ def create_infotext(p, all_prompts, all_seeds, all_subseeds, comments, iteration generation_params.update(p.extra_generation_params) - generation_params_text = ", ".join([k if k == v else f'{k}: {v}' for k, v in generation_params.items() if v is not None]) + generation_params_text = ", ".join([k if k == v else f'{k}: {generation_parameters_copypaste.quote(v)}' for k, v in generation_params.items() if v is not None]) negative_prompt_text = "\nNegative prompt: " + p.negative_prompt if p.negative_prompt else "" diff --git a/modules/sd_models.py b/modules/sd_models.py index 05a1df28..b1c91b0d 100644 --- a/modules/sd_models.py +++ b/modules/sd_models.py @@ -234,9 +234,6 @@ def load_model(checkpoint_info=None): sd_hijack.model_hijack.hijack(sd_model) - if shared.clip_model is None or shared.clip_model.transformer.name_or_path != sd_model.cond_stage_model.wrapped.transformer.name_or_path: - shared.clip_model = CLIPModel.from_pretrained(sd_model.cond_stage_model.wrapped.transformer.name_or_path) - sd_model.eval() print(f"Model loaded.") diff --git a/modules/txt2img.py b/modules/txt2img.py index 32ed1d8d..1761cfa2 100644 --- a/modules/txt2img.py +++ b/modules/txt2img.py @@ -36,9 +36,7 @@ def txt2img(prompt: str, negative_prompt: str, prompt_style: str, prompt_style2: firstphase_height=firstphase_height if enable_hr else None, ) - shared.aesthetic_clip.set_aesthetic_params(float(aesthetic_lr), float(aesthetic_weight), int(aesthetic_steps), - aesthetic_imgs, aesthetic_slerp, aesthetic_imgs_text, aesthetic_slerp_angle, - aesthetic_text_negative) + shared.aesthetic_clip.set_aesthetic_params(p, float(aesthetic_lr), float(aesthetic_weight), int(aesthetic_steps), aesthetic_imgs, aesthetic_slerp, aesthetic_imgs_text, aesthetic_slerp_angle, aesthetic_text_negative) if cmd_opts.enable_console_prompts: print(f"\ntxt2img: {prompt}", file=shared.progress_print_out) diff --git a/modules/ui.py b/modules/ui.py index 381ca925..0d020de6 100644 --- a/modules/ui.py +++ b/modules/ui.py @@ -597,27 +597,29 @@ def apply_setting(key, value): return value -def create_ui(wrap_gradio_gpu_call): - import modules.img2img - import modules.txt2img +def create_refresh_button(refresh_component, refresh_method, refreshed_args, elem_id): + def refresh(): + refresh_method() + args = refreshed_args() if callable(refreshed_args) else refreshed_args - def create_refresh_button(refresh_component, refresh_method, refreshed_args, elem_id): - def refresh(): - refresh_method() - args = refreshed_args() if callable(refreshed_args) else refreshed_args + for k, v in args.items(): + setattr(refresh_component, k, v) - for k, v in args.items(): - setattr(refresh_component, k, v) + return gr.update(**(args or {})) - return gr.update(**(args or {})) + refresh_button = gr.Button(value=refresh_symbol, elem_id=elem_id) + refresh_button.click( + fn=refresh, + inputs=[], + outputs=[refresh_component] + ) + return refresh_button + + +def create_ui(wrap_gradio_gpu_call): + import modules.img2img + import modules.txt2img - refresh_button = gr.Button(value=refresh_symbol, elem_id=elem_id) - refresh_button.click( - fn = refresh, - inputs = [], - outputs = [refresh_component] - ) - return refresh_button with gr.Blocks(analytics_enabled=False) as txt2img_interface: txt2img_prompt, roll, txt2img_prompt_style, txt2img_negative_prompt, txt2img_prompt_style2, submit, _, _, txt2img_prompt_style_apply, txt2img_save_style, txt2img_paste, token_counter, token_button = create_toprow(is_img2img=False) @@ -802,6 +804,14 @@ def create_ui(wrap_gradio_gpu_call): (hr_options, lambda d: gr.Row.update(visible="Denoising strength" in d)), (firstphase_width, "First pass size-1"), (firstphase_height, "First pass size-2"), + (aesthetic_lr, "Aesthetic LR"), + (aesthetic_weight, "Aesthetic weight"), + (aesthetic_steps, "Aesthetic steps"), + (aesthetic_imgs, "Aesthetic embedding"), + (aesthetic_slerp, "Aesthetic slerp"), + (aesthetic_imgs_text, "Aesthetic text"), + (aesthetic_text_negative, "Aesthetic text negative"), + (aesthetic_slerp_angle, "Aesthetic slerp angle"), ] txt2img_preview_params = [ @@ -1077,6 +1087,14 @@ def create_ui(wrap_gradio_gpu_call): (seed_resize_from_w, "Seed resize from-1"), (seed_resize_from_h, "Seed resize from-2"), (denoising_strength, "Denoising strength"), + (aesthetic_lr_im, "Aesthetic LR"), + (aesthetic_weight_im, "Aesthetic weight"), + (aesthetic_steps_im, "Aesthetic steps"), + (aesthetic_imgs_im, "Aesthetic embedding"), + (aesthetic_slerp_im, "Aesthetic slerp"), + (aesthetic_imgs_text_im, "Aesthetic text"), + (aesthetic_text_negative_im, "Aesthetic text negative"), + (aesthetic_slerp_angle_im, "Aesthetic slerp angle"), ] token_button.click(fn=update_token_counter, inputs=[img2img_prompt, steps], outputs=[token_counter]) diff --git a/style.css b/style.css index 26ae36a5..5d2bacc9 100644 --- a/style.css +++ b/style.css @@ -477,7 +477,7 @@ input[type="range"]{ padding: 0; } -#refresh_sd_model_checkpoint, #refresh_sd_hypernetwork, #refresh_train_hypernetwork_name, #refresh_train_embedding_name, #refresh_localization{ +#refresh_sd_model_checkpoint, #refresh_sd_hypernetwork, #refresh_train_hypernetwork_name, #refresh_train_embedding_name, #refresh_localization, #refresh_aesthetic_embeddings{ max-width: 2.5em; min-width: 2.5em; height: 2.4em; -- cgit v1.2.3 From 6398dc9b1049f242576ca309f95a3fb1e654951c Mon Sep 17 00:00:00 2001 From: AUTOMATIC <16777216c@gmail.com> Date: Sat, 22 Oct 2022 13:34:49 +0300 Subject: further support for extensions --- .gitignore | 1 + README.md | 3 +-- modules/scripts.py | 44 +++++++++++++++++++++++++++++++++++--------- modules/ui.py | 19 ++++++++++--------- style.css | 2 +- 5 files changed, 48 insertions(+), 21 deletions(-) (limited to 'style.css') diff --git a/.gitignore b/.gitignore index 2f1e08ed..8fa05852 100644 --- a/.gitignore +++ b/.gitignore @@ -28,3 +28,4 @@ notification.mp3 /SwinIR /textual_inversion .vscode +/extensions diff --git a/README.md b/README.md index 5b5dc8ba..6853aea0 100644 --- a/README.md +++ b/README.md @@ -83,8 +83,7 @@ Check the [custom scripts](https://github.com/AUTOMATIC1111/stable-diffusion-web - Estimated completion time in progress bar - API - Support for dedicated [inpainting model](https://github.com/runwayml/stable-diffusion#inpainting-with-stable-diffusion) by RunwayML. -- Aesthetic Gradients, a way to generate images with a specific aesthetic by using clip images embds (implementation of [https://github.com/vicgalle/stable-diffusion-aesthetic-gradients](https://github.com/vicgalle/stable-diffusion-aesthetic-gradients)) - +- via extension: [Aesthetic Gradients](https://github.com/AUTOMATIC1111/stable-diffusion-webui-aesthetic-gradients), a way to generate images with a specific aesthetic by using clip images embds (implementation of [https://github.com/vicgalle/stable-diffusion-aesthetic-gradients](https://github.com/vicgalle/stable-diffusion-aesthetic-gradients)) ## Installation and Running Make sure the required [dependencies](https://github.com/AUTOMATIC1111/stable-diffusion-webui/wiki/Dependencies) are met and follow the instructions available for both [NVidia](https://github.com/AUTOMATIC1111/stable-diffusion-webui/wiki/Install-and-Run-on-NVidia-GPUs) (recommended) and [AMD](https://github.com/AUTOMATIC1111/stable-diffusion-webui/wiki/Install-and-Run-on-AMD-GPUs) GPUs. diff --git a/modules/scripts.py b/modules/scripts.py index 65f25f49..9323af3e 100644 --- a/modules/scripts.py +++ b/modules/scripts.py @@ -102,17 +102,39 @@ def list_scripts(scriptdirname, extension): if os.path.exists(extdir): for dirname in sorted(os.listdir(extdir)): dirpath = os.path.join(extdir, dirname) - if not os.path.isdir(dirpath): + scriptdirpath = os.path.join(dirpath, scriptdirname) + + if not os.path.isdir(scriptdirpath): continue - for filename in sorted(os.listdir(os.path.join(dirpath, scriptdirname))): - scripts_list.append(ScriptFile(dirpath, filename, os.path.join(dirpath, scriptdirname, filename))) + for filename in sorted(os.listdir(scriptdirpath)): + scripts_list.append(ScriptFile(dirpath, filename, os.path.join(scriptdirpath, filename))) scripts_list = [x for x in scripts_list if os.path.splitext(x.path)[1].lower() == extension and os.path.isfile(x.path)] return scripts_list +def list_files_with_name(filename): + res = [] + + dirs = [paths.script_path] + + extdir = os.path.join(paths.script_path, "extensions") + if os.path.exists(extdir): + dirs += [os.path.join(extdir, d) for d in sorted(os.listdir(extdir))] + + for dirpath in dirs: + if not os.path.isdir(dirpath): + continue + + path = os.path.join(dirpath, filename) + if os.path.isfile(filename): + res.append(path) + + return res + + def load_scripts(): global current_basedir scripts_data.clear() @@ -276,7 +298,7 @@ class ScriptRunner: print(f"Error running alwayson script: {script.filename}", file=sys.stderr) print(traceback.format_exc(), file=sys.stderr) - def reload_sources(self): + def reload_sources(self, cache): for si, script in list(enumerate(self.scripts)): with open(script.filename, "r", encoding="utf8") as file: args_from = script.args_from @@ -286,9 +308,12 @@ class ScriptRunner: from types import ModuleType - compiled = compile(text, filename, 'exec') - module = ModuleType(script.filename) - exec(compiled, module.__dict__) + module = cache.get(filename, None) + if module is None: + compiled = compile(text, filename, 'exec') + module = ModuleType(script.filename) + exec(compiled, module.__dict__) + cache[filename] = module for key, script_class in module.__dict__.items(): if type(script_class) == type and issubclass(script_class, Script): @@ -303,8 +328,9 @@ scripts_img2img = ScriptRunner() def reload_script_body_only(): - scripts_txt2img.reload_sources() - scripts_img2img.reload_sources() + cache = {} + scripts_txt2img.reload_sources(cache) + scripts_img2img.reload_sources(cache) def reload_scripts(): diff --git a/modules/ui.py b/modules/ui.py index c977482c..29986124 100644 --- a/modules/ui.py +++ b/modules/ui.py @@ -1636,13 +1636,15 @@ Requested path was: {f} interfaces += [(settings_interface, "Settings", "settings")] - with open(os.path.join(script_path, "style.css"), "r", encoding="utf8") as file: - css = file.read() + css = "" + + for cssfile in modules.scripts.list_files_with_name("style.css"): + with open(cssfile, "r", encoding="utf8") as file: + css += file.read() + "\n" if os.path.exists(os.path.join(script_path, "user.css")): with open(os.path.join(script_path, "user.css"), "r", encoding="utf8") as file: - usercss = file.read() - css += usercss + css += file.read() + "\n" if not cmd_opts.no_progressbar_hiding: css += css_hide_progressbar @@ -1865,9 +1867,9 @@ def load_javascript(raw_response): with open(os.path.join(script_path, "script.js"), "r", encoding="utf8") as jsfile: javascript = f'' - jsdir = os.path.join(script_path, "javascript") - for filename in sorted(os.listdir(jsdir)): - with open(os.path.join(jsdir, filename), "r", encoding="utf8") as jsfile: + scripts_list = modules.scripts.list_scripts("javascript", ".js") + for basedir, filename, path in scripts_list: + with open(path, "r", encoding="utf8") as jsfile: javascript += f"\n" if cmd_opts.theme is not None: @@ -1885,6 +1887,5 @@ def load_javascript(raw_response): gradio.routes.templates.TemplateResponse = template_response -reload_javascript = partial(load_javascript, - gradio.routes.templates.TemplateResponse) +reload_javascript = partial(load_javascript, gradio.routes.templates.TemplateResponse) reload_javascript() diff --git a/style.css b/style.css index 5d2bacc9..26ae36a5 100644 --- a/style.css +++ b/style.css @@ -477,7 +477,7 @@ input[type="range"]{ padding: 0; } -#refresh_sd_model_checkpoint, #refresh_sd_hypernetwork, #refresh_train_hypernetwork_name, #refresh_train_embedding_name, #refresh_localization, #refresh_aesthetic_embeddings{ +#refresh_sd_model_checkpoint, #refresh_sd_hypernetwork, #refresh_train_hypernetwork_name, #refresh_train_embedding_name, #refresh_localization{ max-width: 2.5em; min-width: 2.5em; height: 2.4em; -- cgit v1.2.3 From ca2ebc89c2d18c02d9e337b660fdabe7178a6ccc Mon Sep 17 00:00:00 2001 From: xmodar Date: Mon, 24 Oct 2022 19:03:01 +0300 Subject: Add RTL languages support and improved Arabic localization --- javascript/localization.js | 20 +- localizations/ar_AR.json | 1145 ++++++++++++++++++-------------------------- localizations/ja_JP.json | 1 + localizations/ko_KR.json | 1 + localizations/ru_RU.json | 1 + style.css | 74 +++ 6 files changed, 551 insertions(+), 691 deletions(-) (limited to 'style.css') diff --git a/javascript/localization.js b/javascript/localization.js index e6644635..6fb2fccd 100644 --- a/javascript/localization.js +++ b/javascript/localization.js @@ -107,7 +107,7 @@ function processNode(node){ } function dumpTranslations(){ - dumped = {} + dumped = { rtl: localization.rtl || false } Object.keys(original_lines).forEach(function(text){ if(dumped[text] !== undefined) return @@ -129,6 +129,24 @@ onUiUpdate(function(m){ document.addEventListener("DOMContentLoaded", function() { processNode(gradioApp()) + + if (localization.rtl) { // if the language is from right to left, + (new MutationObserver((mutations, observer) => { // wait for the style to load + mutations.forEach(mutation => { + mutation.addedNodes.forEach(node => { + if (node.tagName === 'STYLE') { + observer.disconnect(); + + for (const x of node.sheet.rules) { // find all rtl media rules + if (Array.from(x.media || []).includes('rtl')) { + x.media.appendMedium('all'); // enable them + } + } + } + }) + }); + })).observe(gradioApp(), { childList: true }); + } }) function download_localization() { diff --git a/localizations/ar_AR.json b/localizations/ar_AR.json index 6d03e013..1195a8e9 100644 --- a/localizations/ar_AR.json +++ b/localizations/ar_AR.json @@ -1,691 +1,456 @@ -{ "⤡": "⤡", - "⊞": "⊞", - "×": "×", - "❮": "❮", - "❯": "❯", - "Loading...": "جار التحميل...", - "view": "معاينة", - "api": "api", - "•": "•", - "built with gradio": "مبني باستخدام Gradio", - "Stable Diffusion checkpoint": "نماذج الانتشار المستقر", - "txt2img": "نص لصورة", - "img2img": "صورة لصورة", - "Extras": "الإضافات", - "PNG Info": "معلومات PNG", - "Image Browser": "مستعرض الصور", - "Checkpoint Merger": "دمج النماذج", - "Train": "التدريب", - "Settings": "الإعدادات", - "Prompt": "الموجه", - "Negative prompt": "الموجه السلبي", - "Run": "تشغيل", - "Skip": "تخطي", - "Interrupt": "إيقاف", - "Generate": "إنشاء", - "Style 1": "نمط 1", - "Style 2": "نمط 2", - "Label": "الوسم", - "File": "ملف", - "Drop File Here": "اسحب الملف هنا", - "-": "-", - "or": "أو", - "Click to Upload": "انقر للتحميل", - "Image": "صورة", - "Check progress": "تحقق من التقدم", - "Check progress (first)": "تحقق من التقدم (الأول)", - "Sampling Steps": "خطوات أخذ العينة", - "Sampling method": "نظام أخذ العينات", - "Euler a": "Euler a", - "Euler": "Euler", - "LMS": "LMS", - "Heun": "Heun", - "DPM2": "DPM2", - "DPM2 a": "DPM2 a", - "DPM fast": "DPM fast", - "DPM adaptive": "DPM adaptive", - "LMS Karras": "LMS Karras", - "DPM2 Karras": "DPM2 Karras", - "DPM2 a Karras": "DPM2 a Karras", - "DDIM": "DDIM", - "PLMS": "PLMS", - "Width": "العرض", - "Height": "الارتفاع", - "Restore faces": "ترميم الوجوه", - "Tiling": "تبليط", - "Highres. fix": "إصلاح الصور عالية الدقة", - "Firstpass width": "عرض المرور الأول", - "Firstpass height": "ارتفاع المرور الأول", - "Denoising strength": "قوة تقليل الضوضاء", - "Batch count": "عدد الدُفعات", - "Batch size": "حجم الدفعة", - "CFG Scale": "مقياس التقارب من الموجه (CFG)", - "Seed": "البذرة", - "Extra": "إضافي", - "Variation seed": "تباين البذرة", - "Variation strength": "قوة التباين", - "Resize seed from width": "تغيير حجم البذرة من العرض", - "Resize seed from height": "تغيير حجم البذرة من الارتفاع", - "Script": "سكريبت", - "None": "لايوجد", - "Prompt matrix": "مصفوفة الموجهات", - "Prompts from file or textbox": "موجهات من ملف أو مربع النص", - "X/Y plot": "الرسم البياني X/Y", - "Put variable parts at start of prompt": "ضع الأجزاء المتغيرة في بداية الموجه", - "Show Textbox": "إظهار مربع النص", - "File with inputs": "ملف يحتوي المدخلات", - "Prompts": "الموجهات", - "X type": "نوع X", - "Nothing": "لا شئ", - "Var. seed": "تغير البذرة", - "Var. strength": "قوة التغيير", - "Steps": "الخطوات", - "Prompt S/R": "موجه S / R", - "Prompt order": "ترتيب الموجهات", - "Sampler": "نظام أخذ العينات", - "Checkpoint name": "اسم النموذج", - "Hypernetwork": "الشبكة الفائقة", - "Hypernet str.": "قوة الشبكة الفائقة", - "Sigma Churn": "دفع سيجما", - "Sigma min": "أصغر سيجما", - "Sigma max": "أكبر سيجما", - "Sigma noise": "ضجة سيجما", - "Eta": "الوقت المتوقع", - "Clip skip": "تخطي Clip", - "Denoising": "تقليل الضوضاء", - "X values": "قيم X", - "Y type": "نوع Y", - "Y values": "قيم Y", - "Draw legend": "ارسم مفتاح التوضيح", - "Include Separate Images": "قم بتضمين الصور منفصلة", - "Keep -1 for seeds": "احتفظ بـقيمة -1 للبذور", - "Drop Image Here": "إسقاط الصورة هنا", - "Save": "حفظ", - "Send to img2img": "أرسل إلى صورة لصورة", - "Send to inpaint": "أرسل إلى إعادة الرسم الجزئي", - "Send to extras": "أرسل إلى الإضافات", - "Make Zip when Save?": "إنشاء ملف مضغوط عند الحفظ؟", - "Textbox": "مربع النص", - "Interrogate\nCLIP": "استجواب\n CLIP", - "Inpaint": "إعادة الرسم الجزئي", - "Batch img2img": "دفعات صورة لصورة", - "Image for img2img": "صورة (صورة لصورة)", - "Image for inpainting with mask": "صورة (إعادة الرسم الجزئي)", - "Mask": "القناع", - "Mask blur": "ضبابية القناع", - "Mask mode": "أسلوب القناع", - "Draw mask": "رسم القناع", - "Upload mask": "تحميل القناع", - "Masking mode": "أسلوب التقنيع", - "Inpaint masked": "إعادة الرسم الجزئي (المنطقة المقنعة)", - "Inpaint not masked": "إعادة الرسم الجزئي (المنطقة الغير مقنعة)", - "Masked content": "المحتوى المقنع", - "fill": "الملأ", - "original": "الأصلي", - "latent noise": "الضوضاء الكامنة", - "latent nothing": "لا شيء كامن", - "Inpaint at full resolution": "إعادة الرسم الجزئي بدقة كاملة", - "Inpaint at full resolution padding, pixels": "إعادة الرسم الجزئي بدقة كاملة, الحشو, بيكسل", - "Process images in a directory on the same machine where the server is running.": "معالجة الصور في المجلد على نفس الجهاز حيث يتم تشغيل الخادم.", - "Use an empty output directory to save pictures normally instead of writing to the output directory.": "استخدم مجلد إخراج فارغ لحفظ الصور بشكل طبيعي بدلاً من الكتابة إلى مجلد المخرجات.", - "Input directory": "مجلد المدخلات", - "Output directory": "مجلد المخرجات", - "Resize mode": "وضعية تغيير الحجم", - "Just resize": "تغييير الحجم فقط", - "Crop and resize": "اقتصاص وتغيير الحجم", - "Resize and fill": "تغيير الحجم والتعبئة", - "Animator": "محرك الرسوم", - "Animator v2": "محرك الرسوم نسخة 2", - "Deforum v0.5-webui-beta": "ديفوروم 0.5", - "External Image Masking": "تقنيع الصور الخارجي", - "img2img alternative test": "صورة لصورة البديلة", - "Loopback": "الحلقة الراجعة", - "Outpainting mk2": "الرسم الخارجي نسخة 2", - "Poor man's outpainting": "الرسم الخارجي للفقراء", - "SD upscale": "ترقية الانتشار المستقر", - "txt2mask v0.1.1": "نص لقناع 0.1.1", - "[C] Video to video": "فيديو لفيديو", - "Videos": "فيديوهات", - "Render these video formats:": "رسم تنسيقات الفيديو:", - "GIF": "GIF", - "MP4": "MP4", - "WEBM": "WEBM", - "Animation Parameters": "متغيرات تحريك الرسوم", - "Total Animation Length (s)": "المدة الكلية للرسوم المتحركة", - "Framerate": "Framerate", - "Add_Noise": "Add_Noise", - "Noise Strength": "Noise Strength", - "Denoising_Decay": "Denoising_Decay", - "Denoising Decay Rate": "Denoising Decay Rate", - "Initial Parameters": "Initial Parameters", - "Denoising Strength (overrides img2img slider)": "Denoising Strength (overrides img2img slider)", - "Zoom Factor (scale/s)": "Zoom Factor (scale/s)", - "X Pixel Shift (pixels/s)": "X Pixel Shift (pixels/s)", - "Y Pixel Shift (pixels/s)": "Y Pixel Shift (pixels/s)", - "Prompt Template, applied to each keyframe below": "Prompt Template, applied to each keyframe below", - "Positive Prompts": "Positive Prompts", - "Negative Prompts": "Negative Prompts", - "Keyframe Format:": "Keyframe Format:", - "Time (s) | Desnoise | Zoom (/s) | X Shift (pix/s) | Y shift (pix/s) | Positive Prompts | Negative Prompts | Seed": "Time (s) | Desnoise | Zoom (/s) | X Shift (pix/s) | Y shift (pix/s) | Positive Prompts | Negative Prompts | Seed", - "Keyframes:": "Keyframes:", - "Rotation (deg/s)": "Rotation (deg/s)", - "Props": "Props", - "Folder:": "Folder:", - "Supported Keyframes:": "Supported Keyframes:", - "time_s | prompt | positive_prompts | negative_prompts": "time_s | prompt | positive_prompts | negative_prompts", - "time_s | transform | zoom | x_shift | y_shift | rotation": "time_s | transform | zoom | x_shift | y_shift | rotation", - "time_s | seed | new_seed_int": "time_s | seed | new_seed_int", - "time_s | denoise | denoise_value": "time_s | denoise | denoise_value", - "time_s | prop | prop_filename | x_pos | y_pos | scale | rotation": "time_s | prop | prop_filename | x_pos | y_pos | scale | rotation", - "time_s | set_text | textblock_name | text_prompt | x | y | fore_R | fore_G | fore_B | back_R | back_G | back_B | font_name | font_size": "time_s | set_text | textblock_name | text_prompt | x | y | fore_R | fore_G | fore_B | back_R | back_G | back_B | font_name | font_size", - "time_s | clear_text | textblock_name": "time_s | clear_text | textblock_name", - "time_s | prop | prop_name | prop_filename | x pos | y pos | scale | rotation": "time_s | prop | prop_name | prop_filename | x pos | y pos | scale | rotation", - "time_s | set_stamp | stamp_name | stamp_filename | x pos | y pos | scale | rotation": "time_s | set_stamp | stamp_name | stamp_filename | x pos | y pos | scale | rotation", - "time_s | clear_stamp | stamp_name": "time_s | clear_stamp | stamp_name", - "time_s | col_set": "time_s | col_set", - "time_s | col_clear": "time_s | col_clear", - "time_s | model | 2022-10-19T08-10-53_VV_6_training_images_1212_max_training_steps_VV_V_token_woman_class_word, 2022-10-19T09-06-28_VV_6_training_images_1212_max_training_steps_VV_V_token_woman_class_word, 2022-10-20T10-07-46_Zori_New_20_training_images_2020_max_training_steps_ZZ_W_token_woman_class_word, 2022-10-20T10-39-38_Zori_New_20_training_images_1010_max_training_steps_ZZ_W_token_woman_class_word, HD-16, L, L2_1, L2_2, LM, MT_V, Main+Trinart, Z1, Z2, model, modelZ, nai, robo-diffusion-v1, sd-v1-5-inpainting, trinart2_step115000, v1-5-pruned, v1-5-pruned-emaonly, wd-v1-2-full-ema, wd-v1-3-float16": "time_s | model | 2022-10-19T08-10-53_VV_6_training_images_1212_max_training_steps_VV_V_token_woman_class_word, 2022-10-19T09-06-28_VV_6_training_images_1212_max_training_steps_VV_V_token_woman_class_word, 2022-10-20T10-07-46_Zori_New_20_training_images_2020_max_training_steps_ZZ_W_token_woman_class_word, 2022-10-20T10-39-38_Zori_New_20_training_images_1010_max_training_steps_ZZ_W_token_woman_class_word, HD-16, L, L2_1, L2_2, LM, MT_V, Main+Trinart, Z1, Z2, model, modelZ, nai, robo-diffusion-v1, sd-v1-5-inpainting, trinart2_step115000, v1-5-pruned, v1-5-pruned-emaonly, wd-v1-2-full-ema, wd-v1-3-float16", - "Click here after the generation to show the video": "Click here after the generation to show the video", - "Made by deforum.github.io, port for AUTOMATIC1111's webui maintained by kabachuha": "Made by deforum.github.io, port for AUTOMATIC1111's webui maintained by kabachuha", - "Original Deforum Github repo github.com/deforum/stable-diffusion": "Original Deforum Github repo github.com/deforum/stable-diffusion", - "This fork for auto1111's webui github.com/deforum-art/deforum-for-automatic1111-webui": "This fork for auto1111's webui github.com/deforum-art/deforum-for-automatic1111-webui", - "Join the official Deforum Discord discord.gg/deforum to share your creations and suggestions": "Join the official Deforum Discord discord.gg/deforum to share your creations and suggestions", - "User guide for v0.5 docs.google.com/document/d/1pEobUknMFMkn8F5TMsv8qRzamXX_75BShMMXV8IFslI/edit": "User guide for v0.5 docs.google.com/document/d/1pEobUknMFMkn8F5TMsv8qRzamXX_75BShMMXV8IFslI/edit", - "Math keyframing explanation docs.google.com/document/d/1pfW1PwbDIuW0cv-dnuyYj1UzPqe23BlSLTJsqazffXM/edit?usp=sharing": "Math keyframing explanation docs.google.com/document/d/1pfW1PwbDIuW0cv-dnuyYj1UzPqe23BlSLTJsqazffXM/edit?usp=sharing", - "Keyframes": "Keyframes", - "Init": "Init", - "Video output": "Video output", - "Run settings": "Run settings", - "Import settings from file": "Import settings from file", - "Override settings": "Override settings", - "Custom settings file": "Custom settings file", - "Sampling settings": "Sampling settings", - "The following settings have already been set up in the webui": "The following settings have already been set up in the webui", - "Do you want to override them with the values above?": "Do you want to override them with the values above?", - "FIXME! Need to make deforum <-> webui samplers map. Before that, the sampler gets used from webui anyway. If your images are changing too adruptly, lower steps or increase strength schedule!": "FIXME! Need to make deforum <-> webui samplers map. Before that, the sampler gets used from webui anyway. If your images are changing too adruptly, lower steps or increase strength schedule!", - "override_these_with_webui": "override_these_with_webui", - "W, H, seed, sampler, steps, scale, ddim_eta, n_batch, make_grid, grid_rows": "W, H, seed, sampler, steps, scale, ddim_eta, n_batch, make_grid, grid_rows", - "W": "W", - "H": "H", - "seed": "seed", - "sampler": "sampler", - "klms": "klms", - "dpm2": "dpm2", - "dpm2_ancestral": "dpm2_ancestral", - "heun": "heun", - "euler": "euler", - "euler_ancestral": "euler_ancestral", - "plms": "plms", - "ddim": "ddim", - "steps": "steps", - "scale": "scale", - "ddim_eta": "ddim_eta", - "n_batch": "n_batch", - "make_grid": "make_grid", - "grid_rows": "grid_rows", - "save_settings": "save_settings", - "save_samples": "save_samples", - "display_samples": "display_samples", - "save_sample_per_step": "save_sample_per_step", - "show_sample_per_step": "show_sample_per_step", - "Batch settings": "Batch settings", - "batch_name": "batch_name", - "filename_format": "filename_format", - "seed_behavior": "seed_behavior", - "iter": "iter", - "fixed": "fixed", - "random": "random", - "schedule": "schedule", - "Animation settings": "Animation settings", - "animation_mode": "animation_mode", - "2D": "2D", - "3D": "3D", - "Video Input": "Video Input", - "max_frames": "max_frames", - "border": "border", - "replicate": "replicate", - "wrap": "wrap", - "Motion parameters:": "Motion parameters:", - "2D and 3D settings": "2D and 3D settings", - "angle": "angle", - "zoom": "zoom", - "translation_x": "translation_x", - "translation_y": "translation_y", - "3D settings": "3D settings", - "translation_z": "translation_z", - "rotation_3d_x": "rotation_3d_x", - "rotation_3d_y": "rotation_3d_y", - "rotation_3d_z": "rotation_3d_z", - "Prespective flip — Low VRAM pseudo-3D mode:": "Prespective flip — Low VRAM pseudo-3D mode:", - "flip_2d_perspective": "flip_2d_perspective", - "perspective_flip_theta": "perspective_flip_theta", - "perspective_flip_phi": "perspective_flip_phi", - "perspective_flip_gamma": "perspective_flip_gamma", - "perspective_flip_fv": "perspective_flip_fv", - "Generation settings:": "Generation settings:", - "noise_schedule": "noise_schedule", - "strength_schedule": "strength_schedule", - "contrast_schedule": "contrast_schedule", - "cfg_scale_schedule": "cfg_scale_schedule", - "To enable seed schedule select seed behavior — 'schedule'": "To enable seed schedule select seed behavior — 'schedule'", - "seed_schedule": "seed_schedule", - "Coherence:": "Coherence:", - "color_coherence": "color_coherence", - "Match Frame 0 HSV": "Match Frame 0 HSV", - "Match Frame 0 LAB": "Match Frame 0 LAB", - "Match Frame 0 RGB": "Match Frame 0 RGB", - "diffusion_cadence": "diffusion_cadence", - "3D Depth Warping:": "3D Depth Warping:", - "use_depth_warping": "use_depth_warping", - "midas_weight": "midas_weight", - "near_plane": "near_plane", - "far_plane": "far_plane", - "fov": "fov", - "padding_mode": "padding_mode", - "reflection": "reflection", - "zeros": "zeros", - "sampling_mode": "sampling_mode", - "bicubic": "bicubic", - "bilinear": "bilinear", - "nearest": "nearest", - "save_depth_maps": "save_depth_maps", - "`animation_mode: None` batches on list of *prompts*. (Batch mode disabled atm, only animation_prompts are working)": "`animation_mode: None` batches on list of *prompts*. (Batch mode disabled atm, only animation_prompts are working)", - "*Important change from vanilla Deforum!*": "*Important change from vanilla Deforum!*", - "This script uses the built-in webui weighting settings.": "This script uses the built-in webui weighting settings.", - "So if you want to use math functions as prompt weights,": "So if you want to use math functions as prompt weights,", - "keep the values above zero in both parts": "keep the values above zero in both parts", - "Negative prompt part can be specified with --neg": "Negative prompt part can be specified with --neg", - "batch_prompts (disabled atm)": "batch_prompts (disabled atm)", - "animation_prompts": "animation_prompts", - "Init settings": "Init settings", - "use_init": "use_init", - "from_img2img_instead_of_link": "from_img2img_instead_of_link", - "strength_0_no_init": "strength_0_no_init", - "strength": "strength", - "init_image": "init_image", - "use_mask": "use_mask", - "use_alpha_as_mask": "use_alpha_as_mask", - "invert_mask": "invert_mask", - "overlay_mask": "overlay_mask", - "mask_file": "mask_file", - "mask_brightness_adjust": "mask_brightness_adjust", - "mask_overlay_blur": "mask_overlay_blur", - "Video Input:": "Video Input:", - "video_init_path": "video_init_path", - "extract_nth_frame": "extract_nth_frame", - "overwrite_extracted_frames": "overwrite_extracted_frames", - "use_mask_video": "use_mask_video", - "video_mask_path": "video_mask_path", - "Interpolation (turned off atm)": "Interpolation (turned off atm)", - "interpolate_key_frames": "interpolate_key_frames", - "interpolate_x_frames": "interpolate_x_frames", - "Resume animation:": "Resume animation:", - "resume_from_timestring": "resume_from_timestring", - "resume_timestring": "resume_timestring", - "Video output settings": "Video output settings", - "skip_video_for_run_all": "skip_video_for_run_all", - "fps": "fps", - "output_format": "output_format", - "PIL gif": "PIL gif", - "FFMPEG mp4": "FFMPEG mp4", - "ffmpeg_location": "ffmpeg_location", - "add_soundtrack": "add_soundtrack", - "soundtrack_path": "soundtrack_path", - "use_manual_settings": "use_manual_settings", - "render_steps": "render_steps", - "max_video_frames": "max_video_frames", - "path_name_modifier": "path_name_modifier", - "x0_pred": "x0_pred", - "x": "x", - "image_path": "image_path", - "mp4_path": "mp4_path", - "Masking preview size": "Masking preview size", - "Draw new mask on every run": "Draw new mask on every run", - "Process non-contigious masks separately": "Process non-contigious masks separately", - "should be 2 or lower.": "should be 2 or lower.", - "Override `Sampling method` to Euler?(this method is built for it)": "Override `Sampling method` to Euler?(this method is built for it)", - "Override `prompt` to the same value as `original prompt`?(and `negative prompt`)": "Override `prompt` to the same value as `original prompt`?(and `negative prompt`)", - "Original prompt": "Original prompt", - "Original negative prompt": "Original negative prompt", - "Override `Sampling Steps` to the same value as `Decode steps`?": "Override `Sampling Steps` to the same value as `Decode steps`?", - "Decode steps": "Decode steps", - "Override `Denoising strength` to 1?": "Override `Denoising strength` to 1?", - "Decode CFG scale": "Decode CFG scale", - "Randomness": "Randomness", - "Sigma adjustment for finding noise for image": "Sigma adjustment for finding noise for image", - "Loops": "Loops", - "Denoising strength change factor": "معامل قوة تقليل الضوضاء", - "Recommended settings: Sampling Steps: 80-100, Sampler: Euler a, Denoising strength: 0.8": "الإعدادات الموصى بها: خطوات أخذ العينات: 80-100 ، طريقة أخذ العينات: Euler a ، تقليل الضوضاء: 0.8", - "Pixels to expand": "عدد البكسل للتوسيع", - "Outpainting direction": "إتجاه الرسم الخارجي", - "left": "يسار", - "right": "يمين", - "up": "فوق", - "down": "تحت", - "Fall-off exponent (lower=higher detail)": "أس التناقص (الأدنى = تفاصيل أعلى)", - "Color variation": "اختلاف اللون", - "Will upscale the image to twice the dimensions; use width and height sliders to set tile size": "سيقوم بترقية الصورة إلى ضعف الأبعاد ؛ استخدم شريط تمرير العرض والارتفاع لضبط حجم التبليط", - "Tile overlap": "تداخل التبليط", - "Upscaler": "المرقي", - "Lanczos": "Lanczos", - "LDSR": "LDSR", - "ESRGAN 4x": "ESRGAN 4x", - "R-ESRGAN General 4xV3": "R-ESRGAN General 4xV3", - "R-ESRGAN General WDN 4xV3": "R-ESRGAN General WDN 4xV3", - "R-ESRGAN AnimeVideo": "R-ESRGAN AnimeVideo", - "R-ESRGAN 4x+": "R-ESRGAN 4x+", - "R-ESRGAN 4x+ Anime6B": "R-ESRGAN 4x+ Anime6B", - "R-ESRGAN 2x+": "R-ESRGAN 2x+", - "ScuNET GAN": "ScuNET GAN", - "ScuNET PSNR": "ScuNET PSNR", - "SwinIR_4x": "SwinIR_4x", - "Mask prompt": "Mask prompt", - "Negative mask prompt": "Negative mask prompt", - "Mask precision": "Mask precision", - "Mask padding": "Mask padding", - "Brush mask mode": "Brush mask mode", - "discard": "discard", - "add": "add", - "subtract": "subtract", - "Show mask in output?": "Show mask in output?", - "If you like my work, please consider showing your support on": "If you like my work, please consider showing your support on", - "Patreon": "Patreon", - "Input file path": "Input file path", - "CRF (quality, less is better, x264 param)": "CRF (quality, less is better, x264 param)", - "FPS": "FPS", - "Seed step size": "Seed step size", - "Seed max distance": "Seed max distance", - "Start time": "Start time", - "End time": "End time", - "End Prompt Blend Trigger Percent": "End Prompt Blend Trigger Percent", - "Prompt end": "Prompt end", - "Smooth video": "Smooth video", - "Seconds": "Seconds", - "Zoom": "Zoom", - "Zoom level": "Zoom level", - "Direction X": "Direction X", - "Direction Y": "Direction Y", - "Rotate": "Rotate", - "Degrees": "Degrees", - "Is the Image Tiled?": "Is the Image Tiled?", - "TranslateX": "TranslateX", - "Left": "Left", - "PercentX": "PercentX", - "TranslateY": "TranslateY", - "Up": "Up", - "PercentY": "PercentY", - "Show generated pictures in ui": "عرض الصور المنشئة في واجهة الاستخدام", - "Single Image": "صورة واحدة", - "Batch Process": "معالجة الدفعات", - "Batch from Directory": "دفعة من المجلد", - "Source": "مصدر", - "Show result images": "إظهار نتائج الصور ", - "Scale by": "رفع الحجم بمقدار", - "Scale to": "رفع الحجم إلى", - "Resize": "تغيير الحجم", - "Crop to fit": "اقتصاص للتوافق", - "Upscaler 2 visibility": "إظهار المرقي 2", - "GFPGAN visibility": "إظهار GFPGAN", - "CodeFormer visibility": "إظهار CodeFormer", - "CodeFormer weight (0 = maximum effect, 1 = minimum effect)": "وزن CodeFormer (0 = أقصى تأثير ، 1 = تأثير أدنى)", - "Open output directory": "افتح مجلد المخرجات", - "Send to txt2img": "أرسل إلى كتابة لصورة", - "extras": "إضافات", - "favorites": "المفضلة", - "Load": "تحميل", - "Images directory": "مجلد الصور", - "Prev batch": "الدفعة السابقة", - "Next batch": "الدفعة التالية", - "First Page": "الصفحة الأولى", - "Prev Page": "الصفحة السابقة", - "Page Index": "فهرس الصفحات", - "Next Page": "الصفحة التالية", - "End Page": "صفحة النهاية", - "number of images to delete consecutively next": "عدد الصور المطلوب حذفها على التوالي بعد ذلك", - "Delete": "حذف", - "Generate Info": "معلومات الإنشاء", - "File Name": "اسم الملف", - "Collect": "جمع", - "Refresh page": "إعادة تحميل الصفحة", - "Date to": "التاريخ إلى", - "Number": "الرقم", - "set_index": "وضع الفهرس", - "Checkbox": "صندوق اختيار", - "A merger of the two checkpoints will be generated in your": "سيتم إنشاء نموذجمدمج من النموذجين في", - "checkpoint": "النموذج", - "directory.": "المجلد.", - "Primary model (A)": "النموذج الأساسي (أ)", - "Secondary model (B)": "النموذج الثانوي (ب)", - "Tertiary model (C)": "النموذج الثالث (ج)", - "Custom Name (Optional)": "اسم مخصص (اختياري)", - "Multiplier (M) - set to 0 to get model A": "المضاعف (M) - اضبط على 0 للحصول على النموذج أ", - "Interpolation Method": "طريقة الاستنباط", - "Weighted sum": "المجموع الموزون", - "Add difference": "أضافة الاختلاف", - "Save as float16": "حفظ float16", - "See": "شاهد", - "wiki": "ويكي", - "for detailed explanation.": "للحصول على شرح مفصل.", - "Create embedding": "إنشاء التضمين", - "Create hypernetwork": "إنشاء شبكة فائقة", - "Preprocess images": "تجهيز الصور", - "Name": "الاسم", - "Initialization text": "نص التهيئة", - "Number of vectors per token": "عدد المتجهات لكل رمز", - "Overwrite Old Embedding": "الكتابة فوق التضمين القديم", - "Modules": "الوحدات", - "Enter hypernetwork layer structure": "أدخل بنية طبقة الشبكة الفائقة", - "Select activation function of hypernetwork": "حدد وظيفة تنشيط الشبكة الفائقة", - "linear": "خطي (Linear)", - "relu": "الوحدة الخطية المعدلة (Relu)", - "leakyrelu": "الوحدة الخطية المعدلة المسربة (Leakyrelu)", - "elu": "الوحدة الأسية الخطية (Elu)", - "swish": "Swish", - "Add layer normalization": "أضف طبقة التسوية", - "Use dropout": "استخدم الهبوط", - "Overwrite Old Hypernetwork": "الكتابة فوق الشبكة الفائقة القديمة", - "Source directory": "مجلد المصدر", - "Destination directory": "مجلد النتائج", - "Existing Caption txt Action": "الإجراء النصي للتعليق المتوفر", - "ignore": "تجاهل", - "copy": "نسخ", - "prepend": "أضف قبل", - "append": "ألحق", - "Create flipped copies": "قم بإنشاء نسخ مقلوبة", - "Split oversized images": "تقسيم الصور كبيرة الحجم", - "Use BLIP for caption": "استخدم BLIP للتعليق", - "Use deepbooru for caption": "استخدم deepbooru للتعليق", - "Split image threshold": "حد تقسيم الصورة", - "Split image overlap ratio": "نسبة تداخل الصورة المنقسمة", - "Preprocess": "تجهيز الصور", - "Train an embedding or Hypernetwork; you must specify a directory with a set of 1:1 ratio images": "تدريب التضمين أو الشبكة الفائقة ؛ يجب تحديد مجلد بمجموعة من الصور بنسبة أبعاد 1: 1", - "[wiki]": "[ويكي]", - "Embedding": "التضمين", - "Embedding Learning rate": "معدل تعلم التضمين", - "Hypernetwork Learning rate": "معدل تعلم الشبكة الفائقة", - "Dataset directory": "مجلد مجموعة البيانات", - "Log directory": "مجلد السجل", - "Prompt template file": "ملف قالب الموجهات", - "Max steps": "الخطوات القصوى", - "Save an image to log directory every N steps, 0 to disable": "حفظ صورة في مجلد السجل كل N خطوات ، 0 للتعطيل", - "Save a copy of embedding to log directory every N steps, 0 to disable": "حفظ نسخة من التضمين في مجلد السجل كل N خطوات ، 0 للتعطيل", - "Save images with embedding in PNG chunks": "حفظ التضمين مع الصور في أجزاء PNG", - "Read parameters (prompt, etc...) from txt2img tab when making previews": "قراءة المتغيرات (الموجه ، إلخ ...) من علامة تبويب نص لصورة عند إجراء المعاينات", - "Train Hypernetwork": "تدريب الشبكة الفائقة", - "Train Embedding": "تدريب التضمين", - "Apply settings": "تطبيق الإعدادات", - "Saving images/grids": "حفظ الصور / الإطار الشبكي", - "Always save all generated images": "احفظ دائمًا جميع الصور التي تم إنشائها", - "File format for images": "تنسيق ملفات الصور", - "Images filename pattern": "نمط اسم ملفات الصور", - "Always save all generated image grids": "احفظ دائمًا جميع الإطارات الشبكية للصور التي تم إنشاؤها", - "File format for grids": "تنسيق ملفات الإطارات الشبكية", - "Add extended info (seed, prompt) to filename when saving grid": "أضف معلومات إضافية (البذرة ، الموجه) إلى اسم الملف عند حفظ الإطار الشبكي", - "Do not save grids consisting of one picture": "لا تحفظ الإطارات الشبكية التي تتكون من صورة واحدة", - "Prevent empty spots in grid (when set to autodetect)": "منع المناطق الفارغة في الإطار الشبكي (عند الضبط على الاكتشاف التلقائي)", - "Grid row count; use -1 for autodetect and 0 for it to be same as batch size": "عدد صفوف الإطار الشبكي استخدم -1 للاكتشاف التلقائي و 0 ليكون نفس حجم الدُفعة", - "Save text information about generation parameters as chunks to png files": "احفظ معلومات نصية حول متغيرات الإنشاء كمقاطع في ملفات png", - "Create a text file next to every image with generation parameters.": "قم بإنشاء ملف نصي بجوار كل صورة باستخدام متغيرات الإنشاء.", - "Save a copy of image before doing face restoration.": "احفظ نسخة من الصورة قبل القيام بترميم الوجوه.", - "Quality for saved jpeg images": "جودة الصور المحفوظة بتنسيق jpeg", - "If PNG image is larger than 4MB or any dimension is larger than 4000, downscale and save copy as JPG": "إذا كانت صورة PNG أكبر من 4 ميجابايت أو كان أي بُعد أكبر من 4000 ، قم بتقليل حجم الصورة وحفظها بتنسيق JPG", - "Use original name for output filename during batch process in extras tab": "استخدم الاسم الأصلي لاسم ملف الإخراج أثناء عملية الدُفعات في علامة تبويب الإضافات", - "When using 'Save' button, only save a single selected image": "عند استخدام زر 'حفظ' ، احفظ فقط صورة واحدة محددة", - "Do not add watermark to images": "لا تقم بإضافة العلامة المائية للصور", - "Paths for saving": "مسارات الحفظ", - "Output directory for images; if empty, defaults to three directories below": "مجلد المخرجات للصور ؛ إذا كان فارغا ، يتم تعيينه افتراضيًا إلى المجلدات الثلاثة أدناه", - "Output directory for txt2img images": "مجلد المخرجات لصور نص لصورة", - "Output directory for img2img images": "مجلد المخرجات لصور صورة لصورة", - "Output directory for images from extras tab": "مجلد المخرجات لصور علامة تبويب الإضافات", - "Output directory for grids; if empty, defaults to two directories below": "مجلد المخرجات للإطارات الشبكية ؛ إذا كان فارغا ، يتم تعيينه افتراضيًا إلى المجلدين أدناه", - "Output directory for txt2img grids": "مجلد المخرجات للإطارات الشبكية نص لصورة", - "Output directory for img2img grids": "مجلد المخرجات للإطارات الشبكية صورة لصورة", - "Directory for saving images using the Save button": "مجلد لحفظ الصور باستخدام زر حفظ", - "Saving to a directory": "يتم الحفظ إلى المجلد..", - "Save images to a subdirectory": "حفظ الصور في مجلد فرعي", - "Save grids to a subdirectory": "حفظ الإطارات الشبكية في مجلد فرعي", - "When using 'Save' button, save images to a subdirectory": "عند استخدام زر 'حفظ' ، احفظ الصور في مجلد فرعي", - "Directory name pattern": "نمط اسم المجلد", - "Max prompt words for [prompt_words] pattern": "أقصى عدد لكلمات التوجيه لنمط [كلمات_التوجيه]", - "Upscaling": "الارتقاء", - "Tile size for ESRGAN upscalers. 0 = no tiling.": "حجم التبليط لترقيات ESRGAN, القيمة 0= لا يوجد تبليط.", - "Tile overlap, in pixels for ESRGAN upscalers. Low values = visible seam.": "تداخل المربعات ، بالبكسل لمرقي ESRGAN. القيم المنخفضة = تداخل مرئي.", - "Tile size for all SwinIR.": "حجم التليط لجميع عمليات SwinIR.", - "Tile overlap, in pixels for SwinIR. Low values = visible seam.": "تداخل المربعات بالبكسل لـ SwinIR. القيم المنخفضة = تداخل مرئي.", - "LDSR processing steps. Lower = faster": "خطوات معالجة LDSR. أقل = أسرع", - "Upscaler for img2img": "المرقي لصورة لصورة", - "Upscale latent space image when doing hires. fix": "ترقية صورة الفضاء الكامن عند التعيينات. تصليح", - "Face restoration": "ترميم الوجوه", - "CodeFormer weight parameter; 0 = maximum effect; 1 = minimum effect": "متغيرات وزن CodeFormer ؛ 0 = أقصى تأثير ؛ 1 = الحد الأدنى من التأثير", - "Move face restoration model from VRAM into RAM after processing": "انقل نموذج استعادة الوجوه من VRAM إلى RAM بعد المعالجة", - "System": "نظام", - "VRAM usage polls per second during generation. Set to 0 to disable.": "استطلاعات استخدام VRAM في الثانية أثناء الإنشاء. اضبط على 0 للتعطيل.", - "Always print all generation info to standard output": "قم دائمًا بطباعة جميع معلومات الإنشاء إلى المخرج القياسي", - "Add a second progress bar to the console that shows progress for an entire job.": "أضف شريط تقدم آخر إلى وحدة التحكم يُظهر التدقم الكلي للمهمة.", - "Training": "التدريب", - "Move VAE and CLIP to RAM when training hypernetwork. Saves VRAM.": "تفريغ VAE و CLIP من VRAM عند التدريب", - "Filename word regex": "اسم ملف كلمات regex", - "Filename join string": "سلسلة أحرف دمج أسماء الملفات", - "Number of repeats for a single input image per epoch; used only for displaying epoch number": "عدد التكرارات لصورة إدخال واحدة لكل حقبة ؛ تستخدم فقط لعرض رقم الحقبة", - "Save an csv containing the loss to log directory every N steps, 0 to disable": "حفظ ملف csv يحتوي على الخسارة إلى مجلد السجل كل N خطوات ، 0 للتعطيل", - "Stable Diffusion": "انتشار مستقر", - "Checkpoints to cache in RAM": "التخزين المؤقت للنماذج في RAM", - "Hypernetwork strength": "قوة الشبكة الفائقة", - "Apply color correction to img2img results to match original colors.": "قم بتطبيق تصحيح الألوان على نتائج صورة لصورة لمطابقة الألوان الأصلية.", - "Save a copy of image before applying color correction to img2img results": "احفظ نسخة من الصورة قبل تطبيق تصحيح الألوان على نتائج صورة لصورة", - "With img2img, do exactly the amount of steps the slider specifies (normally you'd do less with less denoising).": "باستخدام صورة لصورة ، قم بالضبط بعدد الخطوات التي يحددها شريط التمرير (عادةً ما سيكون أقل مع تقليل التشويش).", - "Enable quantization in K samplers for sharper and cleaner results. This may change existing seeds. Requires restart to apply.": "تمكين تكميم عينات K للحصول على نتائج أوضح وأنظف. هذا قد يغير البذرة المستخدمة. يتطلب إعادة التشغيل للتطبيق.", - "Emphasis: use (text) to make model pay more attention to text and [text] to make it pay less attention": "التأكيد: استخدم (النص) لجعل النموذج يولي مزيدًا من الاهتمام للنص و استخدم [النص] لجعل النموذج يولي اهتمامًا أقل للنص", - "Use old emphasis implementation. Can be useful to reproduce old seeds.": "استخدم طريقة التأكيد القديمة. يمكن أن يكون مفيدًا لإعادة إنتاج البذور القديمة.", - "Make K-diffusion samplers produce same images in a batch as when making a single image": "اجعل انظمة أخذ عينات الانتشار K تنتج نفس الصور في الدفعات كما هو الحال عند إنشاء صورة واحدة", - "Increase coherency by padding from the last comma within n tokens when using more than 75 tokens": "زيادة التناسق عن طريق المساحة المتروكة من الفاصلة الأخيرة ضمن عدد n من الرموز المميزة عند استخدام أكثر من 75 رمزًا مميزًا", - "Filter NSFW content": "تصفية المحتوى الإباحي", - "Stop At last layers of CLIP model": "توقف عند آخر طبقات نموذج CLIP", - "Interrogate Options": "خيارات الاستجواب", - "Interrogate: keep models in VRAM": "الاستجواب: احتفظ بالنماذج في VRAM", - "Interrogate: use artists from artists.csv": "الاستجواب: استخدم قائمة الفنانين من ملف artists.csv", - "Interrogate: include ranks of model tags matches in results (Has no effect on caption-based interrogators).": "الاستجواب: قم بتضمين رتب علامات النموذج في النتائج (ليس له تأثير على الاستجواب المستند إلى التعليقات).", - "Interrogate: num_beams for BLIP": "الاستجواب: عدد الحزم لـ BLIP", - "Interrogate: minimum description length (excluding artists, etc..)": "الاستجواب: الحد الأدنى لطول الوصف (باستثناء الفنانين ،إلخ..)", - "Interrogate: maximum description length": "الاستجواب: الحد الأقصى لطول الوصف", - "CLIP: maximum number of lines in text file (0 = No limit)": "CLIP: أقصى عدد من الأسطر في الملف النصي (0 = بلا حدود)", - "Interrogate: deepbooru score threshold": "الاستجواب: عتبة درجات deepbooru", - "Interrogate: deepbooru sort alphabetically": "الاستجواب: الترتيب الأبجدي لـ deepbooru", - "use spaces for tags in deepbooru": "استخدام مسافات للعلامات في deepbooru", - "User interface": "واجهة المستخدم", - "Show progressbar": "إظهار شريط التقدم", - "Show image creation progress every N sampling steps. Set 0 to disable.": "إظهار تقدم إنشاء الصورة لكل N خطوة من خطوات أخذ العينات. قم بتعيين 0 للتعطيل.", - "Show previews of all images generated in a batch as a grid": "إظهار معاينة لجميع الصور التي يتم إنشائها في الدفعة كإطار شبكي", - "Show grid in results for web": "إظهار الإطار الشبكي في نتائج الويب", - "Do not show any images in results for web": "لا تظهر أي صور في نتائج الويب", - "Add model hash to generation information": "أضف معلومات الهاش للنموذج إلى معلومات الإنشاء", - "Add model name to generation information": "أضف اسم النموذج إلى معلومات الإنشاء", - "When reading generation parameters from text into UI (from PNG info or pasted text), do not change the selected model/checkpoint.": "عند قراءة متغيرات الإنشاء من النص إلى واجهة المستخدم (من معلومات PNG أو النص الملصق) ، لا تقم بتغيير النموذج", - "Font for image grids that have text": "الخط المستخدم للإطارات الشبكية للصور التي تحتوي على نص", - "Enable full page image viewer": "تفعيل عارض الصور ذو الصفحة الكاملة", - "Show images zoomed in by default in full page image viewer": "إظهار الصور التي تم تكبيرها بشكل افتراضي في عارض الصور ذو الصفحة الكاملة", - "Show generation progress in window title.": "إظهار تقدم الإنشاء في عنوان الشاشة.", - "Quicksettings list": "قائمة الإعدادات السريعة", - "Localization (requires restart)": "الترجمة (يتطلب إعادة التشغيل)", - "ar_AR": "العربية", - "ja_JP": "اليابانية", - "ru_RU": "الروسية", - "Sampler parameters": "متغيرات أنظمة اخذ العينات", - "Hide samplers in user interface (requires restart)": "إخفاء أنظمة أخذ العينات في واجهة المستخدم (يتطلب إعادة التشغيل)", - "eta (noise multiplier) for DDIM": "الوقت المتبقي (مضاعف الضوضاء) لـ DDIM", - "eta (noise multiplier) for ancestral samplers": "الوقت المتبقي (مضاعف الضوضاء) لأنظمة أخذ العينات التي تعتمد على الأجداد", - "img2img DDIM discretize": "تفصل DDIM لصورة لصورة", - "uniform": "التوحيد", - "quad": "رباعية", - "sigma churn": "دفع سيجما", - "sigma tmin": "سيجما tmin", - "sigma noise": "ضجيج سيجما", - "Eta noise seed delta": "الوقت المتوقع لديلتا بذرة الضجيج ", - "Images Browser": "مستعرض الصور", - "Preload images at startup": "تحميل الصور مسبقًا عند بدء التشغيل", - "Number of pictures displayed on each page": "عدد الصور المعروضة في كل صفحة", - "Minimum number of pages per load": "الحد الأدنى لعدد الصفحات لكل تحميل", - "Number of grids in each row": "عدد الإطارات الشبكية لكل صف", - "Request browser notifications": "طلب إشعارات المتصفح", - "Download localization template": "تنزيل نموذج الترجمة", - "Reload custom script bodies (No ui updates, No restart)": "إعادة تحميل السكريبتات المخصصة (لا توجد تحديثات لواجهة المستخدم ، لا إعادة تشغيل)", - "Restart Gradio and Refresh components (Custom Scripts, ui.py, js and css only)": "أعادة تشغيل Gradio و تحديث مكونات واجهة الاستخدام (السكريبتات و ui.py و js و css فقط)", - "Prompt (press Ctrl+Enter or Alt+Enter to generate)": "الموجه (اضغط على Ctrl + Enter أو Alt + Enter للإنشاء)", - "Negative prompt (press Ctrl+Enter or Alt+Enter to generate)": "الموجه السلبي (اضغط على Ctrl + Enter أو Alt + Enter للإنشاء)", - "Add a random artist to the prompt.": "أضف فنانًا عشوائيًا إلى الموجه.", - "Read generation parameters from prompt or last generation if prompt is empty into user interface.": "قراءة متغيرات الإنشاء من الموجه أو الإنشاء الأخير إذا كان الموجه فارغا في واجهة المستخدم.", - "Save style": "حفظ النمط", - "Apply selected styles to current prompt": "تطبيق الأنماط المحددة للموجه الحالي", - "Stop processing current image and continue processing.": "توقف عن معالجة الصورة الحالية واستمر في المعالجة.", - "Stop processing images and return any results accumulated so far.": "توقف عن معالجة الصور وقم بإرجاع أي نتائج متراكمة حتى الآن.", - "Style to apply; styles have components for both positive and negative prompts and apply to both": "النمط المطلوب تطبيقه ؛ الأنماط لها مكونات لكل من الموجهات الإيجابية والسلبية وتنطبق على كليهما", - "Do not do anything special": "لا تفعل أي شيء خاص", - "Which algorithm to use to produce the image": "الخوارزمية التي يجب استخدامها لإنتاج الصورة", - "Euler Ancestral - very creative, each can get a completely different picture depending on step count, setting steps to higher than 30-40 does not help": "Euler Ancestral - مبدع جدًا ، يمكن لكل منها الحصول على صورة مختلفة تمامًا اعتمادًا على عدد الخطوات ، تعيين الخطوات على أعلى من 30-40 لا يعطي نتيجة مفيدة", - "Denoising Diffusion Implicit Models - best at inpainting": "نماذج تقليل التشويش الضمني - أفضل اسخدام في الرسم الجزئي", - "Produce an image that can be tiled.": "أنتج صورة يمكن تبليطها.", - "Use a two step process to partially create an image at smaller resolution, upscale, and then improve details in it without changing composition": "استخدم عملية من خطوتين لإنشاء صورة جزئيًا بدقة أقل ثم ترقيتها و تحسين تفاصيلها دون تغيير التكوين", - "Determines how little respect the algorithm should have for image's content. At 0, nothing will change, and at 1 you'll get an unrelated image. With values below 1.0, processing will take less steps than the Sampling Steps slider specifies.": "يحدد مدى ضآلة احترام الخوارزمية لمحتوى الصورة. عند 0 ، لن يتغير شيء ، وعند 1 ستحصل على صورة لا صلة لها بالصورة الأصلية. مع وجود قيم أقل من 1.0 ، المعالجة ستأخذ خطوات أقل مما يحدده شريط تمرير خطوات المعالجة.", - "How many batches of images to create": "كم عدد دفعات الصور التي يتم إنشائها", - "How many image to create in a single batch": "كم صورة يتم إنشائها دفعة واحدة", - "Classifier Free Guidance Scale - how strongly the image should conform to prompt - lower values produce more creative results": "مقياس التوجيه الحر للمصنف - إلى أي مدى يجب أن تتوافق الصورة مع الموجه - القيم المنخفضة تنتج نتائج أكثر إبداعًا", - "A value that determines the output of random number generator - if you create an image with same parameters and seed as another image, you'll get the same result": "القيمة التي تحدد ناتج منشئ الأرقام العشوائية - إذا قمت بإنشاء صورة بنفس المتغيرات و بذرة الصورة ، فستحصل على نفس النتيجة", - "Set seed to -1, which will cause a new random number to be used every time": "عيّن البذرة إلى -1 ، مما سيؤدي إلى استخدام رقم عشوائي جديد في كل مرة", - "Reuse seed from last generation, mostly useful if it was randomed": "إعادة استخدام البذرة من الإنشاء الأخير ، وتكون مفيدة في الغالب إذا كانت عشوائية", - "Seed of a different picture to be mixed into the generation.": "استخدام بذرة من صورة مختلفة ليتم مزجها في الإنشاء.", - "How strong of a variation to produce. At 0, there will be no effect. At 1, you will get the complete picture with variation seed (except for ancestral samplers, where you will just get something).": "ما مدى قوة التباين عند الإنشاء. 0 ، لن يكون هناك أي تأثير. 1 ، ستحصل على الصورة الكاملة ببذور التباين (باستثناء أنظمة عينات الأسلاف ، حيث ستحصل على شيء ما فقط).", - "Make an attempt to produce a picture similar to what would have been produced with same seed at specified resolution": "قم بمحاولة لإنتاج صورة مشابهة لما تم إنتاجه بنفس البذرة بناءا على دقة محددة", - "Separate values for X axis using commas.": "افصل بين قيم المحور X باستخدام الفواصل.", - "Separate values for Y axis using commas.": "افصل بين قيم المحور Y باستخدام الفواصل.", - "Write image to a directory (default - log/images) and generation parameters into csv file.": "اكتب الصورة إلى مجلد (الافتراضي - log/images) وتوليد المتغيرات في ملف csv.", - "Open images output directory": "افتح مجلد مخرجات الصور", - "How much to blur the mask before processing, in pixels.": "كم يتم تضبيب القناع قبل المعالجة ، بالبكسل.", - "What to put inside the masked area before processing it with Stable Diffusion.": "ما يجب وضعه داخل المنطقة المقنعة قبل معالجتها باستخدام الانتشار المستقر.", - "fill it with colors of the image": "املأها بألوان الصورة", - "keep whatever was there originally": "احتفظ بكل ما كان هناك في الأصل", - "fill it with latent space noise": "املأه بضوضاء الفضاء الكامنة", - "fill it with latent space zeroes": "املأه بأصفار الفضاء الكامنة", - "Upscale masked region to target resolution, do inpainting, downscale back and paste into original image": "قم بترقية المنطقة المقنعة إلى الدقة المستهدفة و الرسم الجزئي ثم تقليص الحجم واللصق في الصورة الأصلية", - "Resize image to target resolution. Unless height and width match, you will get incorrect aspect ratio.": "تغيير حجم الصورة إلى الدقة المستهدفة. ما لم يتطابق الطول والعرض ، ستحصل على نسبة عرض إلى ارتفاع غير صحيحة.", - "Resize the image so that entirety of target resolution is filled with the image. Crop parts that stick out.": "قم بتغيير حجم الصورة بحيث يتم ملء الدقة المستهدفة بالكامل بالصورة. يتم قطع المناطق التي تبرز.", - "Resize the image so that entirety of image is inside target resolution. Fill empty space with image's colors.": "قم بتغيير حجم الصورة بحيث تكون الصورة بأكملها داخل الدقة المستهدفة. املأ المساحة الفارغة بألوان الصورة.", - "How many times to repeat processing an image and using it as input for the next iteration": "كم مرة يتم تكرار معالجة صورة واستخدامها كمدخل للتكرار التالي", - "In loopback mode, on each loop the denoising strength is multiplied by this value. <1 means decreasing variety so your sequence will converge on a fixed picture. >1 means increasing variety so your sequence will become more and more chaotic.": "في وضع حلقة الاسترجاع ، يتم ضرب قوة تقليل الضوضاء بهذه القيمة في كل حلقة. يعني <1 تقليل التنوع بحيث يتقارب التسلسل الخاص بك على صورة ثابتة. > 1 يعني زيادة التنوع بحيث يصبح تسلسلك أكثر وأكثر فوضوية.", - "For SD upscale, how much overlap in pixels should there be between tiles. Tiles overlap so that when they are merged back into one picture, there is no clearly visible seam.": "الترقية باستخدام الانتشار المستقر ، كم يجب أن يكون مقدار التداخل بالبكسل بين المربعات. تتداخل المربعات بحيث لا يكون هناك خط واضح للعيان عند دمجها مرة أخرى في صورة واحدة.", - "A directory on the same machine where the server is running.": "مجلد على نفس الجهاز حيث يتم تشغيل الخادم.", - "Leave blank to save images to the default path.": "اتركه فارغًا لحفظ الصور في المسار الافتراضي.", - "Input images directory": "مجلد الصور المدخلة", - "Result = A * (1 - M) + B * M": "النتيجة = A * (1 - M) + B * M", - "Result = A + (B - C) * M": "النتيجة = A + (B - C) * M", - "1st and last digit must be 1. ex:'1, 2, 1'": "يجب أن يكون الرقم الأول والأخير 1. على سبيل المثال: '1 ، 2 ، 1'", - "Path to directory with input images": "المسار إلى مجلد الصور المدخلة", - "Path to directory where to write outputs": "المسار إلى مجلد كتابة النتائج", - "Use following tags to define how filenames for images are chosen: [steps], [cfg], [prompt], [prompt_no_styles], [prompt_spaces], [width], [height], [styles], [sampler], [seed], [model_hash], [prompt_words], [date], [datetime], [job_timestamp]; leave empty for default.": "استخدم العلامات التالية لتعريف كيفية اختيار أسماء الملفات للصور: [steps], [cfg], [prompt], [prompt_no_styles], [prompt_spaces], [width], [height], [styles], [sampler], [seed], [model_hash], [prompt_words], [date], [datetime], [job_timestamp] ؛ اتركه فارغا للوضع الافتراضي.", - "If this option is enabled, watermark will not be added to created images. Warning: if you do not add watermark, you may be behaving in an unethical manner.": "إذا تم تمكين هذا الخيار ، فلن تتم إضافة العلامة المائية إلى الصور التي تم إنشاؤها. تحذير: إذا لم تقم بإضافة علامة مائية ، فقد تكون تتصرف بطريقة غير أخلاقية.", - "Use following tags to define how subdirectories for images and grids are chosen: [steps], [cfg], [prompt], [prompt_no_styles], [prompt_spaces], [width], [height], [styles], [sampler], [seed], [model_hash], [prompt_words], [date], [datetime], [job_timestamp]; leave empty for default.": "استخدم العلامات التالية لتحديد كيفية اختيار المجادت الفرعية للصور و الإطارات الشبكية : [steps], [cfg], [prompt], [prompt_no_styles], [prompt_spaces], [width], [height], [styles], [sampler], [seed], [model_hash], [prompt_words], [date], [datetime], [job_timestamp] ؛ اتركه فارغا للوضع الافتراضي.", - "Restore low quality faces using GFPGAN neural network": "ترميم الوجوه منخفضة الجودة باستخدام الشبكة العصبية GFPGAN ", - "This regular expression will be used extract words from filename, and they will be joined using the option below into label text used for training. Leave empty to keep filename text as it is.": "سيتم استخدام هذا التعبير العادي لاستخراج الكلمات من اسم الملف ، وسيتم ضمها باستخدام الخيار أدناه في نص التسمية المستخدم للتدريب. اتركه فارغًا للاحتفاظ بنص اسم الملف كما هو.", - "This string will be used to join split words into a single line if the option above is enabled.": "سيتم استخدام هذا النص لضم الكلمات المقسمة إلى سطر واحد إذا تم تمكين الخيار أعلاه.", - "List of setting names, separated by commas, for settings that should go to the quick access bar at the top, rather than the usual setting tab. See modules/shared.py for setting names. Requires restarting to apply.": "قائمة أسماء الإعدادات ، مفصولة بفواصل ، للإعدادات التي يجب أن تنتقل إلى شريط الوصول السريع في الأعلى ، بدلاً من علامة تبويب الإعداد المعتادة. انظر modules / shared.py للتعرف على أسماء الإعدادات. يتطلب إعادة التشغيل للتطبيق.", - "If this values is non-zero, it will be added to seed and used to initialize RNG for noises when using samplers with Eta. You can use this to produce even more variation of images, or you can use this to match images of other software if you know what you are doing.": "إذا كانت هذه القيم غير صفرية ، فستتم إضافتها إلى البذرة واستخدامها لتهيئة فوضى الضوضاء عند استخدام أنظمة أخذ العينات باستخدام الوقت المتبقي. يمكنك استخدام ذلك لإنتاج المزيد من التنوعات في الصور ، أو يمكنك استخدامه لمطابقة صور البرامج الأخرى إذا كنت تعرف ما تفعله." +{ + "rtl": true, + "⤡": "⤡", + "⊞": "⊞", + "×": "×", + "❮": "❮", + "❯": "❯", + "Loading...": "جار التحميل...", + "view": "معاينة", + "api": "api", + "•": "•", + "built with gradio": "مبني باستخدام Gradio", + "Stable Diffusion checkpoint": "نماذج الانتشار المستقر", + "txt2img": "نص لصورة", + "img2img": "صورة لصورة", + "Extras": "الإضافات", + "PNG Info": "معلومات PNG", + "Checkpoint Merger": "دمج النماذج", + "Train": "التدريب", + "Create aesthetic embedding": "Create aesthetic embedding", + "Image Browser": "مستعرض الصور", + "Settings": "الإعدادات", + "Prompt": "الموجه", + "Negative prompt": "الموجه السلبي", + "Run": "تشغيل", + "Skip": "تخطي", + "Interrupt": "إيقاف", + "Generate": "إنشاء", + "Style 1": "نمط 1", + "Style 2": "نمط 2", + "Label": "الوسم", + "File": "ملف", + "Drop File Here": "اسحب الملف هنا", + "-": "-", + "or": "أو", + "Click to Upload": "انقر للتحميل", + "Image": "صورة", + "Check progress": "تحقق من التقدم", + "Check progress (first)": "تحقق من التقدم (الأول)", + "Sampling Steps": "خطوات أخذ العينة", + "Sampling method": "نظام أخذ العينات", + "Euler a": "Euler a", + "Euler": "Euler", + "LMS": "LMS", + "Heun": "Heun", + "DPM2": "DPM2", + "DPM2 a": "DPM2 a", + "DPM fast": "DPM fast", + "DPM adaptive": "DPM adaptive", + "LMS Karras": "LMS Karras", + "DPM2 Karras": "DPM2 Karras", + "DPM2 a Karras": "DPM2 a Karras", + "DDIM": "DDIM", + "PLMS": "PLMS", + "Width": "العرض", + "Height": "الارتفاع", + "Restore faces": "ترميم الوجوه", + "Tiling": "تبليط", + "Highres. fix": "إصلاح الصور عالية الدقة", + "Firstpass width": "عرض المرور الأول", + "Firstpass height": "ارتفاع المرور الأول", + "Denoising strength": "قوة تقليل الضوضاء", + "Batch count": "عدد الدُفعات", + "Batch size": "حجم الدفعة", + "CFG Scale": "مقياس التقارب من الموجه (CFG)", + "Seed": "البذرة", + "Extra": "إضافي", + "Variation seed": "تباين البذرة", + "Variation strength": "قوة التباين", + "Resize seed from width": "تغيير حجم البذرة من العرض", + "Resize seed from height": "تغيير حجم البذرة من الارتفاع", + "Open for Clip Aesthetic!": "Open for Clip Aesthetic!", + "▼": "▼", + "Aesthetic weight": "Aesthetic weight", + "Aesthetic steps": "Aesthetic steps", + "Aesthetic learning rate": "Aesthetic learning rate", + "Slerp interpolation": "Slerp interpolation", + "Aesthetic imgs embedding": "Aesthetic imgs embedding", + "None": "لايوجد", + "Aesthetic text for imgs": "Aesthetic text for imgs", + "Slerp angle": "Slerp angle", + "Is negative text": "Is negative text", + "Script": "سكريبت", + "Prompt matrix": "مصفوفة الموجهات", + "Prompts from file or textbox": "موجهات من ملف أو مربع النص", + "X/Y plot": "الرسم البياني X/Y", + "Put variable parts at start of prompt": "ضع الأجزاء المتغيرة في بداية الموجه", + "Show Textbox": "إظهار مربع النص", + "File with inputs": "ملف يحتوي المدخلات", + "Prompts": "الموجهات", + "X type": "نوع X", + "Nothing": "لا شئ", + "Var. seed": "تغير البذرة", + "Var. strength": "قوة التغيير", + "Steps": "الخطوات", + "Prompt S/R": "موجه S / R", + "Prompt order": "ترتيب الموجهات", + "Sampler": "نظام أخذ العينات", + "Checkpoint name": "اسم النموذج", + "Hypernetwork": "الشبكة الفائقة", + "Hypernet str.": "قوة الشبكة الفائقة", + "Sigma Churn": "دفع سيجما", + "Sigma min": "أصغر سيجما", + "Sigma max": "أكبر سيجما", + "Sigma noise": "ضجة سيجما", + "Eta": "الوقت المتوقع", + "Clip skip": "تخطي Clip", + "Denoising": "تقليل الضوضاء", + "X values": "قيم X", + "Y type": "نوع Y", + "Y values": "قيم Y", + "Draw legend": "ارسم مفتاح التوضيح", + "Include Separate Images": "قم بتضمين الصور منفصلة", + "Keep -1 for seeds": "احتفظ بـقيمة -1 للبذور", + "Drop Image Here": "إسقاط الصورة هنا", + "Save": "حفظ", + "Send to img2img": "أرسل إلى صورة لصورة", + "Send to inpaint": "أرسل إلى إعادة الرسم الجزئي", + "Send to extras": "أرسل إلى الإضافات", + "Make Zip when Save?": "إنشاء ملف مضغوط عند الحفظ؟", + "Textbox": "مربع النص", + "Interrogate\nCLIP": "استجواب\n CLIP", + "Inpaint": "إعادة الرسم الجزئي", + "Batch img2img": "دفعات صورة لصورة", + "Image for img2img": "صورة (صورة لصورة)", + "Image for inpainting with mask": "صورة (إعادة الرسم الجزئي)", + "Mask": "القناع", + "Mask blur": "ضبابية القناع", + "Mask mode": "أسلوب القناع", + "Draw mask": "رسم القناع", + "Upload mask": "تحميل القناع", + "Masking mode": "أسلوب التقنيع", + "Inpaint masked": "إعادة الرسم الجزئي (المنطقة المقنعة)", + "Inpaint not masked": "إعادة الرسم الجزئي (المنطقة الغير مقنعة)", + "Masked content": "المحتوى المقنع", + "fill": "الملأ", + "original": "الأصلي", + "latent noise": "الضوضاء الكامنة", + "latent nothing": "لا شيء كامن", + "Inpaint at full resolution": "إعادة الرسم الجزئي بدقة كاملة", + "Inpaint at full resolution padding, pixels": "إعادة الرسم الجزئي بدقة كاملة, الحشو, بيكسل", + "Process images in a directory on the same machine where the server is running.": "معالجة الصور في المجلد على نفس الجهاز حيث يتم تشغيل الخادم.", + "Use an empty output directory to save pictures normally instead of writing to the output directory.": "استخدم مجلد إخراج فارغ لحفظ الصور بشكل طبيعي بدلاً من الكتابة إلى مجلد المخرجات.", + "Input directory": "مجلد المدخلات", + "Output directory": "مجلد المخرجات", + "Resize mode": "وضعية تغيير الحجم", + "Just resize": "تغييير الحجم فقط", + "Crop and resize": "اقتصاص وتغيير الحجم", + "Resize and fill": "تغيير الحجم والتعبئة", + "img2img alternative test": "صورة لصورة البديلة", + "Loopback": "الحلقة الراجعة", + "Outpainting mk2": "الرسم الخارجي نسخة 2", + "Poor man's outpainting": "الرسم الخارجي للفقراء", + "SD upscale": "ترقية الانتشار المستقر", + "should be 2 or lower.": "should be 2 or lower.", + "Override `Sampling method` to Euler?(this method is built for it)": "Override `Sampling method` to Euler?(this method is built for it)", + "Override `prompt` to the same value as `original prompt`?(and `negative prompt`)": "Override `prompt` to the same value as `original prompt`?(and `negative prompt`)", + "Original prompt": "Original prompt", + "Original negative prompt": "Original negative prompt", + "Override `Sampling Steps` to the same value as `Decode steps`?": "Override `Sampling Steps` to the same value as `Decode steps`?", + "Decode steps": "Decode steps", + "Override `Denoising strength` to 1?": "Override `Denoising strength` to 1?", + "Decode CFG scale": "Decode CFG scale", + "Randomness": "Randomness", + "Sigma adjustment for finding noise for image": "Sigma adjustment for finding noise for image", + "Loops": "Loops", + "Denoising strength change factor": "معامل قوة تقليل الضوضاء", + "Recommended settings: Sampling Steps: 80-100, Sampler: Euler a, Denoising strength: 0.8": "الإعدادات الموصى بها: خطوات أخذ العينات: 80-100 ، طريقة أخذ العينات: Euler a ، تقليل الضوضاء: 0.8", + "Pixels to expand": "عدد البكسل للتوسيع", + "Outpainting direction": "إتجاه الرسم الخارجي", + "left": "يسار", + "right": "يمين", + "up": "فوق", + "down": "تحت", + "Fall-off exponent (lower=higher detail)": "أس التناقص (الأدنى = تفاصيل أعلى)", + "Color variation": "اختلاف اللون", + "Will upscale the image to twice the dimensions; use width and height sliders to set tile size": "سيقوم بترقية الصورة إلى ضعف الأبعاد ؛ استخدم شريط تمرير العرض والارتفاع لضبط حجم التبليط", + "Tile overlap": "تداخل التبليط", + "Upscaler": "المرقي", + "Lanczos": "Lanczos", + "Single Image": "صورة واحدة", + "Batch Process": "معالجة الدفعات", + "Batch from Directory": "دفعة من المجلد", + "Source": "مصدر", + "Show result images": "إظهار نتائج الصور ", + "Scale by": "رفع الحجم بمقدار", + "Scale to": "رفع الحجم إلى", + "Resize": "تغيير الحجم", + "Crop to fit": "اقتصاص للتوافق", + "Upscaler 2 visibility": "إظهار المرقي 2", + "GFPGAN visibility": "إظهار GFPGAN", + "CodeFormer visibility": "إظهار CodeFormer", + "CodeFormer weight (0 = maximum effect, 1 = minimum effect)": "وزن CodeFormer (0 = أقصى تأثير ، 1 = تأثير أدنى)", + "Open output directory": "افتح مجلد المخرجات", + "Send to txt2img": "أرسل إلى كتابة لصورة", + "A merger of the two checkpoints will be generated in your": "سيتم إنشاء نموذجمدمج من النموذجين في", + "checkpoint": "النموذج", + "directory.": "المجلد.", + "Primary model (A)": "النموذج الأساسي (أ)", + "Secondary model (B)": "النموذج الثانوي (ب)", + "Tertiary model (C)": "النموذج الثالث (ج)", + "Custom Name (Optional)": "اسم مخصص (اختياري)", + "Multiplier (M) - set to 0 to get model A": "المضاعف (M) - اضبط على 0 للحصول على النموذج أ", + "Interpolation Method": "طريقة الاستنباط", + "Weighted sum": "المجموع الموزون", + "Add difference": "أضافة الاختلاف", + "Save as float16": "حفظ float16", + "See": "شاهد", + "wiki": "ويكي", + "for detailed explanation.": "للحصول على شرح مفصل.", + "Create embedding": "إنشاء التضمين", + "Create hypernetwork": "إنشاء شبكة فائقة", + "Preprocess images": "تجهيز الصور", + "Name": "الاسم", + "Initialization text": "نص التهيئة", + "Number of vectors per token": "عدد المتجهات لكل رمز", + "Overwrite Old Embedding": "الكتابة فوق التضمين القديم", + "Modules": "الوحدات", + "Enter hypernetwork layer structure": "أدخل بنية طبقة الشبكة الفائقة", + "Select activation function of hypernetwork": "حدد وظيفة تنشيط الشبكة الفائقة", + "linear": "خطي (Linear)", + "relu": "الوحدة الخطية المعدلة (Relu)", + "leakyrelu": "الوحدة الخطية المعدلة المسربة (Leakyrelu)", + "elu": "الوحدة الأسية الخطية (Elu)", + "swish": "Swish", + "Add layer normalization": "أضف طبقة التسوية", + "Use dropout": "استخدم الهبوط", + "Overwrite Old Hypernetwork": "الكتابة فوق الشبكة الفائقة القديمة", + "Source directory": "مجلد المصدر", + "Destination directory": "مجلد النتائج", + "Existing Caption txt Action": "الإجراء النصي للتعليق المتوفر", + "ignore": "تجاهل", + "copy": "نسخ", + "prepend": "أضف قبل", + "append": "ألحق", + "Create flipped copies": "قم بإنشاء نسخ مقلوبة", + "Split oversized images": "تقسيم الصور كبيرة الحجم", + "Use BLIP for caption": "استخدم BLIP للتعليق", + "Use deepbooru for caption": "استخدم deepbooru للتعليق", + "Split image threshold": "حد تقسيم الصورة", + "Split image overlap ratio": "نسبة تداخل الصورة المنقسمة", + "Preprocess": "تجهيز الصور", + "Train an embedding or Hypernetwork; you must specify a directory with a set of 1:1 ratio images": "تدريب التضمين أو الشبكة الفائقة ؛ يجب تحديد مجلد بمجموعة من الصور بنسبة أبعاد 1: 1", + "[wiki]": "[ويكي]", + "Embedding": "التضمين", + "Embedding Learning rate": "معدل تعلم التضمين", + "Hypernetwork Learning rate": "معدل تعلم الشبكة الفائقة", + "Dataset directory": "مجلد مجموعة البيانات", + "Log directory": "مجلد السجل", + "Prompt template file": "ملف قالب الموجهات", + "Max steps": "الخطوات القصوى", + "Save an image to log directory every N steps, 0 to disable": "حفظ صورة في مجلد السجل كل N خطوات ، 0 للتعطيل", + "Save a copy of embedding to log directory every N steps, 0 to disable": "حفظ نسخة من التضمين في مجلد السجل كل N خطوات ، 0 للتعطيل", + "Save images with embedding in PNG chunks": "حفظ التضمين مع الصور في أجزاء PNG", + "Read parameters (prompt, etc...) from txt2img tab when making previews": "قراءة المتغيرات (الموجه ، إلخ ...) من علامة تبويب نص لصورة عند إجراء المعاينات", + "Train Hypernetwork": "تدريب الشبكة الفائقة", + "Train Embedding": "تدريب التضمين", + "Create an aesthetic embedding out of any number of images": "Create an aesthetic embedding out of any number of images", + "Create images embedding": "Create images embedding", + "extras": "إضافات", + "favorites": "المفضلة", + "custom fold": "custom fold", + "Load": "تحميل", + "Images directory": "مجلد الصور", + "Prev batch": "الدفعة السابقة", + "Next batch": "الدفعة التالية", + "First Page": "الصفحة الأولى", + "Prev Page": "الصفحة السابقة", + "Page Index": "فهرس الصفحات", + "Next Page": "الصفحة التالية", + "End Page": "صفحة النهاية", + "number of images to delete consecutively next": "عدد الصور المطلوب حذفها على التوالي بعد ذلك", + "Delete": "حذف", + "Generate Info": "معلومات الإنشاء", + "File Name": "اسم الملف", + "Collect": "جمع", + "Refresh page": "إعادة تحميل الصفحة", + "Date to": "التاريخ إلى", + "Number": "الرقم", + "set_index": "وضع الفهرس", + "Checkbox": "صندوق اختيار", + "Apply settings": "تطبيق الإعدادات", + "Saving images/grids": "حفظ الصور / الإطار الشبكي", + "Always save all generated images": "احفظ دائمًا جميع الصور التي تم إنشائها", + "File format for images": "تنسيق ملفات الصور", + "Images filename pattern": "نمط اسم ملفات الصور", + "Add number to filename when saving": "Add number to filename when saving", + "Always save all generated image grids": "احفظ دائمًا جميع الإطارات الشبكية للصور التي تم إنشاؤها", + "File format for grids": "تنسيق ملفات الإطارات الشبكية", + "Add extended info (seed, prompt) to filename when saving grid": "أضف معلومات إضافية (البذرة ، الموجه) إلى اسم الملف عند حفظ الإطار الشبكي", + "Do not save grids consisting of one picture": "لا تحفظ الإطارات الشبكية التي تتكون من صورة واحدة", + "Prevent empty spots in grid (when set to autodetect)": "منع المناطق الفارغة في الإطار الشبكي (عند الضبط على الاكتشاف التلقائي)", + "Grid row count; use -1 for autodetect and 0 for it to be same as batch size": "عدد صفوف الإطار الشبكي استخدم -1 للاكتشاف التلقائي و 0 ليكون نفس حجم الدُفعة", + "Save text information about generation parameters as chunks to png files": "احفظ معلومات نصية حول متغيرات الإنشاء كمقاطع في ملفات png", + "Create a text file next to every image with generation parameters.": "قم بإنشاء ملف نصي بجوار كل صورة باستخدام متغيرات الإنشاء.", + "Save a copy of image before doing face restoration.": "احفظ نسخة من الصورة قبل القيام بترميم الوجوه.", + "Quality for saved jpeg images": "جودة الصور المحفوظة بتنسيق jpeg", + "If PNG image is larger than 4MB or any dimension is larger than 4000, downscale and save copy as JPG": "إذا كانت صورة PNG أكبر من 4 ميجابايت أو كان أي بُعد أكبر من 4000 ، قم بتقليل حجم الصورة وحفظها بتنسيق JPG", + "Use original name for output filename during batch process in extras tab": "استخدم الاسم الأصلي لاسم ملف الإخراج أثناء عملية الدُفعات في علامة تبويب الإضافات", + "When using 'Save' button, only save a single selected image": "عند استخدام زر 'حفظ' ، احفظ فقط صورة واحدة محددة", + "Do not add watermark to images": "لا تقم بإضافة العلامة المائية للصور", + "Paths for saving": "مسارات الحفظ", + "Output directory for images; if empty, defaults to three directories below": "مجلد المخرجات للصور ؛ إذا كان فارغا ، يتم تعيينه افتراضيًا إلى المجلدات الثلاثة أدناه", + "Output directory for txt2img images": "مجلد المخرجات لصور نص لصورة", + "Output directory for img2img images": "مجلد المخرجات لصور صورة لصورة", + "Output directory for images from extras tab": "مجلد المخرجات لصور علامة تبويب الإضافات", + "Output directory for grids; if empty, defaults to two directories below": "مجلد المخرجات للإطارات الشبكية ؛ إذا كان فارغا ، يتم تعيينه افتراضيًا إلى المجلدين أدناه", + "Output directory for txt2img grids": "مجلد المخرجات للإطارات الشبكية نص لصورة", + "Output directory for img2img grids": "مجلد المخرجات للإطارات الشبكية صورة لصورة", + "Directory for saving images using the Save button": "مجلد لحفظ الصور باستخدام زر حفظ", + "Saving to a directory": "يتم الحفظ إلى المجلد..", + "Save images to a subdirectory": "حفظ الصور في مجلد فرعي", + "Save grids to a subdirectory": "حفظ الإطارات الشبكية في مجلد فرعي", + "When using \"Save\" button, save images to a subdirectory": "احفظ الصور في مجلد فرعي عند الضغط على زر الحفظ", + "Directory name pattern": "نمط اسم المجلد", + "Max prompt words for [prompt_words] pattern": "أقصى عدد لكلمات التوجيه لنمط [كلمات_التوجيه]", + "Upscaling": "الارتقاء", + "Tile size for ESRGAN upscalers. 0 = no tiling.": "حجم التبليط لترقيات ESRGAN, القيمة 0= لا يوجد تبليط.", + "Tile overlap, in pixels for ESRGAN upscalers. Low values = visible seam.": "تداخل المربعات ، بالبكسل لمرقي ESRGAN. القيم المنخفضة = تداخل مرئي.", + "Tile size for all SwinIR.": "حجم التليط لجميع عمليات SwinIR.", + "Tile overlap, in pixels for SwinIR. Low values = visible seam.": "تداخل المربعات بالبكسل لـ SwinIR. القيم المنخفضة = تداخل مرئي.", + "LDSR processing steps. Lower = faster": "خطوات معالجة LDSR. أقل = أسرع", + "Upscaler for img2img": "المرقي لصورة لصورة", + "Upscale latent space image when doing hires. fix": "ترقية صورة الفضاء الكامن عند التعيينات. تصليح", + "Face restoration": "ترميم الوجوه", + "CodeFormer weight parameter; 0 = maximum effect; 1 = minimum effect": "متغيرات وزن CodeFormer ؛ 0 = أقصى تأثير ؛ 1 = الحد الأدنى من التأثير", + "Move face restoration model from VRAM into RAM after processing": "انقل نموذج استعادة الوجوه من VRAM إلى RAM بعد المعالجة", + "System": "نظام", + "VRAM usage polls per second during generation. Set to 0 to disable.": "استطلاعات استخدام VRAM في الثانية أثناء الإنشاء. اضبط على 0 للتعطيل.", + "Always print all generation info to standard output": "قم دائمًا بطباعة جميع معلومات الإنشاء إلى المخرج القياسي", + "Add a second progress bar to the console that shows progress for an entire job.": "أضف شريط تقدم آخر إلى وحدة التحكم يُظهر التدقم الكلي للمهمة.", + "Training": "التدريب", + "Move VAE and CLIP to RAM when training hypernetwork. Saves VRAM.": "تفريغ VAE و CLIP من VRAM عند التدريب", + "Filename word regex": "اسم ملف كلمات regex", + "Filename join string": "سلسلة أحرف دمج أسماء الملفات", + "Number of repeats for a single input image per epoch; used only for displaying epoch number": "عدد التكرارات لصورة إدخال واحدة لكل حقبة ؛ تستخدم فقط لعرض رقم الحقبة", + "Save an csv containing the loss to log directory every N steps, 0 to disable": "حفظ ملف csv يحتوي على الخسارة إلى مجلد السجل كل N خطوات ، 0 للتعطيل", + "Stable Diffusion": "انتشار مستقر", + "Checkpoints to cache in RAM": "التخزين المؤقت للنماذج في RAM", + "Hypernetwork strength": "قوة الشبكة الفائقة", + "Apply color correction to img2img results to match original colors.": "قم بتطبيق تصحيح الألوان على نتائج صورة لصورة لمطابقة الألوان الأصلية.", + "Save a copy of image before applying color correction to img2img results": "احفظ نسخة من الصورة قبل تطبيق تصحيح الألوان على نتائج صورة لصورة", + "With img2img, do exactly the amount of steps the slider specifies (normally you'd do less with less denoising).": "باستخدام صورة لصورة ، قم بالضبط بعدد الخطوات التي يحددها شريط التمرير (عادةً ما سيكون أقل مع تقليل التشويش).", + "Enable quantization in K samplers for sharper and cleaner results. This may change existing seeds. Requires restart to apply.": "تمكين تكميم عينات K للحصول على نتائج أوضح وأنظف. هذا قد يغير البذرة المستخدمة. يتطلب إعادة التشغيل للتطبيق.", + "Emphasis: use (text) to make model pay more attention to text and [text] to make it pay less attention": "التأكيد: استخدم (النص) لجعل النموذج يولي مزيدًا من الاهتمام للنص و استخدم [النص] لجعل النموذج يولي اهتمامًا أقل للنص", + "Use old emphasis implementation. Can be useful to reproduce old seeds.": "استخدم طريقة التأكيد القديمة. يمكن أن يكون مفيدًا لإعادة إنتاج البذور القديمة.", + "Make K-diffusion samplers produce same images in a batch as when making a single image": "اجعل انظمة أخذ عينات الانتشار K تنتج نفس الصور في الدفعات كما هو الحال عند إنشاء صورة واحدة", + "Increase coherency by padding from the last comma within n tokens when using more than 75 tokens": "زيادة التناسق عن طريق المساحة المتروكة من الفاصلة الأخيرة ضمن عدد n من الرموز المميزة عند استخدام أكثر من 75 رمزًا مميزًا", + "Filter NSFW content": "تصفية المحتوى الإباحي", + "Stop At last layers of CLIP model": "توقف عند آخر طبقات نموذج CLIP", + "Interrogate Options": "خيارات الاستجواب", + "Interrogate: keep models in VRAM": "الاستجواب: احتفظ بالنماذج في VRAM", + "Interrogate: use artists from artists.csv": "الاستجواب: استخدم قائمة الفنانين من ملف artists.csv", + "Interrogate: include ranks of model tags matches in results (Has no effect on caption-based interrogators).": "الاستجواب: قم بتضمين رتب علامات النموذج في النتائج (ليس له تأثير على الاستجواب المستند إلى التعليقات).", + "Interrogate: num_beams for BLIP": "الاستجواب: عدد الحزم لـ BLIP", + "Interrogate: minimum description length (excluding artists, etc..)": "الاستجواب: الحد الأدنى لطول الوصف (باستثناء الفنانين ،إلخ..)", + "Interrogate: maximum description length": "الاستجواب: الحد الأقصى لطول الوصف", + "CLIP: maximum number of lines in text file (0 = No limit)": "CLIP: أقصى عدد من الأسطر في الملف النصي (0 = بلا حدود)", + "Interrogate: deepbooru score threshold": "الاستجواب: عتبة درجات deepbooru", + "Interrogate: deepbooru sort alphabetically": "الاستجواب: الترتيب الأبجدي لـ deepbooru", + "use spaces for tags in deepbooru": "استخدام مسافات للعلامات في deepbooru", + "escape (\\) brackets in deepbooru (so they are used as literal brackets and not for emphasis)": "تجاهل الأقواس عند استخدام deepbooru (كي لا تعامل كأقواس التشديد)", + "User interface": "واجهة المستخدم", + "Show progressbar": "إظهار شريط التقدم", + "Show image creation progress every N sampling steps. Set 0 to disable.": "إظهار تقدم إنشاء الصورة لكل N خطوة من خطوات أخذ العينات. قم بتعيين 0 للتعطيل.", + "Show previews of all images generated in a batch as a grid": "إظهار معاينة لجميع الصور التي يتم إنشائها في الدفعة كإطار شبكي", + "Show grid in results for web": "إظهار الإطار الشبكي في نتائج الويب", + "Do not show any images in results for web": "لا تظهر أي صور في نتائج الويب", + "Add model hash to generation information": "أضف معلومات الهاش للنموذج إلى معلومات الإنشاء", + "Add model name to generation information": "أضف اسم النموذج إلى معلومات الإنشاء", + "When reading generation parameters from text into UI (from PNG info or pasted text), do not change the selected model/checkpoint.": "عند قراءة متغيرات الإنشاء من النص إلى واجهة المستخدم (من معلومات PNG أو النص الملصق) ، لا تقم بتغيير النموذج", + "Font for image grids that have text": "الخط المستخدم للإطارات الشبكية للصور التي تحتوي على نص", + "Enable full page image viewer": "تفعيل عارض الصور ذو الصفحة الكاملة", + "Show images zoomed in by default in full page image viewer": "إظهار الصور التي تم تكبيرها بشكل افتراضي في عارض الصور ذو الصفحة الكاملة", + "Show generation progress in window title.": "إظهار تقدم الإنشاء في عنوان الشاشة.", + "Quicksettings list": "قائمة الإعدادات السريعة", + "Localization (requires restart)": "الترجمة (يتطلب إعادة التشغيل)", + "Sampler parameters": "متغيرات أنظمة اخذ العينات", + "Hide samplers in user interface (requires restart)": "إخفاء أنظمة أخذ العينات في واجهة المستخدم (يتطلب إعادة التشغيل)", + "eta (noise multiplier) for DDIM": "الوقت المتبقي (مضاعف الضوضاء) لـ DDIM", + "eta (noise multiplier) for ancestral samplers": "الوقت المتبقي (مضاعف الضوضاء) لأنظمة أخذ العينات التي تعتمد على الأجداد", + "img2img DDIM discretize": "تفصل DDIM لصورة لصورة", + "uniform": "التوحيد", + "quad": "رباعية", + "sigma churn": "دفع سيجما", + "sigma tmin": "سيجما tmin", + "sigma noise": "ضجيج سيجما", + "Eta noise seed delta": "الوقت المتوقع لديلتا بذرة الضجيج ", + "Images Browser": "مستعرض الصور", + "Preload images at startup": "تحميل الصور مسبقًا عند بدء التشغيل", + "Number of columns on the page": "Number of columns on the page", + "Number of rows on the page": "Number of rows on the page", + "Minimum number of pages per load": "الحد الأدنى لعدد الصفحات لكل تحميل", + "Request browser notifications": "طلب إشعارات المتصفح", + "Download localization template": "تنزيل نموذج الترجمة", + "Reload custom script bodies (No ui updates, No restart)": "إعادة تحميل السكريبتات المخصصة (لا توجد تحديثات لواجهة المستخدم ، لا إعادة تشغيل)", + "Restart Gradio and Refresh components (Custom Scripts, ui.py, js and css only)": "أعادة تشغيل Gradio و تحديث مكونات واجهة الاستخدام (السكريبتات و ui.py و js و css فقط)", + "Prompt (press Ctrl+Enter or Alt+Enter to generate)": "الموجه (اضغط على Ctrl + Enter أو Alt + Enter للإنشاء)", + "Negative prompt (press Ctrl+Enter or Alt+Enter to generate)": "الموجه السلبي (اضغط على Ctrl + Enter أو Alt + Enter للإنشاء)", + "Add a random artist to the prompt.": "أضف فنانًا عشوائيًا إلى الموجه.", + "Read generation parameters from prompt or last generation if prompt is empty into user interface.": "قراءة متغيرات الإنشاء من الموجه أو الإنشاء الأخير إذا كان الموجه فارغا في واجهة المستخدم.", + "Save style": "حفظ النمط", + "Apply selected styles to current prompt": "تطبيق الأنماط المحددة للموجه الحالي", + "Stop processing current image and continue processing.": "توقف عن معالجة الصورة الحالية واستمر في المعالجة.", + "Stop processing images and return any results accumulated so far.": "توقف عن معالجة الصور وقم بإرجاع أي نتائج متراكمة حتى الآن.", + "Style to apply; styles have components for both positive and negative prompts and apply to both": "النمط المطلوب تطبيقه ؛ الأنماط لها مكونات لكل من الموجهات الإيجابية والسلبية وتنطبق على كليهما", + "Do not do anything special": "لا تفعل أي شيء خاص", + "Which algorithm to use to produce the image": "الخوارزمية التي يجب استخدامها لإنتاج الصورة", + "Euler Ancestral - very creative, each can get a completely different picture depending on step count, setting steps to higher than 30-40 does not help": "Euler Ancestral - مبدع جدًا ، يمكن لكل منها الحصول على صورة مختلفة تمامًا اعتمادًا على عدد الخطوات ، تعيين الخطوات على أعلى من 30-40 لا يعطي نتيجة مفيدة", + "Denoising Diffusion Implicit Models - best at inpainting": "نماذج تقليل التشويش الضمني - أفضل اسخدام في الرسم الجزئي", + "Produce an image that can be tiled.": "أنتج صورة يمكن تبليطها.", + "Use a two step process to partially create an image at smaller resolution, upscale, and then improve details in it without changing composition": "استخدم عملية من خطوتين لإنشاء صورة جزئيًا بدقة أقل ثم ترقيتها و تحسين تفاصيلها دون تغيير التكوين", + "Determines how little respect the algorithm should have for image's content. At 0, nothing will change, and at 1 you'll get an unrelated image. With values below 1.0, processing will take less steps than the Sampling Steps slider specifies.": "يحدد مدى ضآلة احترام الخوارزمية لمحتوى الصورة. عند 0 ، لن يتغير شيء ، وعند 1 ستحصل على صورة لا صلة لها بالصورة الأصلية. مع وجود قيم أقل من 1.0 ، المعالجة ستأخذ خطوات أقل مما يحدده شريط تمرير خطوات المعالجة.", + "How many batches of images to create": "كم عدد دفعات الصور التي يتم إنشائها", + "How many image to create in a single batch": "كم صورة يتم إنشائها دفعة واحدة", + "Classifier Free Guidance Scale - how strongly the image should conform to prompt - lower values produce more creative results": "مقياس التوجيه الحر للمصنف - إلى أي مدى يجب أن تتوافق الصورة مع الموجه - القيم المنخفضة تنتج نتائج أكثر إبداعًا", + "A value that determines the output of random number generator - if you create an image with same parameters and seed as another image, you'll get the same result": "القيمة التي تحدد ناتج منشئ الأرقام العشوائية - إذا قمت بإنشاء صورة بنفس المتغيرات و بذرة الصورة ، فستحصل على نفس النتيجة", + "Set seed to -1, which will cause a new random number to be used every time": "عيّن البذرة إلى -1 ، مما سيؤدي إلى استخدام رقم عشوائي جديد في كل مرة", + "Reuse seed from last generation, mostly useful if it was randomed": "إعادة استخدام البذرة من الإنشاء الأخير ، وتكون مفيدة في الغالب إذا كانت عشوائية", + "Seed of a different picture to be mixed into the generation.": "استخدام بذرة من صورة مختلفة ليتم مزجها في الإنشاء.", + "How strong of a variation to produce. At 0, there will be no effect. At 1, you will get the complete picture with variation seed (except for ancestral samplers, where you will just get something).": "ما مدى قوة التباين عند الإنشاء. 0 ، لن يكون هناك أي تأثير. 1 ، ستحصل على الصورة الكاملة ببذور التباين (باستثناء أنظمة عينات الأسلاف ، حيث ستحصل على شيء ما فقط).", + "Make an attempt to produce a picture similar to what would have been produced with same seed at specified resolution": "قم بمحاولة لإنتاج صورة مشابهة لما تم إنتاجه بنفس البذرة بناءا على دقة محددة", + "This text is used to rotate the feature space of the imgs embs": "This text is used to rotate the feature space of the imgs embs", + "Separate values for X axis using commas.": "افصل بين قيم المحور X باستخدام الفواصل.", + "Separate values for Y axis using commas.": "افصل بين قيم المحور Y باستخدام الفواصل.", + "Write image to a directory (default - log/images) and generation parameters into csv file.": "اكتب الصورة إلى مجلد (الافتراضي - log/images) وتوليد المتغيرات في ملف csv.", + "Open images output directory": "افتح مجلد مخرجات الصور", + "How much to blur the mask before processing, in pixels.": "كم يتم تضبيب القناع قبل المعالجة ، بالبكسل.", + "What to put inside the masked area before processing it with Stable Diffusion.": "ما يجب وضعه داخل المنطقة المقنعة قبل معالجتها باستخدام الانتشار المستقر.", + "fill it with colors of the image": "املأها بألوان الصورة", + "keep whatever was there originally": "احتفظ بكل ما كان هناك في الأصل", + "fill it with latent space noise": "املأه بضوضاء الفضاء الكامنة", + "fill it with latent space zeroes": "املأه بأصفار الفضاء الكامنة", + "Upscale masked region to target resolution, do inpainting, downscale back and paste into original image": "قم بترقية المنطقة المقنعة إلى الدقة المستهدفة و الرسم الجزئي ثم تقليص الحجم واللصق في الصورة الأصلية", + "Resize image to target resolution. Unless height and width match, you will get incorrect aspect ratio.": "تغيير حجم الصورة إلى الدقة المستهدفة. ما لم يتطابق الطول والعرض ، ستحصل على نسبة عرض إلى ارتفاع غير صحيحة.", + "Resize the image so that entirety of target resolution is filled with the image. Crop parts that stick out.": "قم بتغيير حجم الصورة بحيث يتم ملء الدقة المستهدفة بالكامل بالصورة. يتم قطع المناطق التي تبرز.", + "Resize the image so that entirety of image is inside target resolution. Fill empty space with image's colors.": "قم بتغيير حجم الصورة بحيث تكون الصورة بأكملها داخل الدقة المستهدفة. املأ المساحة الفارغة بألوان الصورة.", + "How many times to repeat processing an image and using it as input for the next iteration": "كم مرة يتم تكرار معالجة صورة واستخدامها كمدخل للتكرار التالي", + "In loopback mode, on each loop the denoising strength is multiplied by this value. <1 means decreasing variety so your sequence will converge on a fixed picture. >1 means increasing variety so your sequence will become more and more chaotic.": "في وضع حلقة الاسترجاع ، يتم ضرب قوة تقليل الضوضاء بهذه القيمة في كل حلقة. يعني <1 تقليل التنوع بحيث يتقارب التسلسل الخاص بك على صورة ثابتة. > 1 يعني زيادة التنوع بحيث يصبح تسلسلك أكثر وأكثر فوضوية.", + "For SD upscale, how much overlap in pixels should there be between tiles. Tiles overlap so that when they are merged back into one picture, there is no clearly visible seam.": "الترقية باستخدام الانتشار المستقر ، كم يجب أن يكون مقدار التداخل بالبكسل بين المربعات. تتداخل المربعات بحيث لا يكون هناك خط واضح للعيان عند دمجها مرة أخرى في صورة واحدة.", + "A directory on the same machine where the server is running.": "مجلد على نفس الجهاز حيث يتم تشغيل الخادم.", + "Leave blank to save images to the default path.": "اتركه فارغًا لحفظ الصور في المسار الافتراضي.", + "Result = A * (1 - M) + B * M": "النتيجة = A * (1 - M) + B * M", + "Result = A + (B - C) * M": "النتيجة = A + (B - C) * M", + "1st and last digit must be 1. ex:'1, 2, 1'": "يجب أن يكون الرقم الأول والأخير 1. على سبيل المثال: '1 ، 2 ، 1'", + "Path to directory with input images": "المسار إلى مجلد الصور المدخلة", + "Path to directory where to write outputs": "المسار إلى مجلد كتابة النتائج", + "Input images directory": "مجلد الصور المدخلة", + "Use following tags to define how filenames for images are chosen: [steps], [cfg], [prompt], [prompt_no_styles], [prompt_spaces], [width], [height], [styles], [sampler], [seed], [model_hash], [prompt_words], [date], [datetime], [datetime], [datetime