v2ray commited on
Commit
587e289
·
1 Parent(s): fd454cd

Moved scripts to GitHub.

Browse files
.gitattributes CHANGED
@@ -56,4 +56,3 @@ saved_model/**/* filter=lfs diff=lfs merge=lfs -text
56
  # Video files - compressed
57
  *.mp4 filter=lfs diff=lfs merge=lfs -text
58
  *.webm filter=lfs diff=lfs merge=lfs -text
59
- nl_llm_tag_few_shot_examples/*.json filter=lfs diff=lfs merge=lfs -text
 
56
  # Video files - compressed
57
  *.mp4 filter=lfs diff=lfs merge=lfs -text
58
  *.webm filter=lfs diff=lfs merge=lfs -text
 
.gitignore DELETED
@@ -1,3 +0,0 @@
1
- images/
2
- __pycache__/
3
- .ipynb_checkpoints/
 
 
 
 
README.md CHANGED
@@ -8,4 +8,5 @@ size_categories:
8
  - 100K<n<1M
9
  ---
10
  # Anime Collection
11
- A repo containing scripts to scrape booru sites and images scraped from it.
 
 
8
  - 100K<n<1M
9
  ---
10
  # Anime Collection
11
+ A repo containing images scraped and processing using [LagPixelLOL/aisp](https://github.com/LagPixelLOL/aisp). \
12
+ The scripts were moved to the said repo.
balance_tags.py DELETED
@@ -1,98 +0,0 @@
1
- import os
2
- import sys
3
- import tqdm
4
- import utils
5
- import shutil
6
- import random
7
- import argparse
8
- from constants import *
9
-
10
- def parse_args():
11
- parser = argparse.ArgumentParser(description="Balance the dataset based on tag frequency.")
12
- parser.add_argument("-c", "--count", type=int, help="The target selection count, must be an integer greater than 0")
13
- parser.add_argument("-d", "--display", action="store_true", help="Display the count of images in each bucket")
14
- parser.add_argument("-r", "--reverse", action="store_true", help="Display in reverse order, only for displaying")
15
- args = parser.parse_args()
16
- if not args.display:
17
- if args.reverse:
18
- print("You can't specify reverse when not using display mode!")
19
- sys.exit(1)
20
- if not isinstance(args.count, int):
21
- print("You must specify the target selection count when not using display mode!")
22
- sys.exit(1)
23
- if args.count <= 0:
24
- print("Target selection count must be an integer greater than 0!")
25
- sys.exit(1)
26
- elif isinstance(args.count, int):
27
- print("You can't specify the target selection count when using display mode!")
28
- sys.exit(1)
29
- return args
30
-
31
- def main():
32
- args = parse_args()
33
- print("Starting...\nGetting model tags...")
34
- model_tags = utils.get_model_tags(MODEL_TAGS_PATH)
35
- print("Getting paths...")
36
- image_id_image_metadata_path_tuple_tuple_list = sorted(utils.get_image_id_image_metadata_path_tuple_dict(IMAGE_DIR).items(), key=lambda x: x[0])
37
- print("Got", len(image_id_image_metadata_path_tuple_tuple_list), "images.\nShuffling paths...")
38
- random.seed(42)
39
- random.shuffle(image_id_image_metadata_path_tuple_tuple_list)
40
- print("Making buckets...")
41
- in_bucket_image_count = 0
42
- buckets = {tag: [] for tag in model_tags}
43
- for image_id_image_metadata_path_tuple_tuple in tqdm.tqdm(image_id_image_metadata_path_tuple_tuple_list, desc="Making buckets"):
44
- did_append = False
45
- for tag in utils.get_tags(image_id_image_metadata_path_tuple_tuple[1][1]):
46
- bucket = buckets.get(tag)
47
- if bucket is None:
48
- continue
49
- bucket.append(image_id_image_metadata_path_tuple_tuple)
50
- did_append = True
51
- if did_append:
52
- in_bucket_image_count += 1
53
- print("Got", in_bucket_image_count, "unique images in buckets.")
54
- buckets = sorted(buckets.items(), key=lambda x: len(x[1]))
55
- if args.display:
56
- if args.reverse: range_iter = range(len(buckets) - 1, -1, -1)
57
- else: range_iter = range(len(buckets))
58
- for i in range_iter: print(buckets[i][0], len(buckets[i][1]))
59
- return
60
- print("Selecting...")
61
- total = min(args.count, in_bucket_image_count)
62
- selected = {} # Key: Image ID, Value: (Image path, Metadata path).
63
- with tqdm.tqdm(total=total, desc="Selecting") as progress_bar:
64
- while len(selected) < total:
65
- for tag, image_id_image_metadata_path_tuple_tuple_list in buckets:
66
- if len(selected) >= total:
67
- break
68
- if len(image_id_image_metadata_path_tuple_tuple_list) <= 0:
69
- continue
70
- for i in range(len(image_id_image_metadata_path_tuple_tuple_list) - 1, -1, -1):
71
- if image_id_image_metadata_path_tuple_tuple_list[i][0] in selected:
72
- del image_id_image_metadata_path_tuple_tuple_list[i]
73
- break
74
- else:
75
- last_item = image_id_image_metadata_path_tuple_tuple_list[-1]
76
- selected[last_item[0]] = last_item[1]
77
- del image_id_image_metadata_path_tuple_tuple_list[-1]
78
- progress_bar.update(1)
79
- print("Selected", len(selected), "images.\nDeleting unselected images...")
80
- temp_dir = "__tag_bal_trans_tmp__"
81
- if os.path.exists(temp_dir):
82
- shutil.rmtree(temp_dir)
83
- os.makedirs(temp_dir)
84
- for image_metadata_path_tuple in tqdm.tqdm(selected.values(), desc="Moving"):
85
- image_path = image_metadata_path_tuple[0]
86
- metadata_path = image_metadata_path_tuple[1]
87
- os.rename(image_path, os.path.join(temp_dir, os.path.basename(image_path)))
88
- os.rename(metadata_path, os.path.join(temp_dir, os.path.basename(metadata_path)))
89
- shutil.rmtree(IMAGE_DIR)
90
- shutil.move(temp_dir, IMAGE_DIR)
91
- print("Finished.")
92
-
93
- if __name__ == "__main__":
94
- try:
95
- main()
96
- except KeyboardInterrupt:
97
- print("\nScript interrupted by user, exiting...")
98
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
compress.py DELETED
@@ -1,44 +0,0 @@
1
- import os
2
- import sys
3
- import utils
4
- import argparse
5
- import tarfile
6
- from constants import *
7
- import concurrent.futures
8
-
9
- def compress_chunk(chunk, chunk_index, output_dir):
10
- with tarfile.open(os.path.join(output_dir, f"chunk_{chunk_index}.tar"), "w") as tar:
11
- for image_path, metadata_path in chunk:
12
- tar.add(image_path, arcname=os.path.basename(image_path))
13
- tar.add(metadata_path, arcname=os.path.basename(metadata_path))
14
-
15
- def parse_args():
16
- parser = argparse.ArgumentParser(description="Group images into uncompressed tar files.")
17
- parser.add_argument("-i", "--input-dir", default=IMAGE_DIR, help="Input directory for the images to chunk into tars")
18
- parser.add_argument("-o", "--output-dir", default=COMPRESSED_DIR, help="Output directory for chunked tars")
19
- parser.add_argument("-n", "--num-images-per-chunk", type=int, default=sys.maxsize, help="Number of images per chunk, default to infinite")
20
- args = parser.parse_args()
21
- if args.num_images_per_chunk < 1:
22
- print("Number of images per chunk needs to be a positive integer!")
23
- sys.exit(1)
24
- return args
25
-
26
- def main():
27
- args = parse_args()
28
- image_metadata_path_tuple_list = [e[1] for e in sorted(utils.get_image_id_image_metadata_path_tuple_dict(args.input_dir).items(), key=lambda x: x[0])]
29
- os.makedirs(args.output_dir, exist_ok=True)
30
- with concurrent.futures.ThreadPoolExecutor(max_workers=os.cpu_count()) as executor:
31
- futures = []
32
- for i in range(0, len(image_metadata_path_tuple_list), args.num_images_per_chunk):
33
- chunk = image_metadata_path_tuple_list[i:i + args.num_images_per_chunk]
34
- chunk_index = i // args.num_images_per_chunk
35
- future = executor.submit(compress_chunk, chunk, chunk_index, args.output_dir)
36
- futures.append(future)
37
- concurrent.futures.wait(futures)
38
-
39
- if __name__ == "__main__":
40
- try:
41
- main()
42
- except KeyboardInterrupt:
43
- print("\nScript interrupted by user, exiting...")
44
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
constants.py DELETED
@@ -1,14 +0,0 @@
1
-
2
- MAX_TASKS = 50
3
- MAX_RETRY = 3
4
- TIMEOUT = 10
5
-
6
- IMAGE_DIR = "images"
7
- COMPRESSED_DIR = "compressed"
8
-
9
- IMAGE_EXT = {
10
- ".png", ".jpg", ".jpeg", ".bmp", ".tiff", ".tif",
11
- ".webp", ".heic", ".heif", ".avif", ".jxl",
12
- }
13
-
14
- MODEL_TAGS_PATH = "model_tags.txt"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
convert.py DELETED
@@ -1,37 +0,0 @@
1
- import os
2
- import sys
3
- import tqdm
4
- import utils
5
- import random
6
- import argparse
7
- from constants import *
8
-
9
- def parse_args():
10
- parser = argparse.ArgumentParser(description="Convert JSON image metadata to TXT image tags.")
11
- parser.add_argument("-n", "--no-delete", action="store_true", help="If set, won't delete the JSON image metadata files")
12
- mutex = parser.add_mutually_exclusive_group()
13
- mutex.add_argument("-e", "--exclude", nargs="+", help="Exclude tag groups with the specified group names, you can only set either exclude or include, but not both")
14
- mutex.add_argument("-i", "--include", nargs="+", help="Include tag groups with the specified group names, you can only set either include or exclude, but not both")
15
- parser.add_argument("-p", "--no-rating-prefix", action="store_true", help="If set, won't prepend the \"rating:\" prefix to the rating")
16
- return parser.parse_args()
17
-
18
- def main():
19
- args = parse_args()
20
- print("Starting...\nGetting paths...")
21
- image_id_image_metadata_path_tuple_dict = utils.get_image_id_image_metadata_path_tuple_dict(IMAGE_DIR)
22
- print("Got", len(image_id_image_metadata_path_tuple_dict), "images.")
23
- for _, metadata_path in tqdm.tqdm(image_id_image_metadata_path_tuple_dict.values(), desc="Converting"):
24
- tags = utils.get_tags(metadata_path, args.exclude, args.include, args.no_rating_prefix)
25
- random.shuffle(tags)
26
- tags_text = ", ".join(tag.replace("_", " ") for tag in tags)
27
- with open(os.path.splitext(metadata_path)[0] + ".txt", "w", encoding="utf8") as tags_file:
28
- tags_file.write(tags_text)
29
- if not args.no_delete:
30
- os.remove(metadata_path)
31
-
32
- if __name__ == "__main__":
33
- try:
34
- main()
35
- except KeyboardInterrupt:
36
- print("\nScript interrupted by user, exiting...")
37
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
decompress.py DELETED
@@ -1,38 +0,0 @@
1
- import os
2
- import sys
3
- import argparse
4
- import tarfile
5
- from constants import *
6
- import concurrent.futures
7
-
8
- def decompress_chunk(chunk_file, output_dir):
9
- with tarfile.open(chunk_file, "r") as tar:
10
- tar.extractall(path=output_dir)
11
-
12
- def parse_args():
13
- parser = argparse.ArgumentParser(description="Extract files from chunked tar archives.")
14
- parser.add_argument("-i", "--input-dir", default=COMPRESSED_DIR, help="Input directory containing tar chunks")
15
- parser.add_argument("-o", "--output-dir", default=IMAGE_DIR, help="Output directory for extracted files")
16
- args = parser.parse_args()
17
- return args
18
-
19
- def main():
20
- args = parse_args()
21
- if not os.path.isdir(args.input_dir):
22
- print(f"Your input dir \"{args.input_dir}\" doesn't exist or isn't a directory!")
23
- sys.exit(1)
24
- chunk_files = [os.path.join(args.input_dir, f) for f in os.listdir(args.input_dir) if f.endswith(".tar")]
25
- os.makedirs(args.output_dir, exist_ok=True)
26
- with concurrent.futures.ThreadPoolExecutor(max_workers=os.cpu_count()) as executor:
27
- futures = []
28
- for chunk_file in chunk_files:
29
- future = executor.submit(decompress_chunk, chunk_file, args.output_dir)
30
- futures.append(future)
31
- concurrent.futures.wait(futures)
32
-
33
- if __name__ == "__main__":
34
- try:
35
- main()
36
- except KeyboardInterrupt:
37
- print("\nScript interrupted by user, exiting...")
38
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
tagging_train/full_1m.tar → full_1m.tar RENAMED
File without changes
make_model_tags.py DELETED
@@ -1,52 +0,0 @@
1
- import sys
2
- import tqdm
3
- import utils
4
- import argparse
5
- from constants import *
6
- from collections import defaultdict
7
-
8
- def parse_args():
9
- parser = argparse.ArgumentParser(description="Create model tags based on tag frequency.")
10
- parser.add_argument("-m", "--min-images", type=int, default=0, help="Filter out tags with less than the specified amount of images, default to 0")
11
- mutex = parser.add_mutually_exclusive_group()
12
- mutex.add_argument("-e", "--exclude", nargs="+", help="Exclude tag groups with the specified group names, you can only set either exclude or include, but not both")
13
- mutex.add_argument("-i", "--include", nargs="+", help="Include tag groups with the specified group names, you can only set either include or exclude, but not both")
14
- args = parser.parse_args()
15
- if args.min_images < 0:
16
- print("Minimum images must be greater than or equal to 0!")
17
- sys.exit(1)
18
- return args
19
-
20
- def main():
21
- args = parse_args()
22
- print("Starting...\nGetting paths...")
23
- image_id_image_metadata_path_tuple_dict = utils.get_image_id_image_metadata_path_tuple_dict(IMAGE_DIR)
24
- print("Got", len(image_id_image_metadata_path_tuple_dict), "images.\nMaking buckets...")
25
- buckets = defaultdict(int)
26
- for _, metadata_path in tqdm.tqdm(image_id_image_metadata_path_tuple_dict.values(), desc="Making buckets"):
27
- for tag in utils.get_tags(metadata_path, args.exclude, args.include):
28
- buckets[tag] += 1
29
- ratings = []
30
- for bucket in list(buckets.items()):
31
- tag = bucket[0]
32
- if not tag.startswith("rating:"):
33
- continue
34
- ratings.append(bucket)
35
- buckets.pop(tag)
36
- print("Sorting the tags based on alphabetical order...")
37
- buckets = sorted(buckets.items())
38
- print("Filtering out tags with less than", args.min_images, "images...")
39
- buckets += ratings
40
- tags = [bucket[0] for bucket in buckets if bucket[1] >= args.min_images]
41
- print("The new model tags list contains", len(tags), "tags.\nSaving the result...")
42
- with open(MODEL_TAGS_PATH, "w", encoding="utf8") as file:
43
- for i, tag in enumerate(tags):
44
- file.write(f"{i} {tag}\n")
45
- print("Finished.")
46
-
47
- if __name__ == "__main__":
48
- try:
49
- main()
50
- except KeyboardInterrupt:
51
- print("\nScript interrupted by user, exiting...")
52
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
model_tags.txt DELETED
@@ -1,5060 +0,0 @@
1
- 0 !
2
- 1 !!
3
- 2 !?
4
- 3 +++
5
- 4 +_+
6
- 5 ...
7
- 6 00s
8
- 7 10s
9
- 8 1990s_(style)
10
- 9 1boy
11
- 10 1futa
12
- 11 1girl
13
- 12 1other
14
- 13 2012
15
- 14 2013
16
- 15 2014
17
- 16 2015
18
- 17 2016
19
- 18 2017
20
- 19 2018
21
- 20 2019
22
- 21 2020
23
- 22 2021
24
- 23 2022
25
- 24 2023
26
- 25 2024
27
- 26 20s
28
- 27 2b_(nier:automata)_(cosplay)
29
- 28 2boys
30
- 29 2futa
31
- 30 2girls
32
- 31 2koma
33
- 32 2others
34
- 33 3:
35
- 34 3boys
36
- 35 3d
37
- 36 3futa
38
- 37 3girls
39
- 38 3koma
40
- 39 4boys
41
- 40 4girls
42
- 41 4koma
43
- 42 5boys
44
- 43 5girls
45
- 44 6+boys
46
- 45 6+girls
47
- 46 6+others
48
- 47 69
49
- 48 :/
50
- 49 :3
51
- 50 :<
52
- 51 :>
53
- 52 :>=
54
- 53 :d
55
- 54 :o
56
- 55 :p
57
- 56 :q
58
- 57 :t
59
- 58 :|
60
- 59 ;)
61
- 60 ;d
62
- 61 ;o
63
- 62 ;p
64
- 63 ;q
65
- 64 =_=
66
- 65 >:(
67
- 66 >:)
68
- 67 >:d
69
- 68 >:o
70
- 69 >_<
71
- 70 ?
72
- 71 ??
73
- 72 @_@
74
- 73 ^^^
75
- 74 ^_^
76
- 75 abandoned
77
- 76 abs
78
- 77 absurdly_long_hair
79
- 78 abuse
80
- 79 abyssal_ship
81
- 80 accidental_exposure
82
- 81 adapted_costume
83
- 82 adjusting_clothes
84
- 83 adjusting_eyewear
85
- 84 adjusting_hair
86
- 85 adjusting_headwear
87
- 86 adjusting_legwear
88
- 87 adjusting_panties
89
- 88 adjusting_swimsuit
90
- 89 afloat
91
- 90 afro
92
- 91 after_anal
93
- 92 after_ejaculation
94
- 93 after_fellatio
95
- 94 after_kiss
96
- 95 after_masturbation
97
- 96 after_paizuri
98
- 97 after_rape
99
- 98 after_vaginal
100
- 99 afterglow
101
- 100 afterimage
102
- 101 aftersex
103
- 102 against_glass
104
- 103 against_railing
105
- 104 against_tree
106
- 105 against_wall
107
- 106 age_difference
108
- 107 age_progression
109
- 108 aged_down
110
- 109 aged_up
111
- 110 ahegao
112
- 111 ahoge
113
- 112 aiguillette
114
- 113 aiming
115
- 114 air_bubble
116
- 115 air_conditioner
117
- 116 aircraft
118
- 117 airplane
119
- 118 airship
120
- 119 alarm_clock
121
- 120 albino
122
- 121 alcohol
123
- 122 alien
124
- 123 all_fours
125
- 124 all_the_way_through
126
- 125 alley
127
- 126 alternate_body_size
128
- 127 alternate_breast_size
129
- 128 alternate_color
130
- 129 alternate_costume
131
- 130 alternate_eye_color
132
- 131 alternate_form
133
- 132 alternate_hair_color
134
- 133 alternate_hair_length
135
- 134 alternate_hairstyle
136
- 135 alternate_legwear
137
- 136 alternate_skin_color
138
- 137 alternate_universe
139
- 138 amazon_position
140
- 139 amazon_warrior
141
- 140 ambiguous_gender
142
- 141 american_flag
143
- 142 american_flag_bikini
144
- 143 american_flag_print
145
- 144 amesuku_gyaru
146
- 145 ammunition
147
- 146 amputee
148
- 147 anal
149
- 148 anal_beads
150
- 149 anal_fingering
151
- 150 anal_fluid
152
- 151 anal_hair
153
- 152 anal_object_insertion
154
- 153 anal_tail
155
- 154 anchor
156
- 155 anchor_hair_ornament
157
- 156 anchor_symbol
158
- 157 androgynous
159
- 158 android
160
- 159 angel
161
- 160 angel_wings
162
- 161 anger_vein
163
- 162 angry
164
- 163 anilingus
165
- 164 animal
166
- 165 animal_collar
167
- 166 animal_costume
168
- 167 animal_ear_fluff
169
- 168 animal_ear_hairband
170
- 169 animal_ear_headphones
171
- 170 animal_ear_headwear
172
- 171 animal_ear_legwear
173
- 172 animal_ears
174
- 173 animal_feet
175
- 174 animal_focus
176
- 175 animal_hands
177
- 176 animal_hat
178
- 177 animal_hood
179
- 178 animal_nose
180
- 179 animal_on_head
181
- 180 animal_penis
182
- 181 animal_print
183
- 182 animalization
184
- 183 anime_coloring
185
- 184 animification
186
- 185 ankh
187
- 186 ankle_boots
188
- 187 ankle_cuffs
189
- 188 ankle_grab
190
- 189 ankle_ribbon
191
- 190 ankle_socks
192
- 191 ankle_strap
193
- 192 anklet
194
- 193 anniversary
195
- 194 annoyed
196
- 195 antenna_hair
197
- 196 antennae
198
- 197 anti-materiel_rifle
199
- 198 antlers
200
- 199 anus
201
- 200 anus_only
202
- 201 anus_peek
203
- 202 apartment
204
- 203 apple
205
- 204 apron
206
- 205 aqua_background
207
- 206 aqua_bikini
208
- 207 aqua_bow
209
- 208 aqua_bowtie
210
- 209 aqua_eyes
211
- 210 aqua_hair
212
- 211 aqua_nails
213
- 212 aqua_necktie
214
- 213 aqua_panties
215
- 214 arabian_clothes
216
- 215 arachne
217
- 216 aran_sweater
218
- 217 arch
219
- 218 arched_back
220
- 219 architecture
221
- 220 areola_slip
222
- 221 argyle_clothes
223
- 222 argyle_legwear
224
- 223 arm_around_neck
225
- 224 arm_around_shoulder
226
- 225 arm_around_waist
227
- 226 arm_at_side
228
- 227 arm_behind_back
229
- 228 arm_behind_head
230
- 229 arm_belt
231
- 230 arm_between_breasts
232
- 231 arm_cannon
233
- 232 arm_garter
234
- 233 arm_grab
235
- 234 arm_guards
236
- 235 arm_hair
237
- 236 arm_held_back
238
- 237 arm_hug
239
- 238 arm_rest
240
- 239 arm_ribbon
241
- 240 arm_strap
242
- 241 arm_support
243
- 242 arm_tattoo
244
- 243 arm_under_breasts
245
- 244 arm_up
246
- 245 arm_warmers
247
- 246 arm_wrap
248
- 247 armband
249
- 248 armbinder
250
- 249 armchair
251
- 250 armlet
252
- 251 armor
253
- 252 armored_boots
254
- 253 armored_dress
255
- 254 armpit_crease
256
- 255 armpit_focus
257
- 256 armpit_hair
258
- 257 armpit_peek
259
- 258 armpit_sex
260
- 259 armpits
261
- 260 arms_around_neck
262
- 261 arms_at_sides
263
- 262 arms_behind_back
264
- 263 arms_behind_head
265
- 264 arms_under_breasts
266
- 265 arms_up
267
- 266 arrancar
268
- 267 arrow_(projectile)
269
- 268 arrow_(symbol)
270
- 269 arthropod_girl
271
- 270 artificial_eye
272
- 271 artificial_vagina
273
- 272 artist_logo
274
- 273 artist_name
275
- 274 artist_self-insert
276
- 275 artistic_error
277
- 276 ascot
278
- 277 asian
279
- 278 asphyxiation
280
- 279 ass
281
- 280 ass-to-ass
282
- 281 ass_cutout
283
- 282 ass_focus
284
- 283 ass_freckles
285
- 284 ass_juice
286
- 285 ass_press
287
- 286 ass_shake
288
- 287 ass_support
289
- 288 ass_tattoo
290
- 289 assault_rifle
291
- 290 assertive_female
292
- 291 assisted_exposure
293
- 292 assisted_rape
294
- 293 asymmetrical_bangs
295
- 294 asymmetrical_clothes
296
- 295 asymmetrical_docking
297
- 296 asymmetrical_gloves
298
- 297 asymmetrical_hair
299
- 298 asymmetrical_horns
300
- 299 asymmetrical_legwear
301
- 300 asymmetrical_sleeves
302
- 301 athletic_leotard
303
- 302 au_ra
304
- 303 audience
305
- 304 audio_jack
306
- 305 aunt_and_nephew
307
- 306 aura
308
- 307 autofacial
309
- 308 autofellatio
310
- 309 autopaizuri
311
- 310 autumn
312
- 311 autumn_leaves
313
- 312 averting_eyes
314
- 313 aviator_sunglasses
315
- 314 axe
316
- 315 baby
317
- 316 babydoll
318
- 317 back
319
- 318 back-seamed_legwear
320
- 319 back-to-back
321
- 320 back_bow
322
- 321 back_cutout
323
- 322 back_focus
324
- 323 back_tattoo
325
- 324 backboob
326
- 325 backless_dress
327
- 326 backless_leotard
328
- 327 backless_outfit
329
- 328 backless_panties
330
- 329 backless_swimsuit
331
- 330 backlighting
332
- 331 backpack
333
- 332 backwards_hat
334
- 333 bad_anatomy
335
- 334 bad_end
336
- 335 bad_feet
337
- 336 badge
338
- 337 bag
339
- 338 bag_charm
340
- 339 baggy_pants
341
- 340 bags_under_eyes
342
- 341 balcony
343
- 342 bald
344
- 343 ball
345
- 344 ball_busting
346
- 345 ball_gag
347
- 346 ballerina
348
- 347 ballet_slippers
349
- 348 balloon
350
- 349 balloon_womb
351
- 350 bamboo
352
- 351 banana
353
- 352 bandaged_arm
354
- 353 bandaged_hand
355
- 354 bandaged_leg
356
- 355 bandages
357
- 356 bandaid
358
- 357 bandaid_on_arm
359
- 358 bandaid_on_cheek
360
- 359 bandaid_on_face
361
- 360 bandaid_on_knee
362
- 361 bandaid_on_leg
363
- 362 bandaid_on_nose
364
- 363 bandaid_on_pussy
365
- 364 bandaids_on_nipples
366
- 365 bandana
367
- 366 bandeau
368
- 367 bangle
369
- 368 bangs_pinned_back
370
- 369 banknote
371
- 370 banned_artist
372
- 371 banner
373
- 372 bar_(place)
374
- 373 bar_censor
375
- 374 bar_stool
376
- 375 bara
377
- 376 barbell_piercing
378
- 377 barcode
379
- 378 barcode_tattoo
380
- 379 bare_arms
381
- 380 bare_back
382
- 381 bare_hips
383
- 382 bare_legs
384
- 383 bare_shoulders
385
- 384 bare_tree
386
- 385 barefoot
387
- 386 barrel
388
- 387 baseball_bat
389
- 388 baseball_cap
390
- 389 baseball_uniform
391
- 390 basket
392
- 391 basketball
393
- 392 basketball_(object)
394
- 393 bat_(animal)
395
- 394 bat_ears
396
- 395 bat_girl
397
- 396 bat_hair_ornament
398
- 397 bat_print
399
- 398 bat_wings
400
- 399 bath
401
- 400 bathhouse
402
- 401 bathing
403
- 402 bathroom
404
- 403 bathtub
405
- 404 battery_indicator
406
- 405 battle
407
- 406 bdsm
408
- 407 beach
409
- 408 beach_chair
410
- 409 beach_towel
411
- 410 beach_umbrella
412
- 411 beachball
413
- 412 bead_bracelet
414
- 413 bead_necklace
415
- 414 beads
416
- 415 beak
417
- 416 beanie
418
- 417 bear
419
- 418 bear_ears
420
- 419 bear_print
421
- 420 beard
422
- 421 beckoning
423
- 422 bed
424
- 423 bed_frame
425
- 424 bed_sheet
426
- 425 bedroom
427
- 426 beer
428
- 427 beer_can
429
- 428 beer_mug
430
- 429 before_and_after
431
- 430 bell
432
- 431 belly
433
- 432 belly_chain
434
- 433 belly_grab
435
- 434 belt
436
- 435 belt_bra
437
- 436 belt_buckle
438
- 437 belt_collar
439
- 438 belt_pouch
440
- 439 belt_skirt
441
- 440 bench
442
- 441 bent_over
443
- 442 beret
444
- 443 bespectacled
445
- 444 bestiality
446
- 445 between_breasts
447
- 446 between_buttocks
448
- 447 between_fingers
449
- 448 between_legs
450
- 449 between_thighs
451
- 450 between_toes
452
- 451 biceps
453
- 452 bicycle
454
- 453 big_belly
455
- 454 big_hair
456
- 455 bike_shorts
457
- 456 bike_shorts_pull
458
- 457 bike_shorts_under_skirt
459
- 458 biker_clothes
460
- 459 bikesuit
461
- 460 bikini
462
- 461 bikini_armor
463
- 462 bikini_bottom_aside
464
- 463 bikini_bottom_only
465
- 464 bikini_pull
466
- 465 bikini_skirt
467
- 466 bikini_tan
468
- 467 bikini_top_lift
469
- 468 bikini_top_only
470
- 469 bikini_under_clothes
471
- 470 bird
472
- 471 bird_girl
473
- 472 bird_tail
474
- 473 bird_wings
475
- 474 birthday
476
- 475 bisexual_female
477
- 476 bisexual_male
478
- 477 bit_gag
479
- 478 bite_mark
480
- 479 biting
481
- 480 biting_own_lip
482
- 481 black-framed_eyewear
483
- 482 black_apron
484
- 483 black_background
485
- 484 black_bag
486
- 485 black_belt
487
- 486 black_bikini
488
- 487 black_blindfold
489
- 488 black_bodysuit
490
- 489 black_border
491
- 490 black_bow
492
- 491 black_bowtie
493
- 492 black_bra
494
- 493 black_buruma
495
- 494 black_camisole
496
- 495 black_cape
497
- 496 black_capelet
498
- 497 black_cat
499
- 498 black_choker
500
- 499 black_cloak
501
- 500 black_coat
502
- 501 black_collar
503
- 502 black_corset
504
- 503 black_dress
505
- 504 black_eyes
506
- 505 black_flower
507
- 506 black_footwear
508
- 507 black_fur
509
- 508 black_garter_belt
510
- 509 black_garter_straps
511
- 510 black_gloves
512
- 511 black_hair
513
- 512 black_hairband
514
- 513 black_halo
515
- 514 black_hat
516
- 515 black_headband
517
- 516 black_hoodie
518
- 517 black_horns
519
- 518 black_jacket
520
- 519 black_kimono
521
- 520 black_leggings
522
- 521 black_leotard
523
- 522 black_lips
524
- 523 black_male_swimwear
525
- 524 black_mask
526
- 525 black_nails
527
- 526 black_neckerchief
528
- 527 black_necktie
529
- 528 black_one-piece_swimsuit
530
- 529 black_panties
531
- 530 black_pants
532
- 531 black_pantyhose
533
- 532 black_pubic_hair
534
- 533 black_ribbon
535
- 534 black_robe
536
- 535 black_rose
537
- 536 black_sailor_collar
538
- 537 black_scarf
539
- 538 black_sclera
540
- 539 black_scrunchie
541
- 540 black_serafuku
542
- 541 black_shirt
543
- 542 black_shorts
544
- 543 black_skin
545
- 544 black_skirt
546
- 545 black_sleeves
547
- 546 black_slingshot_swimsuit
548
- 547 black_socks
549
- 548 black_sports_bra
550
- 549 black_suit
551
- 550 black_sweater
552
- 551 black_tail
553
- 552 black_tank_top
554
- 553 black_thighhighs
555
- 554 black_vest
556
- 555 black_wings
557
- 556 black_wristband
558
- 557 blank_censor
559
- 558 blank_eyes
560
- 559 blanket
561
- 560 blazer
562
- 561 blind
563
- 562 blindfold
564
- 563 blonde_hair
565
- 564 blonde_pubic_hair
566
- 565 blood
567
- 566 blood_on_clothes
568
- 567 blood_on_face
569
- 568 blood_splatter
570
- 569 bloody_weapon
571
- 570 bloom
572
- 571 bloomers
573
- 572 blouse
574
- 573 blowing_bubbles
575
- 574 blowing_kiss
576
- 575 blue-framed_eyewear
577
- 576 blue-tinted_eyewear
578
- 577 blue_background
579
- 578 blue_belt
580
- 579 blue_bikini
581
- 580 blue_bodysuit
582
- 581 blue_bow
583
- 582 blue_bowtie
584
- 583 blue_bra
585
- 584 blue_buruma
586
- 585 blue_cape
587
- 586 blue_capelet
588
- 587 blue_cardigan
589
- 588 blue_choker
590
- 589 blue_coat
591
- 590 blue_collar
592
- 591 blue_dress
593
- 592 blue_eyes
594
- 593 blue_eyeshadow
595
- 594 blue_fire
596
- 595 blue_flower
597
- 596 blue_footwear
598
- 597 blue_fur
599
- 598 blue_gemstone
600
- 599 blue_gloves
601
- 600 blue_hair
602
- 601 blue_hairband
603
- 602 blue_halo
604
- 603 blue_hat
605
- 604 blue_hoodie
606
- 605 blue_jacket
607
- 606 blue_kimono
608
- 607 blue_leotard
609
- 608 blue_lips
610
- 609 blue_male_swimwear
611
- 610 blue_nails
612
- 611 blue_neckerchief
613
- 612 blue_necktie
614
- 613 blue_one-piece_swimsuit
615
- 614 blue_overalls
616
- 615 blue_panties
617
- 616 blue_pants
618
- 617 blue_pantyhose
619
- 618 blue_pubic_hair
620
- 619 blue_ribbon
621
- 620 blue_rose
622
- 621 blue_sailor_collar
623
- 622 blue_scarf
624
- 623 blue_sclera
625
- 624 blue_scrunchie
626
- 625 blue_serafuku
627
- 626 blue_shirt
628
- 627 blue_shorts
629
- 628 blue_skin
630
- 629 blue_skirt
631
- 630 blue_sky
632
- 631 blue_sleeves
633
- 632 blue_socks
634
- 633 blue_sweater
635
- 634 blue_swim_trunks
636
- 635 blue_theme
637
- 636 blue_thighhighs
638
- 637 blue_vest
639
- 638 blue_wings
640
- 639 blunt_bangs
641
- 640 blunt_ends
642
- 641 blur_censor
643
- 642 blurry
644
- 643 blurry_background
645
- 644 blurry_foreground
646
- 645 blush
647
- 646 blush_stickers
648
- 647 boat
649
- 648 bob_cut
650
- 649 bobby_socks
651
- 650 body_blush
652
- 651 body_freckles
653
- 652 body_fur
654
- 653 body_markings
655
- 654 body_writing
656
- 655 bodypaint
657
- 656 bodystocking
658
- 657 bodysuit
659
- 658 bodysuit_under_clothes
660
- 659 bokeh
661
- 660 bolt_action
662
- 661 bondage
663
- 662 bondage_cuffs
664
- 663 bondage_outfit
665
- 664 bone
666
- 665 bone_hair_ornament
667
- 666 bonnet
668
- 667 book
669
- 668 book_stack
670
- 669 bookshelf
671
- 670 boots
672
- 671 border
673
- 672 bored
674
- 673 borrowed_character
675
- 674 bottle
676
- 675 bottomless
677
- 676 bouncing_breasts
678
- 677 bound
679
- 678 bound_ankles
680
- 679 bound_arms
681
- 680 bound_legs
682
- 681 bound_together
683
- 682 bound_wrists
684
- 683 bouquet
685
- 684 bow
686
- 685 bow-shaped_hair
687
- 686 bow_(weapon)
688
- 687 bow_bikini
689
- 688 bow_bra
690
- 689 bow_hairband
691
- 690 bow_legwear
692
- 691 bow_panties
693
- 692 bowl
694
- 693 bowtie
695
- 694 box
696
- 695 box_tie
697
- 696 boxer_briefs
698
- 697 boxers
699
- 698 boxing_gloves
700
- 699 boy_on_top
701
- 700 bra
702
- 701 bra_lift
703
- 702 bra_peek
704
- 703 bra_pull
705
- 704 bra_strap
706
- 705 bra_visible_through_clothes
707
- 706 bracelet
708
- 707 bracer
709
- 708 braces
710
- 709 braid
711
- 710 braided_bangs
712
- 711 braided_bun
713
- 712 braided_hair_rings
714
- 713 braided_ponytail
715
- 714 bralines
716
- 715 branch
717
- 716 brand_name_imitation
718
- 717 bread
719
- 718 breast_bondage
720
- 719 breast_curtain
721
- 720 breast_curtains
722
- 721 breast_cutout
723
- 722 breast_envy
724
- 723 breast_expansion
725
- 724 breast_focus
726
- 725 breast_lift
727
- 726 breast_milk
728
- 727 breast_pocket
729
- 728 breast_press
730
- 729 breast_rest
731
- 730 breast_slip
732
- 731 breast_smother
733
- 732 breast_sucking
734
- 733 breast_suppress
735
- 734 breast_tattoo
736
- 735 breastfeeding
737
- 736 breastless_clothes
738
- 737 breastplate
739
- 738 breasts
740
- 739 breasts_apart
741
- 740 breasts_on_glass
742
- 741 breasts_on_head
743
- 742 breasts_on_lap
744
- 743 breasts_out
745
- 744 breasts_squeezed_together
746
- 745 breath
747
- 746 brick_wall
748
- 747 bridal_garter
749
- 748 bridal_gauntlets
750
- 749 bridal_legwear
751
- 750 bridal_lingerie
752
- 751 bridal_veil
753
- 752 bride
754
- 753 bridge
755
- 754 briefcase
756
- 755 briefs
757
- 756 bright_pupils
758
- 757 broken
759
- 758 broken_horn
760
- 759 brooch
761
- 760 broom
762
- 761 broom_riding
763
- 762 brother_and_sister
764
- 763 brothers
765
- 764 brown_background
766
- 765 brown_bag
767
- 766 brown_belt
768
- 767 brown_bikini
769
- 768 brown_bodysuit
770
- 769 brown_cardigan
771
- 770 brown_coat
772
- 771 brown_dress
773
- 772 brown_eyes
774
- 773 brown_footwear
775
- 774 brown_fur
776
- 775 brown_gloves
777
- 776 brown_hair
778
- 777 brown_hat
779
- 778 brown_jacket
780
- 779 brown_leotard
781
- 780 brown_lips
782
- 781 brown_panties
783
- 782 brown_pants
784
- 783 brown_pantyhose
785
- 784 brown_shirt
786
- 785 brown_shorts
787
- 786 brown_skirt
788
- 787 brown_sweater
789
- 788 brown_theme
790
- 789 brown_thighhighs
791
- 790 brown_vest
792
- 791 bruise
793
- 792 bubble
794
- 793 bubble_tea
795
- 794 buck_teeth
796
- 795 bucket
797
- 796 buckle
798
- 797 bug
799
- 798 building
800
- 799 bukkake
801
- 800 bulge
802
- 801 bullet
803
- 802 bullpup
804
- 803 bullying
805
- 804 bun_cover
806
- 805 burger
807
- 806 burn_scar
808
- 807 bursting_breasts
809
- 808 buruma
810
- 809 buruma_aside
811
- 810 buruma_pull
812
- 811 bus
813
- 812 bus_stop
814
- 813 bush
815
- 814 business_suit
816
- 815 bustier
817
- 816 butt_crack
818
- 817 butt_plug
819
- 818 butterfly
820
- 819 butterfly_hair_ornament
821
- 820 butterfly_wings
822
- 821 buttjob
823
- 822 buttjob_over_clothes
824
- 823 button_badge
825
- 824 button_gap
826
- 825 buttons
827
- 826 cabbie_hat
828
- 827 cabinet
829
- 828 cable
830
- 829 cable_knit
831
- 830 cafe
832
- 831 cage
833
- 832 cake
834
- 833 cake_slice
835
- 834 calendar_(object)
836
- 835 camcorder
837
- 836 cameltoe
838
- 837 cameo
839
- 838 camera
840
- 839 camera_phone
841
- 840 camisole
842
- 841 camisole_lift
843
- 842 camouflage
844
- 843 can
845
- 844 candle
846
- 845 candlestand
847
- 846 candy
848
- 847 candy_cane
849
- 848 cane
850
- 849 cannon
851
- 850 cape
852
- 851 capelet
853
- 852 capri_pants
854
- 853 captured
855
- 854 car
856
- 855 car_interior
857
- 856 card
858
- 857 card_(medium)
859
- 858 cardboard_box
860
- 859 cardigan
861
- 860 caressing_testicles
862
- 861 carpet
863
- 862 carrot
864
- 863 carrot_hair_ornament
865
- 864 carrying
866
- 865 carrying_person
867
- 866 castle
868
- 867 casual
869
- 868 casual_nudity
870
- 869 casual_one-piece_swimsuit
871
- 870 cat
872
- 871 cat_boy
873
- 872 cat_cutout
874
- 873 cat_ear_headphones
875
- 874 cat_ear_legwear
876
- 875 cat_ear_panties
877
- 876 cat_ears
878
- 877 cat_girl
879
- 878 cat_hair_ornament
880
- 879 cat_hood
881
- 880 cat_lingerie
882
- 881 cat_paws
883
- 882 cat_print
884
- 883 cat_tail
885
- 884 caught
886
- 885 caustics
887
- 886 cave
888
- 887 cbt
889
- 888 ceiling
890
- 889 ceiling_light
891
- 890 cellphone
892
- 891 cellphone_photo
893
- 892 censored
894
- 893 censored_nipples
895
- 894 centaur
896
- 895 center_frills
897
- 896 center_opening
898
- 897 cervical_penetration
899
- 898 cervix
900
- 899 cetacean_tail
901
- 900 chain
902
- 901 chain-link_fence
903
- 902 chain_leash
904
- 903 chain_necklace
905
- 904 chained
906
- 905 chained_wrists
907
- 906 chair
908
- 907 chalk
909
- 908 chalkboard
910
- 909 champagne
911
- 910 champagne_flute
912
- 911 chandelier
913
- 912 chaps
914
- 913 character_age
915
- 914 character_doll
916
- 915 character_hair_ornament
917
- 916 character_name
918
- 917 character_print
919
- 918 character_profile
920
- 919 character_sheet
921
- 920 charm_(object)
922
- 921 chart
923
- 922 chastity_belt
924
- 923 chastity_cage
925
- 924 chat_log
926
- 925 cheating_(relationship)
927
- 926 checkered_background
928
- 927 checkered_clothes
929
- 928 checkered_floor
930
- 929 checkered_skirt
931
- 930 cheek-to-cheek
932
- 931 cheek_bulge
933
- 932 cheek_press
934
- 933 cheek_squash
935
- 934 cheerleader
936
- 935 chemise
937
- 936 cherry
938
- 937 cherry_blossoms
939
- 938 chess_piece
940
- 939 chest_harness
941
- 940 chest_jewel
942
- 941 chest_sarashi
943
- 942 chest_tattoo
944
- 943 chestnut_mouth
945
- 944 chewing_gum
946
- 945 chibi
947
- 946 chibi_inset
948
- 947 chick
949
- 948 chikan
950
- 949 child
951
- 950 chimney
952
- 951 china_dress
953
- 952 chinese_clothes
954
- 953 chinese_knot
955
- 954 chinese_text
956
- 955 chinese_zodiac
957
- 956 chips_(food)
958
- 957 chocolate
959
- 958 chocolate_heart
960
- 959 chocolate_on_body
961
- 960 choke_hold
962
- 961 choker
963
- 962 chopsticks
964
- 963 christmas
965
- 964 christmas_ornaments
966
- 965 christmas_tree
967
- 966 chromatic_aberration
968
- 967 church
969
- 968 cigar
970
- 969 cigarette
971
- 970 circlet
972
- 971 city
973
- 972 city_lights
974
- 973 cityscape
975
- 974 classroom
976
- 975 claw_pose
977
- 976 claw_ring
978
- 977 claws
979
- 978 cleaning
980
- 979 cleaning_fellatio
981
- 980 cleavage
982
- 981 cleavage_cutout
983
- 982 cleave_gag
984
- 983 cleft_of_venus
985
- 984 clenched_hand
986
- 985 clenched_hands
987
- 986 clenched_teeth
988
- 987 cliff
989
- 988 clipboard
990
- 989 clitoral_hood
991
- 990 clitoral_stimulation
992
- 991 clitoris
993
- 992 clitoris_piercing
994
- 993 cloak
995
- 994 clock
996
- 995 clock_eyes
997
- 996 clone
998
- 997 close-up
999
- 998 closed_eyes
1000
- 999 closed_mouth
1001
- 1000 closed_umbrella
1002
- 1001 cloth_gag
1003
- 1002 clothed_female_nude_female
1004
- 1003 clothed_female_nude_male
1005
- 1004 clothed_male_nude_female
1006
- 1005 clothed_male_nude_male
1007
- 1006 clothed_masturbation
1008
- 1007 clothed_pokemon
1009
- 1008 clothed_sex
1010
- 1009 clothes
1011
- 1010 clothes_around_waist
1012
- 1011 clothes_down
1013
- 1012 clothes_grab
1014
- 1013 clothes_hanger
1015
- 1014 clothes_in_mouth
1016
- 1015 clothes_lift
1017
- 1016 clothes_pull
1018
- 1017 clothes_writing
1019
- 1018 clothing_aside
1020
- 1019 clothing_cutout
1021
- 1020 cloud
1022
- 1021 cloudy_sky
1023
- 1022 clover
1024
- 1023 club
1025
- 1024 club_(weapon)
1026
- 1025 clueless
1027
- 1026 coat
1028
- 1027 coat_on_shoulders
1029
- 1028 coattails
1030
- 1029 cock_ring
1031
- 1030 cocktail_dress
1032
- 1031 cocktail_glass
1033
- 1032 coffee
1034
- 1033 coffee_mug
1035
- 1034 coin
1036
- 1035 collage
1037
- 1036 collar
1038
- 1037 collarbone
1039
- 1038 collared_dress
1040
- 1039 collared_jacket
1041
- 1040 collared_shirt
1042
- 1041 colored_condom
1043
- 1042 colored_eyelashes
1044
- 1043 colored_inner_hair
1045
- 1044 colored_nipples
1046
- 1045 colored_pubic_hair
1047
- 1046 colored_sclera
1048
- 1047 colored_skin
1049
- 1048 colored_tips
1050
- 1049 colored_tongue
1051
- 1050 colorful
1052
- 1051 column
1053
- 1052 come_hither
1054
- 1053 comic
1055
- 1054 command_spell
1056
- 1055 company_connection
1057
- 1056 company_name
1058
- 1057 comparison
1059
- 1058 competition_school_swimsuit
1060
- 1059 competition_swimsuit
1061
- 1060 completely_nude
1062
- 1061 computer
1063
- 1062 computer_keyboard
1064
- 1063 computer_mouse
1065
- 1064 condom
1066
- 1065 condom_belt
1067
- 1066 condom_box
1068
- 1067 condom_in_mouth
1069
- 1068 condom_left_inside
1070
- 1069 condom_on_penis
1071
- 1070 condom_packet_strip
1072
- 1071 condom_wrapper
1073
- 1072 cone_hair_bun
1074
- 1073 confetti
1075
- 1074 confused
1076
- 1075 consensual_tentacles
1077
- 1076 constricted_pupils
1078
- 1077 contemporary
1079
- 1078 contrail
1080
- 1079 contrapposto
1081
- 1080 controller
1082
- 1081 convenient_censoring
1083
- 1082 convenient_leg
1084
- 1083 cookie
1085
- 1084 cooking
1086
- 1085 cooler
1087
- 1086 cooperative_fellatio
1088
- 1087 cooperative_handjob
1089
- 1088 cooperative_paizuri
1090
- 1089 copyright_name
1091
- 1090 copyright_notice
1092
- 1091 coral
1093
- 1092 corpse
1094
- 1093 corruption
1095
- 1094 corset
1096
- 1095 cosmetics
1097
- 1096 cosplay
1098
- 1097 costume
1099
- 1098 costume_switch
1100
- 1099 couch
1101
- 1100 counter
1102
- 1101 couple
1103
- 1102 cousins
1104
- 1103 cover
1105
- 1104 cover_page
1106
- 1105 covered_abs
1107
- 1106 covered_anus
1108
- 1107 covered_collarbone
1109
- 1108 covered_erect_nipples
1110
- 1109 covered_eyes
1111
- 1110 covered_face
1112
- 1111 covered_mouth
1113
- 1112 covered_navel
1114
- 1113 covered_penis
1115
- 1114 covered_testicles
1116
- 1115 covering_breasts
1117
- 1116 covering_crotch
1118
- 1117 covering_face
1119
- 1118 covering_nipples
1120
- 1119 covering_own_eyes
1121
- 1120 covering_own_mouth
1122
- 1121 covering_privates
1123
- 1122 cow
1124
- 1123 cow_ears
1125
- 1124 cow_girl
1126
- 1125 cow_horns
1127
- 1126 cow_print
1128
- 1127 cow_print_bikini
1129
- 1128 cow_print_thighhighs
1130
- 1129 cow_tail
1131
- 1130 cowbell
1132
- 1131 cowboy_hat
1133
- 1132 cowboy_shot
1134
- 1133 cowboy_western
1135
- 1134 cowgirl_position
1136
- 1135 cowlick
1137
- 1136 crab
1138
- 1137 crack
1139
- 1138 cracked_skin
1140
- 1139 crane_(machine)
1141
- 1140 crate
1142
- 1141 crazy_eyes
1143
- 1142 cream
1144
- 1143 creature
1145
- 1144 creature_and_personification
1146
- 1145 creature_inside
1147
- 1146 crescent
1148
- 1147 crescent_earrings
1149
- 1148 crescent_hair_ornament
1150
- 1149 crescent_moon
1151
- 1150 crescent_print
1152
- 1151 crime_prevention_buzzer
1153
- 1152 criss-cross_halter
1154
- 1153 crop_top
1155
- 1154 crop_top_overhang
1156
- 1155 cropped_hoodie
1157
- 1156 cropped_jacket
1158
- 1157 cropped_legs
1159
- 1158 cropped_shirt
1160
- 1159 cropped_sweater
1161
- 1160 cropped_torso
1162
- 1161 cross
1163
- 1162 cross-laced_clothes
1164
- 1163 cross-laced_footwear
1165
- 1164 cross-section
1166
- 1165 cross-shaped_pupils
1167
- 1166 cross_earrings
1168
- 1167 cross_hair_ornament
1169
- 1168 cross_necklace
1170
- 1169 cross_pasties
1171
- 1170 crossdressing
1172
- 1171 crossed_ankles
1173
- 1172 crossed_arms
1174
- 1173 crossed_bandaids
1175
- 1174 crossed_bangs
1176
- 1175 crossed_legs
1177
- 1176 crossover
1178
- 1177 crosswalk
1179
- 1178 crotch
1180
- 1179 crotch_cutout
1181
- 1180 crotch_rope
1182
- 1181 crotch_rub
1183
- 1182 crotch_seam
1184
- 1183 crotchless
1185
- 1184 crotchless_panties
1186
- 1185 crotchless_pantyhose
1187
- 1186 crow
1188
- 1187 crowd
1189
- 1188 crown
1190
- 1189 crown_braid
1191
- 1190 crying
1192
- 1191 crying_with_eyes_open
1193
- 1192 crystal
1194
- 1193 cube_hair_ornament
1195
- 1194 cuddling
1196
- 1195 cuffs
1197
- 1196 cum
1198
- 1197 cum_bubble
1199
- 1198 cum_in_ass
1200
- 1199 cum_in_clothes
1201
- 1200 cum_in_container
1202
- 1201 cum_in_cup
1203
- 1202 cum_in_mouth
1204
- 1203 cum_in_nose
1205
- 1204 cum_in_own_mouth
1206
- 1205 cum_in_panties
1207
- 1206 cum_in_pussy
1208
- 1207 cum_in_throat
1209
- 1208 cum_inflation
1210
- 1209 cum_on_ass
1211
- 1210 cum_on_back
1212
- 1211 cum_on_body
1213
- 1212 cum_on_breasts
1214
- 1213 cum_on_clothes
1215
- 1214 cum_on_eyewear
1216
- 1215 cum_on_feet
1217
- 1216 cum_on_floor
1218
- 1217 cum_on_food
1219
- 1218 cum_on_hair
1220
- 1219 cum_on_hands
1221
- 1220 cum_on_legs
1222
- 1221 cum_on_lower_body
1223
- 1222 cum_on_male
1224
- 1223 cum_on_penis
1225
- 1224 cum_on_pussy
1226
- 1225 cum_on_self
1227
- 1226 cum_on_stomach
1228
- 1227 cum_on_tongue
1229
- 1228 cum_on_upper_body
1230
- 1229 cum_overflow
1231
- 1230 cum_pool
1232
- 1231 cum_string
1233
- 1232 cum_through_clothes
1234
- 1233 cumdrip
1235
- 1234 cumdrip_onto_panties
1236
- 1235 cumulonimbus_cloud
1237
- 1236 cunnilingus
1238
- 1237 cup
1239
- 1238 cupless_bra
1240
- 1239 cupping_hands
1241
- 1240 curled_horns
1242
- 1241 curly_hair
1243
- 1242 curtains
1244
- 1243 curvy
1245
- 1244 cushion
1246
- 1245 cutoffs
1247
- 1246 cuts
1248
- 1247 cyberpunk
1249
- 1248 cyborg
1250
- 1249 d-pad
1251
- 1250 d:
1252
- 1251 dagger
1253
- 1252 dakimakura_(medium)
1254
- 1253 damaged
1255
- 1254 dancer
1256
- 1255 dancing
1257
- 1256 dangling_legs
1258
- 1257 dango
1259
- 1258 dappled_sunlight
1260
- 1259 dark
1261
- 1260 dark-skinned_female
1262
- 1261 dark-skinned_male
1263
- 1262 dark_areolae
1264
- 1263 dark_background
1265
- 1264 dark_blue_hair
1266
- 1265 dark_elf
1267
- 1266 dark_nipples
1268
- 1267 dark_penis
1269
- 1268 dark_persona
1270
- 1269 dark_skin
1271
- 1270 dashed_eyes
1272
- 1271 dated
1273
- 1272 dated_commentary
1274
- 1273 day
1275
- 1274 death
1276
- 1275 debris
1277
- 1276 deep_penetration
1278
- 1277 deep_skin
1279
- 1278 deepthroat
1280
- 1279 deer
1281
- 1280 deer_ears
1282
- 1281 deer_tail
1283
- 1282 defeat
1284
- 1283 defloration
1285
- 1284 demon
1286
- 1285 demon_boy
1287
- 1286 demon_girl
1288
- 1287 demon_horns
1289
- 1288 demon_tail
1290
- 1289 demon_wings
1291
- 1290 denim
1292
- 1291 denim_shorts
1293
- 1292 denim_skirt
1294
- 1293 depth_of_field
1295
- 1294 desert
1296
- 1295 desk
1297
- 1296 desk_lamp
1298
- 1297 destruction
1299
- 1298 detached_collar
1300
- 1299 detached_sleeves
1301
- 1300 detached_wings
1302
- 1301 deviantart_username
1303
- 1302 diadem
1304
- 1303 diagonal-striped_bow
1305
- 1304 diagonal-striped_clothes
1306
- 1305 diagonal_bangs
1307
- 1306 dialogue_box
1308
- 1307 diamond-shaped_pupils
1309
- 1308 diamond_(shape)
1310
- 1309 dice
1311
- 1310 diffraction_spikes
1312
- 1311 digimon_(creature)
1313
- 1312 digital_media_player
1314
- 1313 dilation_tape
1315
- 1314 dildo
1316
- 1315 dildo_riding
1317
- 1316 dimples_of_venus
1318
- 1317 dirty
1319
- 1318 dirty_feet
1320
- 1319 discreet_vibrator
1321
- 1320 disembodied_hand
1322
- 1321 disembodied_penis
1323
- 1322 disgust
1324
- 1323 disposable_coffee_cup
1325
- 1324 disposable_cup
1326
- 1325 diving_suit
1327
- 1326 dock
1328
- 1327 doctor
1329
- 1328 dog
1330
- 1329 dog_boy
1331
- 1330 dog_ears
1332
- 1331 dog_girl
1333
- 1332 dog_penis
1334
- 1333 dog_tags
1335
- 1334 dog_tail
1336
- 1335 dogeza
1337
- 1336 doggystyle
1338
- 1337 doll
1339
- 1338 doll_joints
1340
- 1339 dolphin
1341
- 1340 dolphin_shorts
1342
- 1341 domination
1343
- 1342 dominatrix
1344
- 1343 domino_mask
1345
- 1344 door
1346
- 1345 doorway
1347
- 1346 dorsiflexion
1348
- 1347 dot_mouth
1349
- 1348 dot_nose
1350
- 1349 double-breasted
1351
- 1350 double-parted_bangs
1352
- 1351 double_anal
1353
- 1352 double_bun
1354
- 1353 double_dildo
1355
- 1354 double_handjob
1356
- 1355 double_insertion
1357
- 1356 double_penetration
1358
- 1357 double_v
1359
- 1358 doughnut
1360
- 1359 doughnut_hair_bun
1361
- 1360 dougi
1362
- 1361 downblouse
1363
- 1362 dragon
1364
- 1363 dragon_girl
1365
- 1364 dragon_horns
1366
- 1365 dragon_print
1367
- 1366 dragon_tail
1368
- 1367 dragon_wings
1369
- 1368 draph
1370
- 1369 drawer
1371
- 1370 drawing_(object)
1372
- 1371 drawing_tablet
1373
- 1372 drawstring
1374
- 1373 dreadlocks
1375
- 1374 dress
1376
- 1375 dress_lift
1377
- 1376 dress_pull
1378
- 1377 dress_shirt
1379
- 1378 dress_tug
1380
- 1379 dressing
1381
- 1380 drill_hair
1382
- 1381 drill_sidelocks
1383
- 1382 drink
1384
- 1383 drink_can
1385
- 1384 drinking
1386
- 1385 drinking_glass
1387
- 1386 drinking_pee
1388
- 1387 drinking_straw
1389
- 1388 dripping
1390
- 1389 driving
1391
- 1390 drone
1392
- 1391 drooling
1393
- 1392 drugged
1394
- 1393 drugs
1395
- 1394 drunk
1396
- 1395 dry_humping
1397
- 1396 drying
1398
- 1397 dual_persona
1399
- 1398 dual_wielding
1400
- 1399 duck
1401
- 1400 dudou
1402
- 1401 duel_monster
1403
- 1402 duffel_bag
1404
- 1403 dumbbell
1405
- 1404 dungeon
1406
- 1405 dusk
1407
- 1406 dutch_angle
1408
- 1407 ear_blush
1409
- 1408 ear_covers
1410
- 1409 ear_licking
1411
- 1410 ear_piercing
1412
- 1411 ear_tag
1413
- 1412 earbuds
1414
- 1413 earclip
1415
- 1414 earmuffs
1416
- 1415 earphones
1417
- 1416 earpiece
1418
- 1417 earrings
1419
- 1418 ears
1420
- 1419 ears_down
1421
- 1420 ears_through_headwear
1422
- 1421 east_asian_architecture
1423
- 1422 eating
1424
- 1423 eevee_(cosplay)
1425
- 1424 egg
1426
- 1425 egg_laying
1427
- 1426 egg_vibrator
1428
- 1427 egyptian
1429
- 1428 egyptian_clothes
1430
- 1429 ejaculating_while_penetrated
1431
- 1430 ejaculation
1432
- 1431 ejaculation_between_breasts
1433
- 1432 elbow_gloves
1434
- 1433 elbow_pads
1435
- 1434 elbow_rest
1436
- 1435 electric_fan
1437
- 1436 electric_guitar
1438
- 1437 electricity
1439
- 1438 elf
1440
- 1439 elite_four
1441
- 1440 embarrassed
1442
- 1441 emblem
1443
- 1442 emoji
1444
- 1443 emotionless_sex
1445
- 1444 emphasis_lines
1446
- 1445 employee_uniform
1447
- 1446 empty_eyes
1448
- 1447 enema
1449
- 1448 energy
1450
- 1449 english_text
1451
- 1450 engrish_text
1452
- 1451 enmaided
1453
- 1452 envelope
1454
- 1453 epaulettes
1455
- 1454 epic
1456
- 1455 eraser
1457
- 1456 erect_clitoris
1458
- 1457 erection
1459
- 1458 erection_under_clothes
1460
- 1459 erune
1461
- 1460 evening
1462
- 1461 evening_gown
1463
- 1462 everyone
1464
- 1463 evil_grin
1465
- 1464 evil_smile
1466
- 1465 excessive_cum
1467
- 1466 excessive_pubic_hair
1468
- 1467 excessive_pussy_juice
1469
- 1468 excited
1470
- 1469 exercise_ball
1471
- 1470 exercising
1472
- 1471 exhausted
1473
- 1472 exhibitionism
1474
- 1473 explosion
1475
- 1474 explosive
1476
- 1475 exposed_pocket
1477
- 1476 expressionless
1478
- 1477 expressions
1479
- 1478 extra_arms
1480
- 1479 extra_ears
1481
- 1480 extra_eyes
1482
- 1481 extra_penises
1483
- 1482 eye_contact
1484
- 1483 eye_mask
1485
- 1484 eyeball
1486
- 1485 eyebrow_piercing
1487
- 1486 eyebrows
1488
- 1487 eyebrows_hidden_by_hair
1489
- 1488 eyelashes
1490
- 1489 eyeliner
1491
- 1490 eyepatch
1492
- 1491 eyepatch_bikini
1493
- 1492 eyes_visible_through_hair
1494
- 1493 eyeshadow
1495
- 1494 eyewear_on_head
1496
- 1495 eyewear_on_headwear
1497
- 1496 face-to-face
1498
- 1497 face_between_breasts
1499
- 1498 face_down
1500
- 1499 face_in_ass
1501
- 1500 face_in_pillow
1502
- 1501 face_to_breasts
1503
- 1502 facejob
1504
- 1503 faceless
1505
- 1504 faceless_female
1506
- 1505 faceless_male
1507
- 1506 facepaint
1508
- 1507 facial
1509
- 1508 facial_hair
1510
- 1509 facial_mark
1511
- 1510 facial_scar
1512
- 1511 facial_tattoo
1513
- 1512 facing_another
1514
- 1513 facing_away
1515
- 1514 facing_viewer
1516
- 1515 fairy
1517
- 1516 fairy_wings
1518
- 1517 fake_animal_ears
1519
- 1518 fake_antlers
1520
- 1519 fake_horns
1521
- 1520 fake_nails
1522
- 1521 fake_phone_screenshot
1523
- 1522 fake_screenshot
1524
- 1523 fake_tail
1525
- 1524 fake_wings
1526
- 1525 falling
1527
- 1526 falling_leaves
1528
- 1527 falling_petals
1529
- 1528 family
1530
- 1529 fanbox_username
1531
- 1530 fang
1532
- 1531 fang_out
1533
- 1532 fangs
1534
- 1533 fanny_pack
1535
- 1534 fantasy
1536
- 1535 fat
1537
- 1536 fat_man
1538
- 1537 fat_mons
1539
- 1538 father_and_daughter
1540
- 1539 father_and_son
1541
- 1540 faucet
1542
- 1541 faulds
1543
- 1542 feather-trimmed_sleeves
1544
- 1543 feather_boa
1545
- 1544 feather_earrings
1546
- 1545 feather_hair_ornament
1547
- 1546 feather_trim
1548
- 1547 feathered_wings
1549
- 1548 feathers
1550
- 1549 feeding
1551
- 1550 feet
1552
- 1551 feet_out_of_frame
1553
- 1552 feet_together
1554
- 1553 feet_up
1555
- 1554 fellatio
1556
- 1555 fellatio_gesture
1557
- 1556 female_collaborator
1558
- 1557 female_ejaculation
1559
- 1558 female_focus
1560
- 1559 female_goblin
1561
- 1560 female_masturbation
1562
- 1561 female_orgasm
1563
- 1562 female_pervert
1564
- 1563 female_pov
1565
- 1564 female_pubic_hair
1566
- 1565 femdom
1567
- 1566 fence
1568
- 1567 fertilization
1569
- 1568 fetal_position
1570
- 1569 fewer_digits
1571
- 1570 fff_threesome
1572
- 1571 ffm_threesome
1573
- 1572 fictional_persona
1574
- 1573 field
1575
- 1574 fighting
1576
- 1575 fighting_stance
1577
- 1576 figure
1578
- 1577 film_grain
1579
- 1578 fine_art_parody
1580
- 1579 fine_fabric_emphasis
1581
- 1580 finger_gun
1582
- 1581 finger_in_another's_mouth
1583
- 1582 finger_in_own_mouth
1584
- 1583 finger_on_trigger
1585
- 1584 finger_to_cheek
1586
- 1585 finger_to_mouth
1587
- 1586 fingering
1588
- 1587 fingering_from_behind
1589
- 1588 fingering_through_clothes
1590
- 1589 fingerless_gloves
1591
- 1590 fingernails
1592
- 1591 fins
1593
- 1592 fire
1594
- 1593 fireplace
1595
- 1594 fireworks
1596
- 1595 firing
1597
- 1596 fish
1598
- 1597 fish_girl
1599
- 1598 fish_tail
1600
- 1599 fisheye
1601
- 1600 fishing
1602
- 1601 fishing_rod
1603
- 1602 fishnet_bodysuit
1604
- 1603 fishnet_gloves
1605
- 1604 fishnet_pantyhose
1606
- 1605 fishnet_thighhighs
1607
- 1606 fishnet_top
1608
- 1607 fishnets
1609
- 1608 fisting
1610
- 1609 flaccid
1611
- 1610 flag
1612
- 1611 flag_print
1613
- 1612 flame_print
1614
- 1613 flashing
1615
- 1614 flask
1616
- 1615 flat_ass
1617
- 1616 flat_cap
1618
- 1617 flat_chest
1619
- 1618 flat_color
1620
- 1619 flats
1621
- 1620 flexible
1622
- 1621 flexing
1623
- 1622 flip-flops
1624
- 1623 flipped_hair
1625
- 1624 floating
1626
- 1625 floating_earring
1627
- 1626 floating_hair
1628
- 1627 floating_island
1629
- 1628 floating_object
1630
- 1629 flock
1631
- 1630 floor
1632
- 1631 floppy_ears
1633
- 1632 floral_background
1634
- 1633 floral_print
1635
- 1634 flower
1636
- 1635 flower-shaped_pupils
1637
- 1636 flower_earrings
1638
- 1637 flower_field
1639
- 1638 flower_hair_ornament
1640
- 1639 flower_knot
1641
- 1640 flower_on_head
1642
- 1641 flower_pot
1643
- 1642 flower_tattoo
1644
- 1643 fluffy
1645
- 1644 flustered
1646
- 1645 flute
1647
- 1646 flying
1648
- 1647 flying_sweatdrops
1649
- 1648 flying_whale
1650
- 1649 foam
1651
- 1650 fog
1652
- 1651 folded
1653
- 1652 folded_fan
1654
- 1653 folded_ponytail
1655
- 1654 folding_fan
1656
- 1655 foliage
1657
- 1656 food
1658
- 1657 food-themed_hair_ornament
1659
- 1658 food_in_mouth
1660
- 1659 food_on_body
1661
- 1660 food_on_face
1662
- 1661 food_print
1663
- 1662 foot_focus
1664
- 1663 foot_on_head
1665
- 1664 foot_out_of_frame
1666
- 1665 foot_up
1667
- 1666 foot_worship
1668
- 1667 footjob
1669
- 1668 footprints
1670
- 1669 forced
1671
- 1670 forced_orgasm
1672
- 1671 forced_partners
1673
- 1672 forehead
1674
- 1673 forehead_jewel
1675
- 1674 forehead_mark
1676
- 1675 forehead_protector
1677
- 1676 foreshortening
1678
- 1677 foreskin
1679
- 1678 foreskin_pull
1680
- 1679 forest
1681
- 1680 fork
1682
- 1681 forked_tongue
1683
- 1682 formal
1684
- 1683 fountain
1685
- 1684 four-leaf_clover
1686
- 1685 fox
1687
- 1686 fox_boy
1688
- 1687 fox_ears
1689
- 1688 fox_girl
1690
- 1689 fox_mask
1691
- 1690 fox_shadow_puppet
1692
- 1691 fox_tail
1693
- 1692 framed_breasts
1694
- 1693 freckles
1695
- 1694 french_fries
1696
- 1695 french_kiss
1697
- 1696 friends
1698
- 1697 frilled_apron
1699
- 1698 frilled_bikini
1700
- 1699 frilled_bow
1701
- 1700 frilled_bra
1702
- 1701 frilled_choker
1703
- 1702 frilled_collar
1704
- 1703 frilled_dress
1705
- 1704 frilled_gloves
1706
- 1705 frilled_hairband
1707
- 1706 frilled_leotard
1708
- 1707 frilled_one-piece_swimsuit
1709
- 1708 frilled_panties
1710
- 1709 frilled_pillow
1711
- 1710 frilled_shirt
1712
- 1711 frilled_shirt_collar
1713
- 1712 frilled_skirt
1714
- 1713 frilled_sleeves
1715
- 1714 frilled_thighhighs
1716
- 1715 frills
1717
- 1716 fringe_trim
1718
- 1717 frog
1719
- 1718 frog_girl
1720
- 1719 frog_hair_ornament
1721
- 1720 frogtie
1722
- 1721 from_above
1723
- 1722 from_behind
1724
- 1723 from_below
1725
- 1724 from_outside
1726
- 1725 from_side
1727
- 1726 front-tie_bikini_top
1728
- 1727 front-tie_top
1729
- 1728 frontal_wedgie
1730
- 1729 frottage
1731
- 1730 frown
1732
- 1731 fruit
1733
- 1732 frying_pan
1734
- 1733 fucked_silly
1735
- 1734 full-face_blush
1736
- 1735 full-package_futanari
1737
- 1736 full_armor
1738
- 1737 full_body
1739
- 1738 full_cleft
1740
- 1739 full_moon
1741
- 1740 full_nelson
1742
- 1741 functionally_nude
1743
- 1742 fundoshi
1744
- 1743 fur-trimmed_boots
1745
- 1744 fur-trimmed_cape
1746
- 1745 fur-trimmed_capelet
1747
- 1746 fur-trimmed_coat
1748
- 1747 fur-trimmed_dress
1749
- 1748 fur-trimmed_gloves
1750
- 1749 fur-trimmed_headwear
1751
- 1750 fur-trimmed_jacket
1752
- 1751 fur-trimmed_legwear
1753
- 1752 fur-trimmed_sleeves
1754
- 1753 fur_coat
1755
- 1754 fur_collar
1756
- 1755 fur_hat
1757
- 1756 fur_trim
1758
- 1757 furrification
1759
- 1758 furrowed_brow
1760
- 1759 furry
1761
- 1760 furry_female
1762
- 1761 furry_male
1763
- 1762 furry_with_furry
1764
- 1763 furry_with_non-furry
1765
- 1764 fusion
1766
- 1765 futa_on_male
1767
- 1766 futa_with_female
1768
- 1767 futa_with_futa
1769
- 1768 futa_with_male
1770
- 1769 futanari
1771
- 1770 futanari_masturbation
1772
- 1771 futanari_pov
1773
- 1772 futasub
1774
- 1773 futon
1775
- 1774 g-string
1776
- 1775 gae_bolg_(fate)
1777
- 1776 gag
1778
- 1777 gagged
1779
- 1778 gakuran
1780
- 1779 game_console
1781
- 1780 game_controller
1782
- 1781 gamepad
1783
- 1782 gameplay_mechanics
1784
- 1783 gang_rape
1785
- 1784 ganguro
1786
- 1785 gaping
1787
- 1786 gaping_anus
1788
- 1787 gaping_pussy
1789
- 1788 garden
1790
- 1789 garreg_mach_monastery_uniform
1791
- 1790 garrison_cap
1792
- 1791 garter_belt
1793
- 1792 garter_straps
1794
- 1793 gas_mask
1795
- 1794 gate
1796
- 1795 gauntlets
1797
- 1796 gears
1798
- 1797 gem
1799
- 1798 gen_1_pokemon
1800
- 1799 gen_2_pokemon
1801
- 1800 gen_3_pokemon
1802
- 1801 gen_4_pokemon
1803
- 1802 gen_5_pokemon
1804
- 1803 gen_6_pokemon
1805
- 1804 gen_7_pokemon
1806
- 1805 gen_8_pokemon
1807
- 1806 genderswap
1808
- 1807 genderswap_(ftm)
1809
- 1808 genderswap_(mtf)
1810
- 1809 gerudo
1811
- 1810 gerudo_set_(zelda)
1812
- 1811 geta
1813
- 1812 ghost
1814
- 1813 giant
1815
- 1814 giantess
1816
- 1815 gift
1817
- 1816 gift_box
1818
- 1817 gigantic_breasts
1819
- 1818 gigantic_penis
1820
- 1819 gills
1821
- 1820 girl_on_top
1822
- 1821 girl_sandwich
1823
- 1822 glans
1824
- 1823 glansjob
1825
- 1824 glaring
1826
- 1825 glass
1827
- 1826 glasses
1828
- 1827 glint
1829
- 1828 glory_hole
1830
- 1829 glory_wall
1831
- 1830 gloved_handjob
1832
- 1831 gloves
1833
- 1832 glowing
1834
- 1833 glowing_eye
1835
- 1834 glowing_eyes
1836
- 1835 glowing_tattoo
1837
- 1836 gluteal_fold
1838
- 1837 goat_ears
1839
- 1838 goat_girl
1840
- 1839 goat_horns
1841
- 1840 goatee
1842
- 1841 goblin
1843
- 1842 goggles
1844
- 1843 goggles_around_neck
1845
- 1844 goggles_on_head
1846
- 1845 gohei
1847
- 1846 gokkun
1848
- 1847 gold
1849
- 1848 gold_bikini
1850
- 1849 gold_bracelet
1851
- 1850 gold_chain
1852
- 1851 gold_choker
1853
- 1852 gold_earrings
1854
- 1853 gold_hairband
1855
- 1854 gold_necklace
1856
- 1855 gold_trim
1857
- 1856 golden_shower
1858
- 1857 gorget
1859
- 1858 goth_fashion
1860
- 1859 gothic_lolita
1861
- 1860 gourd
1862
- 1861 grabbing_another's_ass
1863
- 1862 grabbing_another's_breast
1864
- 1863 grabbing_another's_chin
1865
- 1864 grabbing_another's_hair
1866
- 1865 grabbing_from_behind
1867
- 1866 grabbing_own_ass
1868
- 1867 grabbing_own_breast
1869
- 1868 gradient_background
1870
- 1869 gradient_clothes
1871
- 1870 gradient_eyes
1872
- 1871 gradient_hair
1873
- 1872 gradient_sky
1874
- 1873 graffiti
1875
- 1874 grapes
1876
- 1875 grass
1877
- 1876 greatsword
1878
- 1877 greaves
1879
- 1878 greek_toe
1880
- 1879 green_apron
1881
- 1880 green_background
1882
- 1881 green_bikini
1883
- 1882 green_bodysuit
1884
- 1883 green_bow
1885
- 1884 green_bowtie
1886
- 1885 green_bra
1887
- 1886 green_cape
1888
- 1887 green_dress
1889
- 1888 green_eyes
1890
- 1889 green_footwear
1891
- 1890 green_fur
1892
- 1891 green_gemstone
1893
- 1892 green_gloves
1894
- 1893 green_hair
1895
- 1894 green_hairband
1896
- 1895 green_halo
1897
- 1896 green_hat
1898
- 1897 green_hoodie
1899
- 1898 green_jacket
1900
- 1899 green_leotard
1901
- 1900 green_lips
1902
- 1901 green_nails
1903
- 1902 green_necktie
1904
- 1903 green_one-piece_swimsuit
1905
- 1904 green_panties
1906
- 1905 green_pants
1907
- 1906 green_ribbon
1908
- 1907 green_shirt
1909
- 1908 green_shorts
1910
- 1909 green_skin
1911
- 1910 green_skirt
1912
- 1911 green_sweater
1913
- 1912 green_theme
1914
- 1913 green_thighhighs
1915
- 1914 green_vest
1916
- 1915 grenade
1917
- 1916 grey_background
1918
- 1917 grey_bikini
1919
- 1918 grey_bra
1920
- 1919 grey_cardigan
1921
- 1920 grey_dress
1922
- 1921 grey_eyes
1923
- 1922 grey_footwear
1924
- 1923 grey_fur
1925
- 1924 grey_gloves
1926
- 1925 grey_hair
1927
- 1926 grey_halo
1928
- 1927 grey_hoodie
1929
- 1928 grey_jacket
1930
- 1929 grey_panties
1931
- 1930 grey_pants
1932
- 1931 grey_pantyhose
1933
- 1932 grey_shirt
1934
- 1933 grey_shorts
1935
- 1934 grey_skin
1936
- 1935 grey_skirt
1937
- 1936 grey_sky
1938
- 1937 grey_socks
1939
- 1938 grey_sports_bra
1940
- 1939 grey_sweater
1941
- 1940 grey_thighhighs
1942
- 1941 greyscale
1943
- 1942 greyscale_with_colored_background
1944
- 1943 grimace
1945
- 1944 grin
1946
- 1945 grinding
1947
- 1946 groin
1948
- 1947 groin_tendon
1949
- 1948 groping
1950
- 1949 group_sex
1951
- 1950 guard_rail
1952
- 1951 guided_breast_grab
1953
- 1952 guided_penetration
1954
- 1953 guiding_hand
1955
- 1954 guitar
1956
- 1955 gun
1957
- 1956 guro
1958
- 1957 gusset
1959
- 1958 gyaru
1960
- 1959 gym
1961
- 1960 gym_leader
1962
- 1961 gym_shirt
1963
- 1962 gym_shorts
1964
- 1963 gym_storeroom
1965
- 1964 gym_uniform
1966
- 1965 habit
1967
- 1966 hair_beads
1968
- 1967 hair_behind_ear
1969
- 1968 hair_bell
1970
- 1969 hair_between_eyes
1971
- 1970 hair_bobbles
1972
- 1971 hair_bow
1973
- 1972 hair_bun
1974
- 1973 hair_censor
1975
- 1974 hair_down
1976
- 1975 hair_ears
1977
- 1976 hair_flaps
1978
- 1977 hair_flower
1979
- 1978 hair_horns
1980
- 1979 hair_in_own_mouth
1981
- 1980 hair_intakes
1982
- 1981 hair_ornament
1983
- 1982 hair_over_breasts
1984
- 1983 hair_over_eyes
1985
- 1984 hair_over_one_eye
1986
- 1985 hair_over_shoulder
1987
- 1986 hair_pulled_back
1988
- 1987 hair_ribbon
1989
- 1988 hair_rings
1990
- 1989 hair_scrunchie
1991
- 1990 hair_slicked_back
1992
- 1991 hair_spread_out
1993
- 1992 hair_stick
1994
- 1993 hair_through_headwear
1995
- 1994 hair_tie
1996
- 1995 hair_tie_in_mouth
1997
- 1996 hair_tubes
1998
- 1997 hair_up
1999
- 1998 hairband
2000
- 1999 hairclip
2001
- 2000 hairjob
2002
- 2001 hairpin
2003
- 2002 hairpods
2004
- 2003 hairy
2005
- 2004 hakama
2006
- 2005 hakama_short_skirt
2007
- 2006 hakama_skirt
2008
- 2007 half-closed_eye
2009
- 2008 half-closed_eyes
2010
- 2009 half-spread_pussy
2011
- 2010 half_gloves
2012
- 2011 half_up_braid
2013
- 2012 half_updo
2014
- 2013 halftone
2015
- 2014 halftone_background
2016
- 2015 halloween
2017
- 2016 halloween_costume
2018
- 2017 hallway
2019
- 2018 halo
2020
- 2019 halter_dress
2021
- 2020 halterneck
2022
- 2021 hammer
2023
- 2022 hand_between_legs
2024
- 2023 hand_fan
2025
- 2024 hand_grab
2026
- 2025 hand_in_another's_hair
2027
- 2026 hand_in_own_hair
2028
- 2027 hand_in_panties
2029
- 2028 hand_in_pocket
2030
- 2029 hand_on_another's_arm
2031
- 2030 hand_on_another's_ass
2032
- 2031 hand_on_another's_back
2033
- 2032 hand_on_another's_cheek
2034
- 2033 hand_on_another's_chest
2035
- 2034 hand_on_another's_chin
2036
- 2035 hand_on_another's_face
2037
- 2036 hand_on_another's_head
2038
- 2037 hand_on_another's_hip
2039
- 2038 hand_on_another's_leg
2040
- 2039 hand_on_another's_neck
2041
- 2040 hand_on_another's_shoulder
2042
- 2041 hand_on_another's_stomach
2043
- 2042 hand_on_another's_thigh
2044
- 2043 hand_on_another's_waist
2045
- 2044 hand_on_breast
2046
- 2045 hand_on_eyewear
2047
- 2046 hand_on_headwear
2048
- 2047 hand_on_leg
2049
- 2048 hand_on_own_arm
2050
- 2049 hand_on_own_ass
2051
- 2050 hand_on_own_cheek
2052
- 2051 hand_on_own_chest
2053
- 2052 hand_on_own_chin
2054
- 2053 hand_on_own_face
2055
- 2054 hand_on_own_head
2056
- 2055 hand_on_own_hip
2057
- 2056 hand_on_own_knee
2058
- 2057 hand_on_own_leg
2059
- 2058 hand_on_own_stomach
2060
- 2059 hand_on_own_thigh
2061
- 2060 hand_on_shoulder
2062
- 2061 hand_on_wall
2063
- 2062 hand_over_own_mouth
2064
- 2063 hand_to_own_mouth
2065
- 2064 hand_under_clothes
2066
- 2065 hand_up
2067
- 2066 handbag
2068
- 2067 handcuffs
2069
- 2068 handgun
2070
- 2069 handheld_game_console
2071
- 2070 handjob
2072
- 2071 handjob_gesture
2073
- 2072 handprint
2074
- 2073 hands_in_hair
2075
- 2074 hands_in_pockets
2076
- 2075 hands_on_another's_face
2077
- 2076 hands_on_another's_head
2078
- 2077 hands_on_another's_hips
2079
- 2078 hands_on_another's_shoulders
2080
- 2079 hands_on_another's_thighs
2081
- 2080 hands_on_feet
2082
- 2081 hands_on_ground
2083
- 2082 hands_on_own_ass
2084
- 2083 hands_on_own_cheeks
2085
- 2084 hands_on_own_chest
2086
- 2085 hands_on_own_face
2087
- 2086 hands_on_own_head
2088
- 2087 hands_on_own_hips
2089
- 2088 hands_on_own_knees
2090
- 2089 hands_on_own_stomach
2091
- 2090 hands_on_own_thighs
2092
- 2091 hands_on_thighs
2093
- 2092 hands_up
2094
- 2093 handsfree_ejaculation
2095
- 2094 handsfree_paizuri
2096
- 2095 handstand
2097
- 2096 hanging
2098
- 2097 hanging_breasts
2099
- 2098 haori
2100
- 2099 happy
2101
- 2100 happy_birthday
2102
- 2101 happy_new_year
2103
- 2102 happy_sex
2104
- 2103 harem
2105
- 2104 harem_outfit
2106
- 2105 harem_pants
2107
- 2106 harness
2108
- 2107 harness_gag
2109
- 2108 harpy
2110
- 2109 harvin
2111
- 2110 hat
2112
- 2111 hat_bow
2113
- 2112 hat_feather
2114
- 2113 hat_flower
2115
- 2114 hat_ornament
2116
- 2115 hat_ribbon
2117
- 2116 hatching_(texture)
2118
- 2117 have_to_pee
2119
- 2118 head-mounted_display
2120
- 2119 head_back
2121
- 2120 head_between_breasts
2122
- 2121 head_chain
2123
- 2122 head_fins
2124
- 2123 head_grab
2125
- 2124 head_on_pillow
2126
- 2125 head_out_of_frame
2127
- 2126 head_rest
2128
- 2127 head_scarf
2129
- 2128 head_tilt
2130
- 2129 head_wings
2131
- 2130 head_wreath
2132
- 2131 headband
2133
- 2132 headdress
2134
- 2133 headgear
2135
- 2134 headpat
2136
- 2135 headphones
2137
- 2136 headphones_around_neck
2138
- 2137 headpiece
2139
- 2138 heads-up_display
2140
- 2139 heads_together
2141
- 2140 headset
2142
- 2141 health_bar
2143
- 2142 heart
2144
- 2143 heart-shaped_box
2145
- 2144 heart-shaped_eyewear
2146
- 2145 heart-shaped_pillow
2147
- 2146 heart-shaped_pupils
2148
- 2147 heart_ahoge
2149
- 2148 heart_background
2150
- 2149 heart_censor
2151
- 2150 heart_choker
2152
- 2151 heart_collar
2153
- 2152 heart_cutout
2154
- 2153 heart_earrings
2155
- 2154 heart_hair_ornament
2156
- 2155 heart_hands
2157
- 2156 heart_in_eye
2158
- 2157 heart_in_mouth
2159
- 2158 heart_maebari
2160
- 2159 heart_necklace
2161
- 2160 heart_o-ring
2162
- 2161 heart_pasties
2163
- 2162 heart_print
2164
- 2163 heart_tail
2165
- 2164 heart_tattoo
2166
- 2165 heattech_leotard
2167
- 2166 heavy_breathing
2168
- 2167 hedgehog_ears
2169
- 2168 heel_up
2170
- 2169 height_difference
2171
- 2170 held_down
2172
- 2171 held_up
2173
- 2172 helmet
2174
- 2173 hetero
2175
- 2174 heterochromia
2176
- 2175 hibiscus
2177
- 2176 hickey
2178
- 2177 hiding
2179
- 2178 high-waist_pants
2180
- 2179 high-waist_shorts
2181
- 2180 high-waist_skirt
2182
- 2181 high_collar
2183
- 2182 high_heel_boots
2184
- 2183 high_heels
2185
- 2184 high_ponytail
2186
- 2185 highleg
2187
- 2186 highleg_bikini
2188
- 2187 highleg_leotard
2189
- 2188 highleg_one-piece_swimsuit
2190
- 2189 highleg_panties
2191
- 2190 hikimayu
2192
- 2191 hill
2193
- 2192 hime_cut
2194
- 2193 hip_bones
2195
- 2194 hip_focus
2196
- 2195 hip_vent
2197
- 2196 hitachi_magic_wand
2198
- 2197 hitodama
2199
- 2198 holding
2200
- 2199 holding_animal
2201
- 2200 holding_another's_arm
2202
- 2201 holding_another's_foot
2203
- 2202 holding_another's_leg
2204
- 2203 holding_another's_wrist
2205
- 2204 holding_axe
2206
- 2205 holding_bag
2207
- 2206 holding_ball
2208
- 2207 holding_book
2209
- 2208 holding_bottle
2210
- 2209 holding_bouquet
2211
- 2210 holding_bow_(weapon)
2212
- 2211 holding_box
2213
- 2212 holding_broom
2214
- 2213 holding_camera
2215
- 2214 holding_can
2216
- 2215 holding_candy
2217
- 2216 holding_card
2218
- 2217 holding_cigarette
2219
- 2218 holding_clipboard
2220
- 2219 holding_condom
2221
- 2220 holding_controller
2222
- 2221 holding_cup
2223
- 2222 holding_dagger
2224
- 2223 holding_detached_head
2225
- 2224 holding_drink
2226
- 2225 holding_fan
2227
- 2226 holding_flower
2228
- 2227 holding_food
2229
- 2228 holding_fork
2230
- 2229 holding_fruit
2231
- 2230 holding_game_controller
2232
- 2231 holding_gift
2233
- 2232 holding_gun
2234
- 2233 holding_handheld_game_console
2235
- 2234 holding_hands
2236
- 2235 holding_hat
2237
- 2236 holding_instrument
2238
- 2237 holding_knife
2239
- 2238 holding_leash
2240
- 2239 holding_leg
2241
- 2240 holding_legs
2242
- 2241 holding_lollipop
2243
- 2242 holding_microphone
2244
- 2243 holding_money
2245
- 2244 holding_own_arm
2246
- 2245 holding_own_hair
2247
- 2246 holding_panties
2248
- 2247 holding_paper
2249
- 2248 holding_pen
2250
- 2249 holding_phone
2251
- 2250 holding_plate
2252
- 2251 holding_poke_ball
2253
- 2252 holding_polearm
2254
- 2253 holding_pom_poms
2255
- 2254 holding_removed_eyewear
2256
- 2255 holding_sex_toy
2257
- 2256 holding_shield
2258
- 2257 holding_shoes
2259
- 2258 holding_sign
2260
- 2259 holding_smoking_pipe
2261
- 2260 holding_spoon
2262
- 2261 holding_staff
2263
- 2262 holding_strap
2264
- 2263 holding_stuffed_toy
2265
- 2264 holding_swim_ring
2266
- 2265 holding_sword
2267
- 2266 holding_syringe
2268
- 2267 holding_towel
2269
- 2268 holding_tray
2270
- 2269 holding_umbrella
2271
- 2270 holding_underwear
2272
- 2271 holding_unworn_clothes
2273
- 2272 holding_wand
2274
- 2273 holding_weapon
2275
- 2274 holding_whip
2276
- 2275 holding_with_feet
2277
- 2276 holster
2278
- 2277 hood
2279
- 2278 hood_down
2280
- 2279 hood_up
2281
- 2280 hooded_bodysuit
2282
- 2281 hooded_cape
2283
- 2282 hooded_cloak
2284
- 2283 hooded_coat
2285
- 2284 hooded_jacket
2286
- 2285 hoodie
2287
- 2286 hoodie_lift
2288
- 2287 hoop_earrings
2289
- 2288 hooves
2290
- 2289 horizon
2291
- 2290 horizontal_pupils
2292
- 2291 horn_grab
2293
- 2292 horn_ornament
2294
- 2293 horned_headwear
2295
- 2294 horns
2296
- 2295 horror_(theme)
2297
- 2296 horse
2298
- 2297 horse_boy
2299
- 2298 horse_ears
2300
- 2299 horse_girl
2301
- 2300 horse_penis
2302
- 2301 horse_tail
2303
- 2302 hose
2304
- 2303 hot
2305
- 2304 house
2306
- 2305 housewife
2307
- 2306 hug
2308
- 2307 hug_from_behind
2309
- 2308 huge_ahoge
2310
- 2309 huge_areolae
2311
- 2310 huge_ass
2312
- 2311 huge_breasts
2313
- 2312 huge_dildo
2314
- 2313 huge_nipples
2315
- 2314 huge_penis
2316
- 2315 huge_testicles
2317
- 2316 huge_weapon
2318
- 2317 hugging_object
2319
- 2318 hugging_own_legs
2320
- 2319 human_toilet
2321
- 2320 humanization
2322
- 2321 humiliation
2323
- 2322 humping
2324
- 2323 husband_and_wife
2325
- 2324 hydrangea
2326
- 2325 hymen
2327
- 2326 hypnosis
2328
- 2327 hyur
2329
- 2328 ice
2330
- 2329 ice_cream
2331
- 2330 ice_cream_cone
2332
- 2331 ice_cube
2333
- 2332 ice_wings
2334
- 2333 id_card
2335
- 2334 identity_censor
2336
- 2335 idol
2337
- 2336 imagining
2338
- 2337 imminent_anal
2339
- 2338 imminent_fellatio
2340
- 2339 imminent_gangbang
2341
- 2340 imminent_kiss
2342
- 2341 imminent_penetration
2343
- 2342 imminent_rape
2344
- 2343 imminent_vaginal
2345
- 2344 implied_fellatio
2346
- 2345 implied_futanari
2347
- 2346 implied_sex
2348
- 2347 impossible_bodysuit
2349
- 2348 impossible_clothes
2350
- 2349 impossible_dress
2351
- 2350 impossible_leotard
2352
- 2351 impossible_shirt
2353
- 2352 impossible_swimsuit
2354
- 2353 impregnation
2355
- 2354 improvised_gag
2356
- 2355 in_box
2357
- 2356 in_container
2358
- 2357 in_heat
2359
- 2358 in_tree
2360
- 2359 in_water
2361
- 2360 incest
2362
- 2361 index_finger_raised
2363
- 2362 indian_style
2364
- 2363 indoors
2365
- 2364 industrial_piercing
2366
- 2365 industrial_pipe
2367
- 2366 infection_monitor_(arknights)
2368
- 2367 infirmary
2369
- 2368 inflatable_toy
2370
- 2369 inflation
2371
- 2370 injury
2372
- 2371 inkling
2373
- 2372 innertube
2374
- 2373 insect
2375
- 2374 insect_girl
2376
- 2375 insect_wings
2377
- 2376 inset
2378
- 2377 instant_loss
2379
- 2378 instrument
2380
- 2379 interface_headset
2381
- 2380 interior
2382
- 2381 interlocked_fingers
2383
- 2382 internal_cumshot
2384
- 2383 interracial
2385
- 2384 interspecies
2386
- 2385 inverted_cross
2387
- 2386 inverted_nipples
2388
- 2387 invisible
2389
- 2388 invisible_chair
2390
- 2389 invisible_penis
2391
- 2390 iphone
2392
- 2391 iron_cross
2393
- 2392 irrumatio
2394
- 2393 island
2395
- 2394 jack-o'-lantern
2396
- 2395 jack-o'_challenge
2397
- 2396 jackal_ears
2398
- 2397 jacket
2399
- 2398 jacket_around_waist
2400
- 2399 jacket_lift
2401
- 2400 jacket_on_shoulders
2402
- 2401 jacket_partially_removed
2403
- 2402 jaggy_lines
2404
- 2403 japanese_(nationality)
2405
- 2404 japanese_armor
2406
- 2405 japanese_clothes
2407
- 2406 japanese_text
2408
- 2407 jar
2409
- 2408 jealous
2410
- 2409 jeans
2411
- 2410 jellyfish
2412
- 2411 jersey
2413
- 2412 jester_cap
2414
- 2413 jewel_butt_plug
2415
- 2414 jewelry
2416
- 2415 jiangshi
2417
- 2416 jiggle
2418
- 2417 jingle_bell
2419
- 2418 jitome
2420
- 2419 joints
2421
- 2420 josou_seme
2422
- 2421 juice
2423
- 2422 juliet_sleeves
2424
- 2423 jumping
2425
- 2424 jumpsuit
2426
- 2425 just_the_tip
2427
- 2426 k-pop
2428
- 2427 kabedon
2429
- 2428 katana
2430
- 2429 kemonomimi_mode
2431
- 2430 key
2432
- 2431 key_necklace
2433
- 2432 keyhole
2434
- 2433 kicking
2435
- 2434 kidnapped
2436
- 2435 kigurumi
2437
- 2436 kimono
2438
- 2437 kimono_lift
2439
- 2438 kindergarten_uniform
2440
- 2439 kiss
2441
- 2440 kissing_cheek
2442
- 2441 kissing_penis
2443
- 2442 kitchen
2444
- 2443 kitsune
2445
- 2444 knee_boots
2446
- 2445 knee_pads
2447
- 2446 knee_up
2448
- 2447 kneehighs
2449
- 2448 kneeling
2450
- 2449 kneepits
2451
- 2450 knees
2452
- 2451 knees_apart_feet_together
2453
- 2452 knees_to_chest
2454
- 2453 knees_together_feet_apart
2455
- 2454 knees_up
2456
- 2455 knife
2457
- 2456 knight
2458
- 2457 knotted_penis
2459
- 2458 knotting
2460
- 2459 kodomo_doushi
2461
- 2460 kogal
2462
- 2461 konohagakure_symbol
2463
- 2462 korean_text
2464
- 2463 kotatsu
2465
- 2464 kote
2466
- 2465 kunai
2467
- 2466 kyojiri_loli
2468
- 2467 kyuubi
2469
- 2468 lab_coat
2470
- 2469 labia_piercing
2471
- 2470 lace
2472
- 2471 lace-trimmed_bra
2473
- 2472 lace-trimmed_dress
2474
- 2473 lace-trimmed_legwear
2475
- 2474 lace-trimmed_panties
2476
- 2475 lace-trimmed_thighhighs
2477
- 2476 lace-up_boots
2478
- 2477 lace_bra
2479
- 2478 lace_panties
2480
- 2479 lace_trim
2481
- 2480 lactation
2482
- 2481 lactation_through_clothes
2483
- 2482 ladder
2484
- 2483 ladle
2485
- 2484 lake
2486
- 2485 lalafell
2487
- 2486 lamia
2488
- 2487 lamp
2489
- 2488 lamppost
2490
- 2489 lance
2491
- 2490 landscape
2492
- 2491 lantern
2493
- 2492 lanyard
2494
- 2493 lap_pillow
2495
- 2494 laptop
2496
- 2495 large_areolae
2497
- 2496 large_bow
2498
- 2497 large_breasts
2499
- 2498 large_hat
2500
- 2499 large_insertion
2501
- 2500 large_nipples
2502
- 2501 large_pectorals
2503
- 2502 large_penis
2504
- 2503 large_tail
2505
- 2504 large_testicles
2506
- 2505 latex
2507
- 2506 latex_bodysuit
2508
- 2507 latex_gloves
2509
- 2508 latex_legwear
2510
- 2509 latex_suit
2511
- 2510 latin_cross
2512
- 2511 laughing
2513
- 2512 laurel_crown
2514
- 2513 lava
2515
- 2514 layered_bikini
2516
- 2515 layered_dress
2517
- 2516 layered_skirt
2518
- 2517 layered_sleeves
2519
- 2518 leaf
2520
- 2519 leaf_hair_ornament
2521
- 2520 leaf_on_head
2522
- 2521 leaf_print
2523
- 2522 leaning
2524
- 2523 leaning_back
2525
- 2524 leaning_forward
2526
- 2525 leaning_on_object
2527
- 2526 leaning_on_person
2528
- 2527 leaning_to_the_side
2529
- 2528 leash
2530
- 2529 leash_pull
2531
- 2530 leather
2532
- 2531 leather_belt
2533
- 2532 leather_gloves
2534
- 2533 leather_jacket
2535
- 2534 leg_belt
2536
- 2535 leg_between_thighs
2537
- 2536 leg_grab
2538
- 2537 leg_hair
2539
- 2538 leg_hold
2540
- 2539 leg_lift
2541
- 2540 leg_lock
2542
- 2541 leg_ribbon
2543
- 2542 leg_tattoo
2544
- 2543 leg_up
2545
- 2544 leg_warmers
2546
- 2545 legendary_pokemon
2547
- 2546 leggings
2548
- 2547 legs
2549
- 2548 legs_apart
2550
- 2549 legs_folded
2551
- 2550 legs_over_head
2552
- 2551 legs_together
2553
- 2552 legs_up
2554
- 2553 legwear_garter
2555
- 2554 lemon
2556
- 2555 lens_flare
2557
- 2556 leopard_ears
2558
- 2557 leopard_print
2559
- 2558 leotard
2560
- 2559 leotard_aside
2561
- 2560 leotard_pull
2562
- 2561 leotard_under_clothes
2563
- 2562 letter
2564
- 2563 letterboxed
2565
- 2564 library
2566
- 2565 licking
2567
- 2566 licking_another's_face
2568
- 2567 licking_armpit
2569
- 2568 licking_breast
2570
- 2569 licking_finger
2571
- 2570 licking_foot
2572
- 2571 licking_lips
2573
- 2572 licking_nipple
2574
- 2573 licking_penis
2575
- 2574 licking_testicle
2576
- 2575 lifebuoy
2577
- 2576 lifting_another's_clothes
2578
- 2577 lifting_own_clothes
2579
- 2578 lifting_person
2580
- 2579 light_areolae
2581
- 2580 light_blue_hair
2582
- 2581 light_blush
2583
- 2582 light_frown
2584
- 2583 light_particles
2585
- 2584 light_rays
2586
- 2585 light_smile
2587
- 2586 lightning
2588
- 2587 lily_(flower)
2589
- 2588 lily_pad
2590
- 2589 limited_palette
2591
- 2590 linea_alba
2592
- 2591 lineart
2593
- 2592 lineup
2594
- 2593 lingerie
2595
- 2594 linked_piercing
2596
- 2595 lion_ears
2597
- 2596 lion_girl
2598
- 2597 lion_tail
2599
- 2598 lip_piercing
2600
- 2599 lips
2601
- 2600 lipstick
2602
- 2601 lipstick_mark
2603
- 2602 lipstick_mark_on_penis
2604
- 2603 lipstick_ring
2605
- 2604 livestream
2606
- 2605 living_clothes
2607
- 2606 lizard_tail
2608
- 2607 loafers
2609
- 2608 lock
2610
- 2609 locked_arms
2611
- 2610 locker
2612
- 2611 locker_room
2613
- 2612 log
2614
- 2613 logo
2615
- 2614 loincloth
2616
- 2615 loli
2617
- 2616 loli_harem
2618
- 2617 lolidom
2619
- 2618 lolita_fashion
2620
- 2619 lolita_hairband
2621
- 2620 lollipop
2622
- 2621 long_bangs
2623
- 2622 long_braid
2624
- 2623 long_coat
2625
- 2624 long_dress
2626
- 2625 long_ears
2627
- 2626 long_eyelashes
2628
- 2627 long_fingernails
2629
- 2628 long_hair
2630
- 2629 long_hair_between_eyes
2631
- 2630 long_legs
2632
- 2631 long_pointy_ears
2633
- 2632 long_skirt
2634
- 2633 long_sleeves
2635
- 2634 long_tail
2636
- 2635 long_tongue
2637
- 2636 long_twintails
2638
- 2637 look-alike
2639
- 2638 looking_afar
2640
- 2639 looking_ahead
2641
- 2640 looking_at_another
2642
- 2641 looking_at_breasts
2643
- 2642 looking_at_mirror
2644
- 2643 looking_at_object
2645
- 2644 looking_at_penis
2646
- 2645 looking_at_phone
2647
- 2646 looking_at_viewer
2648
- 2647 looking_back
2649
- 2648 looking_down
2650
- 2649 looking_over_eyewear
2651
- 2650 looking_over_glasses
2652
- 2651 looking_through_own_legs
2653
- 2652 looking_to_the_side
2654
- 2653 looking_up
2655
- 2654 loose_belt
2656
- 2655 loose_clothes
2657
- 2656 loose_necktie
2658
- 2657 loose_socks
2659
- 2658 lotion
2660
- 2659 lotion_bottle
2661
- 2660 lots_of_jewelry
2662
- 2661 lotus
2663
- 2662 lounge_chair
2664
- 2663 low-braided_long_hair
2665
- 2664 low-tied_long_hair
2666
- 2665 low_neckline
2667
- 2666 low_ponytail
2668
- 2667 low_twin_braids
2669
- 2668 low_twintails
2670
- 2669 low_wings
2671
- 2670 lower_body
2672
- 2671 lower_teeth_only
2673
- 2672 lowleg
2674
- 2673 lowleg_bikini
2675
- 2674 lowleg_panties
2676
- 2675 lowleg_pants
2677
- 2676 lube
2678
- 2677 lying
2679
- 2678 lying_on_person
2680
- 2679 m/
2681
- 2680 m_legs
2682
- 2681 machine
2683
- 2682 machine_gun
2684
- 2683 machinery
2685
- 2684 maebari
2686
- 2685 magatama
2687
- 2686 magazine_(object)
2688
- 2687 magazine_(weapon)
2689
- 2688 magic
2690
- 2689 magic_circle
2691
- 2690 magical_girl
2692
- 2691 maid
2693
- 2692 maid_apron
2694
- 2693 maid_bikini
2695
- 2694 maid_headdress
2696
- 2695 makeup
2697
- 2696 male_focus
2698
- 2697 male_hand
2699
- 2698 male_masturbation
2700
- 2699 male_on_futa
2701
- 2700 male_penetrated
2702
- 2701 male_playboy_bunny
2703
- 2702 male_pubic_hair
2704
- 2703 male_swimwear
2705
- 2704 male_swimwear_challenge
2706
- 2705 male_underwear
2707
- 2706 male_underwear_pull
2708
- 2707 manga_(object)
2709
- 2708 manly
2710
- 2709 map
2711
- 2710 maple_leaf
2712
- 2711 marker
2713
- 2712 mars_symbol
2714
- 2713 mary_janes
2715
- 2714 mascara
2716
- 2715 mash_kyrielight_(dangerous_beast)_(cosplay)
2717
- 2716 mask
2718
- 2717 mask_on_head
2719
- 2718 mask_pull
2720
- 2719 masochism
2721
- 2720 masturbation
2722
- 2721 masturbation_through_clothes
2723
- 2722 mat
2724
- 2723 matching_hair/eyes
2725
- 2724 material_growth
2726
- 2725 mating_press
2727
- 2726 mature_female
2728
- 2727 mature_male
2729
- 2728 measuring
2730
- 2729 meat
2731
- 2730 mecha
2732
- 2731 mecha_musume
2733
- 2732 mechanical_arms
2734
- 2733 mechanical_eye
2735
- 2734 mechanical_halo
2736
- 2735 mechanical_hands
2737
- 2736 mechanical_horns
2738
- 2737 medal
2739
- 2738 median_furrow
2740
- 2739 medium_breasts
2741
- 2740 medium_hair
2742
- 2741 medium_penis
2743
- 2742 medium_skirt
2744
- 2743 mega_pokemon
2745
- 2744 melting
2746
- 2745 meme
2747
- 2746 meme_attire
2748
- 2747 mermaid
2749
- 2748 merry_christmas
2750
- 2749 messy
2751
- 2750 messy_hair
2752
- 2751 mesugaki
2753
- 2752 metal_collar
2754
- 2753 micro_bikini
2755
- 2754 micro_panties
2756
- 2755 micro_shorts
2757
- 2756 microdress
2758
- 2757 microphone
2759
- 2758 microskirt
2760
- 2759 midair
2761
- 2760 middle_finger
2762
- 2761 midriff
2763
- 2762 midriff_peek
2764
- 2763 miko
2765
- 2764 milestone_celebration
2766
- 2765 military
2767
- 2766 military_hat
2768
- 2767 military_jacket
2769
- 2768 military_uniform
2770
- 2769 military_vehicle
2771
- 2770 milk
2772
- 2771 milk_bottle
2773
- 2772 milk_carton
2774
- 2773 milking_machine
2775
- 2774 milky_way
2776
- 2775 millennium_cheerleader_outfit_(blue_archive)
2777
- 2776 mimikaki
2778
- 2777 mind_break
2779
- 2778 mind_control
2780
- 2779 mini_crown
2781
- 2780 mini_hat
2782
- 2781 mini_person
2783
- 2782 mini_top_hat
2784
- 2783 mini_wings
2785
- 2784 miniboy
2786
- 2785 minigirl
2787
- 2786 minimap
2788
- 2787 miniskirt
2789
- 2788 minotaur
2790
- 2789 miqo'te
2791
- 2790 mirror
2792
- 2791 mismatched_bikini
2793
- 2792 mismatched_gloves
2794
- 2793 mismatched_legwear
2795
- 2794 mismatched_pubic_hair
2796
- 2795 mismatched_pupils
2797
- 2796 missing_tooth
2798
- 2797 missionary
2799
- 2798 mitsudomoe_(shape)
2800
- 2799 mittens
2801
- 2800 mixed-sex_bathing
2802
- 2801 mmf_threesome
2803
- 2802 mmm_threesome
2804
- 2803 moaning
2805
- 2804 mob_cap
2806
- 2805 model
2807
- 2806 moderate_pubic_hair
2808
- 2807 mole
2809
- 2808 mole_above_mouth
2810
- 2809 mole_on_ass
2811
- 2810 mole_on_breast
2812
- 2811 mole_on_cheek
2813
- 2812 mole_on_neck
2814
- 2813 mole_on_pussy
2815
- 2814 mole_on_stomach
2816
- 2815 mole_on_thigh
2817
- 2816 mole_under_eye
2818
- 2817 mole_under_mouth
2819
- 2818 molestation
2820
- 2819 money
2821
- 2820 monitor
2822
- 2821 monkey
2823
- 2822 monkey_tail
2824
- 2823 monochrome
2825
- 2824 monocle
2826
- 2825 monster
2827
- 2826 monster_boy
2828
- 2827 monster_girl
2829
- 2828 moon
2830
- 2829 moonlight
2831
- 2830 mop
2832
- 2831 morning
2833
- 2832 mosaic_censoring
2834
- 2833 moss
2835
- 2834 mother_and_daughter
2836
- 2835 mother_and_son
2837
- 2836 motion_blur
2838
- 2837 motion_lines
2839
- 2838 motor_vehicle
2840
- 2839 motorcycle
2841
- 2840 mountain
2842
- 2841 mountainous_horizon
2843
- 2842 mouse_(animal)
2844
- 2843 mouse_ears
2845
- 2844 mouse_girl
2846
- 2845 mouse_tail
2847
- 2846 mouth_drool
2848
- 2847 mouth_hold
2849
- 2848 mouth_mask
2850
- 2849 mouth_pull
2851
- 2850 mouth_veil
2852
- 2851 muffin_top
2853
- 2852 mug
2854
- 2853 multi-strapped_bikini_bottom
2855
- 2854 multi-strapped_panties
2856
- 2855 multi-tied_hair
2857
- 2856 multicolored_background
2858
- 2857 multicolored_bikini
2859
- 2858 multicolored_bodysuit
2860
- 2859 multicolored_clothes
2861
- 2860 multicolored_dress
2862
- 2861 multicolored_eyes
2863
- 2862 multicolored_fur
2864
- 2863 multicolored_gloves
2865
- 2864 multicolored_hair
2866
- 2865 multicolored_horns
2867
- 2866 multicolored_jacket
2868
- 2867 multicolored_nails
2869
- 2868 multicolored_skin
2870
- 2869 multicolored_swimsuit
2871
- 2870 multiple_anal
2872
- 2871 multiple_belts
2873
- 2872 multiple_boys
2874
- 2873 multiple_braids
2875
- 2874 multiple_condoms
2876
- 2875 multiple_crossover
2877
- 2876 multiple_drawing_challenge
2878
- 2877 multiple_earrings
2879
- 2878 multiple_futa
2880
- 2879 multiple_girls
2881
- 2880 multiple_horns
2882
- 2881 multiple_insertions
2883
- 2882 multiple_moles
2884
- 2883 multiple_others
2885
- 2884 multiple_penetration
2886
- 2885 multiple_persona
2887
- 2886 multiple_piercings
2888
- 2887 multiple_rings
2889
- 2888 multiple_tails
2890
- 2889 multiple_vaginal
2891
- 2890 multiple_views
2892
- 2891 multiple_wings
2893
- 2892 multitasking
2894
- 2893 muscular
2895
- 2894 muscular_arms
2896
- 2895 muscular_female
2897
- 2896 muscular_legs
2898
- 2897 muscular_male
2899
- 2898 mushroom
2900
- 2899 music
2901
- 2900 musical_note
2902
- 2901 mustache
2903
- 2902 muted_color
2904
- 2903 mutual_masturbation
2905
- 2904 mythical_pokemon
2906
- 2905 nail
2907
- 2906 nail_polish
2908
- 2907 naizuri
2909
- 2908 naked_apron
2910
- 2909 naked_bandage
2911
- 2910 naked_cape
2912
- 2911 naked_coat
2913
- 2912 naked_hoodie
2914
- 2913 naked_jacket
2915
- 2914 naked_kimono
2916
- 2915 naked_overalls
2917
- 2916 naked_ribbon
2918
- 2917 naked_shirt
2919
- 2918 naked_sweater
2920
- 2919 naked_towel
2921
- 2920 name_connection
2922
- 2921 name_tag
2923
- 2922 nape
2924
- 2923 narrow_waist
2925
- 2924 narrowed_eyes
2926
- 2925 native_american
2927
- 2926 nature
2928
- 2927 naughty_face
2929
- 2928 naval_uniform
2930
- 2929 navel
2931
- 2930 navel_cutout
2932
- 2931 navel_piercing
2933
- 2932 neck
2934
- 2933 neck_bell
2935
- 2934 neck_fur
2936
- 2935 neck_ribbon
2937
- 2936 neck_ring
2938
- 2937 neck_tattoo
2939
- 2938 neckerchief
2940
- 2939 necklace
2941
- 2940 necktie
2942
- 2941 necktie_between_breasts
2943
- 2942 necrophilia
2944
- 2943 needle
2945
- 2944 negligee
2946
- 2945 nekomata
2947
- 2946 neon_lights
2948
- 2947 neon_trim
2949
- 2948 nervous
2950
- 2949 nervous_smile
2951
- 2950 nervous_sweating
2952
- 2951 netorare
2953
- 2952 netorase
2954
- 2953 new_year
2955
- 2954 newhalf
2956
- 2955 newhalf_with_male
2957
- 2956 newspaper
2958
- 2957 night
2959
- 2958 night_sky
2960
- 2959 nightgown
2961
- 2960 ninja
2962
- 2961 nipple_bar
2963
- 2962 nipple_chain
2964
- 2963 nipple_clamps
2965
- 2964 nipple_cutout
2966
- 2965 nipple_penetration
2967
- 2966 nipple_piercing
2968
- 2967 nipple_pull
2969
- 2968 nipple_rings
2970
- 2969 nipple_slip
2971
- 2970 nipple_stimulation
2972
- 2971 nipple_tweak
2973
- 2972 nippleless_clothes
2974
- 2973 nipples
2975
- 2974 no_bra
2976
- 2975 no_eyes
2977
- 2976 no_headwear
2978
- 2977 no_humans
2979
- 2978 no_legwear
2980
- 2979 no_mouth
2981
- 2980 no_nipples
2982
- 2981 no_nose
2983
- 2982 no_panties
2984
- 2983 no_pants
2985
- 2984 no_pupils
2986
- 2985 no_pussy
2987
- 2986 no_shirt
2988
- 2987 no_shoes
2989
- 2988 no_socks
2990
- 2989 no_testicles
2991
- 2990 nontraditional_miko
2992
- 2991 nontraditional_playboy_bunny
2993
- 2992 noodles
2994
- 2993 nose
2995
- 2994 nose_blush
2996
- 2995 nose_bubble
2997
- 2996 nose_piercing
2998
- 2997 nose_ring
2999
- 2998 nosebleed
3000
- 2999 nostrils
3001
- 3000 notebook
3002
- 3001 notice_lines
3003
- 3002 novelty_censor
3004
- 3003 npc_trainer
3005
- 3004 nude
3006
- 3005 nude_cover
3007
- 3006 nudist
3008
- 3007 number_tattoo
3009
- 3008 nun
3010
- 3009 nurse
3011
- 3010 nurse_cap
3012
- 3011 nursing_handjob
3013
- 3012 o-ring
3014
- 3013 o-ring_bikini
3015
- 3014 o-ring_bottom
3016
- 3015 o-ring_choker
3017
- 3016 o-ring_thigh_strap
3018
- 3017 o-ring_top
3019
- 3018 o_o
3020
- 3019 obi
3021
- 3020 obijime
3022
- 3021 object_insertion
3023
- 3022 object_on_head
3024
- 3023 ocean
3025
- 3024 octoling
3026
- 3025 octopus
3027
- 3026 oekaki
3028
- 3027 off-shoulder
3029
- 3028 off-shoulder_bikini
3030
- 3029 off-shoulder_dress
3031
- 3030 off-shoulder_jacket
3032
- 3031 off-shoulder_shirt
3033
- 3032 off-shoulder_sweater
3034
- 3033 off_shoulder
3035
- 3034 office
3036
- 3035 office_chair
3037
- 3036 office_lady
3038
- 3037 official_alternate_costume
3039
- 3038 official_alternate_hairstyle
3040
- 3039 official_style
3041
- 3040 ofuda
3042
- 3041 oil-paper_umbrella
3043
- 3042 ok_sign
3044
- 3043 old
3045
- 3044 old_man
3046
- 3045 old_school_swimsuit
3047
- 3046 older_man_and_younger_girl
3048
- 3047 older_woman_and_younger_girl
3049
- 3048 older_woman_and_younger_man
3050
- 3049 oldschool
3051
- 3050 on_back
3052
- 3051 on_bed
3053
- 3052 on_bench
3054
- 3053 on_chair
3055
- 3054 on_couch
3056
- 3055 on_desk
3057
- 3056 on_floor
3058
- 3057 on_grass
3059
- 3058 on_ground
3060
- 3059 on_head
3061
- 3060 on_lap
3062
- 3061 on_one_knee
3063
- 3062 on_person
3064
- 3063 on_side
3065
- 3064 on_stomach
3066
- 3065 on_table
3067
- 3066 one-eyed
3068
- 3067 one-hour_drawing_challenge
3069
- 3068 one-piece_swimsuit
3070
- 3069 one-piece_swimsuit_pull
3071
- 3070 one-piece_tan
3072
- 3071 one_breast_out
3073
- 3072 one_eye_closed
3074
- 3073 one_eye_covered
3075
- 3074 one_side_up
3076
- 3075 onee-loli
3077
- 3076 onee-shota
3078
- 3077 oni
3079
- 3078 onii-shota
3080
- 3079 onlookers
3081
- 3080 onsen
3082
- 3081 ooarai_school_uniform
3083
- 3082 opaque_glasses
3084
- 3083 open-chest_sweater
3085
- 3084 open_belt
3086
- 3085 open_bodysuit
3087
- 3086 open_book
3088
- 3087 open_bra
3089
- 3088 open_cardigan
3090
- 3089 open_clothes
3091
- 3090 open_coat
3092
- 3091 open_door
3093
- 3092 open_dress
3094
- 3093 open_fly
3095
- 3094 open_hand
3096
- 3095 open_hands
3097
- 3096 open_hoodie
3098
- 3097 open_jacket
3099
- 3098 open_kimono
3100
- 3099 open_mouth
3101
- 3100 open_pants
3102
- 3101 open_shirt
3103
- 3102 open_shoes
3104
- 3103 open_shorts
3105
- 3104 open_skirt
3106
- 3105 open_vest
3107
- 3106 opening_door
3108
- 3107 oppai_loli
3109
- 3108 oral
3110
- 3109 oral_invitation
3111
- 3110 orange-tinted_eyewear
3112
- 3111 orange_(fruit)
3113
- 3112 orange_background
3114
- 3113 orange_bikini
3115
- 3114 orange_bow
3116
- 3115 orange_dress
3117
- 3116 orange_eyes
3118
- 3117 orange_footwear
3119
- 3118 orange_fur
3120
- 3119 orange_gloves
3121
- 3120 orange_hair
3122
- 3121 orange_hairband
3123
- 3122 orange_jacket
3124
- 3123 orange_nails
3125
- 3124 orange_necktie
3126
- 3125 orange_panties
3127
- 3126 orange_ribbon
3128
- 3127 orange_scrunchie
3129
- 3128 orange_shirt
3130
- 3129 orange_shorts
3131
- 3130 orange_skin
3132
- 3131 orange_skirt
3133
- 3132 orange_sky
3134
- 3133 orange_thighhighs
3135
- 3134 orb
3136
- 3135 orc
3137
- 3136 orgasm
3138
- 3137 orgy
3139
- 3138 oripathy_lesion_(arknights)
3140
- 3139 out-of-frame_censoring
3141
- 3140 out_of_frame
3142
- 3141 outdoors
3143
- 3142 outie_navel
3144
- 3143 outline
3145
- 3144 outside_border
3146
- 3145 outstretched_arm
3147
- 3146 outstretched_arms
3148
- 3147 outstretched_hand
3149
- 3148 ovaries
3150
- 3149 over-kneehighs
3151
- 3150 over-rim_eyewear
3152
- 3151 over_shoulder
3153
- 3152 overalls
3154
- 3153 overcast
3155
- 3154 overgrown
3156
- 3155 oversized_animal
3157
- 3156 oversized_clothes
3158
- 3157 oversized_object
3159
- 3158 oversized_shirt
3160
- 3159 ovum
3161
- 3160 own_hands_clasped
3162
- 3161 own_hands_together
3163
- 3162 oyakodon_(sex)
3164
- 3163 pacifier
3165
- 3164 padlock
3166
- 3165 page_number
3167
- 3166 pain
3168
- 3167 paint
3169
- 3168 paintbrush
3170
- 3169 painting_(object)
3171
- 3170 paizuri
3172
- 3171 paizuri_invitation
3173
- 3172 paizuri_under_clothes
3174
- 3173 pajamas
3175
- 3174 pale_skin
3176
- 3175 palm_leaf
3177
- 3176 palm_tree
3178
- 3177 pancake
3179
- 3178 panda
3180
- 3179 panels
3181
- 3180 panties
3182
- 3181 panties_around_ankles
3183
- 3182 panties_around_leg
3184
- 3183 panties_aside
3185
- 3184 panties_on_head
3186
- 3185 panties_on_penis
3187
- 3186 panties_only
3188
- 3187 panties_over_garter_belt
3189
- 3188 panties_under_pantyhose
3190
- 3189 pants
3191
- 3190 pants_around_one_leg
3192
- 3191 pants_pull
3193
- 3192 panty_peek
3194
- 3193 panty_pull
3195
- 3194 panty_straps
3196
- 3195 pantyhose
3197
- 3196 pantyhose_pull
3198
- 3197 pantyhose_under_shorts
3199
- 3198 pantyhose_under_swimsuit
3200
- 3199 pantylines
3201
- 3200 pantyshot
3202
- 3201 paper
3203
- 3202 paper_bag
3204
- 3203 paper_fan
3205
- 3204 paper_lantern
3206
- 3205 parasol
3207
- 3206 park
3208
- 3207 park_bench
3209
- 3208 parody
3210
- 3209 parted_bangs
3211
- 3210 parted_hair
3212
- 3211 parted_lips
3213
- 3212 partially_colored
3214
- 3213 partially_fingerless_gloves
3215
- 3214 partially_submerged
3216
- 3215 partially_unbuttoned
3217
- 3216 partially_underwater_shot
3218
- 3217 partially_undressed
3219
- 3218 partially_unzipped
3220
- 3219 partially_visible_anus
3221
- 3220 partially_visible_vulva
3222
- 3221 pasties
3223
- 3222 patent_heels
3224
- 3223 path
3225
- 3224 patreon_logo
3226
- 3225 patreon_username
3227
- 3226 patterned_legwear
3228
- 3227 pauldrons
3229
- 3228 pavement
3230
- 3229 paw_gloves
3231
- 3230 paw_pose
3232
- 3231 paw_print
3233
- 3232 paw_shoes
3234
- 3233 pawpads
3235
- 3234 peace_symbol
3236
- 3235 peach
3237
- 3236 peaked_cap
3238
- 3237 pearl_earrings
3239
- 3238 pearl_necklace
3240
- 3239 pectorals
3241
- 3240 pee
3242
- 3241 pee_stain
3243
- 3242 peeing
3244
- 3243 peeing_self
3245
- 3244 peeking
3246
- 3245 peeking_out
3247
- 3246 pegging
3248
- 3247 pelvic_curtain
3249
- 3248 pen
3250
- 3249 pencil
3251
- 3250 pencil_skirt
3252
- 3251 pendant
3253
- 3252 pendant_choker
3254
- 3253 pendulum
3255
- 3254 penguin
3256
- 3255 penis
3257
- 3256 penis_awe
3258
- 3257 penis_grab
3259
- 3258 penis_in_panties
3260
- 3259 penis_milking
3261
- 3260 penis_on_ass
3262
- 3261 penis_on_face
3263
- 3262 penis_on_head
3264
- 3263 penis_on_stomach
3265
- 3264 penis_out
3266
- 3265 penis_over_eyes
3267
- 3266 penis_peek
3268
- 3267 penis_ribbon
3269
- 3268 penis_shadow
3270
- 3269 penis_size_difference
3271
- 3270 penis_to_breast
3272
- 3271 penis_under_another's_clothes
3273
- 3272 penises_touching
3274
- 3273 pentagram
3275
- 3274 people
3276
- 3275 peril
3277
- 3276 perineum
3278
- 3277 perky_breasts
3279
- 3278 perpendicular_paizuri
3280
- 3279 personification
3281
- 3280 perspective
3282
- 3281 pervert
3283
- 3282 pet_bowl
3284
- 3283 pet_play
3285
- 3284 petals
3286
- 3285 petite
3287
- 3286 petticoat
3288
- 3287 phallic_symbol
3289
- 3288 phimosis
3290
- 3289 phone
3291
- 3290 photo_(object)
3292
- 3291 photo_background
3293
- 3292 piano
3294
- 3293 pickaxe
3295
- 3294 picture_frame
3296
- 3295 pier
3297
- 3296 piercing
3298
- 3297 pig
3299
- 3298 pig_ears
3300
- 3299 pigeon-toed
3301
- 3300 piledriver_(sex)
3302
- 3301 pill
3303
- 3302 pillar
3304
- 3303 pillarboxed
3305
- 3304 pillory
3306
- 3305 pillow
3307
- 3306 pillow_grab
3308
- 3307 pillow_hug
3309
- 3308 pilot_suit
3310
- 3309 pimp
3311
- 3310 pinafore_dress
3312
- 3311 pince-nez
3313
- 3312 pinching
3314
- 3313 pine_tree
3315
- 3314 pink-framed_eyewear
3316
- 3315 pink-tinted_eyewear
3317
- 3316 pink_background
3318
- 3317 pink_bikini
3319
- 3318 pink_bodysuit
3320
- 3319 pink_bow
3321
- 3320 pink_bowtie
3322
- 3321 pink_bra
3323
- 3322 pink_camisole
3324
- 3323 pink_cardigan
3325
- 3324 pink_choker
3326
- 3325 pink_collar
3327
- 3326 pink_dress
3328
- 3327 pink_eyes
3329
- 3328 pink_eyeshadow
3330
- 3329 pink_flower
3331
- 3330 pink_footwear
3332
- 3331 pink_fur
3333
- 3332 pink_gloves
3334
- 3333 pink_hair
3335
- 3334 pink_hairband
3336
- 3335 pink_halo
3337
- 3336 pink_hat
3338
- 3337 pink_hoodie
3339
- 3338 pink_jacket
3340
- 3339 pink_kimono
3341
- 3340 pink_leotard
3342
- 3341 pink_lips
3343
- 3342 pink_nails
3344
- 3343 pink_neckerchief
3345
- 3344 pink_necktie
3346
- 3345 pink_one-piece_swimsuit
3347
- 3346 pink_pajamas
3348
- 3347 pink_panties
3349
- 3348 pink_pants
3350
- 3349 pink_pantyhose
3351
- 3350 pink_pupils
3352
- 3351 pink_ribbon
3353
- 3352 pink_rose
3354
- 3353 pink_scarf
3355
- 3354 pink_scrunchie
3356
- 3355 pink_shirt
3357
- 3356 pink_shorts
3358
- 3357 pink_skin
3359
- 3358 pink_skirt
3360
- 3359 pink_socks
3361
- 3360 pink_sweater
3362
- 3361 pink_theme
3363
- 3362 pink_thighhighs
3364
- 3363 pinky_out
3365
- 3364 pinned
3366
- 3365 pinstripe_pattern
3367
- 3366 pinup_(style)
3368
- 3367 pirate
3369
- 3368 pirate_hat
3370
- 3369 pistol
3371
- 3370 pixel_art
3372
- 3371 pixie_cut
3373
- 3372 pixiv_id
3374
- 3373 pixiv_username
3375
- 3374 pizza
3376
- 3375 plaid_bikini
3377
- 3376 plaid_bow
3378
- 3377 plaid_clothes
3379
- 3378 plaid_panties
3380
- 3379 plaid_scarf
3381
- 3380 plaid_shirt
3382
- 3381 plaid_skirt
3383
- 3382 plaid_vest
3384
- 3383 planet
3385
- 3384 plant
3386
- 3385 plant_girl
3387
- 3386 plantar_flexion
3388
- 3387 planted
3389
- 3388 planted_sword
3390
- 3389 planted_weapon
3391
- 3390 plap
3392
- 3391 plastic_bag
3393
- 3392 plate
3394
- 3393 platform_footwear
3395
- 3394 platform_heels
3396
- 3395 playboy_bunny
3397
- 3396 playground
3398
- 3397 playing_card
3399
- 3398 playing_games
3400
- 3399 playing_instrument
3401
- 3400 playing_sports
3402
- 3401 playing_with_own_hair
3403
- 3402 playstation_controller
3404
- 3403 pleated_dress
3405
- 3404 pleated_skirt
3406
- 3405 plugsuit
3407
- 3406 plum_blossoms
3408
- 3407 plump
3409
- 3408 plunging_neckline
3410
- 3409 pocket
3411
- 3410 pocky
3412
- 3411 pointer
3413
- 3412 pointing
3414
- 3413 pointing_at_self
3415
- 3414 pointing_at_viewer
3416
- 3415 pointing_up
3417
- 3416 pointless_censoring
3418
- 3417 pointless_condom
3419
- 3418 pointy_ears
3420
- 3419 poke_ball
3421
- 3420 poke_ball_(basic)
3422
- 3421 poke_ball_print
3423
- 3422 poke_ball_symbol
3424
- 3423 pokemon_(creature)
3425
- 3424 pokephilia
3426
- 3425 poker_chip
3427
- 3426 poking
3428
- 3427 pole
3429
- 3428 pole_dancing
3430
- 3429 polearm
3431
- 3430 police
3432
- 3431 police_hat
3433
- 3432 police_uniform
3434
- 3433 policewoman
3435
- 3434 polka_dot
3436
- 3435 polka_dot_background
3437
- 3436 polka_dot_bikini
3438
- 3437 polka_dot_bow
3439
- 3438 polka_dot_bra
3440
- 3439 polka_dot_panties
3441
- 3440 polka_dot_swimsuit
3442
- 3441 pom_pom_(cheerleading)
3443
- 3442 pom_pom_(clothes)
3444
- 3443 pom_pom_hair_ornament
3445
- 3444 pom_poms
3446
- 3445 pond
3447
- 3446 ponytail
3448
- 3447 pool
3449
- 3448 pool_ladder
3450
- 3449 poolside
3451
- 3450 popped_collar
3452
- 3451 popsicle
3453
- 3452 porkpie_hat
3454
- 3453 pornography
3455
- 3454 portal_(object)
3456
- 3455 portrait
3457
- 3456 post-apocalypse
3458
- 3457 poster_(medium)
3459
- 3458 poster_(object)
3460
- 3459 potato_chips
3461
- 3460 potted_plant
3462
- 3461 pouch
3463
- 3462 pouring
3464
- 3463 pouring_onto_self
3465
- 3464 pout
3466
- 3465 pov
3467
- 3466 pov_crotch
3468
- 3467 pov_doorway
3469
- 3468 pov_hands
3470
- 3469 power_armor
3471
- 3470 power_lines
3472
- 3471 power_symbol
3473
- 3472 power_symbol-shaped_pupils
3474
- 3473 prayer_beads
3475
- 3474 precum
3476
- 3475 precum_string
3477
- 3476 predicament_bondage
3478
- 3477 pregnancy_test
3479
- 3478 pregnant
3480
- 3479 pregnant_loli
3481
- 3480 prehensile_hair
3482
- 3481 prehensile_tail
3483
- 3482 presenting
3484
- 3483 presenting_anus
3485
- 3484 presenting_armpit
3486
- 3485 presenting_foot
3487
- 3486 presenting_pussy
3488
- 3487 price
3489
- 3488 princess
3490
- 3489 princess_carry
3491
- 3490 print_bikini
3492
- 3491 print_bra
3493
- 3492 print_dress
3494
- 3493 print_gloves
3495
- 3494 print_kimono
3496
- 3495 print_panties
3497
- 3496 print_pantyhose
3498
- 3497 print_shirt
3499
- 3498 print_swimsuit
3500
- 3499 print_thighhighs
3501
- 3500 prison
3502
- 3501 product_girl
3503
- 3502 product_placement
3504
- 3503 profanity
3505
- 3504 profile
3506
- 3505 projectile_cum
3507
- 3506 projectile_lactation
3508
- 3507 prolapse
3509
- 3508 prone_bone
3510
- 3509 prostate_milking
3511
- 3510 prosthesis
3512
- 3511 prosthetic_arm
3513
- 3512 prostitution
3514
- 3513 pubic_hair
3515
- 3514 pubic_hair_peek
3516
- 3515 pubic_stubble
3517
- 3516 pubic_tattoo
3518
- 3517 public_indecency
3519
- 3518 public_nudity
3520
- 3519 public_use
3521
- 3520 public_vibrator
3522
- 3521 puckered_anus
3523
- 3522 puckered_lips
3524
- 3523 puddle
3525
- 3524 puff_of_air
3526
- 3525 puffy_areolae
3527
- 3526 puffy_chest
3528
- 3527 puffy_long_sleeves
3529
- 3528 puffy_nipples
3530
- 3529 puffy_short_sleeves
3531
- 3530 puffy_sleeves
3532
- 3531 pulling
3533
- 3532 pulling_another's_clothes
3534
- 3533 pulling_own_clothes
3535
- 3534 pumpkin
3536
- 3535 pumps
3537
- 3536 pun
3538
- 3537 punching
3539
- 3538 purple-tinted_eyewear
3540
- 3539 purple_background
3541
- 3540 purple_bikini
3542
- 3541 purple_bodysuit
3543
- 3542 purple_bow
3544
- 3543 purple_bowtie
3545
- 3544 purple_bra
3546
- 3545 purple_cape
3547
- 3546 purple_choker
3548
- 3547 purple_dress
3549
- 3548 purple_eyes
3550
- 3549 purple_eyeshadow
3551
- 3550 purple_flower
3552
- 3551 purple_footwear
3553
- 3552 purple_fur
3554
- 3553 purple_gloves
3555
- 3554 purple_hair
3556
- 3555 purple_hairband
3557
- 3556 purple_halo
3558
- 3557 purple_hat
3559
- 3558 purple_jacket
3560
- 3559 purple_kimono
3561
- 3560 purple_leotard
3562
- 3561 purple_lips
3563
- 3562 purple_nails
3564
- 3563 purple_necktie
3565
- 3564 purple_one-piece_swimsuit
3566
- 3565 purple_panties
3567
- 3566 purple_pants
3568
- 3567 purple_pantyhose
3569
- 3568 purple_ribbon
3570
- 3569 purple_rose
3571
- 3570 purple_shirt
3572
- 3571 purple_shorts
3573
- 3572 purple_skin
3574
- 3573 purple_skirt
3575
- 3574 purple_sky
3576
- 3575 purple_sleeves
3577
- 3576 purple_sweater
3578
- 3577 purple_theme
3579
- 3578 purple_thighhighs
3580
- 3579 purple_wings
3581
- 3580 pursed_lips
3582
- 3581 pussy
3583
- 3582 pussy_juice
3584
- 3583 pussy_juice_drip
3585
- 3584 pussy_juice_drip_through_clothes
3586
- 3585 pussy_juice_puddle
3587
- 3586 pussy_juice_stain
3588
- 3587 pussy_juice_trail
3589
- 3588 pussy_peek
3590
- 3589 pussy_piercing
3591
- 3590 qingdai_guanmao
3592
- 3591 quad_tails
3593
- 3592 quadruple_amputee
3594
- 3593 queen
3595
- 3594 quiver
3596
- 3595 rabbit
3597
- 3596 rabbit_boy
3598
- 3597 rabbit_ears
3599
- 3598 rabbit_girl
3600
- 3599 rabbit_hair_ornament
3601
- 3600 rabbit_pose
3602
- 3601 rabbit_print
3603
- 3602 rabbit_tail
3604
- 3603 raccoon_ears
3605
- 3604 raccoon_girl
3606
- 3605 raccoon_tail
3607
- 3606 race_queen
3608
- 3607 race_vehicle
3609
- 3608 racecar
3610
- 3609 racket
3611
- 3610 raglan_sleeves
3612
- 3611 railing
3613
- 3612 railroad_tracks
3614
- 3613 rain
3615
- 3614 rainbow
3616
- 3615 raincoat
3617
- 3616 raised_eyebrow
3618
- 3617 raised_eyebrows
3619
- 3618 randoseru
3620
- 3619 ranguage
3621
- 3620 rape
3622
- 3621 rapier
3623
- 3622 reach-around
3624
- 3623 reaching
3625
- 3624 reaching_towards_viewer
3626
- 3625 reading
3627
- 3626 real_life_insert
3628
- 3627 real_world_location
3629
- 3628 realistic
3630
- 3629 reclining
3631
- 3630 recording
3632
- 3631 rectangular_eyewear
3633
- 3632 red-framed_eyewear
3634
- 3633 red-tinted_eyewear
3635
- 3634 red_ascot
3636
- 3635 red_background
3637
- 3636 red_bag
3638
- 3637 red_bandana
3639
- 3638 red_belt
3640
- 3639 red_bikini
3641
- 3640 red_bodysuit
3642
- 3641 red_bow
3643
- 3642 red_bowtie
3644
- 3643 red_bra
3645
- 3644 red_buruma
3646
- 3645 red_cape
3647
- 3646 red_capelet
3648
- 3647 red_choker
3649
- 3648 red_coat
3650
- 3649 red_collar
3651
- 3650 red_dress
3652
- 3651 red_eyeliner
3653
- 3652 red_eyes
3654
- 3653 red_eyeshadow
3655
- 3654 red_flower
3656
- 3655 red_footwear
3657
- 3656 red_fur
3658
- 3657 red_gemstone
3659
- 3658 red_gloves
3660
- 3659 red_hair
3661
- 3660 red_hairband
3662
- 3661 red_hakama
3663
- 3662 red_halo
3664
- 3663 red_hat
3665
- 3664 red_headband
3666
- 3665 red_hoodie
3667
- 3666 red_horns
3668
- 3667 red_jacket
3669
- 3668 red_kimono
3670
- 3669 red_leotard
3671
- 3670 red_lips
3672
- 3671 red_nails
3673
- 3672 red_neckerchief
3674
- 3673 red_necktie
3675
- 3674 red_one-piece_swimsuit
3676
- 3675 red_panties
3677
- 3676 red_pants
3678
- 3677 red_pantyhose
3679
- 3678 red_pupils
3680
- 3679 red_ribbon
3681
- 3680 red_rope
3682
- 3681 red_rose
3683
- 3682 red_sailor_collar
3684
- 3683 red_scarf
3685
- 3684 red_sclera
3686
- 3685 red_scrunchie
3687
- 3686 red_shirt
3688
- 3687 red_shorts
3689
- 3688 red_skin
3690
- 3689 red_skirt
3691
- 3690 red_sky
3692
- 3691 red_sleeves
3693
- 3692 red_socks
3694
- 3693 red_sweater
3695
- 3694 red_theme
3696
- 3695 red_thighhighs
3697
- 3696 red_vest
3698
- 3697 red_wings
3699
- 3698 reference_inset
3700
- 3699 reflection
3701
- 3700 reflective_floor
3702
- 3701 reflective_water
3703
- 3702 refrigerator
3704
- 3703 rei_no_himo
3705
- 3704 rei_no_pool
3706
- 3705 reindeer_antlers
3707
- 3706 remote_control
3708
- 3707 remote_control_vibrator
3709
- 3708 reptile_girl
3710
- 3709 restaurant
3711
- 3710 restrained
3712
- 3711 restroom
3713
- 3712 retro_artstyle
3714
- 3713 revealing_clothes
3715
- 3714 reverse_bunnysuit
3716
- 3715 reverse_cowgirl_position
3717
- 3716 reverse_fellatio
3718
- 3717 reverse_grip
3719
- 3718 reverse_outfit
3720
- 3719 reverse_spitroast
3721
- 3720 reverse_suspended_congress
3722
- 3721 reverse_trap
3723
- 3722 reverse_upright_straddle
3724
- 3723 revolver
3725
- 3724 ribbed_dress
3726
- 3725 ribbed_legwear
3727
- 3726 ribbed_leotard
3728
- 3727 ribbed_shirt
3729
- 3728 ribbed_sleeves
3730
- 3729 ribbed_sweater
3731
- 3730 ribbon
3732
- 3731 ribbon-trimmed_legwear
3733
- 3732 ribbon-trimmed_sleeves
3734
- 3733 ribbon_bondage
3735
- 3734 ribbon_choker
3736
- 3735 ribbon_hair
3737
- 3736 ribbon_trim
3738
- 3737 ribs
3739
- 3738 rice
3740
- 3739 rice_paddy
3741
- 3740 riding
3742
- 3741 riding_crop
3743
- 3742 rifle
3744
- 3743 rimless_eyewear
3745
- 3744 ring
3746
- 3745 ring_gag
3747
- 3746 ringed_eyes
3748
- 3747 ringlets
3749
- 3748 ripples
3750
- 3749 river
3751
- 3750 road
3752
- 3751 road_sign
3753
- 3752 robe
3754
- 3753 robot
3755
- 3754 robot_ears
3756
- 3755 robot_joints
3757
- 3756 rock
3758
- 3757 rolling_eyes
3759
- 3758 romaji_text
3760
- 3759 rooftop
3761
- 3760 room
3762
- 3761 roomscape
3763
- 3762 rope
3764
- 3763 rose
3765
- 3764 rose_petals
3766
- 3765 rough_sex
3767
- 3766 round_eyewear
3768
- 3767 round_teeth
3769
- 3768 rubber_duck
3770
- 3769 rubbing
3771
- 3770 rubbing_eyes
3772
- 3771 rubble
3773
- 3772 rug
3774
- 3773 ruins
3775
- 3774 ruler
3776
- 3775 running
3777
- 3776 running_bond
3778
- 3777 runny_makeup
3779
- 3778 rural
3780
- 3779 russian_text
3781
- 3780 ryona
3782
- 3781 sack
3783
- 3782 sad
3784
- 3783 sadism
3785
- 3784 safety_pin
3786
- 3785 sagging_breasts
3787
- 3786 sagging_testicles
3788
- 3787 sailor_collar
3789
- 3788 sailor_dress
3790
- 3789 sailor_hat
3791
- 3790 sailor_shirt
3792
- 3791 sakazuki
3793
- 3792 sake
3794
- 3793 sake_bottle
3795
- 3794 saliva
3796
- 3795 saliva_trail
3797
- 3796 salute
3798
- 3797 same-sex_bathing
3799
- 3798 sample_watermark
3800
- 3799 sand
3801
- 3800 sandals
3802
- 3801 sandwich
3803
- 3802 sandwiched
3804
- 3803 sanpaku
3805
- 3804 santa_bikini
3806
- 3805 santa_costume
3807
- 3806 santa_dress
3808
- 3807 santa_hat
3809
- 3808 sarashi
3810
- 3809 sarong
3811
- 3810 sash
3812
- 3811 saucer
3813
- 3812 sauna
3814
- 3813 scabbard
3815
- 3814 scales
3816
- 3815 scar
3817
- 3816 scar_across_eye
3818
- 3817 scar_on_arm
3819
- 3818 scar_on_cheek
3820
- 3819 scar_on_chest
3821
- 3820 scar_on_face
3822
- 3821 scar_on_nose
3823
- 3822 scar_on_stomach
3824
- 3823 scared
3825
- 3824 scarf
3826
- 3825 scene_reference
3827
- 3826 scenery
3828
- 3827 school
3829
- 3828 school_bag
3830
- 3829 school_chair
3831
- 3830 school_desk
3832
- 3831 school_hat
3833
- 3832 school_swimsuit
3834
- 3833 school_uniform
3835
- 3834 science_fiction
3836
- 3835 scissors
3837
- 3836 scope
3838
- 3837 scowl
3839
- 3838 scratches
3840
- 3839 screaming
3841
- 3840 screen
3842
- 3841 scroll
3843
- 3842 scrunchie
3844
- 3843 scythe
3845
- 3844 seagull
3846
- 3845 seamed_legwear
3847
- 3846 seashell
3848
- 3847 seductive_smile
3849
- 3848 see-through
3850
- 3849 see-through_cleavage
3851
- 3850 see-through_dress
3852
- 3851 see-through_legwear
3853
- 3852 see-through_leotard
3854
- 3853 see-through_shirt
3855
- 3854 see-through_silhouette
3856
- 3855 see-through_skirt
3857
- 3856 see-through_sleeves
3858
- 3857 seiza
3859
- 3858 selfcest
3860
- 3859 selfie
3861
- 3860 semi-rimless_eyewear
3862
- 3861 sepia
3863
- 3862 sequential
3864
- 3863 serafuku
3865
- 3864 serious
3866
- 3865 sex
3867
- 3866 sex_ed
3868
- 3867 sex_from_behind
3869
- 3868 sex_machine
3870
- 3869 sex_slave
3871
- 3870 sex_toy
3872
- 3871 sexual_coaching
3873
- 3872 sexually_suggestive
3874
- 3873 shackles
3875
- 3874 shade
3876
- 3875 shaded_face
3877
- 3876 shading_eyes
3878
- 3877 shadow
3879
- 3878 shaking
3880
- 3879 shallow_water
3881
- 3880 shared_bathing
3882
- 3881 shared_object_insertion
3883
- 3882 shark
3884
- 3883 shark_girl
3885
- 3884 shark_hair_ornament
3886
- 3885 shark_hood
3887
- 3886 shark_tail
3888
- 3887 sharp_fingernails
3889
- 3888 sharp_teeth
3890
- 3889 sharp_toenails
3891
- 3890 shawl
3892
- 3891 sheath
3893
- 3892 sheathed
3894
- 3893 sheep
3895
- 3894 sheep_ears
3896
- 3895 sheep_girl
3897
- 3896 sheep_horns
3898
- 3897 sheet_grab
3899
- 3898 sheikah
3900
- 3899 shelf
3901
- 3900 shell
3902
- 3901 shell_casing
3903
- 3902 shibari
3904
- 3903 shibari_over_clothes
3905
- 3904 shide
3906
- 3905 shield
3907
- 3906 shimaidon_(sex)
3908
- 3907 shimakaze_(kancolle)_(cosplay)
3909
- 3908 shimenawa
3910
- 3909 shiny_clothes
3911
- 3910 shiny_pokemon
3912
- 3911 shiny_skin
3913
- 3912 ship
3914
- 3913 shirt
3915
- 3914 shirt_in_mouth
3916
- 3915 shirt_lift
3917
- 3916 shirt_pull
3918
- 3917 shirt_tucked_in
3919
- 3918 shirt_tug
3920
- 3919 shoe_dangle
3921
- 3920 shoe_soles
3922
- 3921 shoes
3923
- 3922 shooting_star
3924
- 3923 shop
3925
- 3924 shopping_bag
3926
- 3925 shore
3927
- 3926 short_dress
3928
- 3927 short_eyebrows
3929
- 3928 short_hair
3930
- 3929 short_hair_with_long_locks
3931
- 3930 short_kimono
3932
- 3931 short_necktie
3933
- 3932 short_over_long_sleeves
3934
- 3933 short_ponytail
3935
- 3934 short_shorts
3936
- 3935 short_sleeves
3937
- 3936 short_twintails
3938
- 3937 shorts
3939
- 3938 shorts_around_one_leg
3940
- 3939 shorts_aside
3941
- 3940 shorts_pull
3942
- 3941 shorts_under_skirt
3943
- 3942 shortstack
3944
- 3943 shota
3945
- 3944 shotadom
3946
- 3945 shotgun
3947
- 3946 shouji
3948
- 3947 shoulder_armor
3949
- 3948 shoulder_bag
3950
- 3949 shoulder_blades
3951
- 3950 shoulder_cutout
3952
- 3951 shoulder_pads
3953
- 3952 shoulder_tattoo
3954
- 3953 shouting
3955
- 3954 shovel
3956
- 3955 shower_(place)
3957
- 3956 shower_head
3958
- 3957 showering
3959
- 3958 showgirl_skirt
3960
- 3959 shrine
3961
- 3960 shrug_(clothing)
3962
- 3961 shuriken
3963
- 3962 shushing
3964
- 3963 shuuchiin_academy_school_uniform
3965
- 3964 shy
3966
- 3965 siblings
3967
- 3966 side-by-side
3968
- 3967 side-tie_bikini_bottom
3969
- 3968 side-tie_leotard
3970
- 3969 side-tie_panties
3971
- 3970 side_braid
3972
- 3971 side_braids
3973
- 3972 side_bun
3974
- 3973 side_cutout
3975
- 3974 side_ponytail
3976
- 3975 side_slit
3977
- 3976 sideboob
3978
- 3977 sideless_outfit
3979
- 3978 sidelighting
3980
- 3979 sidelocks
3981
- 3980 sidewalk
3982
- 3981 sideways_glance
3983
- 3982 sideways_mouth
3984
- 3983 sign
3985
- 3984 signature
3986
- 3985 silent_comic
3987
- 3986 silhouette
3988
- 3987 silk
3989
- 3988 silver_dress
3990
- 3989 simple_background
3991
- 3990 simple_bird
3992
- 3991 singing
3993
- 3992 single_bare_shoulder
3994
- 3993 single_braid
3995
- 3994 single_detached_sleeve
3996
- 3995 single_earring
3997
- 3996 single_elbow_glove
3998
- 3997 single_fingerless_glove
3999
- 3998 single_gauntlet
4000
- 3999 single_glove
4001
- 4000 single_hair_bun
4002
- 4001 single_hair_intake
4003
- 4002 single_horn
4004
- 4003 single_kneehigh
4005
- 4004 single_leg_pantyhose
4006
- 4005 single_mechanical_arm
4007
- 4006 single_pantsleg
4008
- 4007 single_pauldron
4009
- 4008 single_shoe
4010
- 4009 single_side_bun
4011
- 4010 single_sidelock
4012
- 4011 single_sleeve
4013
- 4012 single_sock
4014
- 4013 single_thighhigh
4015
- 4014 single_wing
4016
- 4015 sink
4017
- 4016 sisters
4018
- 4017 sitting
4019
- 4018 sitting_on_face
4020
- 4019 sitting_on_lap
4021
- 4020 sitting_on_object
4022
- 4021 sitting_on_person
4023
- 4022 size_difference
4024
- 4023 skates
4025
- 4024 skeleton
4026
- 4025 sketch
4027
- 4026 skin-covered_horns
4028
- 4027 skin_fang
4029
- 4028 skin_fangs
4030
- 4029 skin_tight
4031
- 4030 skindentation
4032
- 4031 skinny
4033
- 4032 skirt
4034
- 4033 skirt_around_belly
4035
- 4034 skirt_around_one_leg
4036
- 4035 skirt_hold
4037
- 4036 skirt_lift
4038
- 4037 skirt_pull
4039
- 4038 skirt_set
4040
- 4039 skirt_suit
4041
- 4040 skirt_tug
4042
- 4041 skull
4043
- 4042 skull_and_crossbones
4044
- 4043 skull_earrings
4045
- 4044 skull_hair_ornament
4046
- 4045 skull_print
4047
- 4046 sky
4048
- 4047 skyline
4049
- 4048 skyscraper
4050
- 4049 slap_mark
4051
- 4050 slave
4052
- 4051 sleep_molestation
4053
- 4052 sleeping
4054
- 4053 sleepwear
4055
- 4054 sleepy
4056
- 4055 sleeve_cuffs
4057
- 4056 sleeved_leotard
4058
- 4057 sleeveless
4059
- 4058 sleeveless_dress
4060
- 4059 sleeveless_jacket
4061
- 4060 sleeveless_kimono
4062
- 4061 sleeveless_shirt
4063
- 4062 sleeveless_sweater
4064
- 4063 sleeveless_turtleneck
4065
- 4064 sleeveless_turtleneck_leotard
4066
- 4065 sleeves_past_elbows
4067
- 4066 sleeves_past_fingers
4068
- 4067 sleeves_past_wrists
4069
- 4068 sleeves_pushed_up
4070
- 4069 sleeves_rolled_up
4071
- 4070 sliding_doors
4072
- 4071 slime_(creature)
4073
- 4072 slime_(substance)
4074
- 4073 slime_girl
4075
- 4074 slingshot_swimsuit
4076
- 4075 slippers
4077
- 4076 slit_pupils
4078
- 4077 small_areolae
4079
- 4078 small_breasts
4080
- 4079 small_nipples
4081
- 4080 small_penis
4082
- 4081 small_penis_humiliation
4083
- 4082 smaller_dominant
4084
- 4083 smartphone
4085
- 4084 smegma
4086
- 4085 smell
4087
- 4086 smelling
4088
- 4087 smelling_penis
4089
- 4088 smile
4090
- 4089 smirk
4091
- 4090 smoke
4092
- 4091 smoking
4093
- 4092 smoking_pipe
4094
- 4093 smug
4095
- 4094 snake
4096
- 4095 snake_earrings
4097
- 4096 snake_hair_ornament
4098
- 4097 snake_tail
4099
- 4098 sneakers
4100
- 4099 sniper_rifle
4101
- 4100 snot
4102
- 4101 snout
4103
- 4102 snow
4104
- 4103 snowflake_hair_ornament
4105
- 4104 snowflakes
4106
- 4105 snowing
4107
- 4106 soaking_feet
4108
- 4107 soap
4109
- 4108 soap_bubbles
4110
- 4109 soccer_ball
4111
- 4110 soccer_uniform
4112
- 4111 socks
4113
- 4112 soda_can
4114
- 4113 soldier
4115
- 4114 soles
4116
- 4115 solo
4117
- 4116 solo_focus
4118
- 4117 sound_effects
4119
- 4118 souryuu_asuka_langley_(cosplay)
4120
- 4119 space
4121
- 4120 spacecraft
4122
- 4121 spaghetti_strap
4123
- 4122 spandex
4124
- 4123 spanked
4125
- 4124 spanking
4126
- 4125 sparkle
4127
- 4126 sparkle_print
4128
- 4127 sparkling_eyes
4129
- 4128 sparse_pubic_hair
4130
- 4129 speaker
4131
- 4130 spear
4132
- 4131 speech_bubble
4133
- 4132 speed_lines
4134
- 4133 sperm_cell
4135
- 4134 sphere_earrings
4136
- 4135 spider
4137
- 4136 spider_girl
4138
- 4137 spider_web
4139
- 4138 spider_web_print
4140
- 4139 spiked_armlet
4141
- 4140 spiked_bracelet
4142
- 4141 spiked_choker
4143
- 4142 spiked_collar
4144
- 4143 spiked_hair
4145
- 4144 spiked_penis
4146
- 4145 spiked_shell
4147
- 4146 spiked_tail
4148
- 4147 spikes
4149
- 4148 spill
4150
- 4149 spilling
4151
- 4150 spitroast
4152
- 4151 splashing
4153
- 4152 split
4154
- 4153 split-color_hair
4155
- 4154 split_mouth
4156
- 4155 split_screen
4157
- 4156 spoken_anger_vein
4158
- 4157 spoken_blush
4159
- 4158 spoken_ellipsis
4160
- 4159 spoken_exclamation_mark
4161
- 4160 spoken_heart
4162
- 4161 spoken_interrobang
4163
- 4162 spoken_musical_note
4164
- 4163 spoken_question_mark
4165
- 4164 spoken_squiggle
4166
- 4165 sponge
4167
- 4166 spoon
4168
- 4167 spooning
4169
- 4168 sports_bikini
4170
- 4169 sports_bra
4171
- 4170 sports_bra_lift
4172
- 4171 sportswear
4173
- 4172 spot_color
4174
- 4173 spotlight
4175
- 4174 spread_anus
4176
- 4175 spread_arms
4177
- 4176 spread_ass
4178
- 4177 spread_legs
4179
- 4178 spread_pussy
4180
- 4179 spread_pussy_under_clothes
4181
- 4180 spread_toes
4182
- 4181 spreader_bar
4183
- 4182 squatting
4184
- 4183 squatting_cowgirl_position
4185
- 4184 squeans
4186
- 4185 squiggle
4187
- 4186 squirrel_ears
4188
- 4187 squirrel_girl
4189
- 4188 squirrel_tail
4190
- 4189 stadium
4191
- 4190 staff
4192
- 4191 stage
4193
- 4192 stage_lights
4194
- 4193 stain
4195
- 4194 stained_glass
4196
- 4195 stained_panties
4197
- 4196 stained_sheets
4198
- 4197 stairs
4199
- 4198 standing
4200
- 4199 standing_missionary
4201
- 4200 standing_on_one_leg
4202
- 4201 standing_sex
4203
- 4202 standing_split
4204
- 4203 star-shaped_pupils
4205
- 4204 star_(sky)
4206
- 4205 star_(symbol)
4207
- 4206 star_choker
4208
- 4207 star_earrings
4209
- 4208 star_hair_ornament
4210
- 4209 star_halo
4211
- 4210 star_in_eye
4212
- 4211 star_necklace
4213
- 4212 star_pasties
4214
- 4213 star_print
4215
- 4214 star_tattoo
4216
- 4215 starfish
4217
- 4216 staring
4218
- 4217 starry_background
4219
- 4218 starry_sky
4220
- 4219 stationary_restraints
4221
- 4220 statue
4222
- 4221 stealth_masturbation
4223
- 4222 stealth_sex
4224
- 4223 steam
4225
- 4224 steaming_body
4226
- 4225 stepped_on
4227
- 4226 stethoscope
4228
- 4227 stick
4229
- 4228 sticker
4230
- 4229 sticker_on_face
4231
- 4230 stiletto_heels
4232
- 4231 still_life
4233
- 4232 stirrup_legwear
4234
- 4233 stitches
4235
- 4234 stocks
4236
- 4235 stomach
4237
- 4236 stomach_bulge
4238
- 4237 stomach_cutout
4239
- 4238 stomach_tattoo
4240
- 4239 stone_floor
4241
- 4240 stone_lantern
4242
- 4241 stone_wall
4243
- 4242 stool
4244
- 4243 straddling
4245
- 4244 straddling_paizuri
4246
- 4245 straight-on
4247
- 4246 straight_hair
4248
- 4247 strangling
4249
- 4248 strap
4250
- 4249 strap-on
4251
- 4250 strap_between_breasts
4252
- 4251 strap_gap
4253
- 4252 strap_lift
4254
- 4253 strap_pull
4255
- 4254 strap_slip
4256
- 4255 strapless
4257
- 4256 strapless_bikini
4258
- 4257 strapless_bra
4259
- 4258 strapless_dress
4260
- 4259 strapless_leotard
4261
- 4260 strapless_one-piece_swimsuit
4262
- 4261 strapless_shirt
4263
- 4262 strappy_heels
4264
- 4263 straw_hat
4265
- 4264 strawberry
4266
- 4265 strawberry_panties
4267
- 4266 strawberry_print
4268
- 4267 stray_pubic_hair
4269
- 4268 streaked_hair
4270
- 4269 stream
4271
- 4270 streaming_tears
4272
- 4271 street
4273
- 4272 stretching
4274
- 4273 string
4275
- 4274 string_bikini
4276
- 4275 string_bra
4277
- 4276 string_panties
4278
- 4277 striped_background
4279
- 4278 striped_bikini
4280
- 4279 striped_bow
4281
- 4280 striped_bowtie
4282
- 4281 striped_bra
4283
- 4282 striped_clothes
4284
- 4283 striped_dress
4285
- 4284 striped_gloves
4286
- 4285 striped_horns
4287
- 4286 striped_jacket
4288
- 4287 striped_necktie
4289
- 4288 striped_panties
4290
- 4289 striped_pantyhose
4291
- 4290 striped_ribbon
4292
- 4291 striped_scarf
4293
- 4292 striped_shirt
4294
- 4293 striped_skirt
4295
- 4294 striped_sleeves
4296
- 4295 striped_socks
4297
- 4296 striped_sweater
4298
- 4297 striped_tail
4299
- 4298 striped_thighhighs
4300
- 4299 stripper_pole
4301
- 4300 struggling
4302
- 4301 stubble
4303
- 4302 stuck
4304
- 4303 stud_earrings
4305
- 4304 studded_belt
4306
- 4305 studded_bracelet
4307
- 4306 stuffed_animal
4308
- 4307 stuffed_rabbit
4309
- 4308 stuffed_toy
4310
- 4309 style_parody
4311
- 4310 stylus
4312
- 4311 submachine_gun
4313
- 4312 submerged
4314
- 4313 subtitled
4315
- 4314 suction_cups
4316
- 4315 suggestive_fluid
4317
- 4316 sugoi_dekai
4318
- 4317 suit
4319
- 4318 suit_jacket
4320
- 4319 suitcase
4321
- 4320 summer
4322
- 4321 summer_uniform
4323
- 4322 sun
4324
- 4323 sun_hat
4325
- 4324 sunbeam
4326
- 4325 sundress
4327
- 4326 sunflower
4328
- 4327 sunglasses
4329
- 4328 sunglasses_on_head
4330
- 4329 sunlight
4331
- 4330 sunrise
4332
- 4331 sunscreen
4333
- 4332 sunset
4334
- 4333 super_crown
4335
- 4334 super_saiyan
4336
- 4335 superhero_costume
4337
- 4336 surfboard
4338
- 4337 surgical_mask
4339
- 4338 surprised
4340
- 4339 surreal
4341
- 4340 surrounded_by_penises
4342
- 4341 suspended_congress
4343
- 4342 suspender_shorts
4344
- 4343 suspender_skirt
4345
- 4344 suspenders
4346
- 4345 suspension
4347
- 4346 sweat
4348
- 4347 sweatband
4349
- 4348 sweatdrop
4350
- 4349 sweater
4351
- 4350 sweater_around_waist
4352
- 4351 sweater_dress
4353
- 4352 sweater_lift
4354
- 4353 sweater_vest
4355
- 4354 sweatpants
4356
- 4355 sweaty_clothes
4357
- 4356 swept_bangs
4358
- 4357 swim_briefs
4359
- 4358 swim_ring
4360
- 4359 swim_trunks
4361
- 4360 swimming
4362
- 4361 swimsuit
4363
- 4362 swimsuit_aside
4364
- 4363 swimsuit_under_clothes
4365
- 4364 swing
4366
- 4365 swivel_chair
4367
- 4366 sword
4368
- 4367 symbol-shaped_pupils
4369
- 4368 symbol_in_eye
4370
- 4369 symmetrical_docking
4371
- 4370 syringe
4372
- 4371 t-shirt
4373
- 4372 tabard
4374
- 4373 tabi
4375
- 4374 table
4376
- 4375 table_humping
4377
- 4376 tablet_pc
4378
- 4377 tachi-e
4379
- 4378 tail
4380
- 4379 tail_bell
4381
- 4380 tail_bow
4382
- 4381 tail_grab
4383
- 4382 tail_ornament
4384
- 4383 tail_raised
4385
- 4384 tail_ribbon
4386
- 4385 tail_ring
4387
- 4386 tail_through_clothes
4388
- 4387 tail_wagging
4389
- 4388 tail_wrap
4390
- 4389 tailcoat
4391
- 4390 tailjob
4392
- 4391 taimanin_suit
4393
- 4392 take_your_pick
4394
- 4393 taking_picture
4395
- 4394 talisman
4396
- 4395 talking
4397
- 4396 talking_on_phone
4398
- 4397 tall
4399
- 4398 tall_female
4400
- 4399 taller_female
4401
- 4400 tally
4402
- 4401 talons
4403
- 4402 tam_o'_shanter
4404
- 4403 tan
4405
- 4404 tank
4406
- 4405 tank_top
4407
- 4406 tankini
4408
- 4407 tanline
4409
- 4408 tanuki
4410
- 4409 tape
4411
- 4410 tape_bondage
4412
- 4411 tape_gag
4413
- 4412 tape_measure
4414
- 4413 tape_on_nipples
4415
- 4414 tareme
4416
- 4415 tassel
4417
- 4416 tassel_earrings
4418
- 4417 tassel_hair_ornament
4419
- 4418 tatami
4420
- 4419 tattoo
4421
- 4420 taur
4422
- 4421 taut_clothes
4423
- 4422 taut_dress
4424
- 4423 taut_leotard
4425
- 4424 taut_shirt
4426
- 4425 tea
4427
- 4426 teacher
4428
- 4427 teacher_and_student
4429
- 4428 teacup
4430
- 4429 team_rocket
4431
- 4430 team_rocket_uniform
4432
- 4431 teamwork
4433
- 4432 teapot
4434
- 4433 teardrop
4435
- 4434 tearing_up
4436
- 4435 tears
4437
- 4436 teasing
4438
- 4437 teddy_bear
4439
- 4438 teenage_girl_and_younger_boy
4440
- 4439 teeth
4441
- 4440 telekinesis
4442
- 4441 television
4443
- 4442 tennis_ball
4444
- 4443 tennis_racket
4445
- 4444 tennis_uniform
4446
- 4445 tent
4447
- 4446 tentacle_hair
4448
- 4447 tentacle_pit
4449
- 4448 tentacle_sex
4450
- 4449 tentacles
4451
- 4450 tentacles_on_male
4452
- 4451 test_tube
4453
- 4452 testicle_grab
4454
- 4453 testicle_peek
4455
- 4454 testicle_sucking
4456
- 4455 testicles
4457
- 4456 text_background
4458
- 4457 text_focus
4459
- 4458 thank_you
4460
- 4459 the_pose
4461
- 4460 thick_arms
4462
- 4461 thick_eyebrows
4463
- 4462 thick_eyelashes
4464
- 4463 thick_lips
4465
- 4464 thick_thighs
4466
- 4465 thigh_belt
4467
- 4466 thigh_boots
4468
- 4467 thigh_gap
4469
- 4468 thigh_grab
4470
- 4469 thigh_holster
4471
- 4470 thigh_pouch
4472
- 4471 thigh_ribbon
4473
- 4472 thigh_sex
4474
- 4473 thigh_strap
4475
- 4474 thighband_pantyhose
4476
- 4475 thighhighs
4477
- 4476 thighhighs_pull
4478
- 4477 thighhighs_under_boots
4479
- 4478 thighlet
4480
- 4479 thighs
4481
- 4480 thinking
4482
- 4481 third_eye
4483
- 4482 thong
4484
- 4483 thong_bikini
4485
- 4484 thong_leotard
4486
- 4485 thought_bubble
4487
- 4486 threesome
4488
- 4487 throat_bulge
4489
- 4488 throne
4490
- 4489 through_clothes
4491
- 4490 through_wall
4492
- 4491 thumbs_up
4493
- 4492 tiara
4494
- 4493 tickling
4495
- 4494 tied_shirt
4496
- 4495 tiger
4497
- 4496 tiger_ears
4498
- 4497 tiger_girl
4499
- 4498 tiger_print
4500
- 4499 tiger_stripes
4501
- 4500 tiger_tail
4502
- 4501 tight_clothes
4503
- 4502 tight_dress
4504
- 4503 tight_pants
4505
- 4504 tile_floor
4506
- 4505 tile_wall
4507
- 4506 tiles
4508
- 4507 tilted_headwear
4509
- 4508 time_paradox
4510
- 4509 timestamp
4511
- 4510 tinted_eyewear
4512
- 4511 tiptoes
4513
- 4512 tissue
4514
- 4513 tissue_box
4515
- 4514 toe_ring
4516
- 4515 toe_scrunch
4517
- 4516 toeless_footwear
4518
- 4517 toeless_legwear
4519
- 4518 toenail_polish
4520
- 4519 toenails
4521
- 4520 toes
4522
- 4521 toilet
4523
- 4522 toilet_paper
4524
- 4523 toilet_stall
4525
- 4524 toilet_use
4526
- 4525 tokin_hat
4527
- 4526 tokyo_(city)
4528
- 4527 tomato
4529
- 4528 tomboy
4530
- 4529 tombstone
4531
- 4530 tomoe_(symbol)
4532
- 4531 toned
4533
- 4532 toned_female
4534
- 4533 toned_male
4535
- 4534 tongue
4536
- 4535 tongue_out
4537
- 4536 tongue_piercing
4538
- 4537 too_many
4539
- 4538 too_many_sex_toys
4540
- 4539 tooth_necklace
4541
- 4540 toothbrush
4542
- 4541 top-down_bottom-up
4543
- 4542 top_hat
4544
- 4543 topknot
4545
- 4544 topless
4546
- 4545 topless_male
4547
- 4546 torch
4548
- 4547 torii
4549
- 4548 torn_bike_shorts
4550
- 4549 torn_bodysuit
4551
- 4550 torn_clothes
4552
- 4551 torn_dress
4553
- 4552 torn_jeans
4554
- 4553 torn_leotard
4555
- 4554 torn_panties
4556
- 4555 torn_pants
4557
- 4556 torn_pantyhose
4558
- 4557 torn_shirt
4559
- 4558 torn_shorts
4560
- 4559 torn_skirt
4561
- 4560 torn_thighhighs
4562
- 4561 torogao
4563
- 4562 torso_grab
4564
- 4563 torture
4565
- 4564 towel
4566
- 4565 towel_around_neck
4567
- 4566 towel_on_head
4568
- 4567 tower
4569
- 4568 town
4570
- 4569 toy
4571
- 4570 track_and_field
4572
- 4571 track_jacket
4573
- 4572 track_pants
4574
- 4573 track_suit
4575
- 4574 track_uniform
4576
- 4575 trading_card
4577
- 4576 traditional_bowtie
4578
- 4577 traffic_cone
4579
- 4578 traffic_light
4580
- 4579 train
4581
- 4580 train_interior
4582
- 4581 train_station
4583
- 4582 training_bra
4584
- 4583 trait_connection
4585
- 4584 transformation
4586
- 4585 transmission_tower
4587
- 4586 transparent
4588
- 4587 transparent_background
4589
- 4588 transparent_censoring
4590
- 4589 trap
4591
- 4590 trap_on_female
4592
- 4591 trap_on_trap
4593
- 4592 trash_bag
4594
- 4593 trash_can
4595
- 4594 tray
4596
- 4595 treasure_chest
4597
- 4596 tree
4598
- 4597 tree_shade
4599
- 4598 tree_stump
4600
- 4599 trefoil
4601
- 4600 trembling
4602
- 4601 trench_coat
4603
- 4602 tress_ribbon
4604
- 4603 trial_captain
4605
- 4604 triangle_mouth
4606
- 4605 tribadism
4607
- 4606 tribal
4608
- 4607 trident
4609
- 4608 triforce
4610
- 4609 trigger_discipline
4611
- 4610 triple_penetration
4612
- 4611 truck
4613
- 4612 tsundere
4614
- 4613 tsurime
4615
- 4614 tube
4616
- 4615 tube_top
4617
- 4616 tucked_penis
4618
- 4617 tucking_hair
4619
- 4618 tunic
4620
- 4619 turn_pale
4621
- 4620 turning_head
4622
- 4621 turret
4623
- 4622 turtle
4624
- 4623 turtle_shell
4625
- 4624 turtleneck
4626
- 4625 turtleneck_dress
4627
- 4626 turtleneck_sweater
4628
- 4627 tusks
4629
- 4628 tweaking_own_nipple
4630
- 4629 twilight
4631
- 4630 twin_braids
4632
- 4631 twin_drills
4633
- 4632 twincest
4634
- 4633 twins
4635
- 4634 twintails
4636
- 4635 twirling_hair
4637
- 4636 twisted_torso
4638
- 4637 twitching
4639
- 4638 twitching_penis
4640
- 4639 twitter_logo
4641
- 4640 twitter_strip_game_(meme)
4642
- 4641 twitter_username
4643
- 4642 two-footed_footjob
4644
- 4643 two-handed_handjob
4645
- 4644 two-sided_fabric
4646
- 4645 two-tone_background
4647
- 4646 two-tone_bikini
4648
- 4647 two-tone_dress
4649
- 4648 two-tone_fur
4650
- 4649 two-tone_gloves
4651
- 4650 two-tone_hair
4652
- 4651 two-tone_jacket
4653
- 4652 two-tone_leotard
4654
- 4653 two-tone_ribbon
4655
- 4654 two-tone_shirt
4656
- 4655 two-tone_skin
4657
- 4656 two-tone_skirt
4658
- 4657 two-tone_sports_bra
4659
- 4658 two-tone_swimsuit
4660
- 4659 two_side_up
4661
- 4660 two_tails
4662
- 4661 tying_hair
4663
- 4662 ugly_man
4664
- 4663 umbrella
4665
- 4664 unaligned_breasts
4666
- 4665 unbuttoned
4667
- 4666 unbuttoned_shirt
4668
- 4667 uncensored
4669
- 4668 unconscious
4670
- 4669 unconventional_maid
4671
- 4670 undead
4672
- 4671 under-rim_eyewear
4673
- 4672 under_covers
4674
- 4673 under_table
4675
- 4674 underboob
4676
- 4675 underboob_cutout
4677
- 4676 underbust
4678
- 4677 undercut
4679
- 4678 undershirt
4680
- 4679 undersized_clothes
4681
- 4680 underwater
4682
- 4681 underwear
4683
- 4682 underwear_only
4684
- 4683 undressing
4685
- 4684 undressing_another
4686
- 4685 uneven_eyes
4687
- 4686 uneven_gloves
4688
- 4687 uneven_legwear
4689
- 4688 uneven_sleeves
4690
- 4689 uniform
4691
- 4690 union_jack
4692
- 4691 unitard
4693
- 4692 unmoving_pattern
4694
- 4693 untied_bikini
4695
- 4694 untied_panties
4696
- 4695 untying
4697
- 4696 unusual_pupils
4698
- 4697 unworn_backpack
4699
- 4698 unworn_bag
4700
- 4699 unworn_bikini
4701
- 4700 unworn_bikini_top
4702
- 4701 unworn_boots
4703
- 4702 unworn_bra
4704
- 4703 unworn_clothes
4705
- 4704 unworn_dress
4706
- 4705 unworn_eyewear
4707
- 4706 unworn_footwear
4708
- 4707 unworn_hat
4709
- 4708 unworn_headwear
4710
- 4709 unworn_helmet
4711
- 4710 unworn_jacket
4712
- 4711 unworn_mask
4713
- 4712 unworn_panties
4714
- 4713 unworn_pants
4715
- 4714 unworn_sandals
4716
- 4715 unworn_shirt
4717
- 4716 unworn_shoes
4718
- 4717 unworn_shorts
4719
- 4718 unworn_skirt
4720
- 4719 unworn_socks
4721
- 4720 unzipped
4722
- 4721 unzipping
4723
- 4722 updo
4724
- 4723 upper_body
4725
- 4724 upper_teeth_only
4726
- 4725 upright_straddle
4727
- 4726 upshirt
4728
- 4727 upshorts
4729
- 4728 upside-down
4730
- 4729 upskirt
4731
- 4730 upturned_eyes
4732
- 4731 urethra
4733
- 4732 urethral_insertion
4734
- 4733 urinal
4735
- 4734 used_condom
4736
- 4735 used_condom_on_penis
4737
- 4736 used_tissue
4738
- 4737 usekh_collar
4739
- 4738 user_interface
4740
- 4739 ushanka
4741
- 4740 uterus
4742
- 4741 utility_belt
4743
- 4742 utility_pole
4744
- 4743 uvula
4745
- 4744 uwabaki
4746
- 4745 v
4747
- 4746 v-neck
4748
- 4747 v-shaped_eyebrows
4749
- 4748 v_arms
4750
- 4749 v_over_eye
4751
- 4750 vaginal
4752
- 4751 vaginal_object_insertion
4753
- 4752 valentine
4754
- 4753 vambraces
4755
- 4754 vampire
4756
- 4755 vanishing_point
4757
- 4756 vase
4758
- 4757 vaulting_horse
4759
- 4758 vegetable
4760
- 4759 vehicle_focus
4761
- 4760 veil
4762
- 4761 veins
4763
- 4762 veiny_breasts
4764
- 4763 veiny_penis
4765
- 4764 vending_machine
4766
- 4765 venus_symbol
4767
- 4766 vertical-striped_bikini
4768
- 4767 vertical-striped_clothes
4769
- 4768 vertical-striped_dress
4770
- 4769 vertical-striped_shirt
4771
- 4770 vertical-striped_thighhighs
4772
- 4771 vertical_stripes
4773
- 4772 very_dark_skin
4774
- 4773 very_long_hair
4775
- 4774 very_short_hair
4776
- 4775 very_sweaty
4777
- 4776 very_wide_shot
4778
- 4777 vest
4779
- 4778 vial
4780
- 4779 vibrator
4781
- 4780 vibrator_cord
4782
- 4781 vibrator_in_thighhighs
4783
- 4782 vibrator_on_nipple
4784
- 4783 vibrator_under_clothes
4785
- 4784 vibrator_under_panties
4786
- 4785 video_camera
4787
- 4786 video_game
4788
- 4787 viera
4789
- 4788 view_between_legs
4790
- 4789 viewer_holding_leash
4791
- 4790 viewfinder
4792
- 4791 village
4793
- 4792 vines
4794
- 4793 virgin
4795
- 4794 virgin_destroyer_sweater
4796
- 4795 virgin_killer_sweater
4797
- 4796 virtual_youtuber
4798
- 4797 vision_(genshin_impact)
4799
- 4798 visor_cap
4800
- 4799 voice_actor
4801
- 4800 voice_actor_connection
4802
- 4801 volleyball
4803
- 4802 volleyball_(object)
4804
- 4803 volleyball_uniform
4805
- 4804 vore
4806
- 4805 voyeurism
4807
- 4806 w
4808
- 4807 w_arms
4809
- 4808 wading
4810
- 4809 wading_pool
4811
- 4810 wagashi
4812
- 4811 waist_apron
4813
- 4812 waist_cape
4814
- 4813 waist_grab
4815
- 4814 waistcoat
4816
- 4815 waitress
4817
- 4816 waking_up
4818
- 4817 walk-in
4819
- 4818 walking
4820
- 4819 wand
4821
- 4820 wardrobe_malfunction
4822
- 4821 wariza
4823
- 4822 warrior
4824
- 4823 washing
4825
- 4824 washing_machine
4826
- 4825 watch
4827
- 4826 watching
4828
- 4827 water
4829
- 4828 water_bottle
4830
- 4829 water_drop
4831
- 4830 water_gun
4832
- 4831 watercraft
4833
- 4832 waterfall
4834
- 4833 watermark
4835
- 4834 watermelon
4836
- 4835 watson_cross
4837
- 4836 waves
4838
- 4837 waving
4839
- 4838 wavy_hair
4840
- 4839 wavy_mouth
4841
- 4840 weapon
4842
- 4841 weapon_on_back
4843
- 4842 weapon_over_shoulder
4844
- 4843 web_address
4845
- 4844 wedding
4846
- 4845 wedding_band
4847
- 4846 wedding_dress
4848
- 4847 wedding_ring
4849
- 4848 wedge_heels
4850
- 4849 wedgie
4851
- 4850 weibo_watermark
4852
- 4851 weight_conscious
4853
- 4852 weightlifting
4854
- 4853 weights
4855
- 4854 werewolf
4856
- 4855 wet
4857
- 4856 wet_clothes
4858
- 4857 wet_hair
4859
- 4858 wet_panties
4860
- 4859 wet_shirt
4861
- 4860 wet_swimsuit
4862
- 4861 whale
4863
- 4862 whale_tail_(clothing)
4864
- 4863 what
4865
- 4864 when_you_see_it
4866
- 4865 whip
4867
- 4866 whip_marks
4868
- 4867 whisker_markings
4869
- 4868 whiskers
4870
- 4869 whistle
4871
- 4870 whistle_around_neck
4872
- 4871 white-framed_eyewear
4873
- 4872 white_apron
4874
- 4873 white_background
4875
- 4874 white_belt
4876
- 4875 white_bikini
4877
- 4876 white_bloomers
4878
- 4877 white_bodysuit
4879
- 4878 white_border
4880
- 4879 white_bow
4881
- 4880 white_bowtie
4882
- 4881 white_bra
4883
- 4882 white_camisole
4884
- 4883 white_cape
4885
- 4884 white_capelet
4886
- 4885 white_cardigan
4887
- 4886 white_choker
4888
- 4887 white_coat
4889
- 4888 white_collar
4890
- 4889 white_dress
4891
- 4890 white_eyes
4892
- 4891 white_flower
4893
- 4892 white_footwear
4894
- 4893 white_fur
4895
- 4894 white_garter_belt
4896
- 4895 white_garter_straps
4897
- 4896 white_gloves
4898
- 4897 white_hair
4899
- 4898 white_hairband
4900
- 4899 white_hat
4901
- 4900 white_headband
4902
- 4901 white_hoodie
4903
- 4902 white_horns
4904
- 4903 white_jacket
4905
- 4904 white_kimono
4906
- 4905 white_leotard
4907
- 4906 white_male_underwear
4908
- 4907 white_nails
4909
- 4908 white_neckerchief
4910
- 4909 white_one-piece_swimsuit
4911
- 4910 white_outline
4912
- 4911 white_panties
4913
- 4912 white_pants
4914
- 4913 white_pantyhose
4915
- 4914 white_pupils
4916
- 4915 white_ribbon
4917
- 4916 white_robe
4918
- 4917 white_rose
4919
- 4918 white_sailor_collar
4920
- 4919 white_scarf
4921
- 4920 white_school_swimsuit
4922
- 4921 white_scrunchie
4923
- 4922 white_serafuku
4924
- 4923 white_shirt
4925
- 4924 white_shorts
4926
- 4925 white_skin
4927
- 4926 white_skirt
4928
- 4927 white_sleeves
4929
- 4928 white_socks
4930
- 4929 white_sports_bra
4931
- 4930 white_sweater
4932
- 4931 white_tail
4933
- 4932 white_tank_top
4934
- 4933 white_theme
4935
- 4934 white_thighhighs
4936
- 4935 white_towel
4937
- 4936 white_wings
4938
- 4937 white_wrist_cuffs
4939
- 4938 wide-eyed
4940
- 4939 wide_hips
4941
- 4940 wide_shot
4942
- 4941 wide_sleeves
4943
- 4942 wide_spread_legs
4944
- 4943 wife_and_wife
4945
- 4944 wiffle_gag
4946
- 4945 wig
4947
- 4946 wince
4948
- 4947 wind
4949
- 4948 wind_lift
4950
- 4949 windmill
4951
- 4950 window
4952
- 4951 window_blinds
4953
- 4952 window_shadow
4954
- 4953 wine
4955
- 4954 wine_bottle
4956
- 4955 wine_glass
4957
- 4956 wing_collar
4958
- 4957 winged_arms
4959
- 4958 wings
4960
- 4959 wink
4961
- 4960 winter
4962
- 4961 winter_clothes
4963
- 4962 winter_coat
4964
- 4963 wiping_sweat
4965
- 4964 wire
4966
- 4965 witch
4967
- 4966 witch_hat
4968
- 4967 wizard_hat
4969
- 4968 wolf
4970
- 4969 wolf_boy
4971
- 4970 wolf_ears
4972
- 4971 wolf_girl
4973
- 4972 wolf_tail
4974
- 4973 women_livestock
4975
- 4974 wooden_fence
4976
- 4975 wooden_floor
4977
- 4976 wooden_horse
4978
- 4977 wooden_table
4979
- 4978 wooden_wall
4980
- 4979 world_war_ii
4981
- 4980 worried
4982
- 4981 wrench
4983
- 4982 wrestling
4984
- 4983 wrestling_outfit
4985
- 4984 wrist_cuffs
4986
- 4985 wrist_ribbon
4987
- 4986 wrist_scrunchie
4988
- 4987 wristband
4989
- 4988 wristwatch
4990
- 4989 writing
4991
- 4990 x-ray
4992
- 4991 x-shaped_pupils
4993
- 4992 x_hair_ornament
4994
- 4993 yandere
4995
- 4994 yaoi
4996
- 4995 yawning
4997
- 4996 year_of_the_ox
4998
- 4997 year_of_the_rabbit
4999
- 4998 year_of_the_tiger
5000
- 4999 yellow-framed_eyewear
5001
- 5000 yellow_ascot
5002
- 5001 yellow_background
5003
- 5002 yellow_bikini
5004
- 5003 yellow_bow
5005
- 5004 yellow_bowtie
5006
- 5005 yellow_bra
5007
- 5006 yellow_cardigan
5008
- 5007 yellow_dress
5009
- 5008 yellow_eyes
5010
- 5009 yellow_flower
5011
- 5010 yellow_footwear
5012
- 5011 yellow_fur
5013
- 5012 yellow_gloves
5014
- 5013 yellow_hairband
5015
- 5014 yellow_halo
5016
- 5015 yellow_hat
5017
- 5016 yellow_hoodie
5018
- 5017 yellow_horns
5019
- 5018 yellow_jacket
5020
- 5019 yellow_nails
5021
- 5020 yellow_neckerchief
5022
- 5021 yellow_necktie
5023
- 5022 yellow_one-piece_swimsuit
5024
- 5023 yellow_panties
5025
- 5024 yellow_pupils
5026
- 5025 yellow_ribbon
5027
- 5026 yellow_sclera
5028
- 5027 yellow_scrunchie
5029
- 5028 yellow_shirt
5030
- 5029 yellow_shorts
5031
- 5030 yellow_skin
5032
- 5031 yellow_skirt
5033
- 5032 yellow_sky
5034
- 5033 yellow_sweater
5035
- 5034 yellow_tank_top
5036
- 5035 yellow_thighhighs
5037
- 5036 yellow_vest
5038
- 5037 yes-no_pillow
5039
- 5038 yin_yang
5040
- 5039 yoga_pants
5041
- 5040 yokozuwari
5042
- 5041 yordle
5043
- 5042 you_gonna_get_raped
5044
- 5043 yukata
5045
- 5044 yuri
5046
- 5045 zenra
5047
- 5046 zero_suit
5048
- 5047 zettai_ryouiki
5049
- 5048 zipper
5050
- 5049 zipper_pull_tab
5051
- 5050 zombie
5052
- 5051 zoom_layer
5053
- 5052 zora
5054
- 5053 zouri
5055
- 5054 zzz
5056
- 5055 |_|
5057
- 5056 rating:sensitive
5058
- 5057 rating:explicit
5059
- 5058 rating:questionable
5060
- 5059 rating:general
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
nl_llm_tag.py DELETED
@@ -1,126 +0,0 @@
1
- import sys
2
- import json
3
- import tqdm
4
- import utils
5
- import base64
6
- import aiohttp
7
- import asyncio
8
- import aiofiles
9
- import argparse
10
- import mimetypes
11
- from constants import *
12
-
13
- FEW_SHOT_EXAMPLES_PATH = "nl_llm_tag_few_shot_examples"
14
- MAX_TOKENS = 2048
15
- TEMPERATURE = 0.1
16
- TOP_P = 0.9
17
-
18
- def process_tags(tags):
19
- if not tags:
20
- return "unknown"
21
- return ", ".join(tag.replace("_", " ") for tag in tags)
22
-
23
- async def get_user_prompt(metadata, image_path):
24
- artist_tags_text = process_tags(utils.get_tags(metadata, include="artist"))
25
- character_tags_text = process_tags(utils.get_tags(metadata, include="character"))
26
- copyright_tags_text = process_tags(utils.get_tags(metadata, include="copyright"))
27
- general_tags_text = process_tags(utils.get_tags(metadata, include="general"))
28
- rating_tag_text = utils.get_tags(metadata, include="rating", no_rating_prefix=True)[0]
29
-
30
- mime_type, _ = mimetypes.guess_type(image_path)
31
- async with aiofiles.open(image_path, "rb") as image_file:
32
- image_b64 = base64.b64encode(await image_file.read()).decode("utf8")
33
-
34
- return {"role": "user", "content": [
35
- {"type": "image_url", "image_url": {"url": f"data:{mime_type};base64,{image_b64}"}},
36
- {"type": "text", "text": f"""Tag context for the above image:
37
- \"\"\"
38
- Artist(s): {artist_tags_text}
39
- Character(s): {character_tags_text}
40
- Copyright source(s): {copyright_tags_text}
41
- Tags: {general_tags_text}
42
- NSFW Rating: {rating_tag_text}
43
- \"\"\""""},
44
- ]}
45
-
46
- async def nl_llm_tag(few_shot_examples, image_metadata_path_tuple, session, api_url, model_name):
47
- metadata = utils.get_metadata(image_metadata_path_tuple[1])
48
- async with session.post(api_url, json={
49
- "model": model_name, "max_tokens": MAX_TOKENS, "temperature": TEMPERATURE, "top_p": TOP_P,
50
- "messages": [
51
- {"role": "system", "content": """Describe the given image for a request from the user using the provided tags as ground truth.
52
- "unknown" tag means the name can't be found, so you shouldn't mention it. If there are conflict between your image view and the tags, adhere to the tags.
53
- You should include the artist(s), character(s), copyright source(s), and NSFW rating which are specified along the image in your response, for names, you should capitalize first letter to follow grammar rules.
54
- Don't say the image is anime, illustration, etc., just describe what it has. Because it's assumed that most images are anime, except when the tags specify it's from real life then you should mention it.
55
- Never use woman or man, the tags always refer to them as girl or boy. If you need to describe a thing, use the words and wording styles from the tags unless necessary.
56
- You are required to be direct and vulgar when describing NSFW features and actions if the image is NSFW. If the tags contain "sex", it means the character(s) are having sex, and you should mention it.
57
- If there are multiple characters, when describing their positions, features or poses, never refer to them with their names, use relative positions like to the left of the image, above a certain object, etc..
58
- You should describe their names separately in a different sentence. If the tags talk about character(s) being a furry, you should mention it.
59
- Never start your response with "The image depicts...", imagine you are directly telling an image generator so that it generates the image above, but also don't start your response with "Generate an image...".
60
- For example, lets say if an image has a cat girl doing some things, you should start with "A cat girl with (appearance) doing (things)...", but don't follow this exactly, be creative.
61
- Your response should be long and detailed, containing background scene description, character position, pose, and more too if there's any, basically include everything the tags have told you.
62
- Don't use new lines, put your entire response into a single line. Start the description immediately, don't add starter or ending extra texts."""},
63
- *few_shot_examples,
64
- await get_user_prompt(metadata, image_metadata_path_tuple[0]),
65
- ],
66
- }) as response:
67
- j = await response.json()
68
- choice = j["choices"][0]
69
- if choice["finish_reason"] == "length":
70
- raise RuntimeError(f"Request for \"{image_metadata_path_tuple[0]}\" finished too early!")
71
- metadata["nl_desc"] = choice["message"]["content"]
72
- async with aiofiles.open(image_metadata_path_tuple[1], "w", encoding="utf8") as result_metadata_file:
73
- await result_metadata_file.write(json.dumps(metadata, ensure_ascii=False, separators=(",", ":")))
74
-
75
- def parse_args():
76
- parser = argparse.ArgumentParser(description="Tag images with natural language using a LLM.")
77
- parser.add_argument("-a", "--api", default="http://127.0.0.1:12345/v1", help="OpenAI compatible API URL prefix, default to http://127.0.0.1:12345/v1")
78
- parser.add_argument("-m", "--model", default="gpt-4-1106-preview", help="Model name to use, default to gpt-4-1106-preview")
79
- args = parser.parse_args()
80
- args.api += "/chat/completions"
81
- return args
82
-
83
- async def main():
84
- args = parse_args()
85
- print("Starting...\nGetting few shot examples...")
86
- try:
87
- few_shot_examples_dict = utils.get_image_id_image_metadata_path_tuple_dict(FEW_SHOT_EXAMPLES_PATH)
88
- except FileNotFoundError:
89
- few_shot_examples_dict = {}
90
- few_shot_examples = []
91
- for few_shot_image_path, few_shot_metadata_path in few_shot_examples_dict.values():
92
- few_shot_metadata = utils.get_metadata(few_shot_metadata_path)
93
- few_shot_examples.append(await get_user_prompt(few_shot_metadata, few_shot_image_path))
94
- few_shot_examples.append({"role": "assistant", "content": few_shot_metadata["nl_desc"]})
95
- print("Got", len(few_shot_examples_dict), "few shot examples.\nGetting paths...")
96
- image_id_image_metadata_path_tuple_dict = utils.get_image_id_image_metadata_path_tuple_dict(IMAGE_DIR)
97
- image_count = len(image_id_image_metadata_path_tuple_dict)
98
- print("Got", image_count, "images.")
99
-
100
- tasks = []
101
- async with utils.get_session() as session:
102
- with tqdm.tqdm(total=image_count, desc="Requesting") as pbar:
103
- for image_metadata_path_tuple in image_id_image_metadata_path_tuple_dict.values():
104
- while len(tasks) >= MAX_TASKS:
105
- await asyncio.sleep(0.1)
106
- for i in range(len(tasks) - 1, -1, -1):
107
- task = tasks[i]
108
- if task.done():
109
- del tasks[i]
110
- pbar.update(1)
111
- tasks.append(asyncio.create_task(nl_llm_tag(few_shot_examples, image_metadata_path_tuple, session, args.api, args.model)))
112
-
113
- while tasks:
114
- await asyncio.sleep(0.1)
115
- for i in range(len(tasks) - 1, -1, -1):
116
- task = tasks[i]
117
- if task.done():
118
- del tasks[i]
119
- pbar.update(1)
120
-
121
- if __name__ == "__main__":
122
- try:
123
- asyncio.run(main())
124
- except KeyboardInterrupt:
125
- print("\nScript interrupted by user, exiting...")
126
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
nl_llm_tag_few_shot_examples/10299568.jpg DELETED

Git LFS Details

  • SHA256: e19172570650cfd62c932c70240eabeddecf2494659cee5be40a91c3713b4d1f
  • Pointer size: 131 Bytes
  • Size of remote file: 110 kB
nl_llm_tag_few_shot_examples/10299568.json DELETED
@@ -1,3 +0,0 @@
1
- version https://git-lfs.github.com/spec/v1
2
- oid sha256:e0da5778f7de181fa5e788cc807986e8d77e2445ea8777215246f89c70dfb109
3
- size 1286
 
 
 
 
nl_llm_tag_few_shot_examples/10796235.jpg DELETED

Git LFS Details

  • SHA256: 8c01859b1a4c7ecb38fccae0fdc99488246ac863bd171ab5bc4e8bda07d69816
  • Pointer size: 130 Bytes
  • Size of remote file: 78.9 kB
nl_llm_tag_few_shot_examples/10796235.json DELETED
@@ -1,3 +0,0 @@
1
- version https://git-lfs.github.com/spec/v1
2
- oid sha256:b6ff5b32193641f3087acbbfca4360d447a160e9508cb7d6661c65fb636735df
3
- size 1774
 
 
 
 
nl_llm_tag_few_shot_examples/11037921.jpg DELETED

Git LFS Details

  • SHA256: 89447b69a9e35dfb4f76728367227066d2d893a0d4f8bc2cc5b68f6317569940
  • Pointer size: 130 Bytes
  • Size of remote file: 94.4 kB
nl_llm_tag_few_shot_examples/11037921.json DELETED
@@ -1,3 +0,0 @@
1
- version https://git-lfs.github.com/spec/v1
2
- oid sha256:c98e81ea4f9468a2ff17788030314e067ca386ec531c4fea2574ec523a9bcfde
3
- size 1473
 
 
 
 
scrape_gel.py DELETED
@@ -1,270 +0,0 @@
1
- import os
2
- import re
3
- import sys
4
- import time
5
- import json
6
- import utils
7
- import asyncio
8
- import argparse
9
- import concurrent
10
- from constants import *
11
- from bs4 import BeautifulSoup
12
-
13
- IMAGE_ID_PATTERN = re.compile(r"id=(\d+)")
14
-
15
- def get_type_tags_dict(soup):
16
- tag_ul = soup.find("ul", id="tag-list")
17
- if not tag_ul:
18
- raise RuntimeError("No tag list found in this web page!")
19
- type_tags_dict = {}
20
- tags_in_dict = set()
21
- for element in tag_ul.find_all("li"):
22
- class_name = element.get("class")
23
- if not class_name or len(class_name) != 1:
24
- continue
25
- class_name = class_name[0]
26
- if not class_name.startswith("tag-type-"):
27
- continue
28
- tag = element.find("a", recursive=False).contents[0].replace(",", "").replace(" ", "_").strip("_")
29
- if tag in tags_in_dict:
30
- continue
31
- tag_type = class_name[9:]
32
- tag_list = type_tags_dict.get(tag_type)
33
- if tag_list is None:
34
- type_tags_dict[tag_type] = [tag]
35
- else:
36
- tag_list.append(tag)
37
- tags_in_dict.add(tag)
38
- return type_tags_dict, len(tags_in_dict)
39
-
40
- async def process_link(scrape_args, scrape_state):
41
- image_id = IMAGE_ID_PATTERN.search(scrape_args.target).group(1)
42
- scrape_state.last_reached_image_id = image_id
43
- image_id_already_exists = image_id in scrape_state.existing_image_ids
44
- if image_id_already_exists and not image_id.endswith("99"):
45
- # print(f"Image {image_id} already exists, skipped.")
46
- return
47
- scrape_state.existing_image_ids.add(image_id)
48
- error = None
49
- for i in range(1, MAX_RETRY + 2): # 1 indexed.
50
- try:
51
- if utils.get_sigint_count() >= 1 or isinstance(scrape_args.max_scrape_count, int) and scrape_state.scraped_image_count >= scrape_args.max_scrape_count:
52
- break
53
- # print(f"Processing image {image_id}...")
54
- query_start_time = time.time()
55
- async with scrape_state.session.get(scrape_args.target) as response:
56
- html = await response.text()
57
- query_used_time = time.time() - query_start_time
58
- soup = BeautifulSoup(html, "html.parser")
59
-
60
- video_container = soup.find("video", id="gelcomVideoPlayer")
61
- if video_container:
62
- print(f"Image {image_id} is a video, skipped.")
63
- return
64
- image_container = soup.find("section", class_=["image-container", "note-container"])
65
- if not image_container:
66
- raise RuntimeError("No image container found.")
67
-
68
- score_span = soup.find("span", id="psc" + image_id)
69
- try:
70
- image_score = int(score_span.contents[0])
71
- except (AttributeError, IndexError, ValueError) as e:
72
- raise RuntimeError("Error while getting the image score: " + str(e)) from e
73
- scrape_state.last_reached_image_score = image_score
74
- if image_id_already_exists:
75
- # print(f"Image {image_id} already exists, skipped.")
76
- return
77
-
78
- if not scrape_args.use_low_quality:
79
- image_download_url = soup.find("a", string="Original image")["href"]
80
- else:
81
- image_download_url = image_container.find("img", id="image")["src"]
82
-
83
- image_ext = os.path.splitext(image_download_url)[1].lower()
84
- if image_ext not in IMAGE_EXT:
85
- print(f"Image {image_id} is not an image, skipped.")
86
- return
87
-
88
- type_tags_dict, tag_count = get_type_tags_dict(soup)
89
- if tag_count < scrape_args.min_tags:
90
- # print(f"Image {image_id} doesn't have enough tags({tag_count} < {scrape_args.min_tags}), skipped.")
91
- return
92
-
93
- rating = image_container.get("data-rating")
94
- if not rating:
95
- raise RuntimeError("No rating found.")
96
- if rating == "safe":
97
- rating = "general"
98
-
99
- metadata = json.dumps({"image_id": image_id, "score": image_score, "rating": rating, "tags": type_tags_dict}, ensure_ascii=False, separators=(",", ":"))
100
-
101
- image_path = os.path.join(IMAGE_DIR, image_id + image_ext)
102
- metadata_path = os.path.join(IMAGE_DIR, image_id + ".json")
103
-
104
- download_start_time = time.time()
105
- async with scrape_state.session.get(image_download_url) as img_response:
106
- img_data = await img_response.read()
107
- download_used_time = time.time() - download_start_time
108
-
109
- if not await utils.submit_validation(scrape_state.thread_pool, img_data, metadata, image_path, metadata_path, scrape_args.width, scrape_args.height, scrape_args.convert_to_avif):
110
- return
111
- scrape_state.scraped_image_count += 1
112
- total_query_time = scrape_state.avg_query_time[0] * scrape_state.avg_query_time[1] + query_used_time
113
- total_download_time = scrape_state.avg_download_time[0] * scrape_state.avg_download_time[1] + download_used_time
114
- scrape_state.avg_query_time[1] += 1
115
- scrape_state.avg_download_time[1] += 1
116
- scrape_state.avg_query_time[0] = total_query_time / scrape_state.avg_query_time[1]
117
- scrape_state.avg_download_time[0] = total_download_time / scrape_state.avg_download_time[1]
118
- interval = 1000
119
- if scrape_state.scraped_image_count % interval != 0:
120
- return
121
- print(
122
- f"Scraped {scrape_state.scraped_image_count}/{scrape_args.max_scrape_count} images,",
123
- f"stats for the last {interval} images: [Average query time: {scrape_state.avg_query_time[0]:.3f}s | Average download time: {scrape_state.avg_download_time[0]:.3f}s]",
124
- )
125
- scrape_state.avg_query_time = [0.0, 0]
126
- scrape_state.avg_download_time = [0.0, 0]
127
- return
128
- except Exception as e:
129
- error = e
130
- if i > MAX_RETRY:
131
- break
132
- # print(f"A {e.__class__.__name__} occurred with image {image_id}: {e}\nPausing for 0.1 second before retrying attempt {i}/{MAX_RETRY}...")
133
- await asyncio.sleep(0.1)
134
- if not image_id_already_exists:
135
- scrape_state.existing_image_ids.remove(image_id)
136
- if error is not None:
137
- print(f"All retry attempts failed, image {image_id} skipped. Final error {error.__class__.__name__}: {error}")
138
- else:
139
- print(f"Task for image {image_id} cancelled.")
140
-
141
- def parse_args():
142
- parser = argparse.ArgumentParser(description="Scrape images from Gelbooru.")
143
- parser.add_argument("-s", "--site", default="https://gelbooru.com", help="Domain to scrape from, default to https://gelbooru.com")
144
- parser.add_argument("-W", "--width", type=int, help="Scale the width of the image to the specified value, must either provide both width and height or not provide both")
145
- parser.add_argument("-H", "--height", type=int, help="Scale the height of the image to the specified value, must either provide both width and height or not provide both")
146
- parser.add_argument("-a", "--avif", action="store_true", help="If set, will convert the image into avif, need to have pillow-avif-plugin installed")
147
- parser.add_argument("-l", "--low-quality", action="store_true", help="If set, will download the sample instead of the original image")
148
- parser.add_argument("-t", "--min-tags", type=int, default=0, help="Filter out images with less than the specified amount of tags, default to 0")
149
- parser.add_argument("-m", "--max-scrape-count", type=int, help="Stop after scraping the set amount of images, may not be exact because of the asynchronous nature of this script, default to infinite")
150
- parser.add_argument("-c", "--continuous-scraping", action="store_true", help="If set, will scraping continuously even when reaching the 20000 images Gelbooru search depth cap by adjusting search tags")
151
- parser.add_argument("tags_to_search", nargs=argparse.REMAINDER, help="List of tags to search for, default to all")
152
- args = parser.parse_args()
153
- if args.width is None or args.height is None:
154
- if args.width is not None or args.height is not None:
155
- print("You must either provide both width and height or not provide both at the same time!")
156
- sys.exit(1)
157
- else:
158
- if args.width < 1:
159
- print("Width must be greater than or equal to 1!")
160
- sys.exit(1)
161
- if args.height < 1:
162
- print("Height must be greater than or equal to 1!")
163
- sys.exit(1)
164
- if args.avif:
165
- try:
166
- import pillow_avif
167
- except ImportError:
168
- print("You need to pip install pillow-avif-plugin to use avif conversion!")
169
- sys.exit(1)
170
- if args.min_tags < 0:
171
- print("Minimum tags must be greater than or equal to 0!")
172
- sys.exit(1)
173
- if isinstance(args.max_scrape_count, int) and args.max_scrape_count <= 0:
174
- print("Maximum scrape count must be greater than 0!")
175
- sys.exit(1)
176
- return args
177
-
178
- async def main():
179
- args = parse_args()
180
- print("Starting...")
181
- page_number = 0
182
- search_tags = utils.SearchTags(args.tags_to_search)
183
-
184
- os.makedirs(IMAGE_DIR, exist_ok=True)
185
- existing_image_ids = utils.get_existing_image_id_set(IMAGE_DIR)
186
- utils.register_sigint_callback()
187
-
188
- session_args = [TIMEOUT, {"fringeBenefits": "yup"}]
189
- scrape_state = utils.ScrapeState(concurrent.futures.ThreadPoolExecutor(max_workers=os.cpu_count()), utils.get_session(*session_args), existing_image_ids)
190
- session_refresh_counter = 0
191
- tasks = []
192
- while True:
193
- try:
194
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
195
- break
196
- request_url = f"{args.site}/index.php?page=post&s=list&tags={search_tags.to_search_string()}&pid={page_number}"
197
- print(f"Going to {request_url}")
198
- async with scrape_state.session.get(request_url) as response:
199
- html = await response.text()
200
- soup = BeautifulSoup(html, "html.parser")
201
- thumbnails_div = soup.find("div", class_="thumbnail-container")
202
- if not thumbnails_div:
203
- raise RuntimeError("Thumbnails division not found.")
204
- notice_error = thumbnails_div.find("div", class_="notice error")
205
- if notice_error and args.continuous_scraping:
206
- print("Reached restricted depth, adjusting search tags to continue scraping...")
207
- search_tags.update_bound(scrape_state)
208
- page_number = 0
209
- continue
210
- image_urls = [a["href"] for a in thumbnails_div.find_all("a")]
211
- image_url_count = len(image_urls)
212
- if image_url_count == 0:
213
- print("Website returned 0 image urls.")
214
- break
215
- print(f"Got {image_url_count} posts.")
216
- page_number += image_url_count
217
- for image_url in image_urls:
218
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
219
- break
220
- while len(tasks) >= MAX_TASKS:
221
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
222
- break
223
- await asyncio.sleep(0.1)
224
- for i in range(len(tasks) - 1, -1, -1):
225
- task = tasks[i]
226
- if task.done():
227
- await task
228
- del tasks[i]
229
- tasks.append(asyncio.create_task(process_link(utils.ScrapeArgs(image_url, args.width, args.height, args.avif, args.low_quality, args.min_tags, args.max_scrape_count), scrape_state)))
230
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
231
- break
232
- session_refresh_counter += 1
233
- if session_refresh_counter % 50 == 0:
234
- print("Refreshing session...")
235
- while tasks and utils.get_sigint_count() < 1:
236
- await asyncio.sleep(0.1)
237
- for i in range(len(tasks) - 1, -1, -1):
238
- task = tasks[i]
239
- if task.done():
240
- await task
241
- del tasks[i]
242
- if utils.get_sigint_count() < 1:
243
- await scrape_state.session.close()
244
- scrape_state.session = utils.get_session(*session_args)
245
- except Exception as e:
246
- print(f"An error occurred: {e}\nPausing for 0.1 second before retrying...")
247
- await asyncio.sleep(0.1)
248
- if utils.get_sigint_count() >= 1:
249
- print("Script interrupted by user, gracefully exiting...\nYou can interrupt again to exit semi-forcefully, but it will break image checks!")
250
- else:
251
- print("No more images to download, waiting already submitted tasks to finish...")
252
- while tasks and utils.get_sigint_count() <= 1:
253
- await asyncio.sleep(0.1)
254
- for i in range(len(tasks) - 1, -1, -1):
255
- task = tasks[i]
256
- if task.done():
257
- await task
258
- del tasks[i]
259
- await scrape_state.session.close()
260
- if utils.get_sigint_count() >= 1:
261
- if utils.get_sigint_count() >= 2:
262
- print("Another interrupt received, exiting semi-forcefully...\nYou can interrupt again for truly forceful exit, but it most likely will break a lot of things!")
263
- sys.exit(1)
264
-
265
- if __name__ == "__main__":
266
- try:
267
- asyncio.run(main())
268
- except KeyboardInterrupt:
269
- print("\nScript interrupted by user, exiting...")
270
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
scrape_yan.py DELETED
@@ -1,225 +0,0 @@
1
- import os
2
- import sys
3
- import time
4
- import json
5
- import utils
6
- import urllib
7
- import asyncio
8
- import argparse
9
- import concurrent
10
- from constants import *
11
-
12
- TIMEOUT = 30 # Local override.
13
-
14
- def get_type_tags_dict(raw_tags_text, tag_type_dict):
15
- type_tags_dict = {}
16
- tags_in_dict = set()
17
- for tag in raw_tags_text.split():
18
- tag = tag.replace(",", "").strip("_")
19
- if tag in tags_in_dict:
20
- continue
21
- tag_type = tag_type_dict.get(tag)
22
- if tag_type is None:
23
- raise ValueError(f"No tag type found for tag \"{tag}\"!")
24
- tag_list = type_tags_dict.get(tag_type)
25
- if tag_list is None:
26
- type_tags_dict[tag_type] = [tag]
27
- else:
28
- tag_list.append(tag)
29
- tags_in_dict.add(tag)
30
- return type_tags_dict, len(tags_in_dict)
31
-
32
- async def process_image_object(scrape_args, scrape_state):
33
- image_id = str(scrape_args.target["id"])
34
- if image_id in scrape_state.existing_image_ids:
35
- # print(f"Image {image_id} already exists, skipped.")
36
- return
37
- scrape_state.existing_image_ids.add(image_id)
38
- error = None
39
- for i in range(1, MAX_RETRY + 2): # 1 indexed.
40
- try:
41
- if utils.get_sigint_count() >= 1 or isinstance(scrape_args.max_scrape_count, int) and scrape_state.scraped_image_count >= scrape_args.max_scrape_count:
42
- break
43
- # print(f"Processing image {image_id}...")
44
- if not scrape_args.use_low_quality:
45
- image_download_url = scrape_args.target["file_url"]
46
- else:
47
- image_download_url = scrape_args.target["sample_url"]
48
-
49
- image_ext = os.path.splitext(image_download_url)[1].lower()
50
- if image_ext not in IMAGE_EXT:
51
- print(f"Image {image_id} is not an image, skipped.")
52
- return
53
-
54
- type_tags_dict, tag_count = get_type_tags_dict(scrape_args.target["tags"], scrape_args.tag_type_dict)
55
- if tag_count < scrape_args.min_tags:
56
- # print(f"Image {image_id} doesn't have enough tags({tag_count} < {scrape_args.min_tags}), skipped.")
57
- return
58
-
59
- rating = scrape_args.target.get("rating")
60
- match rating:
61
- case "s":
62
- rating = "general"
63
- case "q":
64
- rating = "questionable"
65
- case "e":
66
- rating = "explicit"
67
- case _:
68
- raise RuntimeError(f"Unknown rating: {rating}")
69
-
70
- metadata = json.dumps({"image_id": image_id, "score": scrape_args.target["score"], "rating": rating, "tags": type_tags_dict}, ensure_ascii=False, separators=(",", ":"))
71
-
72
- image_path = os.path.join(IMAGE_DIR, image_id + image_ext)
73
- metadata_path = os.path.join(IMAGE_DIR, image_id + ".json")
74
-
75
- download_start_time = time.time()
76
- async with scrape_state.session.get(image_download_url) as img_response:
77
- img_data = await img_response.read()
78
- download_used_time = time.time() - download_start_time
79
-
80
- if not await utils.submit_validation(scrape_state.thread_pool, img_data, metadata, image_path, metadata_path, scrape_args.width, scrape_args.height, scrape_args.convert_to_avif):
81
- return
82
- scrape_state.scraped_image_count += 1
83
- total_download_time = scrape_state.avg_download_time[0] * scrape_state.avg_download_time[1] + download_used_time
84
- scrape_state.avg_download_time[1] += 1
85
- scrape_state.avg_download_time[0] = total_download_time / scrape_state.avg_download_time[1]
86
- interval = 1000
87
- if scrape_state.scraped_image_count % interval != 0:
88
- return
89
- print(
90
- f"Scraped {scrape_state.scraped_image_count}/{scrape_args.max_scrape_count} images,",
91
- f"stats for the last {interval} images: [Average download time: {scrape_state.avg_download_time[0]:.3f}s]",
92
- )
93
- scrape_state.avg_download_time = [0.0, 0]
94
- return
95
- except Exception as e:
96
- error = e
97
- if i > MAX_RETRY:
98
- break
99
- # print(f"A {e.__class__.__name__} occurred with image {image_id}: {e}\nPausing for 0.1 second before retrying attempt {i}/{MAX_RETRY}...")
100
- await asyncio.sleep(0.1)
101
- scrape_state.existing_image_ids.remove(image_id)
102
- if error is not None:
103
- print(f"All retry attempts failed, image {image_id} skipped. Final error {error.__class__.__name__}: {error}")
104
- else:
105
- print(f"Task for image {image_id} cancelled.")
106
-
107
- def parse_args():
108
- parser = argparse.ArgumentParser(description="Scrape images from yande.re.")
109
- parser.add_argument("-s", "--site", default="https://yande.re", help="Domain to scrape from, default to https://yande.re")
110
- parser.add_argument("-W", "--width", type=int, help="Scale the width of the image to the specified value, must either provide both width and height or not provide both")
111
- parser.add_argument("-H", "--height", type=int, help="Scale the height of the image to the specified value, must either provide both width and height or not provide both")
112
- parser.add_argument("-a", "--avif", action="store_true", help="If set, will convert the image into avif, need to have pillow-avif-plugin installed")
113
- parser.add_argument("-l", "--low-quality", action="store_true", help="If set, will download the sample instead of the original image")
114
- parser.add_argument("-t", "--min-tags", type=int, default=0, help="Filter out images with less than the specified amount of tags, default to 0")
115
- parser.add_argument("-m", "--max-scrape-count", type=int, help="Stop after scraping the set amount of images, may not be exact because of the asynchronous nature of this script, default to infinite")
116
- parser.add_argument("tags_to_search", nargs=argparse.REMAINDER, help="List of tags to search for, default to all")
117
- args = parser.parse_args()
118
- if args.width is None or args.height is None:
119
- if args.width is not None or args.height is not None:
120
- print("You must either provide both width and height or not provide both at the same time!")
121
- sys.exit(1)
122
- else:
123
- if args.width < 1:
124
- print("Width must be greater than or equal to 1!")
125
- sys.exit(1)
126
- if args.height < 1:
127
- print("Height must be greater than or equal to 1!")
128
- sys.exit(1)
129
- if args.avif:
130
- try:
131
- import pillow_avif
132
- except ImportError:
133
- print("You need to pip install pillow-avif-plugin to use avif conversion!")
134
- sys.exit(1)
135
- if args.min_tags < 0:
136
- print("Minimum tags must be greater than or equal to 0!")
137
- sys.exit(1)
138
- if isinstance(args.max_scrape_count, int) and args.max_scrape_count <= 0:
139
- print("Maximum scrape count must be greater than 0!")
140
- sys.exit(1)
141
- return args
142
-
143
- async def main():
144
- args = parse_args()
145
- print("Starting...")
146
- page_number = 1
147
- search_tags = "+".join(urllib.parse.quote(tag, safe="") for tag in args.tags_to_search)
148
-
149
- os.makedirs(IMAGE_DIR, exist_ok=True)
150
- existing_image_ids = utils.get_existing_image_id_set(IMAGE_DIR)
151
- utils.register_sigint_callback()
152
-
153
- scrape_state = utils.ScrapeState(concurrent.futures.ThreadPoolExecutor(max_workers=os.cpu_count()), utils.get_session(TIMEOUT), existing_image_ids)
154
- tasks = []
155
- while True:
156
- try:
157
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
158
- break
159
- request_url = f"{args.site}/post.json?api_version=2&include_tags=1&limit=1000&tags={search_tags}&page={page_number}"
160
- print(f"Going to {request_url}")
161
- async with scrape_state.session.get(request_url) as response:
162
- response_json = await response.json()
163
- image_objects = response_json["posts"]
164
- image_count = len(image_objects)
165
- if image_count == 0:
166
- print("Website returned 0 images.")
167
- break
168
- print(f"Got {image_count} posts.")
169
- tag_type_dict = {tag.replace(",", "").strip("_"): type for tag, type in response_json["tags"].items()}
170
- page_number += 1
171
- for image_object in image_objects:
172
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
173
- break
174
- while len(tasks) >= MAX_TASKS:
175
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
176
- break
177
- await asyncio.sleep(0.1)
178
- for i in range(len(tasks) - 1, -1, -1):
179
- task = tasks[i]
180
- if task.done():
181
- await task
182
- del tasks[i]
183
- tasks.append(asyncio.create_task(process_image_object(
184
- utils.ScrapeArgs(image_object, args.width, args.height, args.avif, args.low_quality, args.min_tags, args.max_scrape_count, tag_type_dict), scrape_state
185
- )))
186
- if utils.get_sigint_count() >= 1 or isinstance(args.max_scrape_count, int) and scrape_state.scraped_image_count >= args.max_scrape_count:
187
- break
188
- if page_number % 2 == 1:
189
- print("Refreshing session...")
190
- while tasks and utils.get_sigint_count() < 1:
191
- await asyncio.sleep(0.1)
192
- for i in range(len(tasks) - 1, -1, -1):
193
- task = tasks[i]
194
- if task.done():
195
- await task
196
- del tasks[i]
197
- if utils.get_sigint_count() < 1:
198
- await scrape_state.session.close()
199
- scrape_state.session = utils.get_session(TIMEOUT)
200
- except Exception as e:
201
- print(f"An error occurred: {e}\nPausing for 0.1 second before retrying...")
202
- await asyncio.sleep(0.1)
203
- if utils.get_sigint_count() >= 1:
204
- print("Script interrupted by user, gracefully exiting...\nYou can interrupt again to exit semi-forcefully, but it will break image checks!")
205
- else:
206
- print("No more images to download, waiting already submitted tasks to finish...")
207
- while tasks and utils.get_sigint_count() <= 1:
208
- await asyncio.sleep(0.1)
209
- for i in range(len(tasks) - 1, -1, -1):
210
- task = tasks[i]
211
- if task.done():
212
- await task
213
- del tasks[i]
214
- await scrape_state.session.close()
215
- if utils.get_sigint_count() >= 1:
216
- if utils.get_sigint_count() >= 2:
217
- print("Another interrupt received, exiting semi-forcefully...\nYou can interrupt again for truly forceful exit, but it most likely will break a lot of things!")
218
- sys.exit(1)
219
-
220
- if __name__ == "__main__":
221
- try:
222
- asyncio.run(main())
223
- except KeyboardInterrupt:
224
- print("\nScript interrupted by user, exiting...")
225
- sys.exit(1)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
utils/__init__.py DELETED
@@ -1,5 +0,0 @@
1
- from .utils import *
2
- from .search_tags import *
3
- from .scrape_args import *
4
- from .scrape_state import *
5
- from .sigint_handler import *
 
 
 
 
 
 
utils/scrape_args.py DELETED
@@ -1,13 +0,0 @@
1
- from typing import Optional, Any
2
- from dataclasses import dataclass
3
-
4
- @dataclass
5
- class ScrapeArgs:
6
- target: Any
7
- width: Optional[int] = None
8
- height: Optional[int] = None
9
- convert_to_avif: bool = False
10
- use_low_quality: bool = False
11
- min_tags: int = 0
12
- max_scrape_count: Optional[int] = None
13
- tag_type_dict: Optional[dict[str, str]] = None
 
 
 
 
 
 
 
 
 
 
 
 
 
 
utils/scrape_state.py DELETED
@@ -1,15 +0,0 @@
1
- from typing import Optional
2
- from aiohttp import ClientSession
3
- from dataclasses import dataclass, field
4
- from concurrent.futures import ThreadPoolExecutor
5
-
6
- @dataclass
7
- class ScrapeState:
8
- thread_pool: ClientSession
9
- session: ThreadPoolExecutor
10
- existing_image_ids: set[str] = field(default_factory=set)
11
- scraped_image_count: int = 0
12
- last_reached_image_id: Optional[str] = None
13
- last_reached_image_score: Optional[int] = None
14
- avg_query_time: list[float, int] = field(default_factory=lambda: [0.0, 0])
15
- avg_download_time: list[float, int] = field(default_factory=lambda: [0.0, 0])
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
utils/search_tags.py DELETED
@@ -1,129 +0,0 @@
1
- import re
2
- import urllib
3
- from typing import Optional
4
- from dataclasses import dataclass
5
-
6
- COMPARE_FILTER_TAG_PATTERN = re.compile(r"^([a-z]+):([<>]?)(=?)(\S*)$", re.ASCII)
7
- WHITE_SPACE_PATTERN = re.compile(r"\s")
8
-
9
- @dataclass
10
- class SortTag:
11
- sort_type: str = "id"
12
- descending: bool = True
13
-
14
- def __str__(self):
15
- return "sort:" + self.sort_type + ":" + ("desc" if self.descending else "asc")
16
-
17
- @classmethod
18
- def validate_sort_type(cls, sort_type):
19
- match sort_type:
20
- case "id":
21
- pass
22
- case "score":
23
- pass
24
- case _:
25
- raise NotImplementedError(f"Sort type \"{sort_type}\" is not implemented!")
26
-
27
- @classmethod
28
- def from_tag(cls, tag):
29
- if not tag.startswith("sort:"):
30
- return None
31
- sort_type = None
32
- descending = True
33
- for i, sort_tag_part in enumerate(tag.split(":")):
34
- match i:
35
- case 0:
36
- pass
37
- case 1:
38
- cls.validate_sort_type(sort_tag_part)
39
- sort_type = sort_tag_part
40
- case 2:
41
- if sort_tag_part == "asc":
42
- descending = False
43
- case _:
44
- raise ValueError(f"The sort tag \"{tag}\" you provided isn't valid!")
45
- if i < 1:
46
- raise ValueError(f"The sort tag \"{tag}\" you provided isn't valid!")
47
- return cls(sort_type, descending)
48
-
49
- @dataclass
50
- class CompareFilterTag:
51
- compare_type: str
52
- less_than: bool
53
- with_equal: bool
54
- target: str
55
-
56
- def __str__(self):
57
- return self.compare_type + ":" + ("<" if self.less_than else ">") + ("=" if self.with_equal else "") + self.target
58
-
59
- @classmethod
60
- def from_tag(cls, tag):
61
- re_match = COMPARE_FILTER_TAG_PATTERN.search(tag)
62
- if re_match is None:
63
- return None
64
- target = re_match.group(4)
65
- if not target:
66
- raise ValueError(f"The compare filter tag \"{tag}\" you provided isn't valid!")
67
- less_than = re_match.group(2)
68
- with_equal = re_match.group(3)
69
- if not less_than:
70
- if not with_equal:
71
- return None
72
- raise ValueError(f"The compare filter tag \"{tag}\" you provided isn't valid!")
73
- return cls(re_match.group(1), less_than == "<", bool(with_equal), target)
74
-
75
- class SearchTags:
76
-
77
- def __init__(self, tags: list[str]):
78
- self.general_tags: list[str] = []
79
- self.sort_tag: SortTag = None
80
- self.compare_filter_tags: list[CompareFilterTag] = []
81
- self.sort_associated_compare_filter_tag: Optional[CompareFilterTag] = None
82
- for tag in tags:
83
- tag = tag.strip().lower()
84
- if not tag:
85
- continue
86
- if WHITE_SPACE_PATTERN.search(tag):
87
- raise ValueError(f"The tag \"{tag}\" contains white space(s), booru tags should use \"_\" instead of spaces!")
88
- sort_tag = SortTag.from_tag(tag)
89
- if sort_tag is not None:
90
- if self.sort_tag is not None:
91
- raise ValueError("You can't provide more than 1 sort tag!")
92
- self.sort_tag = sort_tag
93
- continue
94
- compare_filter_tag = CompareFilterTag.from_tag(tag)
95
- if compare_filter_tag is not None:
96
- self.compare_filter_tags.append(compare_filter_tag)
97
- continue
98
- self.general_tags.append(tag)
99
- if self.sort_tag is None:
100
- self.sort_tag = SortTag()
101
- for i in range(len(self.compare_filter_tags) - 1, -1, -1):
102
- compare_filter_tag = self.compare_filter_tags[i]
103
- if compare_filter_tag.compare_type == self.sort_tag.sort_type and compare_filter_tag.less_than == self.sort_tag.descending:
104
- if self.sort_associated_compare_filter_tag is not None:
105
- raise ValueError("You can't provide more than 1 sort associated compare filter tag!")
106
- self.sort_associated_compare_filter_tag = compare_filter_tag
107
- del self.compare_filter_tags[i]
108
-
109
- def update_bound(self, scrape_state):
110
- match self.sort_tag.sort_type:
111
- case "id":
112
- if scrape_state.last_reached_image_id is None:
113
- raise ValueError("Last reached image ID isn't set!")
114
- self.sort_associated_compare_filter_tag = CompareFilterTag("id", self.sort_tag.descending, True, scrape_state.last_reached_image_id)
115
- case "score":
116
- if scrape_state.last_reached_image_score is None:
117
- raise ValueError("Last reached image score isn't set!")
118
- self.sort_associated_compare_filter_tag = CompareFilterTag("score", self.sort_tag.descending, True, str(scrape_state.last_reached_image_score))
119
- case _:
120
- raise NotImplementedError(f"Bound update for sort type \"{self.sort_tag.sort_type}\" is not implemented!")
121
-
122
- def to_search_string(self):
123
- tag_texts = [str(self.sort_tag)]
124
- for compare_filter_tag in self.compare_filter_tags:
125
- tag_texts.append(str(compare_filter_tag))
126
- if self.sort_associated_compare_filter_tag is not None:
127
- tag_texts.append(str(self.sort_associated_compare_filter_tag))
128
- tag_texts += self.general_tags
129
- return "+".join(urllib.parse.quote(tag_text, safe="") for tag_text in tag_texts)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
utils/sigint_handler.py DELETED
@@ -1,18 +0,0 @@
1
- import sys
2
- import signal
3
-
4
- _SIGINT_COUNTER = 0
5
-
6
- def get_sigint_count():
7
- return _SIGINT_COUNTER
8
-
9
- def sigint_handler(signum, frame):
10
- global _SIGINT_COUNTER
11
- _SIGINT_COUNTER += 1
12
- print()
13
- if _SIGINT_COUNTER >= 3:
14
- print("Script force quit by user, exiting...")
15
- sys.exit(1)
16
-
17
- def register_sigint_callback():
18
- signal.signal(signal.SIGINT, sigint_handler)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
utils/utils.py DELETED
@@ -1,115 +0,0 @@
1
- import os
2
- import io
3
- import copy
4
- import json
5
- import asyncio
6
- import aiohttp
7
- from PIL import Image
8
-
9
- def validate_image(image_data, metadata, image_path, metadata_path, width=None, height=None, convert_to_avif=False):
10
- try:
11
- with io.BytesIO(image_data) as image_filelike:
12
- with Image.open(image_filelike) as img:
13
- save_kwargs = {}
14
- if isinstance(width, int) and width > 0 and isinstance(height, int) and height > 0:
15
- img = img.resize((width, height))
16
- if convert_to_avif:
17
- import pillow_avif
18
- save_kwargs["quality"] = 50
19
- image_path = os.path.splitext(image_path)[0] + ".avif"
20
- img.load()
21
- img.save(image_path, **save_kwargs)
22
- with open(metadata_path, "w", encoding="utf8") as metadata_file:
23
- metadata_file.write(metadata)
24
- return True
25
- except Exception as e:
26
- print(f"Error validating image {image_path}: {e}")
27
- try:
28
- os.remove(image_path)
29
- except FileNotFoundError:
30
- pass
31
- except Exception as e:
32
- print("Error deleting image file:", e)
33
- try:
34
- os.remove(metadata_path)
35
- print(f"Deleted invalid image and metadata files: \"{image_path}\", \"{metadata_path}\"")
36
- except FileNotFoundError:
37
- pass
38
- except Exception as e:
39
- print("Error deleting metadata file:", e)
40
- return False
41
-
42
- async def submit_validation(thread_pool, image_data, metadata, image_path, metadata_path, width=None, height=None, convert_to_avif=False):
43
- return await asyncio.wrap_future(thread_pool.submit(validate_image, image_data, metadata, image_path, metadata_path, width, height, convert_to_avif))
44
-
45
- def get_image_id_image_metadata_path_tuple_dict(image_dir):
46
- if not os.path.isdir(image_dir):
47
- raise FileNotFoundError(f"\"{image_dir}\" is not a directory!")
48
- image_id_image_metadata_path_tuple_dict = {}
49
- for path in os.listdir(image_dir):
50
- image_id, ext = os.path.splitext(path)
51
- if ext == ".json":
52
- continue
53
- path = os.path.join(image_dir, path)
54
- if not os.path.isfile(path):
55
- continue
56
- metadata_path = os.path.splitext(path)[0] + ".json"
57
- if not os.path.isfile(metadata_path):
58
- continue
59
- image_id_image_metadata_path_tuple_dict[image_id] = (path, metadata_path)
60
- return image_id_image_metadata_path_tuple_dict
61
-
62
- def get_existing_image_id_set(image_dir):
63
- return set(get_image_id_image_metadata_path_tuple_dict(image_dir))
64
-
65
- def get_session(timeout=None, cookies=None):
66
- kwargs = {"connector": aiohttp.TCPConnector(limit=0, ttl_dns_cache=600), "cookies": cookies}
67
- if timeout is not None:
68
- kwargs["timeout"] = aiohttp.ClientTimeout(total=timeout)
69
- return aiohttp.ClientSession(**kwargs)
70
-
71
- def get_model_tags(model_tags_path):
72
- if not os.path.isfile(model_tags_path):
73
- raise FileNotFoundError(f"\"{model_tags_path}\" is not a file, please place one there!")
74
- index_tag_dict = {}
75
- with open(model_tags_path, "r", encoding="utf8") as model_tags_file:
76
- for line in model_tags_file:
77
- line = line.split()
78
- if len(line) != 2:
79
- continue
80
- index_tag_dict[int(line[0])] = line[1]
81
- if len(index_tag_dict) <= 0:
82
- return []
83
- sorted_index_tag_tuple_list = sorted(index_tag_dict.items(), key=lambda x: x[0])
84
- if len(sorted_index_tag_tuple_list) != sorted_index_tag_tuple_list[-1][0] + 1:
85
- raise ValueError(f"The index specified in \"{model_tags_path}\" is not continuous!")
86
- return [tag for _, tag in sorted_index_tag_tuple_list]
87
-
88
- def get_metadata(metadata_path):
89
- if not os.path.isfile(metadata_path):
90
- raise FileNotFoundError(f"\"{metadata_path}\" is not a file!")
91
- with open(metadata_path, "r", encoding="utf8") as metadata_file:
92
- return json.load(metadata_file)
93
-
94
- def get_tags(metadata_path_or_dict, exclude=None, include=None, no_rating_prefix=False):
95
- if exclude is not None and include is not None:
96
- raise ValueError("You can't set both exclude and include, please only set one.")
97
- metadata = get_metadata(metadata_path_or_dict) if not isinstance(metadata_path_or_dict, dict) else metadata_path_or_dict
98
- type_tags_dict = copy.copy(metadata.get("tags", {}))
99
- if exclude is not None:
100
- for e in exclude:
101
- type_tags_dict.pop(e, None)
102
- include_rating = "rating" not in exclude
103
- elif include is not None:
104
- for k in list(type_tags_dict):
105
- if k not in include:
106
- type_tags_dict.pop(k)
107
- include_rating = "rating" in include
108
- else:
109
- include_rating = True
110
- tags = []
111
- for l in type_tags_dict.values():
112
- tags += l
113
- if include_rating:
114
- tags.append(("" if no_rating_prefix else "rating:") + metadata["rating"])
115
- return tags