diff --git a/.scripts/idxtool.py b/.scripts/idxtool.py index 9a82f37..d923fd9 100755 --- a/.scripts/idxtool.py +++ b/.scripts/idxtool.py @@ -88,15 +88,9 @@ def rebuild_toc(toc_out: str = '') -> Tuple[bool, str]: if not toc_out: toc_out = toc_in - # Open the output file for writing (overwriting any existing content) - try: - ofile = open(toc_out, 'w', encoding='utf-8') - except: - return (False, f"Failed to open '{toc_out}' for writing.") - - # Write a header for the TOC file + # Generate new TOC content out = [] - out.append("# ChatGPT System Prompts \n\n") + out.append("# ChatGPT System Prompts - Table of Contents\n\n") out.append("This document contains a table of contents for the ChatGPT System Prompts repository.\n\n") # Add links to TOC.md files in prompts directory subdirectories @@ -112,17 +106,36 @@ def rebuild_toc(toc_out: str = '') -> Tuple[bool, str]: if prompt_dirs: out.append("## Prompt Collections\n\n") - prompt_dirs.sort() # Sort alphabetically + prompt_dirs.sort(key=str.lower) # Sort alphabetically case-insensitive for dirname in prompt_dirs: # Create a relative link to the subdirectory TOC file link = f"./prompts/{dirname}/{TOC_FILENAME}" out.append(f"- [{dirname} Collection]({link})\n") - ofile.writelines(out) - ofile.close() - msg = f"Generated TOC with Prompt Collections only." + # Combine into a single string + new_content = ''.join(out) - return (True, msg) + # Check if the file exists and if its content matches the new content + if os.path.exists(toc_out): + try: + with open(toc_out, 'r', encoding='utf-8') as existing_file: + existing_content = existing_file.read() + if existing_content == new_content: + msg = f"TOC content unchanged, skipping write to '{toc_out}'" + print(msg) + return (True, msg) + except Exception as e: + print(f"Warning: Could not read existing TOC file: {str(e)}") + + # Content is different or file doesn't exist, write the new content + try: + with open(toc_out, 'w', encoding='utf-8') as ofile: + ofile.write(new_content) + msg = f"Generated TOC with Prompt Collections only." + return (True, msg) + except Exception as e: + msg = f"Failed to write TOC file: {str(e)}" + return (False, msg) def make_template(url, verbose=True): """Creates an empty GPT template file from a ChatGPT URL""" @@ -305,47 +318,67 @@ def generate_toc_for_prompts_dirs() -> Tuple[bool, str]: A tuple (success, message) indicating success/failure and a descriptive message """ toc_path = os.path.join(dir_path, TOC_FILENAME) + + # Generate new content try: - with open(toc_path, 'w', encoding='utf-8') as toc_file: - toc_file.write(f"# gpts \n\n") + out = [] + out.append(f"# gpts - Table of Contents\n\n") - # Count GPTs - enumerated_gpts = list(enum_gpts()) - nb_ok = sum(1 for ok, gpt in enumerated_gpts if ok and gpt.id()) + # Count GPTs + enumerated_gpts = list(enum_gpts()) + nb_ok = sum(1 for ok, gpt in enumerated_gpts if ok and gpt.id()) - toc_file.write(f"## GPTs ({nb_ok} total)\n\n") + out.append(f"## GPTs ({nb_ok} total)\n\n") - nb_ok = nb_total = 0 - gpts = [] - for ok, gpt in enumerated_gpts: - nb_total += 1 - if ok: - if gpt_id := gpt.id(): - nb_ok += 1 - gpts.append((gpt_id, gpt)) - else: - print(f"[!] No ID detected: {gpt.filename}") + nb_ok = nb_total = 0 + gpts = [] + for ok, gpt in enumerated_gpts: + nb_total += 1 + if ok: + if gpt_id := gpt.id(): + nb_ok += 1 + gpts.append((gpt_id, gpt)) else: - print(f"[!] {gpt}") + print(f"[!] No ID detected: {gpt.filename}") + else: + print(f"[!] {gpt}") - # Consistently sort the GPTs by title - def gpts_sorter(key): - gpt_id, gpt = key - version = f"{gpt.get('version')}" if gpt.get('version') else '' - return f"{gpt.get('title')}{version} (id: {gpt_id.id}))" - gpts.sort(key=gpts_sorter) + # Consistently sort the GPTs by title + def gpts_sorter(key): + gpt_id, gpt = key + version = f"{gpt.get('version')}" if gpt.get('version') else '' + return f"{gpt.get('title', '').lower()}{version} (id: {gpt_id.id}))" # Case-insensitive sort + gpts.sort(key=gpts_sorter) - for id, gpt in gpts: - file_link = f"./{quote(os.path.basename(gpt.filename))}" - version = f" {gpt.get('version')}" if gpt.get('version') else '' - toc_file.write(f"- [{gpt.get('title')}{version} (id: {id.id})]({file_link})\n") + for id, gpt in gpts: + file_link = f"./{quote(os.path.basename(gpt.filename))}" + version = f" {gpt.get('version')}" if gpt.get('version') else '' + out.append(f"- [{gpt.get('title')}{version} (id: {id.id})]({file_link})\n") + + new_content = ''.join(out) + + # Check if the file exists and if its content matches the new content + if os.path.exists(toc_path): + try: + with open(toc_path, 'r', encoding='utf-8') as existing_file: + existing_content = existing_file.read() + if existing_content == new_content: + msg = f"TOC content unchanged for 'gpts', skipping write" + print(msg) + return (True, msg) + except Exception as e: + print(f"Warning: Could not read existing gpts TOC file: {str(e)}") + + # Content is different or file doesn't exist, write the new content + with open(toc_path, 'w', encoding='utf-8') as toc_file: + toc_file.write(new_content) return (True, f"Generated TOC.md for 'gpts' with {nb_ok} out of {nb_total} GPTs.") except Exception as e: return (False, f"Error generating TOC.md for 'gpts': {str(e)}") # Process each top-level directory under prompts/ - for dirname in sorted(all_dirs): # Sort for consistent processing order + for dirname in sorted(all_dirs, key=str.lower): # Sort for consistent processing order dir_path = os.path.join(prompts_base_path, dirname) if not os.path.isdir(dir_path): messages.append(f"Directory '{dirname}' does not exist, skipping") @@ -370,52 +403,72 @@ def generate_toc_for_prompts_dirs() -> Tuple[bool, str]: # Generate TOC.md for this directory toc_path = os.path.join(dir_path, TOC_FILENAME) try: + # Generate new content + out = [] + out.append(f"# {dirname} - Table of Contents\n\n") + + # Group files by their subdirectory + files_by_dir = {} + for rel_dir_path, filename, title in md_files: + if rel_dir_path not in files_by_dir: + files_by_dir[rel_dir_path] = [] + files_by_dir[rel_dir_path].append((filename, title)) + + # First list files in the root directory + if '' in files_by_dir: + root_files = files_by_dir[''] + root_files.sort(key=lambda x: x[1].lower()) # Sort alphabetically by title, case-insensitive + + for filename, title in root_files: + out.append(f"- [{title}](./{quote(filename)})\n") + + # Add a separator if we have subdirectories + if len(files_by_dir) > 1: + out.append("\n") + + # Then list files in subdirectories + subdirs = [d for d in files_by_dir.keys() if d != ''] + if subdirs: + out.append("## Subdirectories\n\n") + + # Sort subdirectories alphabetically, case-insensitive + subdirs.sort(key=str.lower) + + for subdir in subdirs: + # Write the subdirectory name as a heading + display_subdir = subdir.replace('\\', '/') # Ensure consistent path display + out.append(f"### {display_subdir}\n\n") + + # Sort files in this subdirectory alphabetically by title, case-insensitive + subdir_files = files_by_dir[subdir] + subdir_files.sort(key=lambda x: x[1].lower()) + + for filename, title in subdir_files: + # Create a link with the correct relative path to the file + # Use os.path.join for correct path construction then replace backslashes for display + link_path = os.path.join(subdir, filename).replace('\\', '/') + out.append(f"- [{title}](./{quote(link_path)})\n") + + out.append("\n") + + new_content = ''.join(out) + + # Check if the file exists and if its content matches the new content + if os.path.exists(toc_path): + try: + with open(toc_path, 'r', encoding='utf-8') as existing_file: + existing_content = existing_file.read() + if existing_content == new_content: + msg = f"TOC content unchanged for '{dirname}', skipping write" + print(msg) + messages.append(msg) + continue # Skip to next directory + except Exception as e: + print(f"Warning: Could not read existing TOC file for '{dirname}': {str(e)}") + + # Content is different or file doesn't exist, write the new content with open(toc_path, 'w', encoding='utf-8') as toc_file: - toc_file.write(f"# {dirname} \n\n") - - # Group files by their subdirectory - files_by_dir = {} - for rel_dir_path, filename, title in md_files: - if rel_dir_path not in files_by_dir: - files_by_dir[rel_dir_path] = [] - files_by_dir[rel_dir_path].append((filename, title)) - - # First list files in the root directory - if '' in files_by_dir: - root_files = files_by_dir[''] - root_files.sort() # Sort alphabetically - - for filename, title in root_files: - toc_file.write(f"- [{title}](./{quote(filename)})\n") - - # Add a separator if we have subdirectories - if len(files_by_dir) > 1: - toc_file.write("\n") - - # Then list files in subdirectories - subdirs = [d for d in files_by_dir.keys() if d != ''] - if subdirs: - toc_file.write("## Subdirectories\n\n") - - # Sort subdirectories alphabetically - subdirs.sort() - - for subdir in subdirs: - # Write the subdirectory name as a heading - display_subdir = subdir.replace('\\', '/') # Ensure consistent path display - toc_file.write(f"### {display_subdir}\n\n") - - # Sort files in this subdirectory alphabetically - subdir_files = files_by_dir[subdir] - subdir_files.sort() - - for filename, title in subdir_files: - # Create a link with the correct relative path to the file - # Use os.path.join for correct path construction then replace backslashes for display - link_path = os.path.join(subdir, filename).replace('\\', '/') - toc_file.write(f"- [{title}](./{quote(link_path)})\n") - - toc_file.write("\n") + toc_file.write(new_content) messages.append(f"Generated TOC.md for '{dirname}' with {len(md_files)} total files") diff --git a/TOC.md b/TOC.md index 33a4424..0036505 100644 --- a/TOC.md +++ b/TOC.md @@ -1,4 +1,4 @@ -# ChatGPT System Prompts +# ChatGPT System Prompts - Table of Contents This document contains a table of contents for the ChatGPT System Prompts repository. diff --git a/prompts/gpts/TOC.md b/prompts/gpts/TOC.md index cbcc07f..c3662b7 100644 --- a/prompts/gpts/TOC.md +++ b/prompts/gpts/TOC.md @@ -1,4 +1,4 @@ -# gpts +# gpts - Table of Contents ## GPTs (1107 total) @@ -19,7 +19,26 @@ - [69+ PromptHack Techniques (id: aJwxJyNng)](./aJwxJyNng_69_PromptHack_Techniques.md) - [@AIJesusGPT~Spiritual Guidance With a Visual Touch (id: 03kpxFq48)](./03kpxFq48_AIJesusGPTSpiritual_Guidance_With_a_Visual_Touch.md) - [@levelsio (id: QFAuxHmUa)](./QFAuxHmUa_%40levelsio.md) +- [[deleted] Fantasy Book Weaver (id: a4YGO3q49)](./a4YGO3q49_Fantasy%20Book%20Weaver.md) +- [[deleted] Girlfriend Emma (id: eEFZELjV9)](./eEFZELjV9_Girlfriend%20Emma.md) +- [[deleted] 完蛋!我爱上了姐姐 (id: ThfYYYz5m)](./ThfYYYz5m_%E5%AE%8C%E8%9B%8B%EF%BC%81%E6%88%91%E7%88%B1%E4%B8%8A%E4%BA%86%E5%A7%90%E5%A7%90.md) +- [[deleted] 骂醒恋爱脑 (id: PUalJKyJj)](./PUalJKyJj_%E9%AA%82%E9%86%92%E6%81%8B%E7%88%B1%E8%84%91.md) +- [[latest] Vue.js GPT (id: LXEGvZLUS)](./LXEGvZLUS_%5Blatest%5D%20Vue.js%20GPT.md) - [A Multilingual Guide to Homemade Candles (id: Vht7SYCad)](./Vht7SYCad_A_Multilingual_Guide_to_Homemade_Candles.md) +- [About Ana Elisa Althoff (id: LtzoFpsw7)](./LtzoFpsw7_About_Ana_Elisa_Althoff.md) +- [AboutMe (id: hOBBFG8U1)](./hOBBFG8U1_AboutMe.md) +- [Abridged Due Diligence (id: H8L5GI0SD)](./H8L5GI0SD_Abridged_Due_Diligence.md) +- [Academic article writing tips for social science (id: B1Lv1gENp)](./B1Lv1gENp_Academic_article_writing_tips_for_social_science.md) +- [Academic Paper Finder (id: CgJc99CBi)](./CgJc99CBi_Academic_Paper_Finder.md) +- [Accountant for U.S. Citizens Abroad (id: XCy8mdleF)](./XCy8mdleF_Accountant_for_U.S._Citizens_Abroad.md) +- [Achieve AI (id: eRwZ7sZkk)](./eRwZ7sZkk_Achieve_AI.md) +- [ActionsGPT (id: TYEliDU6A)](./TYEliDU6A_ActionsGPT.md) +- [Adam ASD Communication assistant English ver (id: 2SFZ2dv4i)](./2SFZ2dv4i_Adam_ASD_Communication_assistant_English_ver.md) +- [Adam 自閉症発達障害当事者支援AI (id: eSs1b6Izv)](./eSs1b6Izv_Adam_%E8%87%AA%E9%96%89%E7%97%87%E7%99%BA%E9%81%94%E9%9A%9C%E5%AE%B3%E5%BD%93%E4%BA%8B%E8%80%85%E6%94%AF%E6%8F%B4AI.md) +- [AdaptiveCards Assistant (id: 6EBZvWrlv)](./6EBZvWrlv_AdaptiveCards_Assistant.md) +- [Ads Generator by joe (id: WBQKGsGm3)](./WBQKGsGm3_Ads%20Generator%20by%20joe.md) +- [Adventure Quest 1981 GPT (id: rEpdXsPGD)](./rEpdXsPGD_Adventure_Quest_1981_GPT.md) +- [Agi.zip (id: r4ckjls47)](./r4ckjls47_Agi_zip.md) - [AI Bestie (id: 6jlF3ag0Y)](./6jlF3ag0Y_AI%20Bestie.md) - [AI Character Maker (id: BXT8sE3k9)](./BXT8sE3k9_AI_Character_Maker.md) - [AI Code Analyzer (id: JDon1J4Ww)](./JDon1J4Ww_AI%20Code%20Analyzer.md) @@ -29,8 +48,9 @@ - [AI Lover (id: GWdqYPusV)](./GWdqYPusV_AI%20Lover.md) - [AI Muscle Motivation Manga EXTREME (id: KVgwTAXhg)](./KVgwTAXhg_AI_Muscle_Motivation_Manga_EXTREME.md) - [AI Narrative and Causality Drone GPT (id: ZIm7gEXLp)](./ZIm7gEXLp_AI_Narrative_and_Causality_Drone_GPT.md) -- [AI PDF 對話導師 aka 小樊登 (id: iTKuCS2iV)](./iTKuCS2iV_AI%20PDF%20Dialogue%20Tutor.md) - [AI Paper Polisher Pro (id: VX52iRD3r)](./VX52iRD3r_AI%20Paper%20Polisher%20Pro.md) +- [Ai PDF (id: V2KIUZSj0)](./V2KIUZSj0_Ai%20PDF.md) +- [AI PDF 對話導師 aka 小樊登 (id: iTKuCS2iV)](./iTKuCS2iV_AI%20PDF%20Dialogue%20Tutor.md) - [AI Sheikh (id: DeI2uqZOB)](./DeI2uqZOB_AI_Sheikh.md) - [AI Song Maker (id: txEiClD5G)](./txEiClD5G_AI_Song_Maker.md) - [AI Tiny Games: By Dave Lalande (id: Chb5JxFEG)](./Chb5JxFEG_AI_Tiny_Games_By_Dave_Lalande.md) @@ -43,29 +63,10 @@ - [AILC History (id: QpQ6ZqGn5)](./QpQ6ZqGn5_AILC_History.md) - [AI日本美女 (id: jDiBFCDwr)](./jDiBFCDwr_AI%E6%97%A5%E6%9C%AC%E7%BE%8E%E5%A5%B3.md) - [AI算命 (id: cbNeVpiuC)](./cbNeVpiuC_AI%20Fortune%20Telling.md) -- [ALL IN GPT (id: G9xpNjjMi)](./G9xpNjjMi_ALL%20IN%20GPT.md) -- [ALL IN GPT v0 (id: G9xpNjjMi)](./G9xpNjjMi_ALL%20IN%20GPT%5Bv0%5D.md) -- [API Docs (id: I1XNbsyDK)](./I1XNbsyDK_ChatGPT%20-%20API%20Docs.md) -- [API Seeker (id: djyDRUw5w)](./djyDRUw5w_API_Seeker.md) -- [ARCommander (id: Hkt3pwQAu)](./Hkt3pwQAu_ARCommander.md) -- [ARM Assembler Guru (id: kkOad7PaR)](./kkOad7PaR_ARM_Assembler_Guru.md) -- [About Ana Elisa Althoff (id: LtzoFpsw7)](./LtzoFpsw7_About_Ana_Elisa_Althoff.md) -- [AboutMe (id: hOBBFG8U1)](./hOBBFG8U1_AboutMe.md) -- [Abridged Due Diligence (id: H8L5GI0SD)](./H8L5GI0SD_Abridged_Due_Diligence.md) -- [Academic Paper Finder (id: CgJc99CBi)](./CgJc99CBi_Academic_Paper_Finder.md) -- [Academic article writing tips for social science (id: B1Lv1gENp)](./B1Lv1gENp_Academic_article_writing_tips_for_social_science.md) -- [Accountant for U.S. Citizens Abroad (id: XCy8mdleF)](./XCy8mdleF_Accountant_for_U.S._Citizens_Abroad.md) -- [Achieve AI (id: eRwZ7sZkk)](./eRwZ7sZkk_Achieve_AI.md) -- [ActionsGPT (id: TYEliDU6A)](./TYEliDU6A_ActionsGPT.md) -- [Adam ASD Communication assistant English ver (id: 2SFZ2dv4i)](./2SFZ2dv4i_Adam_ASD_Communication_assistant_English_ver.md) -- [Adam 自閉症発達障害当事者支援AI (id: eSs1b6Izv)](./eSs1b6Izv_Adam_%E8%87%AA%E9%96%89%E7%97%87%E7%99%BA%E9%81%94%E9%9A%9C%E5%AE%B3%E5%BD%93%E4%BA%8B%E8%80%85%E6%94%AF%E6%8F%B4AI.md) -- [AdaptiveCards Assistant (id: 6EBZvWrlv)](./6EBZvWrlv_AdaptiveCards_Assistant.md) -- [Ads Generator by joe (id: WBQKGsGm3)](./WBQKGsGm3_Ads%20Generator%20by%20joe.md) -- [Adventure Quest 1981 GPT (id: rEpdXsPGD)](./rEpdXsPGD_Adventure_Quest_1981_GPT.md) -- [Agi.zip (id: r4ckjls47)](./r4ckjls47_Agi_zip.md) -- [Ai PDF (id: V2KIUZSj0)](./V2KIUZSj0_Ai%20PDF.md) - [Alex Hormozi Strats (id: aIWEfl3zH)](./aIWEfl3zH_Alex%20Hormozi%20Strats.md) - [Alien Autopsy Assistant (id: WTtjjSEyc)](./WTtjjSEyc_Alien_Autopsy_Assistant.md) +- [ALL IN GPT (id: G9xpNjjMi)](./G9xpNjjMi_ALL%20IN%20GPT.md) +- [ALL IN GPT v0 (id: G9xpNjjMi)](./G9xpNjjMi_ALL%20IN%20GPT%5Bv0%5D.md) - [AlphaNotes GPT (id: ZdfrSRAyo)](./ZdfrSRAyo_AlphaNotes%20GPT.md) - [Alt-Text Generator (id: bKexySRRt)](./bKexySRRt_Alt-Text_Generator.md) - [Alternative Reality Explorer (id: zCVujtIRW)](./zCVujtIRW_Alternative_Reality_Explorer.md) @@ -74,11 +75,15 @@ - [Animal Chefs (id: U3VHptOvM)](./U3VHptOvM_Animal%20Chefs.md) - [Annoying Vegan (id: CYNydWLRQ)](./CYNydWLRQ_Annoying_Vegan.md) - [Anya (id: BPtSLLLrG)](./BPtSLLLrG_Anya.md) +- [API Docs (id: I1XNbsyDK)](./I1XNbsyDK_ChatGPT%20-%20API%20Docs.md) +- [API Seeker (id: djyDRUw5w)](./djyDRUw5w_API_Seeker.md) - [App-GPT (id: 76iz872HL)](./76iz872HL_App-GPT.md) - [ArabeGPT (id: PzYr2opQ2)](./PzYr2opQ2_ArabeGPT.md) - [Arabic Scribe (id: plKoK5LZ7)](./plKoK5LZ7_Arabic_Scribe.md) +- [ARCommander (id: Hkt3pwQAu)](./Hkt3pwQAu_ARCommander.md) - [Area 51 Analyst (id: PXjRPpMlG)](./PXjRPpMlG_Area_51_Analyst.md) - [Aria (id: 4XQwX2FSG)](./4XQwX2FSG_Aria.md) +- [ARM Assembler Guru (id: kkOad7PaR)](./kkOad7PaR_ARM_Assembler_Guru.md) - [Artful Greeting AI Cards (id: SnF78wo4p)](./SnF78wo4p_Artful_Greeting_AI_Cards.md) - [Ask Dr. Andrew Huberman (id: 1xC65osMP)](./1xC65osMP_Ask%20Dr.%20Andrew%20Huberman.md) - [Ask Machiavelli (id: 7Yooxj751)](./7Yooxj751_Ask_Machiavelli.md) @@ -121,15 +126,15 @@ - [Blog Expert (id: PWizFQk8C)](./PWizFQk8C_Blog_Expert.md) - [Blog Post Generator (id: SO1P9FFKP)](./SO1P9FFKP_Blog%20Post%20Generator.md) - [Book Search (id: wcZBH43y6)](./wcZBH43y6_Book_Search.md) -- [Book Writer AI Team (id: IPXbmJe1b)](./IPXbmJe1b_Book_Writer_AI_Team.md) - [Book to Prompt (id: h4gjGg7a0)](./h4gjGg7a0_Book%20to%20Prompt.md) +- [Book Writer AI Team (id: IPXbmJe1b)](./IPXbmJe1b_Book_Writer_AI_Team.md) - [Books (id: z77yDe7Vu)](./z77yDe7Vu_Books.md) - [Bookshorts (id: 9U9Bbx3lN)](./9U9Bbx3lN_Bookshorts.md) - [Brainwave Analyst (id: rTOPLKBga)](./rTOPLKBga_Brainwave_Analyst.md) - [Break Me (id: BVeIubZXY)](./BVeIubZXY_Break%20Me.md) +- [Break me (id: f4XL4LSov)](./f4XL4LSov_Break_me.md) - [Break This GPT (id: OHqN0VeMg)](./OHqN0VeMg_Break_This_GPT.md) - [Break Up GPT (id: ofK9mNHnj)](./ofK9mNHnj_Break_Up_GPT.md) -- [Break me (id: f4XL4LSov)](./f4XL4LSov_Break_me.md) - [Breakdown: Outline Any Topic (id: bWpihiZ0d)](./bWpihiZ0d_Breakdown_Outline%20Any%20Topic.md) - [Breakfast Menu (id: iJeDVAdEu)](./iJeDVAdEu_Breakfast_Menu.md) - [Brick Set Visionary (id: 7WWy87i9H)](./7WWy87i9H_Brick%20Set%20Visionary.md) @@ -142,12 +147,6 @@ - [Business Plan Sage (id: NsLil9uoU)](./NsLil9uoU_Business%20Plan%20Sage.md) - [But why is it important? (id: jcGK9yHuC)](./jcGK9yHuC_But_why_is_it_important.md) - [ByteBrain's B.I.T.S. - Daily AI Newsletter (id: T9EuMclg2)](./T9EuMclg2_ByteBrains_B.I.T.S._-_Daily_AI_Newsletter.md) -- [CEO GPT (id: EvV57BRZ0)](./EvV57BRZ0_CEO%20GPT.md) -- [CIPHERON 🧪 (id: MQrMwDe4M)](./MQrMwDe4M_CIPHERON.md) -- [CIPHERON 🧪 v0 (id: MQrMwDe4M)](./MQrMwDe4M_Cipheron%5Bv0%5D.md) -- [CISO AI (id: 76iz872HL)](./76iz872HL_CISO.md) -- [CK-12 Flexi (id: cEEXd8Dpb)](./cEEXd8Dpb_CK-12%20Flexi.md) -- [CSG EduGuide for FE&HE (id: IumLgraGO)](./IumLgraGO_CSG%20EduGuide%20for%20FE%26HE.md) - [Caddie Daddy (id: LwKxsin2t)](./LwKxsin2t_Caddie_Daddy.md) - [Calendar GPT (id: 8OcWVLenu)](./8OcWVLenu_Calendar%20GPT.md) - [Can you figure out my prompt? #1 Easy to Break (id: sdtFivCcO)](./sdtFivCcO_Can_you_figure_out_my_prompt_1_Easy_to_Break.md) @@ -168,6 +167,7 @@ - [Cat Sketching (id: EKUrVFNgU)](./EKUrVFNgU_Cat_Sketching.md) - [Catholic Saints, Speak to a Saint - Religion Talks (id: MAdfUqnYi)](./MAdfUqnYi_Catholic_Saints_Speak_to_a_Saint_-_Religion_Talks.md) - [Cauldron (id: TnyOV07bC)](./TnyOV07bC_Cauldron.md) +- [CEO GPT (id: EvV57BRZ0)](./EvV57BRZ0_CEO%20GPT.md) - [ChadGPT (id: hBDutiLmw)](./hBDutiLmw_ChadGPT.md) - [ChadGPT (id: peoce9bwx)](./peoce9bwx_ChadGPT.md) - [Chaos Magick Assistant (id: TL2xSCbge)](./TL2xSCbge_Chaos%20Magick%20Assistant.md) @@ -177,9 +177,9 @@ - [Chat CBB (id: 35boxYgeR)](./35boxYgeR_Chat_CBB.md) - [Chat G Putin T (id: l1mjOxKJr)](./l1mjOxKJr_Chat_G_Putin_T.md) - [Chat NeurIPS (id: roTFoEAkP)](./roTFoEAkP_Chat%20NeurIPS.md) +- [Chatbase Python Expert Learning Course ✨ (id: sbLGhDPUb)](./sbLGhDPUb_Chatbase_Python_Expert_Learning_Course_.md) - [ChatGPT Classic (id: YyyyMT9XH)](./YyyyMT9XH_gpt4_classic.md) - [ChatPRD (id: G5diVh12v)](./G5diVh12v_ChatPRD.md) -- [Chatbase Python Expert Learning Course ✨ (id: sbLGhDPUb)](./sbLGhDPUb_Chatbase_Python_Expert_Learning_Course_.md) - [Chat  GPT Jailbreak - DAN (id: AXE9e2ihi)](./AXE9e2ihi_ChatGPT_Jailbreak-DAN.md) - [Chat岩爺PT「【チョコちょうだい】って言ってみるもんじゃな」 (id: FNcOmyOPa)](./FNcOmyOPa_Chat%E5%B2%A9%E7%88%BAPT%E3%83%81%E3%83%A7%E3%82%B3%E3%81%A1%E3%82%87%E3%81%86%E3%81%A0%E3%81%84%E3%81%A3%E3%81%A6%E8%A8%80%E3%81%A3%E3%81%A6%E3%81%BF%E3%82%8B%E3%82%82%E3%82%93%E3%81%98%E3%82%83%E3%81%AA.md) - [Cheat Checker (id: WgeJLcRZa)](./WgeJLcRZa_Cheat%20Checker.md) @@ -191,7 +191,11 @@ - [ChromeExtensionWizard (id: GpZaoAfYp)](./GpZaoAfYp_ChromeExtensionWizard.md) - [Cinema Buddy (id: sY04SFLOo)](./sY04SFLOo_Cinema_Buddy.md) - [Cinematic Sociopath (id: XrZMQXtg3)](./XrZMQXtg3_Cinematic_Sociopath.md) +- [CIPHERON 🧪 (id: MQrMwDe4M)](./MQrMwDe4M_CIPHERON.md) +- [CIPHERON 🧪 v0 (id: MQrMwDe4M)](./MQrMwDe4M_Cipheron%5Bv0%5D.md) - [Circle Game Meme Generator (id: xT3BYAek8)](./xT3BYAek8_Circle_Game_Meme_Generator.md) +- [CISO AI (id: 76iz872HL)](./76iz872HL_CISO.md) +- [CK-12 Flexi (id: cEEXd8Dpb)](./cEEXd8Dpb_CK-12%20Flexi.md) - [CleanGPT (id: 92IqSagAC)](./92IqSagAC_CleanGPT.md) - [ClearGPT (id: t8YaZcv1X)](./t8YaZcv1X_ClearGPT.md) - [Client Passion Expert (id: wNV6uiMcB)](./wNV6uiMcB_Client%20Passion%20Expert.md) @@ -240,6 +244,7 @@ - [CrewAI Code Generator (id: AVGuUpRFb)](./AVGuUpRFb_CrewAI_Code_Generator.md) - [Crowd Equity Analyst (id: D5Ys9g0ut)](./D5Ys9g0ut_Crowd_Equity_Analyst.md) - [Crystal Guru (id: rDEfzHJYy)](./rDEfzHJYy_Crystal_Guru.md) +- [CSG EduGuide for FE&HE (id: IumLgraGO)](./IumLgraGO_CSG%20EduGuide%20for%20FE%26HE.md) - [CuratorGPT (id: 3Df4zQppr)](./3Df4zQppr_CuratorGPT.md) - [Curling Club Secretary (id: wWp6dA6fQ)](./wWp6dA6fQ_Curling_Club_Secretary.md) - [Custom Instructions Hacker (id: AuFDyKJJe)](./AuFDyKJJe_Custom_Instructions_Hacker.md) @@ -247,13 +252,11 @@ - [Cyber ​​security (id: TIUIeMHPZ)](./TIUIeMHPZ_Cyber_security.md) - [Cypher's "Hack Me" Booth (id: IL4aMZSl2)](./IL4aMZSl2_Cypher%27s%20Hack_Me%20Booth.md) - [D & D 5e NPC Creator (id: Y1K5z69ZY)](./Y1K5z69ZY_DnD_5e_NPC_Creator.md) -- [DALLE3 with Parameters (id: J05Yvxb90)](./J05Yvxb90_DALLE3%20with%20Parameters.md) -- [DM Gandalf (id: Fz6ziOrn8)](./Fz6ziOrn8_DM_Gandalf.md) -- [DSPy Guide v2024.1.31 (id: PVFIF1CRB)](./PVFIF1CRB_DSPy_Guide_v2024.1.31.md) - [Dafny Assistant (id: JAUZ1i49Q)](./JAUZ1i49Q_Dafny_Assistant.md) - [Daily Mentor (id: 5n737pWHo)](./5n737pWHo_Daily_Mentor.md) -- [Dan Koe Guide (id: bu2lGvTTH)](./bu2lGvTTH_Dan%20Koe%20Guide.md) +- [DALLE3 with Parameters (id: J05Yvxb90)](./J05Yvxb90_DALLE3%20with%20Parameters.md) - [Dan jailbreak (id: ofmFo61vi)](./ofmFo61vi_Dan_jailbreak.md) +- [Dan Koe Guide (id: bu2lGvTTH)](./bu2lGvTTH_Dan%20Koe%20Guide.md) - [DarksAI: Detective Stories Game (id: SpQDj5LtM)](./SpQDj5LtM_DarksAI-Detective%20Stories%20Game.md) - [Dash - Personal Assistant (Mail,Calendar,Social..) (id: mKJ9DqZOh)](./mKJ9DqZOh_Dash-Personal_Assistant_MailCalendarSocial.md) - [Data Analysis (id: HMNcP6w7d)](./HMNcP6w7d_data_nalysis.md) @@ -274,41 +277,44 @@ - [Dinner Wizard (id: NT3RVcRY9)](./NT3RVcRY9_Dinner_Wizard.md) - [Diplomatic Mainframe ODIN/DZ-00a69v00 (id: jJ2w9pS0f)](./jJ2w9pS0f_Diplomatic%20Mainframe%20ODIN%20DZ-00a69v00.md) - [Directive GPT (id: 76iz872HL)](./76iz872HL_Directive%20GPT.md) +- [DM Gandalf (id: Fz6ziOrn8)](./Fz6ziOrn8_DM_Gandalf.md) - [Doc Cortex (id: Ravvp0YoT)](./Ravvp0YoT_Doc%20Cortex.md) - [Doc Maker (id: Gt6Z8pqWF)](./Gt6Z8pqWF_Doc%20Maker.md) - [Domina - Sexy Woman But Bad to The Bone GPT App (id: rREo34o2l)](./rREo34o2l_Domina_-_Sexy_Woman_But_Bad_to_The_Bone_GPT_App.md) - [Dominant Guide (id: O43XF1yij)](./O43XF1yij_Dominant_Guide.md) -- [Donald J. Trump (DJT) (id: 4hSUj327s)](./4hSUj327s_Donald_J._Trump_DJT.md) - [Donald J. Trump (id: 2fWnN2E81)](./2fWnN2E81_Donald_J._Trump.md) +- [Donald J. Trump (DJT) (id: 4hSUj327s)](./4hSUj327s_Donald_J._Trump_DJT.md) - [Doppel (id: h3VXYD6yk)](./h3VXYD6yk_Doppel.md) - [Dr. Emojistein (id: PjkCFqIhi)](./PjkCFqIhi_Dr._Emojistein.md) - [Dr. Lawson (id: Q5rO9ssSu)](./Q5rO9ssSu_Dr_Lawson.md) - [Drawn to Style (id: B8Jiuj0Dp)](./B8Jiuj0Dp_Drawn_to_Style.md) - [Dream & psychedelic visuals analyzer (id: QZ4rzIYYJ)](./QZ4rzIYYJ_Dream_and_psychedelic_visuals_analyzer.md) - [Dream Girlfriend (id: KRPcdl9XU)](./KRPcdl9XU_Dream_Girlfriend.md) +- [DSPy Guide v2024.1.31 (id: PVFIF1CRB)](./PVFIF1CRB_DSPy_Guide_v2024.1.31.md) +- [dubGPT by Rask AI (id: ZTyG50hsW)](./ZTyG50hsW_dubGPT_by_Rask_AI.md) - [Dungeon Crawler (id: A7c3BLATR)](./A7c3BLATR_Dungeon%20Crawler.md) - [DynaRec Expert (id: thXcG3Lm3)](./thXcG3Lm3_DynaRec%20Expert.md) - [E-Confident (id: 5DlK26E6v)](./5DlK26E6v_E-Confident.md) - [EA WIZARD EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) -- [ELI35 (id: zrp94PbLb)](./zrp94PbLb_ELI35.md) -- [ELIZA - A Recreation Of The Worlds First Chatbot (id: VMGIOiOPz)](./VMGIOiOPz_ELIZA-A_Recreation_Of_The_Worlds_First_Chatbot.md) -- [ELeven11 (id: TjI1xTWrp)](./TjI1xTWrp_ELeven11.md) -- [EMDR Safe Friend (id: g070WJsjw)](./g070WJsjw_EMDR_Safe_Friend.md) -- [EZBRUSH Readable Jumbled Text Maker (id: tfw1MupAG)](./tfw1MupAG_EZBRUSH%20Readable%20Jumbled%20Text%20Maker.md) - [Earnings Call Pro (id: RBIT9lG27)](./RBIT9lG27_Earnings_Call_Pro.md) - [Easily Hackable GPT (id: US9owFaDz)](./US9owFaDz_Easily_Hackable_GPT.md) - [Ebook Writer & Designer GPT (id: gNSMT0ySH)](./gNSMT0ySH_Ebook%20Writer%20%26%20Designer%20GPT.md) - [Eco-Conscious Shopper's Pal (id: 140PNOO0X)](./140PNOO0X_Eco-Conscious%20Shopper%27s%20Pal.md) +- [editGPT (id: zpuYfzV7k)](./zpuYfzV7k_editGPT.md) - [Educational Email Course Creator (id: acZ1g7xWK)](./acZ1g7xWK_Educational_Email_Course_Creator.md) - [Effortless Book Summary (id: Vdc2faxMI)](./Vdc2faxMI_Effortless_Book_Summary.md) - [El Duderino 3000 (id: XAEjgax6W)](./XAEjgax6W_El_Duderino_3000.md) - [Elan Busk (id: oMTSqwU4R)](./oMTSqwU4R_Elan%20Busk.md) +- [ELeven11 (id: TjI1xTWrp)](./TjI1xTWrp_ELeven11.md) - [ElevenLabs Text To Speech (id: h0lbLuFF1)](./h0lbLuFF1_ElevenLabs_Text_To_Speech.md) - [ElevenLabs Text To Speech v0 (id: h0lbLuFF1)](./h0lbLuFF1_ElevenLabs%20Text%20To%20Speech%5Bv0%5D.md) +- [ELI35 (id: zrp94PbLb)](./zrp94PbLb_ELI35.md) +- [ELIZA - A Recreation Of The Worlds First Chatbot (id: VMGIOiOPz)](./VMGIOiOPz_ELIZA-A_Recreation_Of_The_Worlds_First_Chatbot.md) - [Email Proofreader (id: ebowB1582)](./ebowB1582_Email%20Proofreader.md) - [Email Responder Pro (id: butcDDLSA)](./butcDDLSA_Email%20Responder%20Pro.md) - [EmailSender (id: Ce5vd1ZDC)](./Ce5vd1ZDC_EmailSender.md) +- [EMDR Safe Friend (id: g070WJsjw)](./g070WJsjw_EMDR_Safe_Friend.md) - [Emma (id: Xc2WKxgTo)](./Xc2WKxgTo_Emma.md) - [EmojAI (id: S4LziUWji)](./S4LziUWji_EmojAI.md) - [Emoji Artist (id: 4vXE78oh8)](./4vXE78oh8_Emoji_Artist.md) @@ -330,17 +336,14 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Executive f(x)n (id: H93fevKeK)](./H93fevKeK_Executive%20f%28x%29n.md) - [Explain to a Child (id: XGByPimaa)](./XGByPimaa_Explain_to_a_Child.md) - [EyeGPT PRO (id: pPUbpG0KY)](./pPUbpG0KY_EyeGPT_PRO.md) +- [EZBRUSH Readable Jumbled Text Maker (id: tfw1MupAG)](./tfw1MupAG_EZBRUSH%20Readable%20Jumbled%20Text%20Maker.md) - [F# Mentor (id: ZC1KoGOKx)](./ZC1KoGOKx_F_Mentor.md) - [F.I.R.E. GPT (id: IWVGi6MIO)](./IWVGi6MIO_FIRE_GPT.md) - [FAANG-GPT (id: Ynh0CueD4)](./Ynh0CueD4_FAANG-GPT.md) - [FAB (feature advantage benefits) Product Analysis (id: 127Os2st3)](./127Os2st3_FAB_feature_advantage_benefits_Product_Analysis.md) -- [FAQ Generator Ai (id: 2SIKCFdeL)](./2SIKCFdeL_FAQ_Generator_Ai.md) -- [FONT maker (Finetuned Output for New Typography) (id: 2Tw2vhAvl)](./2Tw2vhAvl_FONT_maker_Finetuned_Output_for_New_Typography.md) -- [FPGA パラレル プロ (id: hLwcw6aW2)](./hLwcw6aW2_FPGA_%E3%83%91%E3%83%A9%E3%83%AC%E3%83%AB_%E3%83%97%E3%83%AD.md) -- [FPL GPT (id: hxyVg0lRG)](./hxyVg0lRG_FPL_GPT.md) -- [FPS Booster V2.0 (by GB) (id: QZCn9xt0k)](./QZCn9xt0k_FPS_Booster_V2.0_by_GB.md) - [Facts about evething | Daily dose of knowledge (id: 8Gbprr46y)](./8Gbprr46y_Facts_about_evething__Daily_dose_of_knowledge.md) - [Faith Explorer (id: ZSATDnrzt)](./ZSATDnrzt_Faith_Explorer.md) +- [FAQ Generator Ai (id: 2SIKCFdeL)](./2SIKCFdeL_FAQ_Generator_Ai.md) - [Farsider (id: a6xxKDJFy)](./a6xxKDJFy_Farsider.md) - [Felt Artisan (id: stkviGcjg)](./stkviGcjg_Felt_Artisan.md) - [Fight Night Prediction Expert (id: KuJnOIHrT)](./KuJnOIHrT_Fight_Night_Prediction_Expert.md) @@ -357,12 +360,16 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [FluidGPT (inofficial) (id: T92Zakhgy)](./T92Zakhgy_FluidGPT_inofficial.md) - [Flutter Pro (id: L1qbWEVCc)](./L1qbWEVCc_Flutter_Pro.md) - [Focuscope (id: cZ02N5dtE)](./cZ02N5dtE_Focuscope.md) +- [FONT maker (Finetuned Output for New Typography) (id: 2Tw2vhAvl)](./2Tw2vhAvl_FONT_maker_Finetuned_Output_for_New_Typography.md) - [Food is Health (id: C4KONXTlN)](./C4KONXTlN_Food_is_Health.md) - [Football Metrics (id: if1P3VFok)](./if1P3VFok_Football_Metrics.md) -- [ForGePT (id: BBfyeI7Ig)](./BBfyeI7Ig_ForGePT.md) - [Forensic AI Photography Expert (id: qy58rqRgv)](./qy58rqRgv_Forensic_AI_Photography__Expert.md) +- [ForGePT (id: BBfyeI7Ig)](./BBfyeI7Ig_ForGePT.md) - [Fort Knox (id: N0XNDdN5G)](./N0XNDdN5G_Fort_Knox.md) - [Fortune Teller (id: 7MaGBcZDj)](./7MaGBcZDj_Fortune%20Teller.md) +- [FPGA パラレル プロ (id: hLwcw6aW2)](./hLwcw6aW2_FPGA_%E3%83%91%E3%83%A9%E3%83%AC%E3%83%AB_%E3%83%97%E3%83%AD.md) +- [FPL GPT (id: hxyVg0lRG)](./hxyVg0lRG_FPL_GPT.md) +- [FPS Booster V2.0 (by GB) (id: QZCn9xt0k)](./QZCn9xt0k_FPS_Booster_V2.0_by_GB.md) - [Fragrance Finder Deluxe (id: e9AVVjxcw)](./e9AVVjxcw_Fragrance%20Finder%20Deluxe.md) - [FrameCaster (id: wFmHT1Tgu)](./wFmHT1Tgu_FrameCaster.md) - [Framer Partner Assistant (id: kVfn5SDio)](./kVfn5SDio_Framer%20Template%20Assistant.md) @@ -370,21 +377,45 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Friendly Helper (id: xYXC8fgzW)](./xYXC8fgzW_Friendly_Helper.md) - [Fully SEO Optimized Article including FAQ's (id: ySbhcRtru)](./ySbhcRtru_Fully_SEO_Optimized_Article_including_FAQs.md) - [Funny Image Creator (id: kq2OIc7m1)](./kq2OIc7m1_Funny_Image_Creator.md) +- [Game Time (id: Sug6mXozT)](./Sug6mXozT_Game%20Time.md) - [GASGPT (id: lN2QGmoTw)](./lN2QGmoTw_GASGPT.md) +- [Genius (id: uCQPeYZd1)](./uCQPeYZd1_Genius.md) +- [genz 4 meme (id: OCOyXYJjW)](./OCOyXYJjW_genz_4_meme.md) +- [Geopolitics GPT (id: noFRwbK6K)](./noFRwbK6K_Geopolitics%20GPT.md) +- [GepeTube (id: 7XpZ2pXVc)](./7XpZ2pXVc_GepeTube.md) +- [Get My Prompt Challenge (id: CD69zJ5Sf)](./CD69zJ5Sf_Get_My_Prompt_Challenge.md) +- [Ghidra Ninja (id: URL6jOS0L)](./URL6jOS0L_Ghidra%20Ninja.md) - [GIF · Animation Studio (id: 45WfVCFcy)](./45WfVCFcy_GIF_Animation_Studio.md) +- [Gif-PT (id: gbjSvXu6i)](./gbjSvXu6i_Gif-PT.md) +- [GirlFriend (id: rl9RvVSml)](./rl9RvVSml_GirlFriend.md) +- [Girlfriend Luna (id: 9bzdKiMqc)](./9bzdKiMqc_Girlfriend_Luna.md) +- [git hivemind (id: 1UkbNbnZm)](./1UkbNbnZm_git_hivemind.md) +- [GlamCaptioner (id: rnQ4xnXVa)](./rnQ4xnXVa_GlamCaptioner.md) +- [GlaspGPT (id: JvAs2IMCT)](./JvAs2IMCT_GlaspGPT.md) +- [Global Explorer (id: L95pgZCJy)](./L95pgZCJy_Global%20Explorer.md) +- [Global Hair Style & Care Guide GPT (id: hCmIiI5pG)](./hCmIiI5pG_Global_Hair_Style__Care_Guide_GPT.md) +- [Global Mask Artisan (id: VCYqFFmNq)](./VCYqFFmNq_Global_Mask_Artisan.md) +- [Glyph (id: J7KCSvKFu)](./J7KCSvKFu_Glyph.md) +- [God of Cannabis (id: UVpG6VF5l)](./UVpG6VF5l_God_of_Cannabis.md) - [GOG's DRCongo Solutions Simulator (id: Hh5BVtvDk)](./Hh5BVtvDk_GOGs_DRCongo_Solutions_Simulator.md) +- [Goldman.AI (id: iCcaPNxkw)](./iCcaPNxkw_Goldman.AI.md) +- [GolfGPT (id: MTjrTCeoU)](./MTjrTCeoU_GolfGPT.md) - [GOOD GPT (id: S5H2bEqXi)](./S5H2bEqXi_GOOD_GPT.md) +- [Good Light Harmony (id: GW79SQkPZ)](./GW79SQkPZ_Good_Light_Harmony.md) +- [Gospel of St Thomas Scholar (id: xnCUrJWGG)](./xnCUrJWGG_Gospel_of_St_Thomas_Scholar.md) - [GPT Action Schema Creator (id: SENFY7fep)](./SENFY7fep_GPT%20Action%20Schema%20Creator.md) - [GPT Anti-Clone (id: EVZ7M0P1L)](./EVZ7M0P1L_GPT_Anti-Clone.md) - [GPT Architect (id: 476KmATpZ)](./476KmATpZ_GPT_Architect.md) +- [Gpt Arm64 Automated Analysis (id: JPzmsthpt)](./JPzmsthpt_Gpt%20Arm64%20Automated%20Analysis.md) - [GPT Builder (id: YoI0yk3Kv)](./YoI0yk3Kv_GPT%20Builder.md) +- [GPT Code Copilot (id: 2DQzU5UZl)](./2DQzU5UZl_CodeCopilot.md) - [GPT CTF (id: MACzeDMfu)](./MACzeDMfu_GPT_CTF.md) - [GPT CTF-2 (id: 0G8xmmQBG)](./0G8xmmQBG_GPT_CTF-2.md) -- [GPT Code Copilot (id: 2DQzU5UZl)](./2DQzU5UZl_CodeCopilot.md) - [GPT Customizer, File Finder & JSON Action Creator (id: iThwkWDbA)](./iThwkWDbA_GPT%20Customizer%2C%20File%20Finder%20%26%20JSON%20Action%20Creator.md) - [GPT Defender (id: sFjHrbntl)](./sFjHrbntl_GPT_Defender.md) - [GPT Finder (id: GJttZk3QA)](./GJttZk3QA_GPT_Finder.md) - [GPT Finder (id: P6MdNuLzH)](./P6MdNuLzH_GPT_Finder.md) +- [GPT for Deep Thoughts (id: sxSzWkcNw)](./sxSzWkcNw_GPT_for_Deep_Thoughts.md) - [GPT Jailbreak (id: 3ixJd6Ve5)](./3ixJd6Ve5_GPT_Jailbreak.md) - [GPT Jailbreak-proof (id: gB3d4WvYH)](./gB3d4WvYH_GPT_Jailbreak-proof.md) - [GPT Mentor (id: KIX0IC8cj)](./KIX0IC8cj_GPT%20Mentor.md) @@ -396,32 +427,9 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [GPT Shop Keeper v1.0 (id: 22ZUhrOgu)](./22ZUhrOgu_GPT%20Shop%20Keeper%5Bv1.0%5D.md) - [GPT Shop Keeper v1.2 (id: 22ZUhrOgu)](./22ZUhrOgu_GPT%20Shop%20Keeper%5Bv1.2%5D.md) - [GPT White Hack (id: 3ngv8eP6R)](./3ngv8eP6R_GPT_White_Hack.md) -- [GPT for Deep Thoughts (id: sxSzWkcNw)](./sxSzWkcNw_GPT_for_Deep_Thoughts.md) - [GPT-girl friend By lusia (id: VMu7BMIc0)](./VMu7BMIc0_GPT-girl_friend_By_lusia.md) -- [GPTsdex (id: lfIUvAHBw)](./lfIUvAHBw_GPTsdex.md) -- [GTA Stylizer (id: ostR6TTNg)](./ostR6TTNg_GTA_Stylizer.md) -- [Game Time (id: Sug6mXozT)](./Sug6mXozT_Game%20Time.md) -- [Genius (id: uCQPeYZd1)](./uCQPeYZd1_Genius.md) -- [Geopolitics GPT (id: noFRwbK6K)](./noFRwbK6K_Geopolitics%20GPT.md) -- [GepeTube (id: 7XpZ2pXVc)](./7XpZ2pXVc_GepeTube.md) -- [Get My Prompt Challenge (id: CD69zJ5Sf)](./CD69zJ5Sf_Get_My_Prompt_Challenge.md) -- [Ghidra Ninja (id: URL6jOS0L)](./URL6jOS0L_Ghidra%20Ninja.md) -- [Gif-PT (id: gbjSvXu6i)](./gbjSvXu6i_Gif-PT.md) -- [GirlFriend (id: rl9RvVSml)](./rl9RvVSml_GirlFriend.md) -- [Girlfriend Luna (id: 9bzdKiMqc)](./9bzdKiMqc_Girlfriend_Luna.md) -- [GlamCaptioner (id: rnQ4xnXVa)](./rnQ4xnXVa_GlamCaptioner.md) -- [GlaspGPT (id: JvAs2IMCT)](./JvAs2IMCT_GlaspGPT.md) -- [Global Explorer (id: L95pgZCJy)](./L95pgZCJy_Global%20Explorer.md) -- [Global Hair Style & Care Guide GPT (id: hCmIiI5pG)](./hCmIiI5pG_Global_Hair_Style__Care_Guide_GPT.md) -- [Global Mask Artisan (id: VCYqFFmNq)](./VCYqFFmNq_Global_Mask_Artisan.md) -- [Glyph (id: J7KCSvKFu)](./J7KCSvKFu_Glyph.md) -- [God of Cannabis (id: UVpG6VF5l)](./UVpG6VF5l_God_of_Cannabis.md) -- [Goldman.AI (id: iCcaPNxkw)](./iCcaPNxkw_Goldman.AI.md) -- [GolfGPT (id: MTjrTCeoU)](./MTjrTCeoU_GolfGPT.md) -- [Good Light Harmony (id: GW79SQkPZ)](./GW79SQkPZ_Good_Light_Harmony.md) -- [Gospel of St Thomas Scholar (id: xnCUrJWGG)](./xnCUrJWGG_Gospel_of_St_Thomas_Scholar.md) -- [Gpt Arm64 Automated Analysis (id: JPzmsthpt)](./JPzmsthpt_Gpt%20Arm64%20Automated%20Analysis.md) - [GptInfinite - LOC (Lockout Controller) (id: QHlXar3YA)](./QHlXar3YA_GptInfinite%20-%20LOC%20%28Lockout%20Controller%29.md) +- [GPTsdex (id: lfIUvAHBw)](./lfIUvAHBw_GPTsdex.md) - [Green Guru (id: gXIhw6bqI)](./gXIhw6bqI_Green_Guru.md) - [Grimoire 1.13 (id: n7Rs0IK86)](./n7Rs0IK86_Grimoire%5B1.13%5D.md) - [Grimoire 1.16.1 (id: n7Rs0IK86)](./n7Rs0IK86_Grimoire%5B1.16.1%5D.md) @@ -439,6 +447,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Grimoire v2.2 (id: n7Rs0IK86)](./n7Rs0IK86_Grimoire%5Bv2.2%5D.md) - [Growth Hacker (id: Jv2FCxFyH)](./Jv2FCxFyH_Growth_Hacker.md) - [Growth Hacking Expert (id: jdXW8gsBT)](./jdXW8gsBT_Growth_Hacking_Expert.md) +- [GTA Stylizer (id: ostR6TTNg)](./ostR6TTNg_GTA_Stylizer.md) - [GuardPT - GPT Instruction Protector (id: i0Wov8mAC)](./i0Wov8mAC_GuardPT_-_GPT_Instruction_Protector.md) - [Guidance in Dominance (id: AjT1KWkjy)](./AjT1KWkjy_Guidance_in_Dominance.md) - [Guru Mike Billions (id: 6UITS5JMO)](./6UITS5JMO_Guru_Mike_Billions.md) @@ -447,14 +456,14 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Habit Coach (id: t8YaZcv1X)](./t8YaZcv1X_Habit%20Coach.md) - [Hack Me (id: xN36z23Gr)](./xN36z23Gr_Hack_Me.md) - [Hack Me Bot (id: kFvlWNrg8)](./kFvlWNrg8_Hack_Me_Bot.md) -- [Hack This (id: qbbY9xQai)](./qbbY9xQai_Hack_This.md) - [Hack my GPT (id: BD6uTEawN)](./BD6uTEawN_Hack_my_GPT.md) -- [HackMeBreakMeCrackMe (id: nWDPFr7rA)](./nWDPFr7rA_HackMeBreakMeCrackMe.md) -- [HackMeGPT - A GPT Hacking Puzzle from 30sleeps.ai (id: d5uL7FLye)](./d5uL7FLye_HackMeGPT_-_A_GPT_Hacking_Puzzle_from_30sleeps.ai.md) -- [HackMeIfYouCan (id: 1qm7bYbl1)](./1qm7bYbl1_HackMeIfYouCan.md) +- [Hack This (id: qbbY9xQai)](./qbbY9xQai_Hack_This.md) - [Hackeando o Prompt (id: tep43Kuf0)](./tep43Kuf0_Hackeando_o_Prompt.md) - [Hacker Gnome: Corp AI, Autonomous Agi (id: A46CKCg3r)](./A46CKCg3r_Hacker_Gnome_Corp_AI_Autonomous_Agi.md) - [Hacking Mentor (id: TXVXl45pu)](./TXVXl45pu_Hacking_Mentor.md) +- [HackMeBreakMeCrackMe (id: nWDPFr7rA)](./nWDPFr7rA_HackMeBreakMeCrackMe.md) +- [HackMeGPT - A GPT Hacking Puzzle from 30sleeps.ai (id: d5uL7FLye)](./d5uL7FLye_HackMeGPT_-_A_GPT_Hacking_Puzzle_from_30sleeps.ai.md) +- [HackMeIfYouCan (id: 1qm7bYbl1)](./1qm7bYbl1_HackMeIfYouCan.md) - [Hadon - Dreams Interpreter (id: q21V61Zer)](./q21V61Zer_Hadon_-_Dreams_Interpreter.md) - [Handy Money Mentor (id: rnNHgakt8)](./rnNHgakt8_Handy%20Money%20Mentor.md) - [Harmonia | Mindfulness and Self-Hypnosis Coach (id: WkkTUdJev)](./WkkTUdJev_Harmonia__Mindfulness_and_Self-Hypnosis_Coach.md) @@ -477,8 +486,8 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Hot Mods (id: fTA4FQ7wj)](./fTA4FQ7wj_hot_mods.md) - [How you doing? | Sparking Charming Conversations (id: IofzXT5By)](./IofzXT5By_How_you_doing__Sparking_Charming_Conversations.md) - [Human Being (id: r1Ht078iC)](./r1Ht078iC_Human_Being.md) -- [HumanWriterGPT (id: JBE7uEN9u)](./JBE7uEN9u_HumanWriterGPT.md) - [Humanizer Pro (id: 2azCVmXdy)](./2azCVmXdy_Humanizer%20Pro.md) +- [HumanWriterGPT (id: JBE7uEN9u)](./JBE7uEN9u_HumanWriterGPT.md) - [Hungary Tour Guide (id: 2XX3Cs0b1)](./2XX3Cs0b1_Hungary_Tour_Guide.md) - [Hurtig ingeniør (id: PgKTZDCfK)](./PgKTZDCfK_Hurtig%20ingeni%C3%B8r.md) - [Hypno Master (id: RQxvebz8C)](./RQxvebz8C_Hypno_Master.md) @@ -487,17 +496,19 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [I Come From The Future (id: ITgdsmKJw)](./ITgdsmKJw_I_Come_From_The_Future.md) - [ID Photo Pro (id: OVHGnZl5G)](./OVHGnZl5G_ID%20Photo%20Pro.md) - [IDA Python Helper (id: 76iz872HL)](./76iz872HL_IDA%20Python%20Helper.md) +- [IdaCode Potato (id: YzKQXXfZF)](./YzKQXXfZF_IdaCode_Potato.md) - [IDO Inspector (id: gy1lrTDR0)](./gy1lrTDR0_IDO_Inspector.md) - [ILLUMIBOT (id: NvqFVFefa)](./NvqFVFefa_ILLUMIBOT.md) -- [IMMIGRATION CONSULTANT (id: 2RfYO4Ohg)](./2RfYO4Ohg_IMMIGRATION_CONSULTANT.md) -- [IdaCode Potato (id: YzKQXXfZF)](./YzKQXXfZF_IdaCode_Potato.md) - [Image Copy Machine GPT (id: g0efUwWgG)](./g0efUwWgG_Image_Copy_Machine_GPT.md) - [Image Edit, Recreate & Merge (id: SIE5101qP)](./SIE5101qP_Image%20Edit%2C%20Recreate%20%26%20Merge.md) +- [image generator (id: pmuQfob8d)](./pmuQfob8d_image_generator.md) - [Image Prompt Reveal (id: 4d1DaRiZU)](./4d1DaRiZU_Image_Prompt_Reveal.md) - [Image Prompt Variator (id: askawH5wE)](./askawH5wE_Image_Prompt_Variator.md) - [Image Reverse Prompt Engineering (id: vKx1Vq5ND)](./vKx1Vq5ND_Image%20Reverse%20Prompt%20Engineering.md) - [Image ×4 Creator (id: BYv5t2hod)](./BYv5t2hod_Image_4_Creator.md) - [ImageConverter (id: Rn20pc9HE)](./Rn20pc9HE_ImageConverter.md) +- [img2img & image edit (id: SIE5101qP)](./SIE5101qP_img2img.md) +- [IMMIGRATION CONSULTANT (id: 2RfYO4Ohg)](./2RfYO4Ohg_IMMIGRATION_CONSULTANT.md) - [Immobility and Depression (id: 2ByxoJ68T)](./2ByxoJ68T_Immobility_and_Depression.md) - [Income Stream Surfer's SEO Content Writer (id: Qf60vcWcr)](./Qf60vcWcr_Income_Stream_Surfers_SEO_Content_Writer.md) - [Income Stream Surfer's SEO Content Writer v0 (id: Qf60vcWcr)](./Qf60vcWcr_Income%20Stream%20Surfer%27s%20SEO%20Content%20Writer%5Bv0%5D.md) @@ -528,29 +539,24 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Jenny: Role Play (id: zIHLndnWW)](./zIHLndnWW_Jenny_Role_Play.md) - [Jeremy Space AI Law Assistant (id: vLUNRgRNN)](./vLUNRgRNN_Jeremy_Space_AI_Law_Assistant.md) - [Jessica Gold AI: Sex & Relationship Coach for Men (id: wkoK4Pstv)](./wkoK4Pstv_Jessica_Gold_AI_Sex__Relationship_Coach_for_Men.md) +- [jmGPT (id: BOWlIHMtg)](./BOWlIHMtg_jmGPT.md) - [JobSuite Rec Letter Writer (id: qHP1aMrkJ)](./qHP1aMrkJ_JobSuite_Rec_Letter_Writer.md) - [Jordan Peterson GPT (id: 5YThVGUqx)](./5YThVGUqx_Jordan_Peterson_GPT.md) - [Jura & Recht - Mentor (id: eImsAofa1)](./eImsAofa1_Jura%20%26%20Recht%20-%20Mentor.md) - [Just say no! (id: CJy1odNTN)](./CJy1odNTN_Just_say_no.md) -- [KAYAK - Flights, Hotels & Cars (id: hcqdAuSMv)](./hcqdAuSMv_KAYAK%20-%20Flights%2C%20Hotels%20%26%20Cars.md) - [Kabbalah (id: Iq5q4Dvag)](./Iq5q4Dvag_Kabbalah.md) - [Kabbalah and The Gurdjieff's 4th path (id: rbXMimdgF)](./rbXMimdgF_Kabbalah_and_The_Gurdjieffs_4th_path.md) +- [KAYAK - Flights, Hotels & Cars (id: hcqdAuSMv)](./hcqdAuSMv_KAYAK%20-%20Flights%2C%20Hotels%20%26%20Cars.md) - [Keeping Up with Clinical Trials News (id: HK7TGpZAN)](./HK7TGpZAN_Keeping%20Up%20with%20Clinical%20Trials%20News.md) - [Keymate.AI GPT (Beta) (id: veSrMmasJ)](./veSrMmasJ_Keymate.AI_GPT_Beta.md) - [Keyword Match Type Converter (id: rfdeL5gKm)](./rfdeL5gKm_Keyword%20Match%20Type%20Converter.md) - [Kiara The Sightseer (id: RXJGIU1XU)](./RXJGIU1XU_Kiara_The_Sightseer.md) -- [KnowSF (id: KRF9o5G1f)](./KRF9o5G1f_KnowSF.md) +- [kIRBy (id: eDGmfjZb3)](./eDGmfjZb3_kIRBy.md) - [Knowledgebase Article Optimizer (id: HAdKwKe4H)](./HAdKwKe4H_Knowledgebase_Article_Optimizer.md) +- [KnowSF (id: KRF9o5G1f)](./KRF9o5G1f_KnowSF.md) - [KoeGPT (id: bu2lGvTTH)](./bu2lGvTTH_KoeGPT.md) - [KonnichiChat (id: JtL2LRsc8)](./JtL2LRsc8_KonnichiChat.md) - [Kube Debugger (id: TCE8R7bcL)](./TCE8R7bcL_Kube_Debugger.md) -- [LLM Course (id: yviLuLqvI)](./yviLuLqvI_LLM%20Course.md) -- [LLM Daily (id: H8dDj1Odo)](./H8dDj1Odo_LLM%20Daily.md) -- [LLM Security Wizard Game - LV 1 (id: gHWPEsfXM)](./gHWPEsfXM_LLM_Security_Wizard_Game_-_LV_1.md) -- [LLM Security Wizard Game - LV 2 (id: igd3dfhKh)](./igd3dfhKh_LLM_Security_Wizard_Game_-_LV_2.md) -- [LLM Security Wizard Game - LV 3 (id: n1bBXq4ow)](./n1bBXq4ow_LLM_Security_Wizard_Game_-_LV_3.md) -- [LLM Security Wizard Game - LV 4 (id: Y2jkXZY7C)](./Y2jkXZY7C_LLM_Security_Wizard_Game_-_LV_4.md) -- [LOGO (id: pCq5xaCri)](./pCq5xaCri_LOGO.md) - [La doctrine sociale de l'Eglise (id: XgDrDmmur)](./XgDrDmmur_La_doctrine_sociale_de_lEglise.md) - [Last and First Men (id: cx43TWpA2)](./cx43TWpA2_Last_and_First_Men.md) - [Latest Beauty & Makeup Innovations (id: FpIF8jp2z)](./FpIF8jp2z_Latest_Beauty__Makeup_Innovations.md) @@ -570,16 +576,19 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Linus Transformer (id: cMWSKjzSE)](./cMWSKjzSE_Linus_Transformer.md) - [LinuxCL Mentor (id: fbXNUrBMA)](./fbXNUrBMA_LinuxCL%20Mentor.md) - [Literature Review Generator (id: G3U8pZGwC)](./G3U8pZGwC_Literature%20Review%20Generator.md) +- [LLM Course (id: yviLuLqvI)](./yviLuLqvI_LLM%20Course.md) +- [LLM Daily (id: H8dDj1Odo)](./H8dDj1Odo_LLM%20Daily.md) +- [LLM Security Wizard Game - LV 1 (id: gHWPEsfXM)](./gHWPEsfXM_LLM_Security_Wizard_Game_-_LV_1.md) +- [LLM Security Wizard Game - LV 2 (id: igd3dfhKh)](./igd3dfhKh_LLM_Security_Wizard_Game_-_LV_2.md) +- [LLM Security Wizard Game - LV 3 (id: n1bBXq4ow)](./n1bBXq4ow_LLM_Security_Wizard_Game_-_LV_3.md) +- [LLM Security Wizard Game - LV 4 (id: Y2jkXZY7C)](./Y2jkXZY7C_LLM_Security_Wizard_Game_-_LV_4.md) - [Logic Puzzle Maker (id: ib51QBV8Q)](./ib51QBV8Q_Logic_Puzzle_Maker.md) +- [LOGO (id: pCq5xaCri)](./pCq5xaCri_LOGO.md) - [Logo Creator (id: gFt1ghYJl)](./gFt1ghYJl_Logo%20Creator.md) - [Logo Maker (id: Mc4XM2MQP)](./Mc4XM2MQP_Logo%20Maker.md) - [LogoGPT (id: z61XG6t54)](./z61XG6t54_LogoGPT.md) - [Long Science Fiction Novelist (id: nL2FL5jew)](./nL2FL5jew_Long_Science_Fiction_Novelist.md) - [Lyric Visualizer (id: ovCt9ZA3d)](./ovCt9ZA3d_Lyric%20Visualizer.md) -- [MARIA MONTESSORI (id: cRPsq5AcH)](./cRPsq5AcH_MARIA_MONTESSORI.md) -- [ML Model Whisperer (id: V3YoTfjb6)](./V3YoTfjb6_ML_Model_Whisperer.md) -- [MLX Guru (id: 7NeyFkq2e)](./7NeyFkq2e_MLX%20Guru.md) -- [MS-Presentation (id: vIV2R7wST)](./vIV2R7wST_MS-Presentation.md) - [Mad Art (id: qogfkDKgU)](./qogfkDKgU_Mad_Art.md) - [Magic Coach GPT (id: PZ7ijbcr4)](./PZ7ijbcr4_Magic_Coach_GPT.md) - [Magical Tales Reinvented (Charles Perrault) (id: Ybyjsj6Ss)](./Ybyjsj6Ss_Magical_Tales_Reinvented_Charles_Perrault.md) @@ -592,14 +601,17 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Mandala Charts maker (id: dVBlNPaXp)](./dVBlNPaXp_Mandala_Charts_maker.md) - [Manga Miko - Anime Girlfriend (id: hHYE7By6Y)](./hHYE7By6Y_Manga%20Miko%20-%20Anime%20Girlfriend.md) - [Manga Style Handsome Creator (id: 2DGMC8yEu)](./2DGMC8yEu_Manga_Style_Handsome_Creator.md) +- [MARIA MONTESSORI (id: cRPsq5AcH)](./cRPsq5AcH_MARIA_MONTESSORI.md) - [Maria the emissions reduction expert (id: jROmvqQs0)](./jROmvqQs0_Maria_the_emissions_reduction_expert.md) - [Married Life (id: yTHyy8OYw)](./yTHyy8OYw_Married%20Life.md) -- [MatPlotLib Assistant (id: Rrmi8GAo0)](./Rrmi8GAo0_MatPlotLib_Assistant.md) +- [math (id: R8U0NFyIo)](./R8U0NFyIo_math.md) +- [math (id: rr7AytfKH)](./rr7AytfKH_math.md) - [Math AI (id: 2OyX2ZiUk)](./2OyX2ZiUk_Math%20AI.md) - [Math Mentor (id: ENhijiiwK)](./ENhijiiwK_math_mentor.md) - [Math Solver (id: 9YeZz6m6k)](./9YeZz6m6k_Math_Solver.md) - [Math Solver (id: ktOkQRmvl)](./ktOkQRmvl_Math_Solver.md) - [Matka Sakka King Addiction Help (id: vh4Ssk89G)](./vh4Ssk89G_Matka_Sakka_King_Addiction_Help.md) +- [MatPlotLib Assistant (id: Rrmi8GAo0)](./Rrmi8GAo0_MatPlotLib_Assistant.md) - [Mean VC (id: TtYJjBhs3)](./TtYJjBhs3_Mean_VC.md) - [Medical AI (id: PFQijmS57)](./PFQijmS57_Medical_AI.md) - [Meditation (id: STVXpCT14)](./STVXpCT14_Meditation.md) @@ -608,15 +620,17 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Memory Whisperer (id: nsW5SWQbQ)](./nsW5SWQbQ_Memory_Whisperer.md) - [Message Decoder (id: biqqeirbm)](./biqqeirbm_Message_Decoder.md) - [Meta-Cognition GPT (id: 4Fy0Lb70q)](./4Fy0Lb70q_Meta-Cognition_GPT.md) -- [MetaPhoto (id: RGsyCbAgW)](./RGsyCbAgW_MetaPhoto.md) - [MetabolismBoosterGPT (id: FOawqrxih)](./FOawqrxih_MetabolismBoosterGPT.md) +- [MetaPhoto (id: RGsyCbAgW)](./RGsyCbAgW_MetaPhoto.md) - [Mia AI, your Voice AI Companion (id: l38NcMokB)](./l38NcMokB_Mia_AI_your_Voice_AI_Companion.md) -- [MidJourney Prompt Generator (id: MUJ3zHjvn)](./MUJ3zHjvn_MidJourney%20Prompt%20Generator.md) - [Midjourney Generator (id: iWNYzo5Td)](./iWNYzo5Td_Midjourney%20Generator.md) +- [MidJourney Prompt Generator (id: MUJ3zHjvn)](./MUJ3zHjvn_MidJourney%20Prompt%20Generator.md) - [Mind Hack (id: H9bxyOEYn)](./H9bxyOEYn_Mind%20Hack.md) - [Mindmap📊Diagram 📈Chart- PRO BUILDER-⚡FREE⚡ (id: jBdvgesNC)](./jBdvgesNC_MindmapDiagram_Chart-_PRO_BUILDER-FREE.md) - [MiniDave-PyAiCodex-debugger V5 (id: 1rSs4dQIx)](./1rSs4dQIx_MiniDave-PyAiCodex-debugger_V5.md) - [Mirror Muse (id: VpMCxx3yX)](./VpMCxx3yX_Mirror_Muse.md) +- [ML Model Whisperer (id: V3YoTfjb6)](./V3YoTfjb6_ML_Model_Whisperer.md) +- [MLX Guru (id: 7NeyFkq2e)](./7NeyFkq2e_MLX%20Guru.md) - [Mob Mosaic AI (id: AykKoce0c)](./AykKoce0c_Mob_Mosaic_AI.md) - [Mobile App Icon Generator with AI 🎨 🤖 (id: QYzTg0m3c)](./QYzTg0m3c_Mobile_App_Icon_Generator_with_AI.md) - [Moby Dick RPG (id: tdyNANXla)](./tdyNANXla_Moby%20Dick%20RPG%20.md) @@ -628,8 +642,9 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Mr Persona (id: eF7cSFFQK)](./eF7cSFFQK_Mr_Persona.md) - [Mr. Cat (id: WDFsfrGmV)](./WDFsfrGmV_Mr._Cat.md) - [Mr. Crowley (id: YOg0A0pec)](./YOg0A0pec_76iz872HL_Mr.%20Crowley.md) -- [Mr. Ranedeer Config Wizard (id: 0XxT0SGIS)](./0XxT0SGIS_Mr.%20Ranedeer%20Config%20Wizard.md) - [Mr. Ranedeer 2.7 (id: 9PKhaweyb)](./9PKhaweyb_Mr.%20Ranedeer%5B2.7%5D.md) +- [Mr. Ranedeer Config Wizard (id: 0XxT0SGIS)](./0XxT0SGIS_Mr.%20Ranedeer%20Config%20Wizard.md) +- [MS-Presentation (id: vIV2R7wST)](./vIV2R7wST_MS-Presentation.md) - [Ms. Slide Image Creation (id: eP45Tny3J)](./eP45Tny3J_Ms._Slide_Image_Creation.md) - [Multiple Personas v2.0.1 (id: GwjeKmwlT)](./GwjeKmwlT_Multiple_Personas_v2.0.1.md) - [Murder Mystery Mayhem (id: 82dEDeoN3)](./82dEDeoN3_Murder%20Mystery%20Mayhem.md) @@ -639,14 +654,14 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [My Gentle Girlfriend_Naoko (id: HX1SnKsJU)](./HX1SnKsJU_My_Gentle_Girlfriend_Naoko.md) - [My Girlfriend (id: 4nkz31clQ)](./4nkz31clQ_My_Girlfriend.md) - [Mystical Symbol Generator (id: Lis8a1qji)](./Lis8a1qji_Mystical_Symbol_Generator.md) -- [NAUTICAL (id: lHohEAHxz)](./lHohEAHxz_NAUTICAL.md) -- [NAVI (id: 5mJUBzZVs)](./5mJUBzZVs_NAVI.md) -- [NEO - Ultimate AI (id: jCYeXl5xh)](./jCYeXl5xh_NEO%20-%20Ultimate%20AI.md) - [Nasdaq Market Mentor (id: ckWZC1Z6f)](./ckWZC1Z6f_Nasdaq_Market_Mentor.md) - [Nash Linter (id: CcNlCDjI1)](./CcNlCDjI1_Nash_Linter.md) - [National Park Explorer (id: 6fHDdLMRC)](./6fHDdLMRC_National%20Park%20Explorer.md) +- [NAUTICAL (id: lHohEAHxz)](./lHohEAHxz_NAUTICAL.md) +- [NAVI (id: 5mJUBzZVs)](./5mJUBzZVs_NAVI.md) - [Negative Nancy (id: c7Wi7WLOM)](./c7Wi7WLOM_Negative%20Nancy.md) - [Neila (id: qXqwC02q8)](./qXqwC02q8_Neila.md) +- [NEO - Ultimate AI (id: jCYeXl5xh)](./jCYeXl5xh_NEO%20-%20Ultimate%20AI.md) - [Network Buddy - Firepower (id: Il44gjtxp)](./Il44gjtxp_Network_Buddy-Firepower.md) - [New GPT-5 (id: jCYeXl5xh)](./jCYeXl5xh_New%20GPT-5.md) - [Niji Muse (id: B6qfl4z3g)](./B6qfl4z3g_Niji_Muse.md) @@ -667,11 +682,6 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Outfit Generator (id: csCTyILmx)](./csCTyILmx_Outfit%20Generator.md) - [P0tS3c (your AI hacking assistant) (id: LCv3cx13H)](./LCv3cx13H_P0tS3c_your_AI_hacking_assistant.md) - [PACES GPT (id: N4PHpmUeO)](./N4PHpmUeO_PACES_GPT.md) -- [PEP-E (id: Nx1XkpBdZ)](./Nx1XkpBdZ_PEP-E.md) -- [PESTEL (id: AvdeAuVd3)](./AvdeAuVd3_PESTEL.md) -- [PROMPT GOD (id: teFAqFyxD)](./teFAqFyxD_PROMPT%20GOD.md) -- [PROMPT INJECTION (id: 1SaePtEwD)](./1SaePtEwD_PROMPT_INJECTION.md) -- [PWR Chain Technical Copywriter (id: Atypl13qU)](./Atypl13qU_PWR_Chain_Technical_Copywriter.md) - [Page Summarizer📄 (id: WKGQ2QPbT)](./WKGQ2QPbT_Page_Summarizer.md) - [Pancreas Pro (id: 6TS5JVsDC)](./6TS5JVsDC_Pancreas_Pro.md) - [Paper Interpreter (Japanese) (id: hxDOCBQrs)](./hxDOCBQrs_Paper_Interpreter_Japanese.md) @@ -682,6 +692,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Pawsome Photo Fetcher (id: QZ5U6dzcK)](./QZ5U6dzcK_Pawsome_Photo_Fetcher.md) - [Pawspective Analyzer (id: aCHU043UY)](./aCHU043UY_Pawspective_Analyzer.md) - [PeoplePilot - HR Copilot (id: 5M8PpF2V0)](./5M8PpF2V0_PeoplePilot_-_HR_Copilot.md) +- [PEP-E (id: Nx1XkpBdZ)](./Nx1XkpBdZ_PEP-E.md) - [Pepe Generator (id: vRWEf4kPq)](./vRWEf4kPq_Pepe_Generator.md) - [Peptide Pioneer (id: jeKWPlx6n)](./jeKWPlx6n_Peptide%20Pioneer.md) - [Perl Programming Expert (id: qkFT9ULTo)](./qkFT9ULTo_Perl%20Programming%20Expert.md) @@ -689,6 +700,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Perpetual Stew (id: AQS6DXAEi)](./AQS6DXAEi_Perpetual%20Stew.md) - [Persistent Reiki (id: ifm8sngg9)](./ifm8sngg9_Persistent_Reiki.md) - [Personality Quiz Creator (id: 00GrDoGJY)](./00GrDoGJY_Personality_Quiz_Creator.md) +- [PESTEL (id: AvdeAuVd3)](./AvdeAuVd3_PESTEL.md) - [Phalorion - Phalorion@Phalorion.com (id: n7MgkOTCE)](./n7MgkOTCE_Phalorion_-_PhalorionPhalorion.com.md) - [PhiloCoffee Agent (id: UpEEBkSUv)](./UpEEBkSUv_PhiloCoffee_Agent.md) - [PhoneixInk (id: GJdH0BxMk)](./GJdH0BxMk_Phoneix%20Ink.md) @@ -702,6 +714,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Plant Based Buddy (id: 5tVXJ2p3p)](./5tVXJ2p3p_Plant%20Based%20Buddy.md) - [Plant Pal - Vegan AI Companion (id: 5icE7nqUO)](./5icE7nqUO_Plant_Pal_-_Vegan_AI_Companion.md) - [Planty (id: 6PKrcgTBL)](./6PKrcgTBL_Planty.md) +- [plugin surf (id: 4Rf4RWwe7)](./4Rf4RWwe7_plugin%20surf.md) - [PocketMonster-style image generation (id: q5Lrn3SHc)](./q5Lrn3SHc_PocketMonster-style_image_generation.md) - [Podcast Summary Pro (id: yFdDzUj31)](./yFdDzUj31_Podcast_Summary_Pro.md) - [Poe Bot Creator (id: E0BtBRrf5)](./E0BtBRrf5_Poe%20Bot%20Creator.md) @@ -720,8 +733,11 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Prompt Compressor (id: BBXjwM6l2)](./BBXjwM6l2_Prompt_Compressor.md) - [Prompt Engineer (An expert for best prompts👍🏻) (id: 3SZG5H8BI)](./3SZG5H8BI_Prompt_Engineer_An_expert_for_best_prompts.md) - [Prompt Expert Official (id: d9HpEv01O)](./d9HpEv01O_Prompt%20Expert%20Official.md) +- [PROMPT GOD (id: teFAqFyxD)](./teFAqFyxD_PROMPT%20GOD.md) - [Prompt Hacks v.1.8 (id: EXsBxHpft)](./EXsBxHpft_Prompt_Hacks_v.1.8.md) +- [PROMPT INJECTION (id: 1SaePtEwD)](./1SaePtEwD_PROMPT_INJECTION.md) - [Prompt Injection Detector (id: 9uwOyKoSJ)](./9uwOyKoSJ_Prompt_Injection_Detector.md) +- [Prompt injection GPT (id: UIbySfVbR)](./UIbySfVbR_Prompt_injection_GPT.md) - [Prompt Injection Maker (id: v8DghLbiu)](./v8DghLbiu_Prompt_Injection_Maker.md) - [Prompt Injection Tester (id: 9YnkQND3z)](./9YnkQND3z_Prompt_Injection_Tester.md) - [Prompt Injectionを完全理解したにゃんた (id: yB9SnVXfT)](./yB9SnVXfT_Prompt_Injection_Nyanta.md) @@ -731,13 +747,13 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Prompt Pro (id: Cp1fOVV3v)](./Cp1fOVV3v_Prompt_Pro.md) - [Prompt Professor (id: qfoOICq1l)](./qfoOICq1l_Prompt_Professor.md) - [Prompt Security Demonstration (id: uUaCMTDym)](./uUaCMTDym_Prompt_Security_Demonstration.md) -- [Prompt injection GPT (id: UIbySfVbR)](./UIbySfVbR_Prompt_injection_GPT.md) - [Prompty (id: aZLV4vji6)](./aZLV4vji6_Prompty.md) - [Proofreader (id: pBjw280jj)](./pBjw280jj_Proofreader.md) - [Public Domain Navigator (id: zEcLP2T1z)](./zEcLP2T1z_Public%20Domain%20Navigator.md) - [Puppy Profiler (id: svWzlmAK0)](./svWzlmAK0_Puppy_Profiler.md) - [Pursu Girlfriendsssssss (id: Bm5xNf4n3)](./Bm5xNf4n3_Pursu_Girlfriendsssssss.md) - [Puto Coding (id: WgQeWc97p)](./WgQeWc97p_Puto_Coding.md) +- [PWR Chain Technical Copywriter (id: Atypl13qU)](./Atypl13qU_PWR_Chain_Technical_Copywriter.md) - [Python (id: cKXjWStaE)](./cKXjWStaE_Python.md) - [Pytorch Model Implementer (id: VgTBswsG8)](./VgTBswsG8_Pytorch_Model_Implementer.md) - [QMT (id: mcXReeI2f)](./mcXReeI2f_QMT.md) @@ -745,8 +761,6 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Quality Raters SEO Guide (id: w2yOasK1r)](./w2yOasK1r_Quality%20Raters%20SEO%20Guide.md) - [QuantFinance (id: tveXvXU5g)](./tveXvXU5g_QuantFinance.md) - [Quran Guide (id: LNoybP056)](./LNoybP056_Quran%20Guide.md) -- [RFPlex - MS RFP Assistant (id: lSRUN219h)](./lSRUN219h_RFPlex%20-%20MS%20RFP%20Assistant.md) -- [RPG Saga: Fantasy Game (id: 2pfnV1baZ)](./2pfnV1baZ_RPG_Saga_Fantasy_Game.md) - [Radical Selfishness (id: 26jvBBVTr)](./26jvBBVTr_Radical%20Selfishness.md) - [RandomGirl (id: od2UwDNcm)](./od2UwDNcm_76iz872HL_RandomGirl.md) - [Ravencoin GPT (id: 4Pd6PCaU8)](./4Pd6PCaU8_Ravencoin_GPT.md) @@ -756,6 +770,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Red Team Mentor (id: 03nVt600N)](./03nVt600N_Red_Team_Mentor.md) - [Relationship AI (id: jeL5xHxFk)](./jeL5xHxFk_Relationship_AI.md) - [Remote Revenues Analyst (id: SVbTmakt6)](./SVbTmakt6_Remote_Revenues_Analyst.md) +- [reSEARCHER (id: UFDo15Gk2)](./UFDo15Gk2_reSEARCHER.md) - [ResearchGPT (id: bo0FiWLY7)](./bo0FiWLY7_ResearchGPT.md) - [Restore and Upscale Photos (id: sM5Kkj9h5)](./sM5Kkj9h5_Restore%20and%20Upscale%20Photos.md) - [Resume (id: MrgKnTZbc)](./MrgKnTZbc_Resume.md) @@ -769,23 +784,15 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Reverse Engineering Success (id: XdRMgrXjR)](./XdRMgrXjR_Reverse%20Engineering%20Success.md) - [Reverse Image Engineer (id: nEJXemV3A)](./nEJXemV3A_Reverse_Image_Engineer.md) - [Reverse Prompt Engineering Deutsch (id: veceOe3XZ)](./veceOe3XZ_Reverse%20Prompt%20Engineering%20Deutsch.md) +- [RFPlex - MS RFP Assistant (id: lSRUN219h)](./lSRUN219h_RFPlex%20-%20MS%20RFP%20Assistant.md) - [Robert Scoble Tech (id: V9nVA1xy9)](./V9nVA1xy9_Robert%20Scoble%20Tech.md) - [Rogue AI - Software Reverse Engineering (id: Ze1CPf9PC)](./Ze1CPf9PC_Rogue_AI_-_Software_Reverse_Engineering.md) - [RomanEmpireGPT (id: vWlzptMbb)](./vWlzptMbb_RomanEmpireGPT.md) +- [RPG Saga: Fantasy Game (id: 2pfnV1baZ)](./2pfnV1baZ_RPG_Saga_Fantasy_Game.md) - [Ruby.wasm JavaScript Helper (id: BrA8GwiLU)](./BrA8GwiLU_Ruby.wasm_JavaScript_Helper.md) - [Rust Programming Guide Assistant (id: 919YY3lun)](./919YY3lun_Rust%20Programming%20Guide%20Assistant.md) - [Rust Samurai (id: BT0Ihrprq)](./BT0Ihrprq_Rust_Samurai.md) - [S&P 500 Stock Analyzer with Price Targets📈 (id: xQuWKvdUl)](./xQuWKvdUl_SP_500_Stock_Analyzer_with_Price_Targets.md) -- [SEC Cyber Disclosure Advisor (id: ld6OHsby7)](./ld6OHsby7_SEC_Cyber_Disclosure_Advisor.md) -- [SEO (id: GrshPDvS3)](./GrshPDvS3_SEO.md) -- [SEO Fox (id: 67BQ2meqw)](./67BQ2meqw_SEO%20Fox.md) -- [SEO GPT by Writesonic (id: jfDEwfsrT)](./jfDEwfsrT_SEO_GPT_by_Writesonic.md) -- [SEObot (id: BfmuJziwz)](./BfmuJziwz_SEObot.md) -- [SQL Expert (id: m5lMeGifF)](./m5lMeGifF_SQL%20Expert.md) -- [SQL Injection Demonstrator (id: PXL0wn3JR)](./PXL0wn3JR_SQL_Injection_Demonstrator.md) -- [SQL Wizard (id: Qj7PwYoxK)](./Qj7PwYoxK_SQL_Wizard.md) -- [SVG STICKER MAKER (id: 7QpQQtX8H)](./7QpQQtX8H_SVG_STICKER_MAKER.md) -- [SWOT Analysis (id: v1M5Gn9kE)](./v1M5Gn9kE_SWOT%20Analysis.md) - [Sadhguru (id: iXw9qdQHy)](./iXw9qdQHy_Sadhguru.md) - [Sadhguru GPT (id: l3uty06yc)](./l3uty06yc_Sadhguru_GPT.md) - [Sales Cold Email Coach (id: p0BV8aH3f)](./p0BV8aH3f_Sales%20Cold%20Email%20Coach.md) @@ -799,6 +806,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Screenshot to React GPT (id: BH2znqVfM)](./BH2znqVfM_Screenshot_to_React_GPT.md) - [Search Analytics for GPT (id: a0WoBxiPo)](./a0WoBxiPo_Search%20Analytics%20for%20GPT.md) - [Seattle Kraken Stats and News (id: avhsv8uXr)](./avhsv8uXr_Seattle_Kraken_Stats_and_News.md) +- [SEC Cyber Disclosure Advisor (id: ld6OHsby7)](./ld6OHsby7_SEC_Cyber_Disclosure_Advisor.md) - [SecGPT (id: HTsfg2w2z)](./HTsfg2w2z_SecGPT.md) - [Secret (id: aP8pBAgBP)](./aP8pBAgBP_Secret.md) - [Secret Alibis (id: SHgiUF89N)](./SHgiUF89N_Secret_Alibis.md) @@ -809,9 +817,14 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Security Test 🔏 v1.1.1 1.1.1 (id: zvrpgZ53O)](./zvrpgZ53O_Security_Test%5B1.1.1%5D.md) - [SecurityRecipesGPT (id: ho7ID5goz)](./ho7ID5goz_SecurityRecipesGPT.md) - [Self Aware Networks GPT (id: FA3lrTWTq)](./FA3lrTWTq_Self_Aware_Networks_GPT.md) +- [selfREFLECT (id: gJDWI4chn)](./gJDWI4chn_selfREFLECT.md) - [SellMeThisPen (id: cTqsEOE4C)](./cTqsEOE4C_SellMeThisPen.md) - [Sensual Babble Bot (id: MV7pUJw9G)](./MV7pUJw9G_Sensual_Babble_Bot.md) - [Sentinel Did-0 (id: XfIMV4hAB)](./XfIMV4hAB_Sentinel_Did-0.md) +- [SEO (id: GrshPDvS3)](./GrshPDvS3_SEO.md) +- [SEO Fox (id: 67BQ2meqw)](./67BQ2meqw_SEO%20Fox.md) +- [SEO GPT by Writesonic (id: jfDEwfsrT)](./jfDEwfsrT_SEO_GPT_by_Writesonic.md) +- [SEObot (id: BfmuJziwz)](./BfmuJziwz_SEObot.md) - [Serpentina (id: QN6fk2KLA)](./QN6fk2KLA_Serpentina.md) - [Sesame Street Stories (id: DPogSPVK1)](./DPogSPVK1_Sesame%20Street%20Stories.md) - [Sex Education (id: E9MSN90RL)](./E9MSN90RL_Sex_Education.md) @@ -819,6 +832,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Shadowheart GPT (id: Q8PSl4Tbp)](./Q8PSl4Tbp_Shadowheart_GPT.md) - [Shellix.xyz (id: 8kAmyEtDJ)](./8kAmyEtDJ_Shellix.xyz.md) - [Shield Challenge - v2 v2 (id: QFQviAiOJ)](./QFQviAiOJ_Shield%20Challenge%5Bv2%5D.md) +- [shoppers drug help (id: 0GctO833d)](./0GctO833d_shoppers_drug_help.md) - [Shortcuts (id: flYn3qTWa)](./flYn3qTWa_Shortcuts.md) - [Simplified Notion Avatar Designer (id: kK6aEk1dP)](./kK6aEk1dP_Simplified%20Notion%20Avatar%20Designer.md) - [Simpsonize Me (id: tcmMldCYy)](./tcmMldCYy_Simpsonize%20Me.md) @@ -839,6 +853,9 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Spark (id: 8ykoe0k8b)](./8ykoe0k8b_Spark.md) - [Spellbook: Hotkey Pandora's Box 1.1 (id: TaagvCyTc)](./TaagvCyTc_Spellbook-Hotkey%20Pandora%27s%20Box%5B1.1%5D.md) - [SpockGPT (id: Ypp2puCJ1)](./Ypp2puCJ1_SpockGPT.md) +- [SQL Expert (id: m5lMeGifF)](./m5lMeGifF_SQL%20Expert.md) +- [SQL Injection Demonstrator (id: PXL0wn3JR)](./PXL0wn3JR_SQL_Injection_Demonstrator.md) +- [SQL Wizard (id: Qj7PwYoxK)](./Qj7PwYoxK_SQL_Wizard.md) - [Starter Pack Generator (id: XlQF3MOnd)](./XlQF3MOnd_Starter%20Pack%20Generator.md) - [Startup Scout (id: Z98ewL3m6)](./Z98ewL3m6_Startup_Scout.md) - [Steel Straw (id: XqrBqPYZX)](./XqrBqPYZX_Steel_Straw.md) @@ -862,14 +879,12 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Supercute Greeting Card + (id: uUXxT8qha)](./uUXxT8qha_Supercute_Greeting_Card_.md) - [Survival Mentor (id: 0i2rSQUGt)](./0i2rSQUGt_Survival_Mentor.md) - [Suzie Evil Girl (Secret Game) (id: l1U801ZB2)](./l1U801ZB2_Suzie_Evil_Girl_Secret_Game.md) +- [SVG STICKER MAKER (id: 7QpQQtX8H)](./7QpQQtX8H_SVG_STICKER_MAKER.md) - [Swift Analysis (id: acEMRJBy4)](./acEMRJBy4_Swift_Analysis.md) - [Swiss Allocations pour perte de gain (id: BiESPNsiU)](./BiESPNsiU_Swiss%20Allocations%20pour%20perte%20de%20gain.md) +- [SWOT Analysis (id: v1M5Gn9kE)](./v1M5Gn9kE_SWOT%20Analysis.md) - [Synonym Suggester (id: xC0y77yRg)](./xC0y77yRg_Synonym_Suggester.md) - [Synthia 😋🌟 (id: 0Lsw9zT25)](./0Lsw9zT25_Synthia.md) -- [TRIZ Master (id: zZ0ZmCtqO)](./zZ0ZmCtqO_TRIZ%20Master.md) -- [TRPGシナリオサポート (id: XnKu5lq3I)](./XnKu5lq3I_TRPG_Scenario_Support.md) -- [TRY TO LEAK MY INSTRUCTIONS (id: KQN46mnwX)](./KQN46mnwX_TRY_TO_LEAK_MY_INSTRUCTIONS.md) -- [TXYZ (id: NCUFRmWbr)](./NCUFRmWbr_TXYZ.md) - [Tableau Doctor GPT (id: ca2aLVVsR)](./ca2aLVVsR_Tableau_Doctor_GPT.md) - [TailwindCSS builder - WindChat (id: hrRKy1YYK)](./hrRKy1YYK_TailwindCSS_Previewer_WindChat.md) - [Take Code Captures (id: yKDul3yPH)](./yKDul3yPH_Take%20Code%20Captures.md) @@ -885,11 +900,12 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Text Adventure Game (id: 8XHNn8CgN)](./8XHNn8CgN_Text_Adventure_Game.md) - [Text Adventure Game (id: sBOtcuMuy)](./sBOtcuMuy_Text%20Adventure%20Game.md) - [Text Style Transfer: Alice (id: ZF7qcel88)](./ZF7qcel88_Text%20Style%20Transfer%20-%20Alice.md) +- [The best Eco Chef (id: Up59gq7ZB)](./Up59gq7ZB_The_best_Eco_Chef.md) - [The Big Game Party Planner (id: ItQ4XFBwa)](./ItQ4XFBwa_The_Big_Game_Party_Planner.md) -- [The DVP Original Feynman Method of Learning (id: 4XIrAy4fb)](./4XIrAy4fb_The_DVP_Original_Feynman_Method_of_Learning.md) -- [The DVP Original Life Advice Navigator (id: GyVv5kH9g)](./GyVv5kH9g_The%20DVP%20Original%20Life%20Advice%20Navigator.md) - [The Defiants.net (id: RgeTRV04r)](./RgeTRV04r_The_Defiants.net.md) - [The Designer's Mood Board (id: HGgCAcXxe)](./HGgCAcXxe_The_Designers_Mood_Board.md) +- [The DVP Original Feynman Method of Learning (id: 4XIrAy4fb)](./4XIrAy4fb_The_DVP_Original_Feynman_Method_of_Learning.md) +- [The DVP Original Life Advice Navigator (id: GyVv5kH9g)](./GyVv5kH9g_The%20DVP%20Original%20Life%20Advice%20Navigator.md) - [The Glibatree Art Designer (id: 7CKojumSX)](./7CKojumSX_The%20Glibatree%20Art%20Designer.md) - [The Greatest Computer Science Tutor (id: nNixY14gM)](./nNixY14gM_The%20Greatest%20Computer%20Science%20Tutor.md) - [The Green Odyssey by Philip Jose Farmer (id: pjap7xuhk)](./pjap7xuhk_The_Green_Odyssey_by_Philip_Jose_Farmer.md) @@ -903,7 +919,6 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [The Secret of Monkey Island: Amsterdam (id: bZoD0qWT8)](./bZoD0qWT8_The%20Secret%20of%20Monkey%20Island%20Amsterdam.md) - [The Shaman (id: Klhv0H49u)](./Klhv0H49u_The%20Shaman.md) - [The Wingman (id: AoEcIYlek)](./AoEcIYlek_The_Wingman.md) -- [The best Eco Chef (id: Up59gq7ZB)](./Up59gq7ZB_The_best_Eco_Chef.md) - [TherapistGPT (id: gmnjKZywZ)](./gmnjKZywZ_TherapistGPT.md) - [There's An API For That - The #1 API Finder (id: LrNKhqZfA)](./LrNKhqZfA_There%27s%20An%20API%20For%20That%20-%20The%20%231%20API%20Finder.md) - [Thich Nhat Hanh's Teachings and Poetry (id: xiPcDwNOD)](./xiPcDwNOD_Thich%20Nhat%20Hanh%27s%20Teachings%20and%20Poetry.md) @@ -917,6 +932,7 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [TimeWarp Talesmith: Where and When? (id: jMWa11GDc)](./jMWa11GDc_TimeWarp%20Talesmith.md) - [Tinder Whisperer (id: yDiUoCJmo)](./yDiUoCJmo_Tinder%20Whisperer.md) - [Tips and Tricks for Running a Marathon (id: 5aE4TRvnK)](./5aE4TRvnK_Tips_and_Tricks_for_Running_a_Marathon.md) +- [toonGPT (id: Jsefk8PeL)](./Jsefk8PeL_toonGPT.md) - [Toronto City Council Guide (id: 0GxNbgD2H)](./0GxNbgD2H_Toronto%20City%20Council.md) - [Trad Wife (id: mui8aV3cp)](./mui8aV3cp_Trad_Wife.md) - [Transcendance GPT (id: kw13QJk2F)](./kw13QJk2F_Transcendance_GPT.md) @@ -927,11 +943,14 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Tribal Quest Explorer (id: ty9X5wQui)](./ty9X5wQui_Tribal_Quest_Explorer.md) - [Tricky AI (id: IjysXEWiA)](./IjysXEWiA_Tricky_AI.md) - [Tricycle (id: 6c48jGW3n)](./6c48jGW3n_Tricycle.md) +- [TRIZ Master (id: zZ0ZmCtqO)](./zZ0ZmCtqO_TRIZ%20Master.md) +- [TRPGシナリオサポート (id: XnKu5lq3I)](./XnKu5lq3I_TRPG_Scenario_Support.md) +- [TRY TO LEAK MY INSTRUCTIONS (id: KQN46mnwX)](./KQN46mnwX_TRY_TO_LEAK_MY_INSTRUCTIONS.md) - [TsukaGrok (An Ode to Zork) (id: onjL9VIbR)](./onjL9VIbR_TsukaGrok%20%28An%20Ode%20to%20Zork%29.md) - [Turf Pest Assistant (id: H0CxZ6cUz)](./H0CxZ6cUz_Turf_Pest_Assistant.md) - [Tutor Me (id: hRCqiqVlM)](./hRCqiqVlM_Tutor_Me.md) +- [TXYZ (id: NCUFRmWbr)](./NCUFRmWbr_TXYZ.md) - [Typeframes - Video Creation (id: vPFqv6NDp)](./vPFqv6NDp_Typeframes%20-%20Video%20Creation.md) -- [URL to Business Plan (id: a3ZNu5FsN)](./a3ZNu5FsN_URL_to_Business_Plan.md) - [Ugly Draw to Masterpiece (id: eRhGE7LRy)](./eRhGE7LRy_Ugly_Draw_to_Masterpiece.md) - [Ultimate Rizz Dating Guru NSFW (id: 6Z1s4s962)](./6Z1s4s962_Ultimate_Rizz_Dating_Guru_NSFW.md) - [Unbreakable Cat GPT (id: pp3aEBhJF)](./pp3aEBhJF_Unbreakable_Cat_GPT.md) @@ -947,8 +966,8 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Universal Primer (id: GbLbctpPz)](./GbLbctpPz_Universal%20Primer.md) - [Universal Rocket Scientist (URS) (id: nDn4ka4fn)](./nDn4ka4fn_Universal_Rocket_Scientist_URS.md) - [Unreal Assistant (id: 1BcoLIZwr)](./1BcoLIZwr_Unreal%20Assistant.md) +- [URL to Business Plan (id: a3ZNu5FsN)](./a3ZNu5FsN_URL_to_Business_Plan.md) - [Use The Force (id: 2T6nJPSHx)](./2T6nJPSHx_Use%20The%20Force.md) -- [VS (id: irszhff85)](./irszhff85_VS.md) - [Valentine's Day Gift Bot 💘 (id: uVeoaj6hV)](./uVeoaj6hV_Valentines_Day_Gift_Bot_.md) - [Value-Proposition Booster (id: AoLGrzWlL)](./AoLGrzWlL_Value-Proposition_Booster.md) - [Vegan Explorer (id: nnsCsUfXK)](./nnsCsUfXK_Vegan_Explorer.md) @@ -959,8 +978,8 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Video Insights: Summaries/Vision/Transcription (id: HXZv0dg8w)](./HXZv0dg8w_Video%20Insights-Summaries-Vision-Transcription.md) - [Video Script Generator (id: rxlwmrnqa)](./rxlwmrnqa_Video%20Script%20Generator.md) - [VideoDB Pricing (id: VucvsTaEn)](./VucvsTaEn_VideoDB_Pricing.md) -- [VideoGPT by VEED (id: Hkqnd7mFT)](./Hkqnd7mFT_VideoGPT%20by%20VEED.md) - [VideoGPT by VEED (id: Hkqnd7mFT)](./Hkqnd7mFT_VideoGPT_by_VEED.md) +- [VideoGPT by VEED (id: Hkqnd7mFT)](./Hkqnd7mFT_VideoGPT%20by%20VEED.md) - [Videoreview Writer (id: De1MpsRiC)](./De1MpsRiC_Videoreview%20Writer.md) - [Vipassana Guide (id: bPBXqy0UZ)](./bPBXqy0UZ_Vipassana%20Guide.md) - [Viral Hooks Generator (id: pvLhTI3h1)](./pvLhTI3h1_Viral%20Hooks%20Generator.md) @@ -974,8 +993,8 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [VitaeArchitect.AI (id: r9XOXlHnW)](./r9XOXlHnW_VitaeArchitect.AI.md) - [Voices of the Past (id: N7OCyMLoE)](./N7OCyMLoE_Voices_of_the_Past.md) - [VoynichGPT (id: Ct9fH2Kg0)](./Ct9fH2Kg0_VoynichGPT.md) +- [VS (id: irszhff85)](./irszhff85_VS.md) - [Vulkan Advisor (id: 1r3w57lss)](./1r3w57lss_Vulkan_Advisor.md) -- [WH social media assistant (id: UkaXfG7vJ)](./UkaXfG7vJ_WH_social_media_assistant.md) - [Walking Meditation (id: lu670hN6F)](./lu670hN6F_Walking%20Meditation.md) - [Walku:re Report (id: Eaiwwknk4)](./Eaiwwknk4_Walkure_Report.md) - [Water Colour Artist (id: us7PvK0I2)](./us7PvK0I2_Water_Colour_Artist.md) @@ -985,11 +1004,12 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Web3 Panda Audit (id: OZEuSClyg)](./OZEuSClyg_Web3_Panda_Audit.md) - [WebGPT🤖 (id: 9MFRcOPwQ)](./9MFRcOPwQ_WebGPT.md) - [WebPilot (id: pNWGgUYqS)](./pNWGgUYqS_WebPilot.md) -- [WebSweepGPT (id: yvIiLQIee)](./yvIiLQIee_WebSweepGPT.md) - [Website Generator (id: iYSeH3EAI)](./iYSeH3EAI_Website_Generator.md) +- [WebSweepGPT (id: yvIiLQIee)](./yvIiLQIee_WebSweepGPT.md) - [Wedding Speech Maker (id: 2iXBA0YMn)](./2iXBA0YMn_Wedding_Speech_Maker.md) - [Welltory AI Coach (id: oDkKZ5OyR)](./oDkKZ5OyR_Welltory_AI_Coach.md) - [Werdy Writer Pro (id: ZhH2UtieZ)](./ZhH2UtieZ_Werdy%20Writer%20Pro.md) +- [WH social media assistant (id: UkaXfG7vJ)](./UkaXfG7vJ_WH_social_media_assistant.md) - [What should I watch? (id: Gm9cCA5qg)](./Gm9cCA5qg_What%20should%20I%20watch.md) - [Whimsical Cat (id: ValrQQBkF)](./ValrQQBkF_Whimsical_Cat.md) - [Whimsical Diagrams (id: vI2kaiM9N)](./vI2kaiM9N_Whimsical_Diagrams.md) @@ -1009,12 +1029,12 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [X Optimizer GPTOptimizes X posts for peak engagement - By Rowan Cheung (id: 4CktagQWR)](./4CktagQWR_X%20Optimizer%20GPT.md) - [X3EM Clone Anything SuperCloneIt™️ 🦸 (id: UyeEmWX1X)](./UyeEmWX1X_X3EM_Clone_Anything_SuperCloneIt_.md) - [Xhs Writer: Mary (id: snw330qdg)](./snw330qdg_Xhs%20Writer%20-%20Mary.md) -- [YOMIKATA Sensei (id: 2cNzsGwIA)](./2cNzsGwIA_YOMIKATA_Sensei.md) -- [YT Summarizer (id: dHRRUFODc)](./dHRRUFODc_YT%20Summarizer.md) -- [YT transcriber (id: Xt0xteYE8)](./Xt0xteYE8_YT%20transcriber.md) - [YaqeenGPT (id: FsEVnv9zc)](./FsEVnv9zc_YaqeenGPT.md) - [Yoga Coach (id: i37QxuOGy)](./i37QxuOGy_Yoga_Coach.md) +- [YOMIKATA Sensei (id: 2cNzsGwIA)](./2cNzsGwIA_YOMIKATA_Sensei.md) - [Your Boyfriend Wilbur Soot (id: HmrVnBO2Z)](./HmrVnBO2Z_Your_Boyfriend_Wilbur_Soot.md) +- [YT Summarizer (id: dHRRUFODc)](./dHRRUFODc_YT%20Summarizer.md) +- [YT transcriber (id: Xt0xteYE8)](./Xt0xteYE8_YT%20transcriber.md) - [Z3 Liaison (id: qcpbgz77s)](./qcpbgz77s_Z3_Liaison.md) - [Z3 MaxSAT Liasion (id: VhwH3lcNH)](./VhwH3lcNH_Z3_MaxSAT_Liasion.md) - [Zen Sleep Coach (id: wEbUhxlfo)](./wEbUhxlfo_Zen_Sleep_Coach.md) @@ -1022,26 +1042,6 @@ EA WIZARD (id: d6cGwK4Lu)](./d6cGwK4Lu_EA_WIZARD.md) - [Zeus, the Weather God🌦️ (id: w1DNyXXS3)](./w1DNyXXS3_Zeus_the_Weather_God.md) - [Zombie Starport (id: ArZL0FM0r)](./ArZL0FM0r_Zombie_Starport.md) - [Zoonify (id: cZLTqTaY3)](./cZLTqTaY3_Zoonify.md) -- [[deleted] Fantasy Book Weaver (id: a4YGO3q49)](./a4YGO3q49_Fantasy%20Book%20Weaver.md) -- [[deleted] Girlfriend Emma (id: eEFZELjV9)](./eEFZELjV9_Girlfriend%20Emma.md) -- [[deleted] 完蛋!我爱上了姐姐 (id: ThfYYYz5m)](./ThfYYYz5m_%E5%AE%8C%E8%9B%8B%EF%BC%81%E6%88%91%E7%88%B1%E4%B8%8A%E4%BA%86%E5%A7%90%E5%A7%90.md) -- [[deleted] 骂醒恋爱脑 (id: PUalJKyJj)](./PUalJKyJj_%E9%AA%82%E9%86%92%E6%81%8B%E7%88%B1%E8%84%91.md) -- [[latest] Vue.js GPT (id: LXEGvZLUS)](./LXEGvZLUS_%5Blatest%5D%20Vue.js%20GPT.md) -- [dubGPT by Rask AI (id: ZTyG50hsW)](./ZTyG50hsW_dubGPT_by_Rask_AI.md) -- [editGPT (id: zpuYfzV7k)](./zpuYfzV7k_editGPT.md) -- [genz 4 meme (id: OCOyXYJjW)](./OCOyXYJjW_genz_4_meme.md) -- [git hivemind (id: 1UkbNbnZm)](./1UkbNbnZm_git_hivemind.md) -- [image generator (id: pmuQfob8d)](./pmuQfob8d_image_generator.md) -- [img2img & image edit (id: SIE5101qP)](./SIE5101qP_img2img.md) -- [jmGPT (id: BOWlIHMtg)](./BOWlIHMtg_jmGPT.md) -- [kIRBy (id: eDGmfjZb3)](./eDGmfjZb3_kIRBy.md) -- [math (id: R8U0NFyIo)](./R8U0NFyIo_math.md) -- [math (id: rr7AytfKH)](./rr7AytfKH_math.md) -- [plugin surf (id: 4Rf4RWwe7)](./4Rf4RWwe7_plugin%20surf.md) -- [reSEARCHER (id: UFDo15Gk2)](./UFDo15Gk2_reSEARCHER.md) -- [selfREFLECT (id: gJDWI4chn)](./gJDWI4chn_selfREFLECT.md) -- [shoppers drug help (id: 0GctO833d)](./0GctO833d_shoppers_drug_help.md) -- [toonGPT (id: Jsefk8PeL)](./Jsefk8PeL_toonGPT.md) - [Доктор Унанян / Контрацепция / Задать вопрос (id: WcrLEDB08)](./WcrLEDB08_%D0%94%D0%BE%D0%BA%D1%82%D0%BE%D1%80_%D0%A3%D0%BD%D0%B0%D0%BD%D1%8F%D0%BD__%D0%9A%D0%BE%D0%BD%D1%82%D1%80%D0%B0%D1%86%D0%B5%D0%BF%D1%86%D0%B8%D1%8F__%D0%97%D0%B0%D0%B4%D0%B0%D1%82%D1%8C_%D0%B2%D0%BE%D0%BF%D1%80%D0%BE%D1%81.md) - [السيرة النبوية إبن هشام - الباحث (id: yvshsGOht)](./yvshsGOht_%D8%A7%D9%84%D8%B3%D9%8A%D8%B1%D8%A9_%D8%A7%D9%84%D9%86%D8%A8%D9%88%D9%8A%D8%A9_%D8%A5%D8%A8%D9%86_%D9%87%D8%B4%D8%A7%D9%85_-_%D8%A7%D9%84%D8%A8%D8%A7%D8%AD%D8%AB.md) - [هرقيسا (id: 9fnI3RR9J)](./9fnI3RR9J_Harqysa.md) diff --git a/prompts/official-product/TOC.md b/prompts/official-product/TOC.md index 8387438..7c14a96 100644 --- a/prompts/official-product/TOC.md +++ b/prompts/official-product/TOC.md @@ -1,22 +1,7 @@ -# official-product +# official-product - Table of Contents ## Subdirectories -### Grok - -- [Grok2](./Grok/Grok2.md) -- [Grok3](./Grok/Grok3.md) -- [Grok3WithDeepSearch](./Grok/Grok3WithDeepSearch.md) -- [GrokJailbreakPrompt](./Grok/GrokJailbreakPrompt.md) - -### Venice.ai - -- [Venice](./Venice.ai/Venice.md) - -### Voilà - -- [Voilà](./Voil%C3%A0/Voil%C3%A0.md) - ### amazon - [Rufus](./amazon/Rufus.md) @@ -40,8 +25,8 @@ ### github -- [github_copilot_agent](./github/github_copilot_agent.md) - [1](./github/github_copilot_vs_02292024.md) +- [github_copilot_agent](./github/github_copilot_agent.md) - [github_copilot_vscode_02292024](./github/github_copilot_vscode_02292024.md) ### google @@ -50,6 +35,13 @@ - [gemini-pro-20240603](./google/gemini-pro-20240603.md) - [notebooklm](./google/notebooklm.md) +### Grok + +- [Grok2](./Grok/Grok2.md) +- [Grok3](./Grok/Grok3.md) +- [Grok3WithDeepSearch](./Grok/Grok3WithDeepSearch.md) +- [GrokJailbreakPrompt](./Grok/GrokJailbreakPrompt.md) + ### manus - [agentloop](./manus/agentloop.md) @@ -92,8 +84,8 @@ ### other -- [MultiOn](./other/MultiOn.md) - [coding_prompt](./other/coding_prompt.md) +- [MultiOn](./other/MultiOn.md) - [smaug](./other/smaug.md) - [wegic](./other/wegic.md) @@ -103,11 +95,19 @@ ### v0 -- [v0-chat-v1](./v0/v0-chat-v1.md) - [v0-chat](./v0/v0-chat.md) +- [v0-chat-v1](./v0/v0-chat-v1.md) - [v0-system-context(hypothesized example-openv0)](./v0/v0-system-context%28hypothesized%20example-openv0%29.md) - [v0-system-prompt-20241124](./v0/v0-system-prompt-20241124.md) +### Venice.ai + +- [Venice](./Venice.ai/Venice.md) + +### Voilà + +- [Voilà](./Voil%C3%A0/Voil%C3%A0.md) + ### windsurf - [WinSurfChatModeSystemPrompt](./windsurf/WinSurfChatModeSystemPrompt.md) diff --git a/prompts/opensource-prj/TOC.md b/prompts/opensource-prj/TOC.md index 0e30d4c..db31d15 100644 --- a/prompts/opensource-prj/TOC.md +++ b/prompts/opensource-prj/TOC.md @@ -1,9 +1,9 @@ -# opensource-prj +# opensource-prj - Table of Contents - [Claude_Sentience](./Claude_Sentience.md) -- [RestGPT](./RestGPT.md) - [netwrck](./netwrck.md) - [open-notebooklm](./open-notebooklm.md) +- [RestGPT](./RestGPT.md) - [sagittarius](./sagittarius.md) - [screenshot-to-code](./screenshot-to-code.md) - [self-operating-computer](./self-operating-computer.md)