|
|
|
@@ -2,6 +2,8 @@ import functools
|
|
|
|
|
import os.path
|
|
|
|
|
import urllib.parse
|
|
|
|
|
from pathlib import Path
|
|
|
|
|
from typing import Optional, Union
|
|
|
|
|
from dataclasses import dataclass
|
|
|
|
|
|
|
|
|
|
from modules import shared, ui_extra_networks_user_metadata, errors, extra_networks, util
|
|
|
|
|
from modules.images import read_info_from_image, save_image_with_geninfo
|
|
|
|
@@ -11,14 +13,11 @@ import html
|
|
|
|
|
from fastapi.exceptions import HTTPException
|
|
|
|
|
|
|
|
|
|
from modules.infotext_utils import image_from_url_text
|
|
|
|
|
from modules.ui_components import ToolButton
|
|
|
|
|
|
|
|
|
|
extra_pages = []
|
|
|
|
|
allowed_dirs = set()
|
|
|
|
|
|
|
|
|
|
default_allowed_preview_extensions = ["png", "jpg", "jpeg", "webp", "gif"]
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
@functools.cache
|
|
|
|
|
def allowed_preview_extensions_with_extra(extra_extensions=None):
|
|
|
|
|
return set(default_allowed_preview_extensions) | set(extra_extensions or [])
|
|
|
|
@@ -28,6 +27,62 @@ def allowed_preview_extensions():
|
|
|
|
|
return allowed_preview_extensions_with_extra((shared.opts.samples_format, ))
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
@dataclass
|
|
|
|
|
class ExtraNetworksItem:
|
|
|
|
|
"""Wrapper for dictionaries representing ExtraNetworks items."""
|
|
|
|
|
item: dict
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def get_tree(paths: Union[str, list[str]], items: dict[str, ExtraNetworksItem]) -> dict:
|
|
|
|
|
"""Recursively builds a directory tree.
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
paths: Path or list of paths to directories. These paths are treated as roots from which
|
|
|
|
|
the tree will be built.
|
|
|
|
|
items: A dictionary associating filepaths to an ExtraNetworksItem instance.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
The result directory tree.
|
|
|
|
|
"""
|
|
|
|
|
if isinstance(paths, (str,)):
|
|
|
|
|
paths = [paths]
|
|
|
|
|
|
|
|
|
|
def _get_tree(_paths: list[str], _root: str):
|
|
|
|
|
_res = {}
|
|
|
|
|
for path in _paths:
|
|
|
|
|
relpath = os.path.relpath(path, _root)
|
|
|
|
|
if os.path.isdir(path):
|
|
|
|
|
dir_items = os.listdir(path)
|
|
|
|
|
# Ignore empty directories.
|
|
|
|
|
if not dir_items:
|
|
|
|
|
continue
|
|
|
|
|
dir_tree = _get_tree([os.path.join(path, x) for x in dir_items], _root)
|
|
|
|
|
# We only want to store non-empty folders in the tree.
|
|
|
|
|
if dir_tree:
|
|
|
|
|
_res[relpath] = dir_tree
|
|
|
|
|
else:
|
|
|
|
|
if path not in items:
|
|
|
|
|
continue
|
|
|
|
|
# Add the ExtraNetworksItem to the result.
|
|
|
|
|
_res[relpath] = items[path]
|
|
|
|
|
return _res
|
|
|
|
|
|
|
|
|
|
res = {}
|
|
|
|
|
# Handle each root directory separately.
|
|
|
|
|
# Each root WILL have a key/value at the root of the result dict though
|
|
|
|
|
# the value can be an empty dict if the directory is empty. We want these
|
|
|
|
|
# placeholders for empty dirs so we can inform the user later.
|
|
|
|
|
for path in paths:
|
|
|
|
|
root = os.path.dirname(path)
|
|
|
|
|
relpath = os.path.relpath(path, root)
|
|
|
|
|
# Wrap the path in a list since that is what the `_get_tree` expects.
|
|
|
|
|
res[relpath] = _get_tree([path], root)
|
|
|
|
|
if res[relpath]:
|
|
|
|
|
# We need to pull the inner path out one for these root dirs.
|
|
|
|
|
res[relpath] = res[relpath][relpath]
|
|
|
|
|
|
|
|
|
|
return res
|
|
|
|
|
|
|
|
|
|
def register_page(page):
|
|
|
|
|
"""registers extra networks page for the UI; recommend doing it in on_before_ui() callback for extensions"""
|
|
|
|
|
|
|
|
|
@@ -80,7 +135,7 @@ def get_single_card(page: str = "", tabname: str = "", name: str = ""):
|
|
|
|
|
item = page.items.get(name)
|
|
|
|
|
|
|
|
|
|
page.read_user_metadata(item)
|
|
|
|
|
item_html = page.create_html_for_item(item, tabname)
|
|
|
|
|
item_html = page.create_item_html(tabname, item)
|
|
|
|
|
|
|
|
|
|
return JSONResponse({"html": item_html})
|
|
|
|
|
|
|
|
|
@@ -96,18 +151,24 @@ def quote_js(s):
|
|
|
|
|
s = s.replace('"', '\\"')
|
|
|
|
|
return f'"{s}"'
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
class ExtraNetworksPage:
|
|
|
|
|
def __init__(self, title):
|
|
|
|
|
self.title = title
|
|
|
|
|
self.name = title.lower()
|
|
|
|
|
self.id_page = self.name.replace(" ", "_")
|
|
|
|
|
self.card_page = shared.html("extra-networks-card.html")
|
|
|
|
|
# This is the actual name of the extra networks tab (not txt2img/img2img).
|
|
|
|
|
self.extra_networks_tabname = self.name.replace(" ", "_")
|
|
|
|
|
self.allow_prompt = True
|
|
|
|
|
self.allow_negative_prompt = False
|
|
|
|
|
self.metadata = {}
|
|
|
|
|
self.items = {}
|
|
|
|
|
self.lister = util.MassFileLister()
|
|
|
|
|
# HTML Templates
|
|
|
|
|
self.pane_tpl = shared.html("extra-networks-pane.html")
|
|
|
|
|
self.card_tpl = shared.html("extra-networks-card.html")
|
|
|
|
|
self.btn_tree_tpl = shared.html("extra-networks-tree-button.html")
|
|
|
|
|
self.btn_copy_path_tpl = shared.html("extra-networks-copy-path-button.html")
|
|
|
|
|
self.btn_metadata_tpl = shared.html("extra-networks-metadata-button.html")
|
|
|
|
|
self.btn_edit_item_tpl = shared.html("extra-networks-edit-item-button.html")
|
|
|
|
|
|
|
|
|
|
def refresh(self):
|
|
|
|
|
pass
|
|
|
|
@@ -129,117 +190,69 @@ class ExtraNetworksPage:
|
|
|
|
|
|
|
|
|
|
def search_terms_from_path(self, filename, possible_directories=None):
|
|
|
|
|
abspath = os.path.abspath(filename)
|
|
|
|
|
|
|
|
|
|
for parentdir in (possible_directories if possible_directories is not None else self.allowed_directories_for_previews()):
|
|
|
|
|
parentdir = os.path.abspath(parentdir)
|
|
|
|
|
parentdir = os.path.dirname(os.path.abspath(parentdir))
|
|
|
|
|
if abspath.startswith(parentdir):
|
|
|
|
|
return abspath[len(parentdir):].replace('\\', '/')
|
|
|
|
|
return os.path.relpath(abspath, parentdir)
|
|
|
|
|
|
|
|
|
|
return ""
|
|
|
|
|
|
|
|
|
|
def create_html(self, tabname):
|
|
|
|
|
self.lister.reset()
|
|
|
|
|
def create_item_html(
|
|
|
|
|
self,
|
|
|
|
|
tabname: str,
|
|
|
|
|
item: dict,
|
|
|
|
|
template: Optional[str] = None,
|
|
|
|
|
) -> Union[str, dict]:
|
|
|
|
|
"""Generates HTML for a single ExtraNetworks Item.
|
|
|
|
|
|
|
|
|
|
items_html = ''
|
|
|
|
|
Args:
|
|
|
|
|
tabname: The name of the active tab.
|
|
|
|
|
item: Dictionary containing item information.
|
|
|
|
|
template: Optional template string to use.
|
|
|
|
|
|
|
|
|
|
self.metadata = {}
|
|
|
|
|
|
|
|
|
|
subdirs = {}
|
|
|
|
|
for parentdir in [os.path.abspath(x) for x in self.allowed_directories_for_previews()]:
|
|
|
|
|
for root, dirs, _ in sorted(os.walk(parentdir, followlinks=True), key=lambda x: shared.natural_sort_key(x[0])):
|
|
|
|
|
for dirname in sorted(dirs, key=shared.natural_sort_key):
|
|
|
|
|
x = os.path.join(root, dirname)
|
|
|
|
|
|
|
|
|
|
if not os.path.isdir(x):
|
|
|
|
|
continue
|
|
|
|
|
|
|
|
|
|
subdir = os.path.abspath(x)[len(parentdir):].replace("\\", "/")
|
|
|
|
|
|
|
|
|
|
if shared.opts.extra_networks_dir_button_function:
|
|
|
|
|
if not subdir.startswith("/"):
|
|
|
|
|
subdir = "/" + subdir
|
|
|
|
|
else:
|
|
|
|
|
while subdir.startswith("/"):
|
|
|
|
|
subdir = subdir[1:]
|
|
|
|
|
|
|
|
|
|
is_empty = len(os.listdir(x)) == 0
|
|
|
|
|
if not is_empty and not subdir.endswith("/"):
|
|
|
|
|
subdir = subdir + "/"
|
|
|
|
|
|
|
|
|
|
if ("/." in subdir or subdir.startswith(".")) and not shared.opts.extra_networks_show_hidden_directories:
|
|
|
|
|
continue
|
|
|
|
|
|
|
|
|
|
subdirs[subdir] = 1
|
|
|
|
|
|
|
|
|
|
if subdirs:
|
|
|
|
|
subdirs = {"": 1, **subdirs}
|
|
|
|
|
|
|
|
|
|
subdirs_html = "".join([f"""
|
|
|
|
|
<button class='lg secondary gradio-button custom-button{" search-all" if subdir=="" else ""}' onclick='extraNetworksSearchButton("{tabname}_extra_search", event)'>
|
|
|
|
|
{html.escape(subdir if subdir!="" else "all")}
|
|
|
|
|
</button>
|
|
|
|
|
""" for subdir in subdirs])
|
|
|
|
|
|
|
|
|
|
self.items = {x["name"]: x for x in self.list_items()}
|
|
|
|
|
for item in self.items.values():
|
|
|
|
|
metadata = item.get("metadata")
|
|
|
|
|
if metadata:
|
|
|
|
|
self.metadata[item["name"]] = metadata
|
|
|
|
|
|
|
|
|
|
if "user_metadata" not in item:
|
|
|
|
|
self.read_user_metadata(item)
|
|
|
|
|
|
|
|
|
|
items_html += self.create_html_for_item(item, tabname)
|
|
|
|
|
|
|
|
|
|
if items_html == '':
|
|
|
|
|
dirs = "".join([f"<li>{x}</li>" for x in self.allowed_directories_for_previews()])
|
|
|
|
|
items_html = shared.html("extra-networks-no-cards.html").format(dirs=dirs)
|
|
|
|
|
|
|
|
|
|
self_name_id = self.name.replace(" ", "_")
|
|
|
|
|
|
|
|
|
|
res = f"""
|
|
|
|
|
<div id='{tabname}_{self_name_id}_subdirs' class='extra-network-subdirs extra-network-subdirs-cards'>
|
|
|
|
|
{subdirs_html}
|
|
|
|
|
</div>
|
|
|
|
|
<div id='{tabname}_{self_name_id}_cards' class='extra-network-cards'>
|
|
|
|
|
{items_html}
|
|
|
|
|
</div>
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
return res
|
|
|
|
|
|
|
|
|
|
def create_item(self, name, index=None):
|
|
|
|
|
raise NotImplementedError()
|
|
|
|
|
|
|
|
|
|
def list_items(self):
|
|
|
|
|
raise NotImplementedError()
|
|
|
|
|
|
|
|
|
|
def allowed_directories_for_previews(self):
|
|
|
|
|
return []
|
|
|
|
|
|
|
|
|
|
def create_html_for_item(self, item, tabname):
|
|
|
|
|
Returns:
|
|
|
|
|
If a template is passed: HTML string generated for this item.
|
|
|
|
|
Can be empty if the item is not meant to be shown.
|
|
|
|
|
If no template is passed: A dictionary containing the generated item's attributes.
|
|
|
|
|
"""
|
|
|
|
|
Create HTML for card item in tab tabname; can return empty string if the item is not meant to be shown.
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
preview = item.get("preview", None)
|
|
|
|
|
style_height = f"height: {shared.opts.extra_networks_card_height}px;" if shared.opts.extra_networks_card_height else ''
|
|
|
|
|
style_width = f"width: {shared.opts.extra_networks_card_width}px;" if shared.opts.extra_networks_card_width else ''
|
|
|
|
|
style_font_size = f"font-size: {shared.opts.extra_networks_card_text_scale*100}%;"
|
|
|
|
|
card_style = style_height + style_width + style_font_size
|
|
|
|
|
background_image = f'<img src="{html.escape(preview)}" class="preview" loading="lazy">' if preview else ''
|
|
|
|
|
|
|
|
|
|
onclick = item.get("onclick", None)
|
|
|
|
|
if onclick is None:
|
|
|
|
|
if "negative_prompt" in item:
|
|
|
|
|
onclick = '"' + html.escape(f"""return cardClicked({quote_js(tabname)}, {item["prompt"]}, {item["negative_prompt"]}, {"true" if self.allow_negative_prompt else "false"})""") + '"'
|
|
|
|
|
else:
|
|
|
|
|
onclick = '"' + html.escape(f"""return cardClicked({quote_js(tabname)}, {item["prompt"]}, {'""'}, {"true" if self.allow_negative_prompt else "false"})""") + '"'
|
|
|
|
|
# Don't quote prompt/neg_prompt since they are stored as js strings already.
|
|
|
|
|
onclick_js_tpl = "cardClicked('{tabname}', {prompt}, {neg_prompt}, {allow_neg});"
|
|
|
|
|
onclick = onclick_js_tpl.format(
|
|
|
|
|
**{
|
|
|
|
|
"tabname": tabname,
|
|
|
|
|
"prompt": item["prompt"],
|
|
|
|
|
"neg_prompt": item.get("negative_prompt", "''"),
|
|
|
|
|
"allow_neg": str(self.allow_negative_prompt).lower(),
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
onclick = html.escape(onclick)
|
|
|
|
|
|
|
|
|
|
height = f"height: {shared.opts.extra_networks_card_height}px;" if shared.opts.extra_networks_card_height else ''
|
|
|
|
|
width = f"width: {shared.opts.extra_networks_card_width}px;" if shared.opts.extra_networks_card_width else ''
|
|
|
|
|
background_image = f'<img src="{html.escape(preview)}" class="preview" loading="lazy">' if preview else ''
|
|
|
|
|
metadata_button = ""
|
|
|
|
|
btn_copy_path = self.btn_copy_path_tpl.format(**{"filename": item["filename"]})
|
|
|
|
|
btn_metadata = ""
|
|
|
|
|
metadata = item.get("metadata")
|
|
|
|
|
if metadata:
|
|
|
|
|
metadata_button = f"<div class='metadata-button card-button' title='Show internal metadata' onclick='extraNetworksRequestMetadata(event, {quote_js(self.name)}, {quote_js(html.escape(item['name']))})'></div>"
|
|
|
|
|
|
|
|
|
|
edit_button = f"<div class='edit-button card-button' title='Edit metadata' onclick='extraNetworksEditUserMetadata(event, {quote_js(tabname)}, {quote_js(self.id_page)}, {quote_js(html.escape(item['name']))})'></div>"
|
|
|
|
|
btn_metadata = self.btn_metadata_tpl.format(
|
|
|
|
|
**{
|
|
|
|
|
"extra_networks_tabname": self.extra_networks_tabname,
|
|
|
|
|
"name": html.escape(item["name"]),
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
btn_edit_item = self.btn_edit_item_tpl.format(
|
|
|
|
|
**{
|
|
|
|
|
"tabname": tabname,
|
|
|
|
|
"extra_networks_tabname": self.extra_networks_tabname,
|
|
|
|
|
"name": html.escape(item["name"]),
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
local_path = ""
|
|
|
|
|
filename = item.get("filename", "")
|
|
|
|
@@ -259,26 +272,282 @@ class ExtraNetworksPage:
|
|
|
|
|
if search_only and shared.opts.extra_networks_hidden_models == "Never":
|
|
|
|
|
return ""
|
|
|
|
|
|
|
|
|
|
sort_keys = " ".join([f'data-sort-{k}="{html.escape(str(v))}"' for k, v in item.get("sort_keys", {}).items()]).strip()
|
|
|
|
|
sort_keys = " ".join(
|
|
|
|
|
[
|
|
|
|
|
f'data-sort-{k}="{html.escape(str(v))}"'
|
|
|
|
|
for k, v in item.get("sort_keys", {}).items()
|
|
|
|
|
]
|
|
|
|
|
).strip()
|
|
|
|
|
|
|
|
|
|
search_terms_html = ""
|
|
|
|
|
search_term_template = "<span class='hidden {class}'>{search_term}</span>"
|
|
|
|
|
for search_term in item.get("search_terms", []):
|
|
|
|
|
search_terms_html += search_term_template.format(
|
|
|
|
|
**{
|
|
|
|
|
"class": f"search_terms{' search_only' if search_only else ''}",
|
|
|
|
|
"search_term": search_term,
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
# Some items here might not be used depending on HTML template used.
|
|
|
|
|
args = {
|
|
|
|
|
"background_image": background_image,
|
|
|
|
|
"style": f"'display: none; {height}{width}; font-size: {shared.opts.extra_networks_card_text_scale*100}%'",
|
|
|
|
|
"prompt": item.get("prompt", None),
|
|
|
|
|
"tabname": quote_js(tabname),
|
|
|
|
|
"local_preview": quote_js(item["local_preview"]),
|
|
|
|
|
"name": html.escape(item["name"]),
|
|
|
|
|
"description": (item.get("description") or "" if shared.opts.extra_networks_card_show_desc else ""),
|
|
|
|
|
"card_clicked": onclick,
|
|
|
|
|
"save_card_preview": '"' + html.escape(f"""return saveCardPreview(event, {quote_js(tabname)}, {quote_js(item["local_preview"])})""") + '"',
|
|
|
|
|
"search_term": item.get("search_term", ""),
|
|
|
|
|
"metadata_button": metadata_button,
|
|
|
|
|
"edit_button": edit_button,
|
|
|
|
|
"copy_path_button": btn_copy_path,
|
|
|
|
|
"description": (item.get("description", "") or "" if shared.opts.extra_networks_card_show_desc else ""),
|
|
|
|
|
"edit_button": btn_edit_item,
|
|
|
|
|
"local_preview": quote_js(item["local_preview"]),
|
|
|
|
|
"metadata_button": btn_metadata,
|
|
|
|
|
"name": html.escape(item["name"]),
|
|
|
|
|
"prompt": item.get("prompt", None),
|
|
|
|
|
"save_card_preview": html.escape(f"return saveCardPreview(event, '{tabname}', '{item['local_preview']}');"),
|
|
|
|
|
"search_only": " search_only" if search_only else "",
|
|
|
|
|
"search_terms": search_terms_html,
|
|
|
|
|
"sort_keys": sort_keys,
|
|
|
|
|
"style": card_style,
|
|
|
|
|
"tabname": tabname,
|
|
|
|
|
"extra_networks_tabname": self.extra_networks_tabname,
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
return self.card_page.format(**args)
|
|
|
|
|
if template:
|
|
|
|
|
return template.format(**args)
|
|
|
|
|
else:
|
|
|
|
|
return args
|
|
|
|
|
|
|
|
|
|
def create_tree_dir_item_html(
|
|
|
|
|
self,
|
|
|
|
|
tabname: str,
|
|
|
|
|
dir_path: str,
|
|
|
|
|
content: Optional[str] = None,
|
|
|
|
|
) -> Optional[str]:
|
|
|
|
|
"""Generates HTML for a directory item in the tree.
|
|
|
|
|
|
|
|
|
|
The generated HTML is of the format:
|
|
|
|
|
```html
|
|
|
|
|
<li class="tree-list-item tree-list-item--has-subitem">
|
|
|
|
|
<div class="tree-list-content tree-list-content-dir"></div>
|
|
|
|
|
<ul class="tree-list tree-list--subgroup">
|
|
|
|
|
{content}
|
|
|
|
|
</ul>
|
|
|
|
|
</li>
|
|
|
|
|
```
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
tabname: The name of the active tab.
|
|
|
|
|
dir_path: Path to the directory for this item.
|
|
|
|
|
content: Optional HTML string that will be wrapped by this <ul>.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
HTML formatted string.
|
|
|
|
|
"""
|
|
|
|
|
if not content:
|
|
|
|
|
return None
|
|
|
|
|
|
|
|
|
|
btn = self.btn_tree_tpl.format(
|
|
|
|
|
**{
|
|
|
|
|
"search_terms": "",
|
|
|
|
|
"subclass": "tree-list-content-dir",
|
|
|
|
|
"tabname": tabname,
|
|
|
|
|
"extra_networks_tabname": self.extra_networks_tabname,
|
|
|
|
|
"onclick_extra": "",
|
|
|
|
|
"data_path": dir_path,
|
|
|
|
|
"data_hash": "",
|
|
|
|
|
"action_list_item_action_leading": "<i class='tree-list-item-action-chevron'></i>",
|
|
|
|
|
"action_list_item_visual_leading": "🗀",
|
|
|
|
|
"action_list_item_label": os.path.basename(dir_path),
|
|
|
|
|
"action_list_item_visual_trailing": "",
|
|
|
|
|
"action_list_item_action_trailing": "",
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
ul = f"<ul class='tree-list tree-list--subgroup' hidden>{content}</ul>"
|
|
|
|
|
return (
|
|
|
|
|
"<li class='tree-list-item tree-list-item--has-subitem' data-tree-entry-type='dir'>"
|
|
|
|
|
f"{btn}{ul}"
|
|
|
|
|
"</li>"
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
def create_tree_file_item_html(self, tabname: str, file_path: str, item: dict) -> str:
|
|
|
|
|
"""Generates HTML for a file item in the tree.
|
|
|
|
|
|
|
|
|
|
The generated HTML is of the format:
|
|
|
|
|
```html
|
|
|
|
|
<li class="tree-list-item tree-list-item--subitem">
|
|
|
|
|
<span data-filterable-item-text hidden></span>
|
|
|
|
|
<div class="tree-list-content tree-list-content-file"></div>
|
|
|
|
|
</li>
|
|
|
|
|
```
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
tabname: The name of the active tab.
|
|
|
|
|
file_path: The path to the file for this item.
|
|
|
|
|
item: Dictionary containing the item information.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
HTML formatted string.
|
|
|
|
|
"""
|
|
|
|
|
item_html_args = self.create_item_html(tabname, item)
|
|
|
|
|
action_buttons = "".join(
|
|
|
|
|
[
|
|
|
|
|
item_html_args["copy_path_button"],
|
|
|
|
|
item_html_args["metadata_button"],
|
|
|
|
|
item_html_args["edit_button"],
|
|
|
|
|
]
|
|
|
|
|
)
|
|
|
|
|
action_buttons = f"<div class=\"button-row\">{action_buttons}</div>"
|
|
|
|
|
btn = self.btn_tree_tpl.format(
|
|
|
|
|
**{
|
|
|
|
|
"search_terms": "",
|
|
|
|
|
"subclass": "tree-list-content-file",
|
|
|
|
|
"tabname": tabname,
|
|
|
|
|
"extra_networks_tabname": self.extra_networks_tabname,
|
|
|
|
|
"onclick_extra": item_html_args["card_clicked"],
|
|
|
|
|
"data_path": file_path,
|
|
|
|
|
"data_hash": item["shorthash"],
|
|
|
|
|
"action_list_item_action_leading": "<i class='tree-list-item-action-chevron'></i>",
|
|
|
|
|
"action_list_item_visual_leading": "🗎",
|
|
|
|
|
"action_list_item_label": item["name"],
|
|
|
|
|
"action_list_item_visual_trailing": "",
|
|
|
|
|
"action_list_item_action_trailing": action_buttons,
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
return (
|
|
|
|
|
"<li class='tree-list-item tree-list-item--subitem' data-tree-entry-type='file'>"
|
|
|
|
|
f"{btn}"
|
|
|
|
|
"</li>"
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
def create_tree_view_html(self, tabname: str) -> str:
|
|
|
|
|
"""Generates HTML for displaying folders in a tree view.
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
tabname: The name of the active tab.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
HTML string generated for this tree view.
|
|
|
|
|
"""
|
|
|
|
|
res = ""
|
|
|
|
|
|
|
|
|
|
# Setup the tree dictionary.
|
|
|
|
|
roots = self.allowed_directories_for_previews()
|
|
|
|
|
tree_items = {v["filename"]: ExtraNetworksItem(v) for v in self.items.values()}
|
|
|
|
|
tree = get_tree([os.path.abspath(x) for x in roots], items=tree_items)
|
|
|
|
|
|
|
|
|
|
if not tree:
|
|
|
|
|
return res
|
|
|
|
|
|
|
|
|
|
def _build_tree(data: Optional[dict[str, ExtraNetworksItem]] = None) -> Optional[str]:
|
|
|
|
|
"""Recursively builds HTML for a tree.
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
data: Dictionary representing a directory tree. Can be NoneType.
|
|
|
|
|
Data keys should be absolute paths from the root and values
|
|
|
|
|
should be subdirectory trees or an ExtraNetworksItem.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
If data is not None: HTML string
|
|
|
|
|
Else: None
|
|
|
|
|
"""
|
|
|
|
|
if not data:
|
|
|
|
|
return None
|
|
|
|
|
|
|
|
|
|
# Lists for storing <li> items html for directories and files separately.
|
|
|
|
|
_dir_li = []
|
|
|
|
|
_file_li = []
|
|
|
|
|
|
|
|
|
|
for k, v in sorted(data.items(), key=lambda x: shared.natural_sort_key(x[0])):
|
|
|
|
|
if isinstance(v, (ExtraNetworksItem,)):
|
|
|
|
|
_file_li.append(self.create_tree_file_item_html(tabname, k, v.item))
|
|
|
|
|
else:
|
|
|
|
|
_dir_li.append(self.create_tree_dir_item_html(tabname, k, _build_tree(v)))
|
|
|
|
|
|
|
|
|
|
# Directories should always be displayed before files so we order them here.
|
|
|
|
|
return "".join(_dir_li) + "".join(_file_li)
|
|
|
|
|
|
|
|
|
|
# Add each root directory to the tree.
|
|
|
|
|
for k, v in sorted(tree.items(), key=lambda x: shared.natural_sort_key(x[0])):
|
|
|
|
|
item_html = self.create_tree_dir_item_html(tabname, k, _build_tree(v))
|
|
|
|
|
# Only add non-empty entries to the tree.
|
|
|
|
|
if item_html is not None:
|
|
|
|
|
res += item_html
|
|
|
|
|
|
|
|
|
|
return f"<ul class='tree-list tree-list--tree'>{res}</ul>"
|
|
|
|
|
|
|
|
|
|
def create_card_view_html(self, tabname: str) -> str:
|
|
|
|
|
"""Generates HTML for the network Card View section for a tab.
|
|
|
|
|
|
|
|
|
|
This HTML goes into the `extra-networks-pane.html` <div> with
|
|
|
|
|
`id='{tabname}_{extra_networks_tabname}_cards`.
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
tabname: The name of the active tab.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
HTML formatted string.
|
|
|
|
|
"""
|
|
|
|
|
res = ""
|
|
|
|
|
for item in self.items.values():
|
|
|
|
|
res += self.create_item_html(tabname, item, self.card_tpl)
|
|
|
|
|
|
|
|
|
|
if res == "":
|
|
|
|
|
dirs = "".join([f"<li>{x}</li>" for x in self.allowed_directories_for_previews()])
|
|
|
|
|
res = shared.html("extra-networks-no-cards.html").format(dirs=dirs)
|
|
|
|
|
|
|
|
|
|
return res
|
|
|
|
|
|
|
|
|
|
def create_html(self, tabname):
|
|
|
|
|
"""Generates an HTML string for the current pane.
|
|
|
|
|
|
|
|
|
|
The generated HTML uses `extra-networks-pane.html` as a template.
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
tabname: The name of the active tab.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
HTML formatted string.
|
|
|
|
|
"""
|
|
|
|
|
self.lister.reset()
|
|
|
|
|
self.metadata = {}
|
|
|
|
|
self.items = {x["name"]: x for x in self.list_items()}
|
|
|
|
|
# Populate the instance metadata for each item.
|
|
|
|
|
for item in self.items.values():
|
|
|
|
|
metadata = item.get("metadata")
|
|
|
|
|
if metadata:
|
|
|
|
|
self.metadata[item["name"]] = metadata
|
|
|
|
|
|
|
|
|
|
if "user_metadata" not in item:
|
|
|
|
|
self.read_user_metadata(item)
|
|
|
|
|
|
|
|
|
|
data_sortdir = shared.opts.extra_networks_card_order
|
|
|
|
|
data_sortmode = shared.opts.extra_networks_card_order_field.lower().replace("sort", "").replace(" ", "_").rstrip("_").strip()
|
|
|
|
|
data_sortkey = f"{data_sortmode}-{data_sortdir}-{len(self.items)}"
|
|
|
|
|
tree_view_btn_extra_class = ""
|
|
|
|
|
tree_view_div_extra_class = "hidden"
|
|
|
|
|
if shared.opts.extra_networks_tree_view_default_enabled:
|
|
|
|
|
tree_view_btn_extra_class = "extra-network-control--enabled"
|
|
|
|
|
tree_view_div_extra_class = ""
|
|
|
|
|
|
|
|
|
|
return self.pane_tpl.format(
|
|
|
|
|
**{
|
|
|
|
|
"tabname": tabname,
|
|
|
|
|
"extra_networks_tabname": self.extra_networks_tabname,
|
|
|
|
|
"data_sortmode": data_sortmode,
|
|
|
|
|
"data_sortkey": data_sortkey,
|
|
|
|
|
"data_sortdir": data_sortdir,
|
|
|
|
|
"tree_view_btn_extra_class": tree_view_btn_extra_class,
|
|
|
|
|
"tree_view_div_extra_class": tree_view_div_extra_class,
|
|
|
|
|
"tree_html": self.create_tree_view_html(tabname),
|
|
|
|
|
"items_html": self.create_card_view_html(tabname),
|
|
|
|
|
}
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
def create_item(self, name, index=None):
|
|
|
|
|
raise NotImplementedError()
|
|
|
|
|
|
|
|
|
|
def list_items(self):
|
|
|
|
|
raise NotImplementedError()
|
|
|
|
|
|
|
|
|
|
def allowed_directories_for_previews(self):
|
|
|
|
|
return []
|
|
|
|
|
|
|
|
|
|
def get_sort_keys(self, path):
|
|
|
|
|
"""
|
|
|
|
@@ -298,7 +567,7 @@ class ExtraNetworksPage:
|
|
|
|
|
Find a preview PNG for a given path (without extension) and call link_preview on it.
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
potential_files = sum([[path + "." + ext, path + ".preview." + ext] for ext in allowed_preview_extensions()], [])
|
|
|
|
|
potential_files = sum([[f"{path}.{ext}", f"{path}.preview.{ext}"] for ext in allowed_preview_extensions()], [])
|
|
|
|
|
|
|
|
|
|
for file in potential_files:
|
|
|
|
|
if self.lister.exists(file):
|
|
|
|
@@ -369,10 +638,7 @@ def pages_in_preferred_order(pages):
|
|
|
|
|
|
|
|
|
|
return sorted(pages, key=lambda x: tab_scores[x.name])
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def create_ui(interface: gr.Blocks, unrelated_tabs, tabname):
|
|
|
|
|
from modules.ui import switch_values_symbol
|
|
|
|
|
|
|
|
|
|
ui = ExtraNetworksUi()
|
|
|
|
|
ui.pages = []
|
|
|
|
|
ui.pages_contents = []
|
|
|
|
@@ -382,46 +648,35 @@ def create_ui(interface: gr.Blocks, unrelated_tabs, tabname):
|
|
|
|
|
|
|
|
|
|
related_tabs = []
|
|
|
|
|
|
|
|
|
|
button_refresh = gr.Button("Refresh", elem_id=f"{tabname}_extra_refresh_internal", visible=False)
|
|
|
|
|
|
|
|
|
|
for page in ui.stored_extra_pages:
|
|
|
|
|
with gr.Tab(page.title, elem_id=f"{tabname}_{page.id_page}", elem_classes=["extra-page"]) as tab:
|
|
|
|
|
with gr.Column(elem_id=f"{tabname}_{page.id_page}_prompts", elem_classes=["extra-page-prompts"]):
|
|
|
|
|
with gr.Tab(page.title, elem_id=f"{tabname}_{page.extra_networks_tabname}", elem_classes=["extra-page"]) as tab:
|
|
|
|
|
with gr.Column(elem_id=f"{tabname}_{page.extra_networks_tabname}_prompts", elem_classes=["extra-page-prompts"]):
|
|
|
|
|
pass
|
|
|
|
|
|
|
|
|
|
elem_id = f"{tabname}_{page.id_page}_cards_html"
|
|
|
|
|
elem_id = f"{tabname}_{page.extra_networks_tabname}_cards_html"
|
|
|
|
|
page_elem = gr.HTML('Loading...', elem_id=elem_id)
|
|
|
|
|
ui.pages.append(page_elem)
|
|
|
|
|
|
|
|
|
|
page_elem.change(fn=lambda: None, _js='function(){applyExtraNetworkFilter(' + quote_js(tabname) + '); return []}', inputs=[], outputs=[])
|
|
|
|
|
|
|
|
|
|
editor = page.create_user_metadata_editor(ui, tabname)
|
|
|
|
|
editor.create_ui()
|
|
|
|
|
ui.user_metadata_editors.append(editor)
|
|
|
|
|
|
|
|
|
|
related_tabs.append(tab)
|
|
|
|
|
|
|
|
|
|
edit_search = gr.Textbox('', show_label=False, elem_id=tabname+"_extra_search", elem_classes="search", placeholder="Search...", visible=False, interactive=True)
|
|
|
|
|
dropdown_sort = gr.Dropdown(choices=['Path', 'Name', 'Date Created', 'Date Modified', ], value=shared.opts.extra_networks_card_order_field, elem_id=tabname+"_extra_sort", elem_classes="sort", multiselect=False, visible=False, show_label=False, interactive=True, label=tabname+"_extra_sort_order")
|
|
|
|
|
button_sortorder = ToolButton(switch_values_symbol, elem_id=tabname+"_extra_sortorder", elem_classes=["sortorder"] + ([] if shared.opts.extra_networks_card_order == "Ascending" else ["sortReverse"]), visible=False, tooltip="Invert sort order")
|
|
|
|
|
button_refresh = gr.Button('Refresh', elem_id=tabname+"_extra_refresh", visible=False)
|
|
|
|
|
checkbox_show_dirs = gr.Checkbox(True, label='Show dirs', elem_id=tabname+"_extra_show_dirs", elem_classes="show-dirs", visible=False)
|
|
|
|
|
|
|
|
|
|
ui.button_save_preview = gr.Button('Save preview', elem_id=tabname+"_save_preview", visible=False)
|
|
|
|
|
ui.preview_target_filename = gr.Textbox('Preview save filename', elem_id=tabname+"_preview_filename", visible=False)
|
|
|
|
|
|
|
|
|
|
tab_controls = [edit_search, dropdown_sort, button_sortorder, button_refresh, checkbox_show_dirs]
|
|
|
|
|
ui.button_save_preview = gr.Button('Save preview', elem_id=f"{tabname}_save_preview", visible=False)
|
|
|
|
|
ui.preview_target_filename = gr.Textbox('Preview save filename', elem_id=f"{tabname}_preview_filename", visible=False)
|
|
|
|
|
|
|
|
|
|
for tab in unrelated_tabs:
|
|
|
|
|
tab.select(fn=lambda: [gr.update(visible=False) for _ in tab_controls], _js='function(){ extraNetworksUrelatedTabSelected("' + tabname + '"); }', inputs=[], outputs=tab_controls, show_progress=False)
|
|
|
|
|
tab.select(fn=None, _js=f"function(){{extraNetworksUnrelatedTabSelected('{tabname}');}}", inputs=[], outputs=[], show_progress=False)
|
|
|
|
|
|
|
|
|
|
for page, tab in zip(ui.stored_extra_pages, related_tabs):
|
|
|
|
|
allow_prompt = "true" if page.allow_prompt else "false"
|
|
|
|
|
allow_negative_prompt = "true" if page.allow_negative_prompt else "false"
|
|
|
|
|
|
|
|
|
|
jscode = 'extraNetworksTabSelected("' + tabname + '", "' + f"{tabname}_{page.id_page}_prompts" + '", ' + allow_prompt + ', ' + allow_negative_prompt + ');'
|
|
|
|
|
|
|
|
|
|
tab.select(fn=lambda: [gr.update(visible=True) for _ in tab_controls], _js='function(){ ' + jscode + ' }', inputs=[], outputs=tab_controls, show_progress=False)
|
|
|
|
|
|
|
|
|
|
dropdown_sort.change(fn=lambda: None, _js="function(){ applyExtraNetworkSort('" + tabname + "'); }")
|
|
|
|
|
jscode = (
|
|
|
|
|
"function(){{"
|
|
|
|
|
f"extraNetworksTabSelected('{tabname}', '{tabname}_{page.extra_networks_tabname}_prompts', {str(page.allow_prompt).lower()}, {str(page.allow_negative_prompt).lower()});"
|
|
|
|
|
f"applyExtraNetworkFilter('{tabname}_{page.extra_networks_tabname}');"
|
|
|
|
|
"}}"
|
|
|
|
|
)
|
|
|
|
|
tab.select(fn=None, _js=jscode, inputs=[], outputs=[], show_progress=False)
|
|
|
|
|
|
|
|
|
|
def create_html():
|
|
|
|
|
ui.pages_contents = [pg.create_html(ui.tabname) for pg in ui.stored_extra_pages]
|
|
|
|
@@ -438,6 +693,8 @@ def create_ui(interface: gr.Blocks, unrelated_tabs, tabname):
|
|
|
|
|
return ui.pages_contents
|
|
|
|
|
|
|
|
|
|
interface.load(fn=pages_html, inputs=[], outputs=ui.pages)
|
|
|
|
|
# NOTE: Event is manually fired in extraNetworks.js:extraNetworksTreeRefreshOnClick()
|
|
|
|
|
# button is unused and hidden at all times. Only used in order to fire this event.
|
|
|
|
|
button_refresh.click(fn=refresh, inputs=[], outputs=ui.pages)
|
|
|
|
|
|
|
|
|
|
return ui
|
|
|
|
@@ -487,5 +744,3 @@ def setup_ui(ui, gallery):
|
|
|
|
|
|
|
|
|
|
for editor in ui.user_metadata_editors:
|
|
|
|
|
editor.setup_ui(gallery)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|