File size: 9,021 Bytes
8ab8047 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 |
from db import *
import json
import os
from tqdm import tqdm
from functools import cache
import tarfile
Tag = None
Post = None
PostTagRelation = None
LocalPost = None
tags = None
get_tag_by_id = None
db = None
@cache
def get_or_create_tag(tag_name: str, tag_type: str, optional_tag_id: int = None):
"""
Get a tag if it exists, otherwise create it.
"""
tag = Tag.get_or_none(Tag.name == tag_name)
if tag is None:
if optional_tag_id is not None:
assert isinstance(optional_tag_id, int), f"optional_tag_id must be an integer, not {type(optional_tag_id)}"
tag = Tag.create(id=optional_tag_id, name=tag_name, type=tag_type, popularity=0)
else:
tag = Tag.create(name=tag_name, type=tag_type, popularity=0)
return tag
def create_tag_or_use(tag_name: str, tag_type: str, optional_tag_id: int = None):
"""
Create a tag if it does not exist, otherwise return the existing tag.
This function also increments the popularity of the tag.
"""
tag = get_or_create_tag(tag_name, tag_type, optional_tag_id)
# we don't have to check tag type since its unique
tag.popularity = 1
return tag
def iterate_jsonl(file_path: str):
"""
Iterate through a jsonl file and yield each line as a dictionary.
"""
if isinstance(file_path, str) and os.path.exists(file_path):
with open(file_path, "r") as f:
for line in f:
yield json.loads(line)
elif hasattr(file_path, "read"):
for line in file_path:
yield json.loads(line)
else:
raise ValueError("file_path must be a string or a file-like object")
JSONL_RATING_CONVERSION = {
"q": "questionable",
"s": "sensitive",
"e": "explicit",
"g": "general",
"safe" : "general",
}
def create_tags(tag_string:str, tag_type:str):
"""
Create tags from a tag string.
"""
for tag in tag_string.split(" "):
if not tag or tag.isspace():
continue
tag = create_tag_or_use(tag, tag_type)
yield tag
# 'id', 'created_at', 'score', 'width', 'height', 'md5', 'directory', 'image', 'rating', 'source', 'change', 'owner', 'creator_id', 'parent_id', 'sample', 'preview_height', 'preview_width', 'tags', 'title', 'has_notes', 'has_comments', 'file_url', 'preview_url', 'sample_url', 'sample_height', 'sample_width', 'status', 'post_locked', 'has_children'
def get_conversion_key(data, key: str):
"""
Get the conversion key for a key.
"""
access_key = DANBOORU_KEYS_TO_GELBOORU.get(key, key)
if access_key == "rating":
return JSONL_RATING_CONVERSION.get(data.get(access_key, None), data.get(access_key, None))
return data.get(access_key, None)
def create_post(json_data, policy="ignore"):
"""
Create a post from a json dictionary.
Policy can be 'ignore' or 'replace'
Note that file_url, large_file_url, and preview_file_url are optional.
"""
assert "id" in json_data, "id is not in json_data"
post_id = json_data["id"]
all_tags = []
all_tags += [create_tags(json_data.get("tag_string_general", ""), "general")]
all_tags += [create_tags(json_data.get("tag_string_artist", ""), "artist")]
all_tags += [create_tags(json_data.get("tag_string_character", ""), "character")]
all_tags += [create_tags(json_data.get("tag_string_copyright", ""), "copyright")]
all_tags += [create_tags(json_data.get("tag_string_meta", ""), "meta")]
# tags -> unknown
all_tags += [create_tags(json_data.get("tags", ""), "unknown")]
if Post.get_or_none(Post.id == post_id) is not None:
if policy == "ignore":
print(f"Post {post_id} already exists")
return
elif policy == "replace":
Post.delete_by_id(post_id)
else:
raise ValueError(f"Unknown policy {policy}, must be 'ignore' or 'replace'")
post = Post.create(
**{key: get_conversion_key(json_data, key) for key in[
"id", "created_at", "uploader_id", "source", "md5", "parent_id", "has_children", "is_deleted", "is_banned", "pixiv_id", "has_active_children", "bit_flags", "has_large", "has_visible_children", "image_width", "image_height", "file_size", "file_ext", "rating", "score", "up_score", "down_score", "fav_count", "file_url", "large_file_url", "preview_file_url"
]
}
)
for tags in all_tags:
for tag in tags:
PostTagRelation.create(post=post, tag=tag)
return post
def read_and_create_posts(file_path: str, policy="ignore"):
"""
Read a jsonl file and create the posts in the database.
Policy can be 'ignore' or 'replace'
"""
for json_data in iterate_jsonl(file_path):
create_post(json_data, policy)
#print(f"Created post {json_data['id']}")
def create_db_from_folder(folder_path: str, policy="ignore"):
"""
Create a database from a folder of jsonl files.
This recursively searches the folder for jsonl files.
Policy can be 'ignore' or 'replace'
"""
global db
assert db is not None, "Database is not loaded"
all_jsonl_files = []
for root, dirs, files in os.walk(folder_path):
for file in files:
if file.endswith(".jsonl"):
all_jsonl_files.append(os.path.join(root, file))
with db.atomic():
for file in tqdm(all_jsonl_files):
read_and_create_posts(file, policy)
def create_db_from_tarfile(tarfile_path: str, policy="ignore", read_method="r:gz"):
"""
Create a database from a tarfile of jsonl files.
Policy can be 'ignore' or 'replace'
"""
global db
assert db is not None, "Database is not loaded"
all_jsonl_files = []
with tarfile.open(tarfile_path, read_method) as tar:
for tarinfo in tar:
if tarinfo.isfile() and tarinfo.name.endswith(".jsonl"):
all_jsonl_files.append(tarinfo)
with db.atomic():
for tarinfo in tqdm(all_jsonl_files):
with tar.extractfile(tarinfo) as f:
for json_data in iterate_jsonl(f):
create_post(json_data, policy)
#print(f"Created post {json_data['id']}")
def sanity_check(order="random"):
"""
Print out a random post and its informations
"""
if order == "random":
random_post = Post.select().order_by(fn.Random()).limit(1).get()
else:
random_post = Post.select().limit(1).get()
print(f"Post id : {random_post.id}")
print(f"Post tags: {random_post.tag_list}, {len(random_post.tag_list)} tags, {random_post.tag_count} tags")
print(f"Post general tags: {random_post.tag_list_general}, {len(random_post.tag_list_general)} tags, {random_post.tag_count_general} tags")
print(f"Post artist tags: {random_post.tag_list_artist}, {len(random_post.tag_list_artist)} tags, {random_post.tag_count_artist} tags")
print(f"Post character tags: {random_post.tag_list_character}, {len(random_post.tag_list_character)} tags, {random_post.tag_count_character} tags")
print(f"Post copyright tags: {random_post.tag_list_copyright}, {len(random_post.tag_list_copyright)} tags, {random_post.tag_count_copyright} tags")
print(f"Post meta tags: {random_post.tag_list_meta}, {len(random_post.tag_list_meta)} tags, {random_post.tag_count_meta} tags")
print(f"Post rating: {random_post.rating}")
print(f"Post score: {random_post.score}")
print(f"Post fav_count: {random_post.fav_count}")
print(f"Post source: {random_post.source}")
print(f"Post created_at: {random_post.created_at}")
print(f"Post file_url: {random_post.file_url}")
print(f"Post large_file_url: {random_post.large_file_url}")
print(f"Post preview_file_url: {random_post.preview_file_url}")
print(f"Post image_width: {random_post.image_width}")
print(f"Post image_height: {random_post.image_height}")
print(f"Post file_size: {random_post.file_size}")
print(f"Post file_ext: {random_post.file_ext}")
print(f"Post uploader_id: {random_post.uploader_id}")
print(f"Post pixiv_id: {random_post.pixiv_id}")
print(f"Post has_children: {random_post.has_children}")
print(f"Post is_deleted: {random_post.is_deleted}")
print(f"Post is_banned: {random_post.is_banned}")
print(f"Post has_active_children: {random_post.has_active_children}")
print(f"Post has_large: {random_post.has_large}")
print(f"Post has_visible_children: {random_post.has_visible_children}")
print(f"Post bit_flags: {random_post.bit_flags}")
if __name__ == "__main__":
db_dict = load_db("gelbooru2024-02.db")
Post, Tag, PostTagRelation = db_dict["Post"], db_dict["Tag"], db_dict["PostTagRelation"]
db = db_dict["db"]
LocalPost = db_dict["LocalPost"]
#read_and_create_posts(r"C:\sqlite\0_99.jsonl")
#create_db_from_folder(r'D:\danbooru-0319') # if you have a folder of jsonl files
for i in range(2,10):
create_db_from_tarfile(rf"G:\gelboorupost\{i}M.tar.gz")
|