diff --git a/supporting-blog-content/context-engineering-mistral-completions/notebook.ipynb b/supporting-blog-content/context-engineering-mistral-completions/notebook.ipynb new file mode 100644 index 00000000..d0a01a29 --- /dev/null +++ b/supporting-blog-content/context-engineering-mistral-completions/notebook.ipynb @@ -0,0 +1,533 @@ +{ + "cells": [ + { + "cell_type": "markdown", + "id": "fbc1cebe", + "metadata": {}, + "source": [ + "# Mistral Chat Completions with Elasticsearch Inference API\n", + "\n", + "This notebook demonstrates how to set up a Mistral chat completion inference endpoint in Elasticsearch and stream chat responses using the inference API\n", + "\n", + "## Prerequisites\n", + "- Elasticsearch cluster \n", + "- Elasticsearch API key\n", + "- Mistral API key" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "7a7f9f82", + "metadata": {}, + "outputs": [], + "source": [ + "%pip install requests tqdm elasticsearch" + ] + }, + { + "cell_type": "code", + "execution_count": 30, + "id": "f284f828", + "metadata": {}, + "outputs": [], + "source": [ + "import requests\n", + "import json\n", + "from typing import Generator\n", + "from tqdm import tqdm\n", + "from elasticsearch import Elasticsearch\n", + "import getpass" + ] + }, + { + "cell_type": "markdown", + "id": "196bb0a3", + "metadata": {}, + "source": [ + "## Configuration\n", + "\n", + "Set up your Elasticsearch and Mistral API credentials. For security, consider using environment variables." + ] + }, + { + "cell_type": "code", + "execution_count": 31, + "id": "dd01b30e", + "metadata": {}, + "outputs": [], + "source": [ + "# Credentials - Enter your API keys securely\n", + "ELASTICSEARCH_URL = getpass.getpass(\"Enter your Elasticsearch URL: \").strip()\n", + "ELASTICSEARCH_API_KEY = getpass.getpass(\"Enter your Elasticsearch API key: \")\n", + "MISTRAL_API_KEY = getpass.getpass(\"Enter your Mistral API key: \")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "5fdf1b27", + "metadata": {}, + "outputs": [], + "source": [ + "# Configurations, no need to change these values\n", + "MISTRAL_MODEL = \"mistral-large-latest\" # Mistral model to use\n", + "INFERENCE_ENDPOINT_NAME = (\n", + " \"mistral-embeddings-chat-completion\" # Name for the inference endpoint\n", + ")\n", + "\n", + "ELASTICSEARCH_HEADERS = {\n", + " \"Authorization\": f\"ApiKey {ELASTICSEARCH_API_KEY}\",\n", + " \"Content-Type\": \"application/json\",\n", + "}" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "dc1f402c", + "metadata": {}, + "outputs": [], + "source": [ + "# Initialize Elasticsearch client\n", + "es_client = Elasticsearch(hosts=[ELASTICSEARCH_URL], api_key=ELASTICSEARCH_API_KEY)" + ] + }, + { + "cell_type": "markdown", + "id": "20d4ceda", + "metadata": {}, + "source": [ + "## Create the Inference Endpoint\n", + "\n", + "Create the Mistral chat completion endpoint if it doesn't exist." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "bdbdfaef", + "metadata": {}, + "outputs": [], + "source": [ + "print(\n", + " f\"Creating Mistral inference endpoint: {INFERENCE_ENDPOINT_NAME} at {ELASTICSEARCH_URL}\"\n", + ")\n", + "\n", + "try:\n", + " # Create the inference endpoint using the Elasticsearch client\n", + " response = es_client.inference.put(\n", + " task_type=\"chat_completion\",\n", + " inference_id=INFERENCE_ENDPOINT_NAME,\n", + " body={\n", + " \"service\": \"mistral\",\n", + " \"service_settings\": {\"api_key\": MISTRAL_API_KEY, \"model\": MISTRAL_MODEL},\n", + " },\n", + " )\n", + "\n", + " print(\"Inference endpoint created successfully!\")\n", + " print(f\"Response: {json.dumps(response.body, indent=2)}\")\n", + "\n", + "except Exception as e:\n", + " print(f\"❌ Error creating inference endpoint: {str(e)}\")\n", + " # If the endpoint already exists, that's okay\n", + " if \"already exists\" in str(e).lower():\n", + " print(\"✅ Inference endpoint already exists, continuing...\")" + ] + }, + { + "cell_type": "markdown", + "id": "330798fb", + "metadata": {}, + "source": [ + "## Chat Streaming Functions\n", + "\n", + "Let's create functions to handle streaming chat responses from the inference endpoint." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "f582d78f", + "metadata": {}, + "outputs": [], + "source": [ + "def stream_chat_completion(\n", + " host: str, endpoint_name: str, messages: list\n", + ") -> Generator[str, None, None]:\n", + " url = f\"{host}/_inference/chat_completion/{endpoint_name}/_stream\"\n", + "\n", + " payload = {\"messages\": messages}\n", + "\n", + " try:\n", + " response = requests.post(\n", + " url, json=payload, headers=ELASTICSEARCH_HEADERS, stream=True\n", + " )\n", + " response.raise_for_status()\n", + "\n", + " for line in response.iter_lines(decode_unicode=True):\n", + " if line:\n", + " line = line.strip()\n", + "\n", + " # Handle Server-Sent Events format\n", + " # Skip event lines like \"event: message\"\n", + " if line.startswith(\"event:\"):\n", + " continue\n", + "\n", + " # Process data lines\n", + " if line.startswith(\"data: \"):\n", + " data_content = line[6:] # Remove \"data: \" prefix\n", + "\n", + " # Skip empty data or special markers\n", + " if not data_content.strip() or data_content.strip() == \"[DONE]\":\n", + " continue\n", + "\n", + " try:\n", + " chunk_data = json.loads(data_content)\n", + "\n", + " # Extract the content from the Mistral response structure\n", + " if \"choices\" in chunk_data and len(chunk_data[\"choices\"]) > 0:\n", + " choice = chunk_data[\"choices\"][0]\n", + " if \"delta\" in choice and \"content\" in choice[\"delta\"]:\n", + " content = choice[\"delta\"][\"content\"]\n", + " if content: # Only yield non-empty content\n", + " yield content\n", + "\n", + " except json.JSONDecodeError as json_err:\n", + " # If JSON parsing fails, log the error but continue\n", + " print(f\"\\nJSON decode error: {json_err}\")\n", + " print(f\"Problematic data: {data_content}\")\n", + " continue\n", + "\n", + " except requests.exceptions.RequestException as e:\n", + " yield f\"Error: {str(e)}\"\n", + "\n", + "\n", + "print(\"✅ Streaming function defined!\")" + ] + }, + { + "cell_type": "markdown", + "id": "e0742f3a", + "metadata": {}, + "source": [ + "## Testing the Inference Endpoint \n", + "\n", + "Now let's test our inference endpoint with a simple question. This will demonstrate streaming responses are working well from Elasticsearch." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "9f5fbf08", + "metadata": {}, + "outputs": [], + "source": [ + "user_question = \"What SNES games had a character on a skateboard throwing axes?\"\n", + "\n", + "messages = [\n", + " {\n", + " \"role\": \"system\",\n", + " \"content\": \"You are a helpful gaming expert that provides concise answers about video games.\",\n", + " },\n", + " {\"role\": \"user\", \"content\": user_question},\n", + "]\n", + "\n", + "print(f\"User: {user_question}\")\n", + "print(\"Assistant: \\n\")\n", + "\n", + "for chunk in stream_chat_completion(\n", + " ELASTICSEARCH_URL, INFERENCE_ENDPOINT_NAME, messages\n", + "):\n", + " print(chunk, end=\"\", flush=True)" + ] + }, + { + "cell_type": "markdown", + "id": "d92b8371", + "metadata": {}, + "source": [ + "# Context Engineering with Elasticsearch\n", + "\n", + "In this section, we'll demonstrate how to:\n", + "1. Index documents into Elasticsearch \n", + "2. Search for relevant context\n", + "3. Use retrieved documents to enhance our chat completions with contextual information\n", + "\n", + "This approach combines retrieval-augmented generation (RAG) with Mistral's chat capabilities through Elasticsearch." + ] + }, + { + "cell_type": "markdown", + "id": "c3dd003a", + "metadata": {}, + "source": [ + "## Step 1: Index some documents\n", + "\n", + "First, let's create an Elasticsearch index to store our documents with both text content and vector embeddings for semantic search." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "b87d34d3-e64f-49b7-9403-4179e9cbc0e8", + "metadata": {}, + "outputs": [], + "source": [ + "INDEX_NAME = \"snes-games\"\n", + "snes_mapping = {\n", + " \"mappings\": {\n", + " \"properties\": {\n", + " \"id\": {\"type\": \"keyword\"},\n", + " \"title\": {\"type\": \"text\", \"copy_to\": \"description_semantic\"},\n", + " \"publishers\": {\"type\": \"keyword\"},\n", + " \"year_US\": {\"type\": \"keyword\"},\n", + " \"year_JP\": {\"type\": \"keyword\"},\n", + " \"category\": {\"type\": \"keyword\", \"copy_to\": \"description_semantic\"},\n", + " \"description\": {\"type\": \"text\", \"copy_to\": \"description_semantic\"},\n", + " \"description_semantic\": {\"type\": \"semantic_text\"},\n", + " }\n", + " }\n", + "}\n", + "\n", + "try:\n", + " # Create the index using the Elasticsearch client\n", + " response = es_client.indices.create(index=INDEX_NAME, body=snes_mapping)\n", + "\n", + " print(f\"✅ Index '{INDEX_NAME}' created successfully!\")\n", + " print(f\"Response: {json.dumps(response.body, indent=2)}\")\n", + "\n", + "except Exception as e:\n", + " print(f\"❌ Error creating index '{INDEX_NAME}': {str(e)}\")\n", + " # If the index already exists, that's okay\n", + " if (\n", + " \"already exists\" in str(e).lower()\n", + " or \"resource_already_exists_exception\" in str(e).lower()\n", + " ):\n", + " print(f\"✅ Index '{INDEX_NAME}' already exists, continuing...\")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "09e304d0", + "metadata": {}, + "outputs": [], + "source": [ + "def bulk_index_games(games_batch):\n", + " if not games_batch:\n", + " return 0\n", + " bulk_body = \"\"\n", + " for game_doc in games_batch:\n", + " index_meta = {\"index\": {\"_index\": INDEX_NAME, \"_id\": game_doc[\"id\"]}}\n", + " bulk_body += json.dumps(index_meta) + \"\\n\" + json.dumps(game_doc) + \"\\n\"\n", + " bulk_url = f\"{ELASTICSEARCH_URL}/_bulk\"\n", + " bulk_headers = {**ELASTICSEARCH_HEADERS, \"Content-Type\": \"application/x-ndjson\"}\n", + " try:\n", + " response = requests.post(bulk_url, data=bulk_body, headers=bulk_headers)\n", + " response.raise_for_status()\n", + " result = response.json()\n", + " return sum(\n", + " 1\n", + " for item in result.get(\"items\", [])\n", + " if item.get(\"index\", {}).get(\"status\") in [200, 201]\n", + " )\n", + " except:\n", + " return 0\n", + "\n", + "\n", + "csv_file_path = \"snes_games.csv\"\n", + "BATCH_SIZE = 50\n", + "try:\n", + " with open(csv_file_path, \"r\", encoding=\"utf-8\") as file:\n", + " file.readline()\n", + " actual_headers = [\n", + " \"ID\",\n", + " \"Title\",\n", + " \"Publishers\",\n", + " \"Year_North_America\",\n", + " \"Year_JP\",\n", + " \"Category\",\n", + " \"Description\",\n", + " ]\n", + " total_indexed, current_batch = 0, []\n", + " lines = [line for line in file if line.strip()]\n", + "\n", + " for line in tqdm(lines, desc=\"Indexing SNES games\"):\n", + " line = line.strip()\n", + " parts, current_part, in_quotes = [], \"\", False\n", + "\n", + " for char in line:\n", + " if char == '\"':\n", + " in_quotes = not in_quotes\n", + " current_part += char\n", + " elif char == \"|\" and not in_quotes:\n", + " parts.append(current_part)\n", + " current_part = \"\"\n", + " else:\n", + " current_part += char\n", + " if current_part:\n", + " parts.append(current_part)\n", + "\n", + " row = {}\n", + " for i, header in enumerate(actual_headers):\n", + " value = parts[i].strip() if i < len(parts) else \"\"\n", + " if value.startswith('\"') and value.endswith('\"'):\n", + " value = value[1:-1]\n", + " row[header] = value\n", + "\n", + " game_doc = {\n", + " \"id\": row.get(\"ID\", \"\"),\n", + " \"title\": row.get(\"Title\", \"\"),\n", + " \"publishers\": row.get(\"Publishers\", \"\"),\n", + " \"year_US\": row.get(\"Year_North_America\", \"\"),\n", + " \"year_JP\": row.get(\"Year_JP\", \"\"),\n", + " \"category\": row.get(\"Category\", \"\"),\n", + " \"description\": row.get(\"Description\", \"\"),\n", + " }\n", + " current_batch.append(game_doc)\n", + " if len(current_batch) >= BATCH_SIZE:\n", + " total_indexed += bulk_index_games(current_batch)\n", + " current_batch = []\n", + " if current_batch:\n", + " total_indexed += bulk_index_games(current_batch)\n", + "except:\n", + " pass" + ] + }, + { + "cell_type": "markdown", + "id": "efcc95b9", + "metadata": {}, + "source": [ + "## Step 2: Search for Relevant Context\n", + "\n", + "Now let's create a function to search our indexed documents for relevant context based on a user's query." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "f565cb68", + "metadata": {}, + "outputs": [], + "source": [ + "def search_documents(query: str, max_results: int = 3) -> list:\n", + " search_body = {\n", + " \"size\": max_results,\n", + " \"query\": {\"semantic\": {\"field\": \"description_semantic\", \"query\": query}},\n", + " }\n", + "\n", + " try:\n", + " response = es_client.search(index=INDEX_NAME, body=search_body)\n", + "\n", + " return response.body[\"hits\"][\"hits\"]\n", + "\n", + " except Exception as e:\n", + " print(f\"❌ Error searching documents: {str(e)}\")\n", + " return []" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "e037b346-d274-45d6-a5a1-8c3e3d5df28f", + "metadata": {}, + "outputs": [], + "source": [ + "test_query = \"What SNES games had a character on a skateboard throwing axes?\"\n", + "print(f\"🔍 Searching for: '{test_query}'\")\n", + "\n", + "search_results = search_documents(test_query, 5)\n", + "\n", + "for i, doc in enumerate(search_results, 1):\n", + " print(\n", + " f\"\\n{i}. {doc['_source']['title']} - {doc['_source']['description']} (Score: {doc['_score']:.2f})\"\n", + " )" + ] + }, + { + "cell_type": "markdown", + "id": "5567ee08", + "metadata": {}, + "source": [ + "## Step 3: RAG-Enhanced Chat Function\n", + "\n", + "Now let's create a function that combines document retrieval with our Mistral chat completion for contextual responses." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "4dacdad7", + "metadata": {}, + "outputs": [], + "source": [ + "def rag_chat(user_question: str, max_context_docs: int = 10) -> str:\n", + " context_docs = search_documents(user_question, max_context_docs)\n", + "\n", + " context_text = \"\"\n", + " if context_docs:\n", + " context_text = \"\\n\\nRelevant context information:\\n\"\n", + " for i, doc in enumerate(context_docs, 1):\n", + " context_text += f\"\\n{i}. {doc['_source']}\\n\"\n", + "\n", + " system_prompt = \"\"\"\n", + " You are a helpful assistant that answers about Super Nintendo games. \n", + " Use the provided context information to answer the user's question accurately. \n", + " If the context doesn't contain relevant information, you can use your general knowledge.\n", + " \"\"\"\n", + "\n", + " user_prompt = user_question\n", + " if context_text:\n", + " user_prompt = f\"{context_text}\\n\\nQuestion: {user_question}\"\n", + "\n", + " messages = [\n", + " {\"role\": \"system\", \"content\": system_prompt},\n", + " {\"role\": \"user\", \"content\": user_prompt},\n", + " ]\n", + "\n", + " full_response = \"\"\n", + " for chunk in stream_chat_completion(\n", + " ELASTICSEARCH_URL, INFERENCE_ENDPOINT_NAME, messages\n", + " ):\n", + " print(chunk, end=\"\", flush=True)\n", + " full_response += chunk\n", + "\n", + " return full_response" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "32a6054b", + "metadata": {}, + "outputs": [], + "source": [ + "test_question = \"What SNES games had a character on a skateboard throwing axes?\"\n", + "rag_chat(test_question)" + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.10.18" + } + }, + "nbformat": 4, + "nbformat_minor": 5 +} diff --git a/supporting-blog-content/context-engineering-mistral-completions/snes_games.csv b/supporting-blog-content/context-engineering-mistral-completions/snes_games.csv new file mode 100644 index 00000000..33e705f7 --- /dev/null +++ b/supporting-blog-content/context-engineering-mistral-completions/snes_games.csv @@ -0,0 +1,1756 @@ +ID|Title|Publishers|Year_North_America|Year_JP|Category|Description +0|3 Ninjas Kick Back|Sony Imagesoft|1994|1994|Action|"3 Ninjas Kick Back is a video game based on the movie of the same name. Players control one of the three ninjas, each with their unique abilities, on a mission to rescue their grandfather." +1|3×3 Eyes Juuma Houkan|Banpresto||1995|Role-playing|"3×3 Eyes Juuma Houkan is a role-playing game based on the manga and anime series 3×3 Eyes. Players follow the story of Yakumo Fujii and a mysterious girl named Pai on their supernatural adventures." +2|3×3 Eyes Seima Kourin-den|Yutaka||1992|Role-playing|"3×3 Eyes Seima Kourin-den is a role-playing game that continues the story of Yakumo Fujii and Pai from the 3×3 Eyes series. Players engage in turn-based battles and explore the fantasy world." +3|3rd Super Robot Wars|Banpresto||1993|Strategy|"3rd Super Robot Wars is a tactical role-playing game featuring various mecha from different anime series. Players strategize their moves to defeat enemies in grid-based battles." +4|4 Nin Shougi|Planning Office Wada||1995|Board game|"4 Nin Shougi is a shogi (Japanese chess) video game that allows players to enjoy the traditional board game on their console. Test your skills against the computer or a friend." +5|4th Super Robot Wars|Banpresto||1995|Strategy|"4th Super Robot Wars is a strategy RPG that brings together mecha from popular anime series. Players command their units in tactical battles to save the world from evil forces." +6|The 7th Saga•ElnardJP|Gameplan21 (JP)Enix (NA)|1993|1993|Role-playing|"The 7th Saga, also known as Elnard in Japan, is a role-playing game where players select one of seven characters to embark on a quest to retrieve seven magical runes. The game is known for its challenging difficulty." +7|90 Minutes European Prime Goal•J.League Soccer Prime Goal 3JP|Namco (JP)Ocean Software (EU)|1995|1995|Sports|"90 Minutes European Prime Goal, also known as J.League Soccer Prime Goal 3 in Japan, is a soccer simulation game featuring real teams and players. Compete in various leagues and tournaments to become a soccer champion." +8|A.S.P. Air Strike Patrol•Desert FighterEU•Desert Fighter: Suna no Arashi SakusenJP|SETA (JP and NA)System 3 (EU)|1994|1994|Action|"A.S.P. Air Strike Patrol, also known as Desert Fighter in Europe and Desert Fighter: Suna no Arashi Sakusen in Japan, is an action-packed flight combat game. Players pilot advanced aircraft to complete dangerous missions and save the world." +9|AIII S.V.: Let's Take the A-Train 3 Super Version|Artdink||1995|Simulation|"AIII S.V.: Let's Take the A-Train 3 Super Version is a train simulation game where players manage a railway company. Build tracks, schedule trains, and optimize routes to create a successful transportation network." +10|Aaahh!!! Real Monsters|Viacom New Media|1995||Action|"Aaahh!!! Real Monsters is an action platformer based on the animated TV series. Players control three monsters attending a monster school, using their unique abilities to solve puzzles and scare humans." +11|ABC Monday Night Football•ABC Mande Naito FuttoboruJP|Data East|1993|1993|Sports|"ABC Monday Night Football, also known as ABC Mande Naito Futtoboru in Japan, is a football simulation game. Experience the excitement of American football with realistic gameplay and strategies." +12|Accele Brid|Tomy||1993|Action|"Accele Brid is a futuristic racing game where players pilot high-speed vehicles through challenging tracks. Use speed and skill to outmaneuver opponents and claim victory in this adrenaline-pumping game." +13|ACME Animation Factory|Sunsoft|1994||Action|"ACME Animation Factory is a creative tool that allows players to create their animations using various tools and characters from Looney Tunes. Let your imagination run wild and bring your cartoons to life." +14|Acrobat Mission|Techiku||1992|Shooter|"Acrobat Mission is a vertical scrolling shooter game where players control advanced aircraft to battle against enemy forces. Dodge incoming fire, collect power-ups, and defeat bosses in this intense arcade experience." +15|Action Pachio|Coconuts Japan||1993|Platformer|"Action Pachio is a platformer game featuring a character named Pachio who must navigate through various levels filled with obstacles and enemies. Jump, run, and collect items to reach the end of each stage." +16|ActRaiser|Enix|1991|1990|Action-adventure|"ActRaiser is an action-adventure game that combines side-scrolling platforming with city-building simulation. Players take on the role of a deity to guide civilization's growth and protect them from evil forces." +17|ActRaiser 2•ActRaiser 2: Chinmoku e no SeisenJP|Enix|1993|1993|Action-adventure|"ActRaiser 2, also known as ActRaiser 2: Chinmoku e no Seisen in Japan, is the sequel to the original game. Players continue the divine quest to restore peace and balance between the realms of action and simulation." +18|The Addams Family|Ocean Software|1992|1992|Action|"The Addams Family is an action platformer based on the popular TV series and comic strip. Players control Gomez Addams as he explores creepy locations, battles enemies, and rescues family members." +19|The Addams Family: Pugsley's Scavenger Hunt|Ocean Software|1993||Action|"The Addams Family: Pugsley's Scavenger Hunt is a sequel to the original game, focusing on Pugsley Addams' misadventures. Help Pugsley navigate through challenging levels and puzzles to complete his scavenger hunt." +20|Addams Family Values|Ocean Software|1995||Adventure|"Addams Family Values is a video game based on the film of the same name. The game follows the Addams family as they try to rescue baby Pubert from various villains." +21|The Adventures of Batman & Robin|Konami|1994||Action|"The Adventures of Batman & Robin is a side-scrolling action game featuring the iconic DC Comics characters. Players control Batman as he battles against various villains in Gotham City." +22|The Adventures of Dr. Franken|DTMC (NA)Elite Systems (EU)|1993||Adventure|"The Adventures of Dr. Franken is a platform game where players control Dr. Franken as he navigates through levels to collect body parts for his monster. Released by DTMC in North America and Elite Systems in Europe." +23|The Adventures of Mighty Max|Ocean Software|1995||Action|"The Adventures of Mighty Max is a platformer game based on the Mighty Max toy line. Players control Max as he battles enemies across different levels to save the world from evil forces." +24|The Adventures of Rocky and Bullwinkle and Friends|THQ|1993||Adventure|"The Adventures of Rocky and Bullwinkle and Friends is a video game adaptation of the animated TV series. Players control Rocky and Bullwinkle as they embark on various adventures and solve puzzles." +25|The Adventures of Tintin: Prisoners of the Sun|Infogrames|1997||Adventure|"The Adventures of Tintin: Prisoners of the Sun is an adventure game based on the popular Tintin comic series. Players guide Tintin and his friends as they unravel mysteries and uncover hidden treasures." +26|Adventures of Yogi Bear•Yogi Bear's Cartoon CapersEU|Cybersoft|1994|1995|Adventure|"Adventures of Yogi Bear is a platformer game featuring the popular Hanna-Barbera character, Yogi Bear. Players control Yogi as he navigates through Jellystone Park to save his friends and stop the villains." +27|Aero Fighters•Sonic WingsJP|Video System (JP)MC O'River (NA)||1993|Shooter|"Aero Fighters, also known as Sonic Wings in Japan, is a vertical-scrolling shooter game. Players pilot aircraft to battle against enemy forces and bosses across multiple levels." +28|Aero the Acro-Bat|Sunsoft|1993||Platformer|"Aero the Acro-Bat is a platformer game where players control Aero, a circus acrobat, on a mission to stop an evil former clown. The game features challenging levels and unique abilities for Aero." +29|Aero the Acro-Bat 2|Sunsoft|1994||Platformer|"Aero the Acro-Bat 2 is the sequel to the original game, featuring new levels and challenges for Aero to overcome. Players must guide Aero through various obstacles and enemies to save the circus." +30|Aerobiz•Air Management: Oozora ni KakeruJP|Koei|1993|1992|Simulation|"Aerobiz is a simulation game where players manage an airline company. The goal is to expand routes, purchase aircraft, and compete with rival airlines to become the leading aviation tycoon." +31|Aerobiz Supersonic•Air Management II: Koukuu Ou wo MezaseJP|Koei|1994|1993|Simulation|"Aerobiz Supersonic is the sequel to Aerobiz, offering enhanced gameplay and features. Players continue to manage their airline company and strive for success in the competitive aviation industry." +32|Aim for the Ace!|Nippon Telenet|Unreleased|1993|Sports|"Aim for the Ace! is a tennis simulation game based on the manga and anime series of the same name. Players compete in tennis matches and tournaments to become the top player in the sport." +33|Air Cavalry|Cybersoft|1995||Action|"Air Cavalry is a helicopter combat game where players pilot different choppers in missions to eliminate enemy targets. The game features varied landscapes and challenging objectives." +34|Al Unser Jr.'s Road to the Top|Mindscape|1994||Racing|"Al Unser Jr.'s Road to the Top is a racing game endorsed by the professional driver Al Unser Jr. Players compete in races and championships to climb to the top of the racing world." +35|Albert Odyssey|Sunsoft|Unreleased|1993|Role-Playing|"Albert Odyssey is a role-playing game set in a fantasy world. Players embark on an epic journey, battling monsters and uncovering the mysteries of the land." +36|Albert Odyssey 2|Sunsoft|Unreleased|1994|Role-Playing|"Albert Odyssey 2 is the sequel to the original game, offering new adventures and challenges for players. Dive into a rich fantasy world and experience a captivating role-playing experience." +37|Alcahest|Square|Unreleased|1993|Action-Adventure|"Alcahest is an action-adventure game where players control the hero Alen on a quest to defeat the evil sorcerer Alcahest. The game combines action-packed combat with puzzle-solving elements." +38|Alice's Paint Adventure|Epoch Co.|Unreleased|1995|Educational|"Alice's Paint Adventure is an educational game that encourages creativity and artistic expression. Players can explore different painting tools and colors to create unique artworks." +39|Alien 3|LJN|1993|1994|Action|"Alien 3 is a video game adaptation of the film of the same name. Players take on the role of Ellen Ripley as she battles against xenomorphs in a series of intense and challenging levels." +40|Alien vs Predator•Aliens vs PredatorJP|Activision|1993|1993|Action| "Alien vs Predator is a classic action game released in 1993. Players can choose to play as either the Alien or the Predator, each with unique abilities and playstyles. The game features intense combat and challenging levels, making it a must-play for fans of the franchise." +41|The Amazing Spider-Man: Lethal Foes|Epoch Co.|Unreleased|1995|Action| "The Amazing Spider-Man: Lethal Foes is a thrilling action game based on the popular comic book character. Players take on the role of Spider-Man as he battles his iconic foes in fast-paced combat. With impressive graphics and engaging gameplay, this game is sure to entertain fans of the web-slinger." +42|America Oudan Ultra Quiz|Tomy|Unreleased|1992|Trivia| "America Oudan Ultra Quiz is a challenging trivia game that tests players' knowledge of American culture. With a variety of questions spanning different categories, players can put their knowledge to the test and learn new facts along the way. A fun and educational game for trivia enthusiasts." +43|American Battle Dome|Tsukuda Original|Unreleased|1995|Fighting| "American Battle Dome is an action-packed fighting game that pits players against each other in intense battles. With a variety of characters to choose from and special moves to master, players can engage in thrilling combat and prove their skills. Get ready to fight your way to victory!" +44|American Gladiators|GameTek|1993|Unreleased|Sports| "American Gladiators is a sports game based on the popular TV show. Players can compete in various events inspired by the show, such as The Wall and Assault. With competitive gameplay and multiplayer options, this game offers hours of entertainment for fans of the series." +45|An American Tail: Fievel Goes West•Amerika Monogatari 2 and Faiberu nishi e IkuJP|Hudson Soft|1994|Unreleased|Adventure| "An American Tail: Fievel Goes West is an adventure game that follows the story of Fievel Mousekewitz as he journeys to the Wild West. Players must help Fievel navigate through various obstacles and challenges to reach his destination. With charming graphics and engaging gameplay, this game is a nostalgic treat for fans of the movie." +46|Ancient Magic: Bazoo! Mahou Sekai|Hot-B|Unreleased|1993|Role-Playing| "Ancient Magic: Bazoo! Mahou Sekai is a role-playing game set in a magical world filled with mysteries and adventures. Players take on the role of Bazoo, a young mage with extraordinary powers, on a quest to save the realm from darkness. With a captivating story and strategic gameplay, this game offers a magical experience for players." +47|Andre Agassi Tennis|TecMagik|1994|1994|Sports| "Andre Agassi Tennis is a sports game that allows players to step into the shoes of the legendary tennis player. With realistic gameplay and challenging opponents, players can test their skills on the court and compete in various tournaments. Whether you're a tennis fan or a gaming enthusiast, this game offers a fun and competitive experience." +48|Angelique|Koei, NEC|Unreleased|1994|Simulation| "Angelique is a simulation game that puts players in the role of a young woman tasked with managing a fantasy world. Players must make strategic decisions to build relationships with characters, manage resources, and navigate political intrigue. With engaging storytelling and immersive gameplay, this game offers a unique and captivating experience for players." +49|Angelique Voice Fantasy|Koei, NEC|Unreleased|1996|Simulation| "Angelique Voice Fantasy is a simulation game that combines elements of romance and fantasy. Players can interact with charming characters, make choices that impact the story, and experience a captivating narrative. With beautiful artwork and voice acting, this game offers a delightful and immersive experience for players." +50|Animaniacs|Konami|1994|1997|Platform| "Animaniacs is a platformer game featuring the zany characters from the popular animated series. Players can control Yakko, Wakko, and Dot as they navigate through wacky levels filled with humor and challenges. With colorful graphics and entertaining gameplay, this game captures the spirit of the beloved show." +51|Appleseed: Oracle of Prometheus|Visit|Unreleased|1994|Action| "Appleseed: Oracle of Prometheus is an action game based on the popular manga series. Players take on the role of Deunan Knute as she battles enemies in a futuristic world. With fast-paced combat and stylish visuals, this game offers an exciting experience for fans of the franchise." +52|Arabian Nights: Spirit of the Desert King|Takara|Unreleased|1996|Adventure| "Arabian Nights: Spirit of the Desert King is an adventure game set in a mystical world inspired by Arabian folklore. Players embark on a quest to uncover ancient secrets and restore balance to the kingdom. With immersive storytelling and atmospheric visuals, this game offers a captivating journey for players." +53|Araiguma Rascal|Masaya|Unreleased|1994|Platform| "Araiguma Rascal is a charming platformer game featuring the lovable raccoon Rascal. Players must guide Rascal through various levels filled with obstacles and enemies, using his agility and wit to overcome challenges. With colorful graphics and engaging gameplay, this game is a delightful adventure for players of all ages." +54|Arcade's Greatest Hits: The Atari Collection 1|Midway Games|1997|Unreleased|Compilation| "Arcade's Greatest Hits: The Atari Collection 1 is a compilation of classic arcade games from Atari. Players can enjoy timeless favorites such as Asteroids, Centipede, and Missile Command in one convenient package. With retro graphics and addictive gameplay, this collection offers a nostalgic trip down memory lane for arcade enthusiasts." +55|Arcana•Card MasterJP|HAL Laboratory|1992|1992|Role-Playing| "Arcana•Card Master is a role-playing game that combines card-based combat with traditional RPG elements. Players collect cards representing spells and abilities to use in battles against enemies. With strategic gameplay and a compelling story, this game offers a unique twist on the RPG genre." +56|Arcus Spirits|Sammy Studios|Cancelled|1993|Role-Playing| "Arcus Spirits is a role-playing game that follows the adventures of a group of heroes in a fantasy world. Players must explore dungeons, battle monsters, and uncover the secrets of the Arcus universe. With colorful visuals and engaging gameplay, this game promises an epic quest for players to enjoy." +57|Ardy Lightfoot|Titus Software (NA and EU)|1994|1993|Platform| "Ardy Lightfoot is a platformer game starring the brave fox Ardy on a quest to rescue his friends. Players must navigate through challenging levels, solve puzzles, and defeat enemies to save the day. With vibrant graphics and tight controls, this game offers a fun and rewarding platforming experience." +58|Aretha the Super Famicom|Yanoman|Unreleased|1993|Role-Playing| "Aretha the Super Famicom is a role-playing game that follows the journey of a young heroine named Aretha. Players must guide Aretha through a magical world, battle monsters, and uncover the truth about her destiny. With engaging storytelling and strategic gameplay, this game offers an immersive RPG experience for players." +59|Aretha II: Ariel no Fushigi na Tabi|Yanoman|Unreleased|1994|Role-Playing| "Aretha II: Ariel no Fushigi na Tabi is a role-playing game that continues the story of the heroine Aretha. Players embark on a new adventure filled with mysteries, challenges, and memorable characters. With improved gameplay mechanics and expanded lore, this game offers a compelling sequel for fans of the series." +60|Arkanoid: Doh It Again|Taito, Nintendo|1997|1997|Arcade| "Arkanoid: Doh It Again is a classic arcade game where players control a paddle to bounce a ball and break bricks. With updated graphics and new levels, it offers a fresh take on the original Arkanoid game." +61|Armored Police Metal Jack|Atlus|Cancelled|1992|Action| "Armored Police Metal Jack is an action game based on the anime series of the same name. Players control mechs to battle enemies and save the city from destruction." +62|Art of Fighting•Ryuuko no KenJP|Takara|1993|1993|Fighting| "Art of Fighting, also known as Ryuuko no Ken in Japan, is a classic fighting game that features unique characters and special moves. Test your skills in one-on-one combat against challenging opponents." +63|Asahi Shinbun Rensai: Katou Ichi-Ni-San Shougi: Shingiryuu|Varie|Unreleased|1995|Strategy| "Asahi Shinbun Rensai: Katou Ichi-Ni-San Shougi: Shingiryuu is a shogi simulation game that challenges players' strategic thinking and shogi skills. Compete against AI opponents and hone your tactics." +64|Asameshimae Nyanko|Zamuse|Unreleased|1994|Action| "Asameshimae Nyanko is an action game where players control a cat character on a mission to save the world. Use various abilities and power-ups to defeat enemies and progress through levels." +65|Ashita no Joe|K Amusement Leasing|Unreleased|1992|Sports| "Ashita no Joe is a boxing game based on the popular manga and anime series. Step into the ring as Joe Yabuki and experience the intense world of professional boxing." +66|Asterix|Infogrames|Cancelled|Unreleased|Action| "Asterix is an action-packed game based on the beloved comic book series. Join Asterix and Obelix on a wild adventure through ancient Gaul as they battle Roman soldiers and outsmart their enemies." +67|Asterix & Obelix|Infogrames|Unreleased|1996|Action| "Asterix & Obelix is a co-op action game where players control the iconic Gauls as they embark on a quest to protect their village from Roman invaders. Join forces with a friend for double the fun!" +68|The Atlas|Pack-In-Video|Unreleased|1995|Adventure| "The Atlas is an adventure game that takes players on a journey through mysterious lands in search of hidden treasures. Solve puzzles, interact with characters, and uncover the secrets of the ancient world." +69|Axelay †|Konami|1992|1992|Shooter| "Axelay is a classic shoot 'em up game known for its fast-paced action and challenging gameplay. Pilot the advanced Axelay fighter spacecraft and take on waves of enemy forces in a battle for survival." +70|B.O.B.•Space Funky B.O.B.JP|Electronic Arts|1993|1993|Platformer| "B.O.B., also known as Space Funky B.O.B. in Japan, is a side-scrolling platformer where players control a robot on a mission to rescue his girlfriend. Navigate through hazardous environments and defeat enemies using a variety of weapons." +71|Bahamut Lagoon|Square|Unreleased|1996|Role-Playing| "Bahamut Lagoon is a tactical role-playing game that combines strategic battles with engaging storytelling. Command a squad of dragons and warriors to save the kingdom from dark forces." +72|Bakukyuu Renpatsu!! Super B-Daman|Hudson Soft|Unreleased|1997|Action| "Bakukyuu Renpatsu!! Super B-Daman is an action game based on the popular B-Daman toy line. Customize your B-Daman and compete in fast-paced marble-shooting battles against rivals." +73|Bakumatsu Kourinden Oni|Banpresto|Unreleased|1996|Fighting| "Bakumatsu Kourinden Oni is a fighting game set in the Bakumatsu period of Japan. Choose from a diverse roster of historical characters and engage in intense one-on-one battles." +74|Bakuto Dochers|Bullet-Proof Software|Unreleased|1994|Action| "Bakuto Dochers is an action game where players control characters with unique abilities in fast-paced battles. Master different fighting styles and combos to defeat your opponents." +75|Ball Bullet Gun: Survival Game Simulation|"I'MAX"|Unreleased|1995|Simulation| "Ball Bullet Gun: Survival Game Simulation is a realistic simulation game that puts players in the shoes of survival game participants. Test your survival skills in various scenarios and see if you have what it takes to endure." +76|Ballz 3D•3 Jigen Kakuto: BallzJP|Accolade|1994|1995|Fighting| "Ballz 3D, also known as 3 Jigen Kakuto: Ballz in Japan, is a 3D fighting game with a unique roster of characters and interactive arenas. Battle against opponents in intense one-on-one combat and unleash powerful attacks." +77|Barbarossa|Sammy Corporation|Unreleased|1992|Strategy| "Barbarossa is a strategy game that simulates historical battles and political intrigue during the reign of Frederick Barbarossa. Lead armies, forge alliances, and conquer territories to establish your empire." +78|Barbie: Super Model|Hi Tech Expressions|1993|Unreleased|Simulation| "Barbie: Super Model is a simulation game where players take on the role of Barbie as she embarks on a glamorous modeling career. Customize outfits, strike poses, and walk the runway in fashion shows around the world." +79|Barkley Shut Up and Jam!•Barkley's Power DunkJP|Accolade|1994|1994|Sports| "Barkley Shut Up and Jam!, also known as Barkley's Power Dunk in Japan, is a basketball game featuring fast-paced matches and high-flying dunks. Compete against AI or friends in exciting basketball action." +80|Bass Masters Classic|Malibu Games|1995|1995|Fishing| "Bass Masters Classic is a fishing video game released in 1995. The game features various fishing tournaments and challenges for players to compete in." +81|Bass Masters Classic: Pro Edition|Black Pearl Software|1996|1996|Fishing| "Bass Masters Classic: Pro Edition is an enhanced version of the original fishing game released in 1996. It offers improved graphics and additional gameplay features." +82|Bassin's Black Bass with Hank Parker•Super Black Bass 2JP|Hot-B|1994|1994|Fishing| "Bassin's Black Bass with Hank Parker•Super Black Bass 2JP is a fishing simulation game released in 1994. Players can enjoy realistic fishing experiences in various locations." +83|Bastard!!: Ankoku no Hakai-shin|Cobra Team|1994|||Action| "Bastard!!: Ankoku no Hakai-shin is an action game based on the manga series. Players control the protagonist as he battles enemies using various abilities and weapons." +84|Batman Forever|Acclaim Entertainment|1995|1995|Action| "Batman Forever is an action game based on the popular superhero. Players take on the role of Batman as he fights against villains in Gotham City." +85|Batman Returns|Konami|1993|1993|Action| "Batman Returns is an action game based on the movie of the same name. Players control Batman as he battles against the Penguin and Catwoman in the streets of Gotham." +86|Battle Blaze|American Sammy|1993|1992|Fighting| "Battle Blaze is a fighting game released in 1993. Players can choose from a variety of characters, each with unique fighting styles and special moves." +87|Battle Cars|Namco|1993|||Racing| "Battle Cars is a racing game featuring combat elements. Players can customize their vehicles with weapons and compete in high-speed battles." +88|Battle Clash•Space BazookaJP|Nintendo|1992|1993|Shooter| "Battle Clash•Space BazookaJP is a shooter game where players control a giant robot in battles against other mechs. The game features intense action and challenging opponents." +89|Battle Commander: Hachibushuu Shura no Heihou|Banpresto|1991|||Strategy| "Battle Commander: Hachibushuu Shura no Heihou is a strategy game set in a fantasy world. Players must command armies and lead them to victory in tactical battles." +90|Battle Cross|Imagineer|1994|||Action| "Battle Cross is an action game featuring fast-paced gameplay and intense battles. Players can choose from different characters, each with unique abilities." +91|Battle Dodge Ball|Banpresto|1991|||Sports| "Battle Dodge Ball is a sports game that combines dodgeball with action-packed gameplay. Players compete in dodgeball matches against various teams to become the ultimate champions." +92|Battle Dodge Ball II|Banpresto|1993|||Sports| "Battle Dodge Ball II is the sequel to the original dodgeball game, featuring improved graphics and gameplay mechanics. Players can enjoy intense dodgeball matches against challenging opponents." +93|Battle Grand Prix|Hudson Soft|1993|1992|Racing| "Battle Grand Prix is a racing game where players compete in high-speed races against AI opponents. The game features a variety of tracks and vehicles to choose from." +94|Battle Jockey|Virgin Interactive|1994|||Sports| "Battle Jockey is a sports game that combines horse racing with strategic gameplay. Players must manage their horses and make tactical decisions to win races." +95|Battle Master: Kyuukyoku no Senshitachi|Toshiba|1993|||Action| "Battle Master: Kyuukyoku no Senshitachi is an action game where players control powerful warriors in epic battles. The game features intense combat and challenging enemies." +96|Battle Pinball|Banpresto|1995|||Pinball| "Battle Pinball is a pinball game featuring various themed tables and challenges. Players can test their skills and aim for high scores in this arcade-style game." +97|Battle Racers|Banpresto|1995|||Racing| "Battle Racers is a racing game where players can customize their vehicles and compete in high-speed races. The game offers a variety of tracks and challenges to overcome." +98|Battle Robot Retsuden|Banpresto|1995|||Action| "Battle Robot Retsuden is an action game where players control giant robots in battles against other mechs. The game features intense combat and strategic gameplay." +99|Battle Soccer: Field no Hasha|Banpresto|1992|||Sports| "Battle Soccer: Field no Hasha is a sports game that combines soccer with action-packed gameplay. Players can choose from different teams and compete in exciting matches." +100|Battle Soccer 2|Banpresto|Unreleased|1994|Sports|"Battle Soccer 2 is a soccer video game developed by Pandora Box. It was released in Japan on November 25, 1994. The game features intense soccer matches with various teams and players." +101|Battle Submarine|Pack-In-Video|Unreleased|1995|Action|"Battle Submarine is an action game developed by Office Koukan. It was released in Japan on December 22, 1995. Players control a submarine to engage in underwater battles and missions." +102|Battletoads & Double Dragon|Tradewest|1993|Unreleased|Action|"Battletoads & Double Dragon is an action game developed by Rare. It was released in North America on December 1, 1993. The game features a crossover between the Battletoads and Double Dragon franchises." +103|Battletoads in Battlemaniacs|Tradewest|1993|1994|Action|"Battletoads in Battlemaniacs is an action game developed by Rare. It was released in Japan on January 7, 1994. Players control the Battletoads in their quest to defeat the evil Dark Queen." +104|Battle Tycoon: Flash Hiders SFX|Right Stuff|Unreleased|1995|Strategy|"Battle Tycoon: Flash Hiders SFX is a strategy game developed by Right Stuff. It was released in Japan on May 19, 1995. Players manage a team of warriors in battles to become the ultimate champion." +105|Battle Zeque Den|Asmik Ace Entertainment|Unreleased|1994|Action|"Battle Zeque Den is an action game developed by Arsys Software. It was released in Japan on July 15, 1994. Players embark on a journey to save the kingdom from dark forces." +106|Bazooka Blitzkrieg•DestructiveJP|Bandai|1992|1993|Action|"Bazooka Blitzkrieg is an action game developed by Tose. It was released in North America on December 31, 1992. Players control powerful mechs in intense battles against enemies." +107|Beavis and Butt-head|Viacom New Media|1994|Unreleased|Adventure|"Beavis and Butt-head is an adventure game developed by Realtime Associates. It was released in North America on November 1, 1994. Players control the iconic duo in humorous and mischievous adventures." +108|Bébé's Kids|Motown Software|1994|Unreleased|Action|"Bébé's Kids is an action game developed by Radical Entertainment. It was released in North America on April 19, 1994. Players navigate through various levels inspired by the animated film." +109|Beethoven: The Ultimate Canine Caper•Beethoven's 2ndEU|Hi Tech Expressions|1993|1993|Action|"Beethoven: The Ultimate Canine Caper is an action game developed by Riedel Software Productions. It was released in North America on December 17, 1993. Players control the lovable St. Bernard in a series of adventures." +110|Benkei Gaiden: Suna no Shou|Sunsoft|Unreleased|1992|Action|"Benkei Gaiden: Suna no Shou is an action game developed by Sunsoft. It was released in Japan on December 18, 1992. Players assume the role of the legendary warrior Benkei on a quest for justice." +111|Best of the Best: Championship Karate•Super Kick BoxingJP|Electro Brain|1993|1993|Sports|"Best of the Best: Championship Karate is a sports game developed by Loriciel. It was released in Japan on March 5, 1993. Players compete in intense karate matches to become the ultimate champion." +112|Big Sky Trooper|JVC Musical Industries|1995|Unreleased|Action|"Big Sky Trooper is an action game developed by LucasArts. It was released in North America on October 10, 1995. Players embark on an intergalactic adventure to save the galaxy from alien threats." +113|Best Shot Pro Golf|ASCII|Unreleased|1996|Sports|"Best Shot Pro Golf is a sports game developed by KID. It was released in Japan on June 14, 1996. Players compete in golf tournaments across various courses to become the best golfer." +114|Big Ichigeki! Pachi-Slot Daikouryaku|Ask Koudansha|Unreleased|1994|Simulation|"Big Ichigeki! Pachi-Slot Daikouryaku is a simulation game developed by Syscom. It was released in Japan on December 16, 1994. Players experience the thrill of playing pachi-slot machines in a virtual casino." +115|Big Ichigeki! Pachi-Slot Daikouryaku 2|Ask Koudansha|Unreleased|1995|Simulation|"Big Ichigeki! Pachi-Slot Daikouryaku 2 is a simulation game developed by Syscom. It was released in Japan on July 21, 1995. Players enjoy an enhanced pachi-slot experience with new machines and features." +116|Bike Daisuki! Hashiriya Kon: Rider's Spirits|Masaya|Unreleased|1994|Racing|"Bike Daisuki! Hashiriya Kon: Rider's Spirits is a racing game developed by Genki. It was released in Japan on September 30, 1994. Players participate in high-speed motorcycle races across various tracks." +117|Biker Mice from Mars|Konami|1994|Unreleased|Racing|"Biker Mice from Mars is a racing game developed by Konami. It was released in North America on December 1, 1994. Players control the Biker Mice in fast-paced races against their enemies." +118|Bill Laimbeer's Combat Basketball|Hudson Soft|1991|Unreleased|Sports|"Bill Laimbeer's Combat Basketball is a sports game developed by Hewson Consultants. It was released in North America on December 1, 1991. Players engage in futuristic basketball matches with intense gameplay." +119|Bill Walsh College Football|EA Sports|1994|Unreleased|Sports|"Bill Walsh College Football is a sports game developed by Visual Concepts. It was released in North America in February 1994. Players coach and manage their college football team to victory." +120|Bing Bing! Bingo|KSS| |1993| |"Bing Bing! Bingo is a Japanese bingo game developed by Copya Systems and published by KSS on December 22, 1993." +121|BioMetal|Activision|1993|1993| |"BioMetal is a shooter video game developed by Athena and published by Activision. It was released in Japan on March 19, 1993, and in North America on November 1993." +122|Bishoujo Janshi Suchie-Pai|Jaleco| |1993| |"Bishoujo Janshi Suchie-Pai is a Japanese mahjong video game developed by DCE and published by Jaleco on July 30, 1993." +123|Bishoujo Senshi Sailor Moon: Another Story|Angel| |1995| |"Bishoujo Senshi Sailor Moon: Another Story is a role-playing video game developed by Arc System Works and TNS and published by Angel. It was released in Japan on September 22, 1995." +124|Bishoujo Senshi Sailor Moon: Sailor Stars Fuwa Fuwa Panic 2|Bandai| |1996| |"Bishoujo Senshi Sailor Moon: Sailor Stars Fuwa Fuwa Panic 2 is a puzzle video game developed and published by Bandai. It was released in Japan on September 27, 1996." +125|Bishoujo Senshi Sailor Moon R|Bandai| |1993| |"Bishoujo Senshi Sailor Moon R is a fighting game developed by Arc System Works and published by Bandai. It was released in Japan on December 29, 1993." +126|Bishoujo Senshi Sailormoon S: Jougai Rantou!? Shuyaku Soudatsusen|Angel| |1994| |"Bishoujo Senshi Sailormoon S: Jougai Rantou!? Shuyaku Soudatsusen is a fighting game developed by Arc System Works and published by Angel. It was released in Japan on December 16, 1994." +127|Bishoujo Senshi Sailor Moon S: Kondo ha Puzzle de Oshiokiyo!|Bandai| |1994| |"Bishoujo Senshi Sailor Moon S: Kondo ha Puzzle de Oshiokiyo! is a puzzle video game developed by Tom Create and published by Bandai. It was released in Japan on July 15, 1994." +128|Bishoujo Senshi Sailor Moon S: Kurukkurin|Bandai| |1995| |"Bishoujo Senshi Sailor Moon S: Kurukkurin is a puzzle video game developed by Tom Create and published by Bandai. It was released in Japan on February 24, 1995." +129|Bishoujo Senshi Sailor Moon SuperS: Fuwa Fuwa Panic|Bandai| |1995| |"Bishoujo Senshi Sailor Moon SuperS: Fuwa Fuwa Panic is a puzzle video game developed by Tom Create and published by Bandai. It was released in Japan on December 8, 1995." +130|Bishoujo Senshi Sailor Moon SuperS – Zenin Sanka!! Shuyaku Soudatsusen|Angel| |1996| |"Bishoujo Senshi Sailor Moon SuperS – Zenin Sanka!! Shuyaku Soudatsusen is a fighting game developed and published by Angel. It was released in Japan on March 29, 1996." +131|Bishoujo Wrestlinger's History: Beauty Girl Wrestling|KSS| |1996| |"Bishoujo Wrestlinger's History: Beauty Girl Wrestling is a wrestling video game developed by Nihon Soft System and published by KSS. It was released in Japan on March 29, 1996." +132|Blackthorne•BlackhawkEU|Interplay Entertainment|1994|1995| |"Blackthorne•BlackhawkEU is an action-adventure video game developed by Blizzard Entertainment and published by Interplay Entertainment. It was released in Japan on August 11, 1995, and in North America on September 1994." +133|BlaZeon: The Bio-Cyborg Challenge|Atlus|1992|1992| |"BlaZeon: The Bio-Cyborg Challenge is a shoot 'em up video game developed by AI and published by Atlus. It was released in Japan on July 24, 1992, and in North America on October 27, 1992." +134|Block Kuzushi|Planning Office Wada| |1995| |"Block Kuzushi is a puzzle video game developed by OeRSTED and published by Planning Office Wada. It was released in Japan on November 17, 1995." +135|The Blue Crystal Rod|Namco| |1994| |"The Blue Crystal Rod is an action-adventure video game developed by Game Studio and published by Namco. It was released in Japan on March 25, 1994." +136|Blue Legend Shoot!|KSS| |1994| |"Blue Legend Shoot! is a sports video game developed by Affect and published by KSS. It was released in Japan on December 16, 1994." +137|The Blues Brothers|Titus Software|1993|1993| |"The Blues Brothers is a platformer video game developed and published by Titus Software. It was released in Japan on March 26, 1993, and in North America on June 1, 1993." +138|Bomberman B-Daman|Hudson Soft| |1996| |"Bomberman B-Daman is an action video game developed by A.I. and published by Hudson Soft. It was released in Japan on December 20, 1996." +139|Boogerman: A Pick and Flick Adventure|Interplay Entertainment|1995| | |"Boogerman: A Pick and Flick Adventure is a platformer video game developed and published by Interplay Entertainment. It was released in North America on September 15, 1995, and in the PAL region on January 25, 1996." +140|Bounty Sword|Pioneer LDC|Unreleased|1995|| +141|Boxing Legends of the Ring•Chavez IIMX•Final KnockoutJP|Electro Brain|1993|1993|| +142|Brain Lord|Enix|1994|1994|"Brain Lord is an action role-playing game where the player controls the main character Remeer as he explores dungeons, solves puzzles, and battles enemies to uncover the mystery of his past." +143|The Brainies|Titus Software|1996||1996|"The Brainies is a puzzle game where players must guide cute creatures called Brainies through various obstacles to reach their spaceship and return home." +144|Bram Stoker's Dracula|Sony Imagesoft|1993||1993|"Bram Stoker's Dracula is a platformer based on the movie of the same name, where players control Jonathan Harker as he battles through Transylvania to defeat Count Dracula." +145|Brandish|Koei|1995|1994|| +146|Brandish 2: The Planet Buster|Koei|Unreleased|1995|| +147|Brandish 2 Expert|Koei|Unreleased|1996|| +148|Brawl Brothers †•Brawl Brothers: Rival Turf! 2EU•Rushing Beat Ran: Fukusei ToshiJP|Jaleco|1993|1992|| +149|BreakThru!|Spectrum HoloByte|1994|||| +150|Breath of Fire|Capcom (JP)Square (NA)|1994|1993|| +151|Breath of Fire II|Capcom (JP and NA)Laguna GmbH (EU)|1995|1994|1996|"Breath of Fire II is a role-playing game where players control a group of characters on a quest to save the world from an ancient evil, featuring turn-based battles and a deep storyline." +152|Brett Hull Hockey|Accolade|1994||1994|| +153|Brett Hull Hockey '95|Accolade|1994|||| +154|Bronkie the Bronchiasaurus|Raya Systems|1995|||| +155|Brunswick World: Tournament of Champions|THQ|1997|||| +156|Brutal: Paws of Fury•Brutal: Animal BurandenJP|GameTek|1994|1994|1994|"Brutal: Paws of Fury is a fighting game featuring anthropomorphic animal characters battling in various arenas using martial arts moves and special attacks." +157|Bubsy in Claws Encounters of the Furred Kind•Yamaneko Bubsy no DaiboukenJP|Accolade|1993|1993|1993|"Bubsy in Claws Encounters of the Furred Kind is a platformer where players control Bubsy the bobcat as he jumps and glides through levels to defeat enemies and collect items." +158|Bubsy II|Accolade|1994||1994|"Bubsy II is a platformer sequel where players once again control Bubsy as he embarks on a new adventure filled with platforming challenges and enemies to overcome." +159|Bugs Bunny Rabbit Rampage•Bakkusu Banī Hachamecha DaibōkenJP|Sunsoft|1994|1994|1994|"Bugs Bunny Rabbit Rampage is a side-scrolling action game where players control Bugs Bunny as he navigates through various levels inspired by classic Looney Tunes cartoons." +160|Bulls vs. Blazers and the NBA Playoffs•NBA Pro Basketball: Bulls vs BlazersJP|Electronic Arts|1992|1992|Sports|"Bulls vs. Blazers and the NBA Playoffs is a basketball video game featuring NBA teams. Compete in the playoffs and lead your team to victory." +161|Burai: Hachigyoku no Yuushi Densetsu|IGS|Unreleased|1993|Role-playing|"Burai: Hachigyoku no Yuushi Densetsu is a role-playing game set in a fantasy world. Embark on an epic quest and battle formidable foes." +162|Bushi Seiryuuden: Futari no Yuusha|T&E Soft|Unreleased|1997|Action-adventure|"Bushi Seiryuuden: Futari no Yuusha is an action-adventure game where players control two heroes on a quest to save the kingdom. Explore dungeons and defeat monsters." +163|Bust-a-Move•Puzzle BobbleEU|Taito|1995|1995|Puzzle|"Bust-a-Move, also known as Puzzle Bobble, is a classic puzzle game where players aim and shoot bubbles to create matches and clear the board. Test your skills in this addictive game." +164|Cacoma Knight in Bizyland•Cacoma KnightJP|SETA|1993|1992|Action|"Cacoma Knight in Bizyland is an action game where players navigate mazes and solve puzzles to progress. Use unique abilities to overcome obstacles and defeat enemies." +165|Cal Ripken Jr. Baseball|Mindscape|1992|Unreleased|Sports|"Cal Ripken Jr. Baseball is a sports game featuring the legendary baseball player. Step up to the plate, swing for the fences, and experience the thrill of America's favorite pastime." +166|California Games 2|DTMC|1993|1993|Sports|"California Games 2 is a sports game featuring various outdoor activities. Compete in surfing, skateboarding, and other events to become the ultimate champion." +167|Cannon Fodder|Virgin Interactive|Unreleased|1994|Action|"Cannon Fodder is a military-themed action game where players control a squad of soldiers on dangerous missions. Strategize, command your troops, and complete objectives to succeed." +168|Cannondale Cup|American Softworks (Cannondale Cup) and Life Fitness Entertainment (Mountain Bike Rally)|November 1994 (Mountain Bike Rally re-release February 1995)|Unreleased|Racing|"Cannondale Cup is a racing game that simulates the excitement of mountain biking. Compete in thrilling races and test your skills on challenging tracks." +169|Capcom's MVP Football|Capcom|1993|Unreleased|Sports|"Capcom's MVP Football is a sports game that puts players in the cleats of football legends. Take the field, call the plays, and lead your team to victory in this gridiron showdown." +170|Capcom's Soccer Shootout •Soccer ShootoutEU•J. League Excite Stage '94JP|Epoch Co. (JP)Capcom (NA and EU)|1994|1994|Sports|"Capcom's Soccer Shootout is a soccer simulation game that captures the excitement of the sport. Compete in intense matches, score goals, and lead your team to glory." +171|Captain America and The Avengers|Mindscape|1993|Unreleased|Action|"Captain America and The Avengers is an action-packed game featuring iconic Marvel superheroes. Join forces with Captain America, Iron Man, and others to battle evil and save the world." +172|Captain Commando|Capcom|1995|1995|Action|"Captain Commando is a classic beat 'em up game where players take on the role of a superhero fighting against crime. Use powerful attacks and special moves to defeat enemies." +173|Captain Novolin|Raya Systems|1992|Unreleased|Action|"Captain Novolin is an educational game designed to raise awareness about diabetes. Help the superhero manage his blood sugar levels and overcome challenges." +174|Captain Tsubasa III: Koutei no Chousen|Tecmo|Unreleased|1992|Sports|"Captain Tsubasa III: Koutei no Chousen is a soccer game based on the popular anime and manga series. Lead your team to victory on the field and become a soccer champion." +175|Captain Tsubasa IV: Pro no Rival Tachi|Tecmo|Unreleased|1993|Sports|"Captain Tsubasa IV: Pro no Rival Tachi continues the soccer adventures of Tsubasa Ozora. Experience intense matches, powerful shots, and dramatic moments on the pitch." +176|Captain Tsubasa V: Hasha no Shōgō Campione|Tecmo|Unreleased|1994|Sports|"Captain Tsubasa V: Hasha no Shōgō Campione is a soccer simulation game that follows the journey of Tsubasa Ozora. Train hard, compete in tournaments, and aim to be the best in the world." +177|Captain Tsubasa J: The Way to World Youth|Bandai|Unreleased|1995|Sports|"Captain Tsubasa J: The Way to World Youth is a soccer game based on the popular anime series. Join Tsubasa and his teammates as they strive for victory on the international stage." +178|Caravan Shooting Collection|Hudson Soft|Unreleased|1995|Shooter|"Caravan Shooting Collection is a compilation of shooting games that test players' reflexes and accuracy. Blast through waves of enemies and aim for high scores in this intense genre." +179|Carrier Aces|Cybersoft|1995|1995|Flight simulation|"Carrier Aces is a flight simulation game that puts players in the cockpit of fighter jets. Take off from aircraft carriers, engage in aerial combat, and complete missions in the skies." +180|Casper|Natsume|1996|1997|"Casper is a platformer video game based on the 1995 film of the same name. Players control Casper the friendly ghost as he explores Whipstaff Manor to uncover its secrets and help his friends. The game features puzzle-solving elements and boss battles." +181|Casper (Japanese game)|KSS||1997||"Casper (Japanese game) is a platformer video game based on the 1995 film of the same name. Players control Casper the friendly ghost as he explores locations to uncover mysteries and help his friends. The game offers challenging levels and unique gameplay mechanics." +182|Castlevania: Dracula X•Castlevania: Vampire's KissEU•Akumajou Dracula XXJP|Konami|1995|1995||"Castlevania: Dracula X is a platformer game where players control Richter Belmont on a quest to defeat Dracula. The game features challenging levels, powerful weapons, and epic boss battles. It is known for its gothic atmosphere and engaging gameplay." +183|CB Chara Wars: Ushinawareta Gag|Banpresto|1992|||"CB Chara Wars: Ushinawareta Gag is a role-playing game featuring characters from various anime series. Players embark on a journey to save the world from an evil force, recruiting allies and engaging in strategic battles. The game offers a unique crossover experience for fans of different franchises." +184|Champions World Class Soccer|Acclaim Entertainment|1994|1994||"Champions World Class Soccer is a sports simulation game that allows players to compete in international soccer tournaments. With realistic gameplay mechanics and team management options, players can experience the excitement of soccer matches from around the world." +185|Championship Pool•Super BilliardJP|Mindscape|1993|1994||"Championship Pool is a sports simulation game that offers players the chance to play various pool games in different settings. With realistic physics and challenging AI opponents, players can test their skills in a virtual pool hall environment." +186|Chaos Seed|Taito|1996|||"Chaos Seed is a unique blend of action-adventure and simulation genres, where players must cultivate a magical garden to fend off dark forces. With strategic gameplay and multiple endings, the game offers a captivating experience for players seeking a mix of genres." +187|The Chessmaster|Mindscape|1991|1995||"The Chessmaster is a chess simulation game that provides players with various challenges and tutorials to improve their chess skills. With multiple difficulty levels and customizable settings, players can enjoy a realistic chess experience on their gaming console." +188|Chester Cheetah: Too Cool to Fool|Kaneko|1992|||"Chester Cheetah: Too Cool to Fool is a platformer game featuring the iconic mascot from Cheetos snacks. Players control Chester as he embarks on a quest to retrieve a missing snack recipe. The game offers colorful graphics and fun gameplay for players of all ages." +189|Chester Cheetah: Wild Wild Quest|Kaneko|1994|||"Chester Cheetah: Wild Wild Quest is a platformer game where players guide Chester through various levels to rescue a kidnapped cheetah cub. With fast-paced action and challenging obstacles, the game provides an entertaining experience for platformer fans." +190|Chibi Maruko-chan: Harikiri 365-Nichi no Maki|Epoch Co., Ltd.|1991|||"Chibi Maruko-chan: Harikiri 365-Nichi no Maki is a side-scrolling action game based on the popular manga and anime series. Players control Maruko as she navigates through different environments, collecting items and avoiding obstacles. The game captures the charm of the series in a fun gaming experience." +191|Chibi Maruko-chan: Mezase! Minami no Island!!|Konami|1995|||"Chibi Maruko-chan: Mezase! Minami no Island!! is an adventure game where players join Maruko and her friends on a summer vacation trip. By exploring the island, solving puzzles, and interacting with characters, players can enjoy a relaxing and nostalgic experience based on the beloved series." +192|Chinhai|Banpresto|1995|||"Chinhai is a role-playing game set in a fantasy world where players embark on a quest to defeat an ancient evil. With turn-based combat and character customization options, players can explore diverse environments and uncover the secrets of the Chinhai universe." +193|Chō Aniki: Bakuretsu Rantouden|NCS|1995|||"Chō Aniki: Bakuretsu Rantouden is a side-scrolling shooter game known for its bizarre and humorous themes. Players control muscular characters as they battle eccentric enemies in a wacky world. The game offers challenging gameplay and unique visuals that set it apart from traditional shooters." +194|Chō Genjin 2|Hudson Soft|1995|||"Chō Genjin 2 is a platformer game featuring a caveman protagonist on a quest to rescue his friends from danger. With colorful graphics and inventive level design, the game offers players a fun and challenging experience reminiscent of classic platformers." +195|Chō Mahou Tairiku WOZZ|Bullet-Proof Software|1995|||"Chō Mahou Tairiku WOZZ is a role-playing game set in a magical world where players must restore balance to the land. With a deep storyline, strategic combat system, and rich character development, the game offers an immersive RPG experience for players seeking adventure." +196|Choplifter III|Extreme Entertainment Group|1994||1994|"Choplifter III is an action game where players pilot a helicopter on daring rescue missions. With fast-paced gameplay and varied objectives, players must navigate dangerous terrain and save hostages to complete each mission. The game offers arcade-style thrills and challenging gameplay." +197|Chrono Trigger|Square|1995|1995||"Chrono Trigger is a classic role-playing game known for its engaging storyline, memorable characters, and innovative gameplay mechanics. Players embark on a time-traveling adventure to prevent a global catastrophe, making choices that impact the outcome of the story. The game is celebrated for its multiple endings and timeless appeal." +198|Chuck Rock|Sony Imagesoft|1992||1992|"Chuck Rock is a platformer game where players control a caveman on a quest to rescue his wife from a rival tribe. With prehistoric-themed levels and humorous animations, the game offers lighthearted fun and challenging platforming action for players of all ages." +199|Civilization|Koei|1995|1994||"Civilization is a strategy game where players guide a civilization from ancient times to the space age. By managing resources, researching technologies, and engaging in diplomacy or warfare, players can shape the course of history and build a thriving empire. The game offers deep strategic gameplay and endless replay value." +200|Classic Road|Victor Interactive Software| |1993| |"Classic Road is a racing game released in Japan in 1993. Players can race on various classic tracks with different vehicles." +201|Classic Road II|Victor Interactive Software| |1995| |"Classic Road II is the sequel to the original Classic Road game. It offers enhanced graphics and new tracks for players to enjoy." +202|ClayFighter|Interplay Entertainment|1993| | |"ClayFighter is a fighting game featuring claymation-style characters. Players can battle against each other in unique arenas." +203|ClayFighter: Tournament Edition|Interplay Entertainment|1994| | |"ClayFighter: Tournament Edition is an updated version of the original game with new characters and improved gameplay mechanics." +204|ClayFighter 2: Judgment Clay|Interplay Entertainment|1995| | |"ClayFighter 2: Judgment Clay continues the claymation fighting action with new fighters and special moves to master." +205|Claymates|Interplay Entertainment|1994| | |"Claymates is a platformer where players control characters made of clay. Each character has unique abilities to navigate through levels." +206|Cliffhanger|Sony Imagesoft|1993| | |"Cliffhanger is a platformer based on the movie of the same name. Players must guide the protagonist through various levels to rescue hostages." +207|Clock Tower|Human Entertainment| |1995| |"Clock Tower is a survival horror game where players must evade a relentless stalker in a mysterious mansion. The game is known for its tense atmosphere and multiple endings." +208|ClockWorks|Tokuma Shoten| |1995| |"ClockWorks is a puzzle game where players manipulate gears to solve intricate mechanical puzzles. The game offers challenging levels with increasing complexity." +209|Clue|Parker Brothers|1992| | |"Clue is a video game adaptation of the classic board game. Players must solve a murder mystery by gathering clues and deducing the culprit, weapon, and location." +210|College Football USA '97: The Road to New Orleans|EA Sports|1996| | |"College Football USA '97 is a sports simulation game focusing on college football. Players can lead their favorite teams to victory in a quest for the national championship." +211|College Slam|Acclaim Entertainment|1996| | |"College Slam is a basketball game featuring college teams and players. Players can compete in fast-paced matches and showcase their skills on the court." +212|Columns|Media Factory| |1999| |"Columns is a puzzle game where players match colorful gems to clear the board. The game offers different modes and challenges to test players' matching skills." +213|The Combatribes|Technōs Japan (JP)American Technōs (NA)|1993|1992| |"The Combatribes is a beat 'em up game where players control a group of vigilantes fighting against crime. The game features cooperative gameplay and special moves to defeat enemies." +214|Computer Nouryoku Kaiseki: Ultra Baken|Culture Brain| |1995| |"Computer Nouryoku Kaiseki: Ultra Baken is an educational game that tests players' analytical skills. The game offers various challenges and puzzles to stimulate mental abilities." +215|Congo's Caper|Data East|1993|1992| |"Congo's Caper is a platformer where players control a young hero on a quest to rescue his friend from danger. The game features colorful graphics and challenging levels." +216|Contra III: The Alien Wars|Konami|1992|1992| |"Contra III: The Alien Wars is a run-and-gun shooter where players battle against alien forces threatening Earth. The game offers intense action and cooperative gameplay for two players." +217|Conveni Wars Barcode Battler Senki: Super Senshi Shutsugeki Seyo!|Epoch Co.| |1993| |"Conveni Wars Barcode Battler Senki is a unique game that combines elements of strategy and card battles. Players must use barcode cards to summon powerful warriors and defeat enemies." +218|Cool Spot|Virgin Interactive|1993|1993| |"Cool Spot is a platformer featuring the 7-Up mascot, Cool Spot. Players guide Cool Spot through various levels to rescue captured Spots and defeat enemies." +219|Cool World|Ocean Software|1993|1992| |"Cool World is an action-adventure game based on the movie of the same name. Players control a cartoonist who must navigate through the animated world and solve puzzles to escape." +220|Coron Land|Yumedia|Unreleased|1995| |"Coron Land is a game developed by Aroma and published by Yumedia. It was released in Japan on August 25, 1995." +221|Cosmo Gang the Puzzle|Namco|Unreleased|1993| |"Cosmo Gang the Puzzle is a game developed and published by Namco. It was released in Japan on February 26, 1993." +222|Cosmo Gang the Video|Namco|Unreleased|1992| |"Cosmo Gang the Video is a game developed and published by Namco. It was released in Japan on October 29, 1992." +223|Cosmo Police Galivan II: Arrow of Justice|Nichibutsu|Unreleased|1993| |"Cosmo Police Galivan II: Arrow of Justice is a game developed by Cream and published by Nichibutsu. It was released in Japan on June 11, 1993." +224|Crayon Shin-chan: Arashi wo yobu Enji|Bandai|Unreleased|1993| |"Crayon Shin-chan: Arashi wo yobu Enji is a game developed by Sun L and published by Bandai. It was released in Japan on July 30, 1993." +225|Crayon Shin-chan 2: Daimaou no Gyakushuu|Bandai|Unreleased|1994| |"Crayon Shin-chan 2: Daimaou no Gyakushuu is a game developed by Sun L and published by Bandai. It was released in Japan on May 27, 1994." +226|Crayon Shin-chan: Osagusu Dobon|Bandai|Unreleased|1996| |"Crayon Shin-chan: Osagusu Dobon is a game developed by AIM and published by Bandai. It was released in Japan on September 27, 1996." +227|Crystal Beans From Dungeon Explorer|Hudson Soft|Unreleased|1995| |"Crystal Beans From Dungeon Explorer is a game developed by Birthday and published by Hudson Soft. It was released in Japan on October 27, 1995." +228|Cu-On-Pa|T&E Soft|Unreleased|1996| |"Cu-On-Pa is a game developed and published by T&E Soft. It was released in Japan on December 20, 1996." +229|Cutthroat Island|Acclaim Entertainment|1996| | |"Cutthroat Island is a game developed by Software Creations (UK) and published by Acclaim Entertainment. It was released in North America on March 1, 1996." +230|Cyber Knight|Tonkin House|Unreleased|1992| |"Cyber Knight is a game developed by Advance Communication Company and published by Tonkin House. It was released in Japan on October 30, 1992." +231|Cyber Knight II: Chikyuu Teikoku no Yabou|Tonkin House|Unreleased|1994| |"Cyber Knight II: Chikyuu Teikoku no Yabou is a game developed by Group SNE and published by Tonkin House. It was released in Japan on August 26, 1994." +232|Cyber Spin•Shinseiki GPX: Cyber FormulaJP|Takara|1992| | |"Cyber Spin•Shinseiki GPX: Cyber FormulaJP is a game developed and published by Takara. It was released in Japan on March 19, 1992." +233|Cybernator•Juusou Kihen ValkenJP|Masaya (JP)Konami (NA)Palcom Software (EU)|1993|1992| |"Cybernator•Juusou Kihen ValkenJP is a game developed by Masaya and published by Masaya (JP)Konami (NA)Palcom Software (EU). It was released in Japan on December 18, 1992 and in North America on April 4, 1993." +234|Cyborg 009|Bandai|Unreleased|1994| |"Cyborg 009 is a game developed by BEC and published by Bandai. It was released in Japan on February 25, 1994." +235|Daffy Duck: The Marvin Missions|Sunsoft|1993| | |"Daffy Duck: The Marvin Missions is a game developed by ICOM Simulations and published by Sunsoft. It was released in North America on October 1, 1993 and in the PAL region on April 28, 1994." +236|Daibakushou Jinsei Gekijou|Taito|Unreleased|1992| |"Daibakushou Jinsei Gekijou is a game developed and published by Taito. It was released in Japan on December 25, 1992." +237|Daibakushou Jinsei Gekijou: Dokidoki Seishun|Taito|Unreleased|1993| |"Daibakushou Jinsei Gekijou: Dokidoki Seishun is a game developed and published by Taito. It was released in Japan on July 30, 1993." +238|Daibakushou Jinsei Gekijou: Ooedo Nikki|Taito|Unreleased|1994| |"Daibakushou Jinsei Gekijou: Ooedo Nikki is a game developed and published by Taito. It was released in Japan on November 25, 1994." +239|Daibakushou Jinsei Gekijou: Zukkoke Salary Man Hen|Taito|Unreleased|1995| |"Daibakushou Jinsei Gekijou: Zukkoke Salary Man Hen is a game developed and published by Taito. It was released in Japan on December 29, 1995." +240|Daikaijuu Monogatari|Hudson Soft|Unreleased|1994|Role-playing game|"Daikaijuu Monogatari is a role-playing game developed by Birthday and published by Hudson Soft. The game was released in Japan on December 22, 1994. It follows the story of..." +241|Daikaijuu Monogatari 2|Hudson Soft|Unreleased|1996|Role-playing game|"Daikaijuu Monogatari 2 is a role-playing game developed by AIM and published by Hudson Soft. The game was released in Japan on August 2, 1996. It is the sequel to the original Daikaijuu Monogatari..." +242|Daisenryaku Expert|ASCII|Unreleased|1992|Strategy|"Daisenryaku Expert is a strategy game developed by SystemSoft Alpha and published by ASCII. The game was released in Japan on September 25, 1992. Players engage in tactical warfare..." +243|Daisenryaku Expert WWII: War in Europe|ASCII|Unreleased|1996|Strategy|"Daisenryaku Expert WWII: War in Europe is a strategy game developed by SystemSoft Alpha and published by ASCII. The game was released in Japan on August 30, 1996. It focuses on the events of World War II..." +244|Darius Twin|Taito|1991|1991|Shoot 'em up|"Darius Twin is a shoot 'em up game developed and published by Taito. The game was released in Japan on March 29, 1991, in North America on November 30, 1991, and in the PAL region on April 22, 1993. Players control a spaceship..." +245|Dark Half|Enix|Unreleased|1996|Role-playing game|"Dark Half is a role-playing game developed by West One and published by Enix. The game was released in Japan on May 31, 1996. It features a dark fantasy setting..." +246|Dark Kingdom|Telenet Japan|Unreleased|1994|Action role-playing|"Dark Kingdom is an action role-playing game developed and published by Telenet Japan. The game was released in Japan on April 29, 1994. Players explore dungeons and battle monsters..." +247|Dark Law: Meaning of Death|ASCII|Unreleased|1997|Role-playing game|"Dark Law: Meaning of Death is a role-playing game developed by SAS Sakata and published by ASCII. The game was released in Japan on March 28, 1997. It offers a deep and immersive storyline..." +248|Date Kimiko no Virtual Tennis|Yanoman|Unreleased|1994|Sports|"Date Kimiko no Virtual Tennis is a sports game developed by Jorudan and published by Yanoman. The game was released in Japan on May 13, 1994. Players can engage in virtual tennis matches..." +249|David Crane's Amazing Tennis|Absolute Entertainment|1992|1992|Sports|"David Crane's Amazing Tennis is a sports game developed by David Crane and published by Absolute Entertainment. The game was released in Japan on December 18, 1992, in North America on November 5, 1992, and in the PAL region in 1992. It offers realistic tennis gameplay..." +250|Daze Before Christmas|Sunsoft|Cancelled|Unreleased|Platform|"Daze Before Christmas is a platform game developed by Funcom and published by Sunsoft. The game was scheduled for release but ultimately cancelled. It features Santa Claus on a mission to..." +251|Deae Tonosama Appare Ichiban|Sunsoft|Unreleased|1995|Board game|"Deae Tonosama Appare Ichiban is a board game developed and published by Sunsoft. The game was released in Japan on March 31, 1995. Players compete in various mini-games..." +252|Dear Boys|Yutaka|Unreleased|1994|Sports|"Dear Boys is a sports game developed by Kan's and published by Yutaka. The game was released in Japan on October 28, 1994. It focuses on basketball gameplay..." +253|The Death and Return of Superman|Sunsoft|1994|Unreleased|Action|"The Death and Return of Superman is an action game developed by Blizzard Entertainment and published by Sunsoft. The game was released in North America on August 1, 1994, and in the PAL region in November 1994. Players control Superman..." +254|Death Brade|I'Max|Unreleased|1993|Fighting|"Death Brade is a fighting game developed and published by I'Max. The game was released in Japan on July 16, 1993. Players battle against each other using various combat techniques..." +255|Dekitate High School|Bullet-Proof Software|Unreleased|1995|Simulation|"Dekitate High School is a simulation game developed by C-Lab and published by Bullet-Proof Software. The game was released in Japan on July 7, 1995. Players manage a high school and its students..." +256|Demolition Man|Acclaim Entertainment|1995|Unreleased|Action|"Demolition Man is an action game developed by Virgin Interactive and published by Acclaim Entertainment. The game was released in North America on August 1, 1995, and in the PAL region on September 28, 1995. Players control the character John Spartan..." +257|Demon's Crest•Demon's Blazon Makaimura Monshō-henJP|Capcom|1994|1994|Action-adventure|"Demon's Crest is an action-adventure game developed and published by Capcom. The game was released in Japan on October 21, 1994, in North America on November 1, 1994, and in the PAL region on March 1, 1995. Players assume the role of Firebrand..." +258|Dennis the Menace•DennisEU|Ocean Software|1993|Unreleased|Platform|"Dennis the Menace is a platform game developed and published by Ocean Software. The game was released in North America on December 1, 1993, and in the PAL region in 1993. Players control the mischievous character Dennis..." +259|Der Langrisser|NCS|Unreleased|1995|Strategy role-playing|"Der Langrisser is a strategy role-playing game developed and published by NCS. The game was released in Japan on June 30, 1995. It is a remake of the original Langrisser game with enhanced gameplay features..." +260|Derby Jockey: Kishu Ou heno Michi|Asmik Ace Entertainment|Unreleased|1994|Sports|"Derby Jockey: Kishu Ou heno Michi is a horse racing simulation game released in Japan in 1994. Players can experience the thrill of horse racing and compete in various events." +261|Derby Jockey 2|Asmik Ace Entertainment|Unreleased|1995|Sports|"Derby Jockey 2 is a sequel to the original horse racing simulation game. It was released in Japan in 1995, offering improved gameplay and features for horse racing enthusiasts." +262|Derby Stallion II|ASCII|Unreleased|1994|Sports|"Derby Stallion II is a horse racing simulation game developed by ASCII. It was released in Japan in 1994, allowing players to manage their own stable and compete in races." +263|Derby Stallion III|ASCII|Unreleased|1995|Sports|"Derby Stallion III continues the horse racing simulation series by ASCII. Released in Japan in 1995, the game offers updated graphics and gameplay mechanics for players." +264|Derby Stallion '96|ASCII|Unreleased|1996|Sports|"Derby Stallion '96 is another installment in the popular horse racing simulation series. Released in Japan in 1996, the game features new horses, tracks, and challenges." +265|Derby Stallion '98|Nintendo|Unreleased|1998|Sports|"Derby Stallion '98 is the latest entry in the long-running horse racing simulation series. Developed by Nintendo and released in Japan in 1998, the game offers realistic horse racing experiences." +266|Desert Strike: Return to the Gulf|Electronic Arts|1992|1992|Action|"Desert Strike: Return to the Gulf is an action-packed helicopter combat game. Players take on missions in the Middle East, engaging in strategic battles and rescues." +267|Dezaemon: Kaite Tsukutte Asoberu|Athena|Unreleased|1994|Action|"Dezaemon: Kaite Tsukutte Asoberu is a unique game that allows players to create their own shoot 'em up levels. Released in Japan in 1994, the game offers endless customization options." +268|D-Force•Dimensional ForceJP|Asmik Ace Entertainment|1991|1991|Shooter|"D-Force, also known as Dimensional Force in Japan, is a vertical scrolling shooter game. Players pilot futuristic aircraft to battle enemies and save the world." +269|Dharma Doujou|Metro|Unreleased|1995|Action|"Dharma Doujou is an action game developed by Metro. While unreleased in North America and PAL regions, the game offers fast-paced gameplay and challenging levels." +270|Dig & Spike Volleyball•Volleyball TwinJP|Hudson Soft|1993|1992|Sports|"Dig & Spike Volleyball, also known as Volleyball Twin in Japan, is a sports game that simulates beach volleyball. Released in 1992, the game offers competitive volleyball matches." +271|DinoCity•Dino Wars: Kyouryuu Oukoku heno DaiboukenJP|Irem|1992|1992|Platformer|"DinoCity, also known as Dino Wars in Japan, is a platformer game where players control characters in a prehistoric world. Released in 1992, the game offers challenging levels and dinosaur-themed adventures." +272|Dino Dini's Soccer|Virgin Interactive|Unreleased||Sports|"Dino Dini's Soccer is a soccer simulation game developed by Eurocom. While unreleased in Japan and PAL regions, the game offers realistic soccer gameplay and strategic team management." +273|Dirt Racer|Elite Systems|Unreleased||Racing|"Dirt Racer is a racing game developed by MotiveTime. While unreleased in Japan and North America, the game features off-road racing challenges and customizable vehicles." +274|Dirt Trax FX|Acclaim Entertainment|1995||Racing|"Dirt Trax FX is a racing game developed by Sculptured Software. Released in 1995 in North America and PAL regions, the game offers fast-paced motorcycle racing on various tracks." +275|Disney's Aladdin|Capcom|1993|1993|Action|"Disney's Aladdin is an action-adventure game based on the animated film. Developed by Capcom, the game was released in 1993 in Japan, North America, and PAL regions, offering players the chance to relive the movie's magic." +276|Disney's Beauty and the Beast•Bijo to YajuuJP|Hudson Soft|1994|1994|Platformer|"Disney's Beauty and the Beast, also known as Bijo to Yajuu in Japan, is a platformer game based on the classic fairy tale. Released in 1994, the game features iconic characters and challenging levels." +277|Disney's Bonkers|Capcom|1994|1995|Action|"Disney's Bonkers is an action game featuring the popular cartoon character. Released in 1994 in Japan and 1995 in North America, the game offers platforming challenges and colorful graphics." +278|Disney's Pinocchio|Nintendo|1996|1996|Action|"Disney's Pinocchio is an action-adventure game based on the classic story. Developed by Virgin Interactive and published by Nintendo, the game was released in 1996, offering players a chance to experience Pinocchio's journey." +279|Dokapon 3-2-1: Arashi wo Yobu Yujo|Asmik Ace Entertainment|Unreleased|1994|Role-playing|"Dokapon 3-2-1: Arashi wo Yobu Yujo is a role-playing game developed by Asmik Ace Entertainment. While unreleased in North America and PAL regions, the game offers an epic adventure with strategic gameplay elements." +280|Dokapon Gaiden: Honoo no Audition|Asmik Ace Entertainment|Unreleased|1995| |"Dokapon Gaiden: Honoo no Audition is a Japanese role-playing video game released in 1995. The game follows the adventures of the main character in a fantasy world filled with challenges and battles." +281|Doukyuusei 2|Banpresto|Unreleased|1997| |"Doukyuusei 2 is a visual novel game developed by ELF Corporation and published by Banpresto in 1997. The game offers a romantic storyline with multiple endings based on player choices." +282|Dolucky's A-League Soccer|Imagineer|Unreleased|1994| |"Dolucky's A-League Soccer is a sports game developed by Zoom and published by Imagineer in 1994. Players can enjoy soccer matches with various teams and gameplay modes." +283|Dolucky no Kusayakiu|Technōs Japan|Cancelled|1993| |"Dolucky no Kusayakiu is an action game developed by Zoom and published by Technōs Japan. The game was set to release in 1993 but was ultimately cancelled." +284|Dolucky no Puzzle Tour '94|Imagineer|Unreleased|1994| |"Dolucky no Puzzle Tour '94 is a puzzle game developed by Zoom and published by Imagineer in 1994. Players solve puzzles and navigate through different levels in a tour-like setting." +285|Donald Duck no Mahou no Boushi|Epoch Co.|Unreleased|1995| |"Donald Duck no Mahou no Boushi is a platformer game developed by Pop House and SAS Sakata and published by Epoch Co. in 1995. Join Donald Duck on a magical adventure to save his friends." +286|Donkey Kong Country †•Super Donkey KongJP|Nintendo|1994|1994|Platformer|"Donkey Kong Country is a classic platformer game developed by Rare and published by Nintendo in 1994. Join Donkey Kong and Diddy Kong on a quest to reclaim their stolen banana hoard from the villainous King K. Rool." +287|Donkey Kong Country 2: Diddy's Kong Quest †•Super Donkey Kong 2: Dixie & DiddyJP|Nintendo|1995|1995|Platformer|"Donkey Kong Country 2: Diddy's Kong Quest is a platformer game developed by Rare and published by Nintendo in 1995. Play as Diddy Kong and Dixie Kong as they embark on a journey to rescue Donkey Kong from the clutches of the evil Kaptain K. Rool." +288|Donkey Kong Country 3: Dixie Kong's Double Trouble! †•Super Donkey Kong 3: Nazo no Krems ShimaJP|Nintendo|1996|1996|Platformer|"Donkey Kong Country 3: Dixie Kong's Double Trouble! is a platformer game developed by Rare and published by Nintendo in 1996. Join Dixie Kong and Kiddy Kong as they set out to defeat the villainous Kremlings and save Donkey Kong." +289|Doom|Williams Entertainment|1995|1996|First-person shooter|"Doom is a first-person shooter game developed by Sculptured Software and published by Williams Entertainment. The game immerses players in a sci-fi world filled with demons and intense combat." +290|Doom Troopers|Playmates Interactive|1995| |Action|"Doom Troopers is an action game developed by Adrenalin Interactive and published by Playmates Interactive in 1995. Players engage in fast-paced combat against mutant enemies in a post-apocalyptic world." +291|Doomsday Warrior•Taiketsu!! Brass NumbersJP|Renovation Products|1993|1992|Fighting|"Doomsday Warrior is a fighting game developed by Telenet and published by Renovation Products in 1993. Choose from a variety of unique characters and battle against powerful foes in intense one-on-one combat." +292|Doraemon: Nobita to Yousei no Kuni|Epoch Co.|Unreleased|1993| |"Doraemon: Nobita to Yousei no Kuni is an adventure game developed by Pop House and SAS Sakata and published by Epoch Co. in 1993. Join Doraemon and friends on a magical journey to a fairyland." +293|Doraemon 2: Nobita no Toys Land Daibouken|Epoch Co.|Unreleased|1993| |"Doraemon 2: Nobita no Toys Land Daibouken is an action-adventure game developed by Pop House and SAS Sakata and published by Epoch Co. in 1993. Help Nobita and Doraemon navigate through a world of toys and puzzles." +294|Doraemon 3: Nobita to Toki no Hougyoku|Epoch Co.|Unreleased|1994| |"Doraemon 3: Nobita to Toki no Hougyoku is a platformer game developed by AIM and published by Epoch Co. in 1994. Join Doraemon and friends on a time-traveling adventure to retrieve a mysterious gem." +295|Doraemon 4: Nobita to Tsuki no Oukoku|Epoch Co.|Unreleased|1995| |"Doraemon 4: Nobita to Tsuki no Oukoku is a role-playing game developed by Agenda and published by Epoch Co. in 1995. Embark on a quest with Doraemon and friends to save the Moon Kingdom from peril." +296|DoReMi Fantasy: Milon no Dokidoki Daibouken|Hudson Soft|Unreleased|1996| |"DoReMi Fantasy: Milon no Dokidoki Daibouken is a platformer game developed and published by Hudson Soft in 1996. Join Milon on a musical adventure to rescue his friend from the clutches of an evil wizard." +297|Dossun! Ganseki Battle|I'Max|Unreleased|1994| |"Dossun! Ganseki Battle is an action game developed and published by I'Max in 1994. Players engage in battles using unique characters and special abilities to emerge victorious." +298|Double Dragon V: The Shadow Falls|Tradewest|1994| |Fighting|"Double Dragon V: The Shadow Falls is a fighting game developed by Leland Interactive Media and published by Tradewest in 1994. Choose from a roster of fighters and engage in intense martial arts combat." +299|Down the World: Mervil's Ambition|ASCII|Unreleased|1994| |"Down the World: Mervil's Ambition is a simulation game developed and published by ASCII in 1994. Players take on the role of Mervil as he navigates through a world of challenges and strategic decisions." +300|Downtown Nekketsu Baseball Monogatari: Baseball de Shoufuda! Kunio-kun|Technōs Japan|Unreleased|1993|Sports|"Downtown Nekketsu Baseball Monogatari is a baseball game featuring Kunio-kun characters. Enjoy exciting baseball matches with unique characters and gameplay mechanics." +301|Dr. Mario|Nintendo|Unreleased|1998|Puzzle|"Dr. Mario is a classic puzzle game where players must eliminate viruses by matching colored capsules. Test your skills in this addictive and challenging game." +302|Dragon: The Bruce Lee Story|Acclaim Entertainment|1995|1995|Action|"Dragon: The Bruce Lee Story is an action-packed game based on the life of martial arts legend Bruce Lee. Experience his journey and battles in this thrilling adventure." +303|Dragon Ball Z: Hyper Dimension|Bandai|Unreleased|1996|Fighting|"Dragon Ball Z: Hyper Dimension is a fighting game featuring characters from the popular anime series. Battle against powerful foes using special moves and abilities." +304|Dragon Ball Z: Super Saiya Densetsu|Bandai|Unreleased|1992|Role-playing|"Dragon Ball Z: Super Saiya Densetsu is a role-playing game where players can relive iconic moments from the Dragon Ball Z series. Train your characters and engage in epic battles." +305|Dragon Ball Z: Super Butouden|Bandai|Unreleased|1993|Fighting|"Dragon Ball Z: Super Butouden is a fighting game that lets players control their favorite DBZ characters in intense battles. Master combos and special attacks to emerge victorious." +306|Dragon Ball Z: Super Butouden 2|Bandai|Unreleased|1993|Fighting|"Dragon Ball Z: Super Butouden 2 continues the intense fighting action with new characters and improved gameplay. Test your skills in one-on-one battles and tournaments." +307|Dragon Ball Z: Super Butouden 3|Bandai|Unreleased|1994|Fighting|"Dragon Ball Z: Super Butouden 3 features an expanded roster of characters and enhanced combat mechanics. Enter the arena and prove your strength in epic battles." +308|Dragon Ball Z: Super Gokuden Totsugeki Hen|Bandai|Unreleased|1995|Role-playing|"Dragon Ball Z: Super Gokuden Totsugeki Hen is a role-playing game that follows the adventures of Goku and friends. Embark on a quest to save the world from powerful foes." +309|Dragon Ball Z: Super Gokuden Kakusei Hen|Bandai|Unreleased|1995|Role-playing|"Dragon Ball Z: Super Gokuden Kakusei Hen continues the story of Goku and his allies in a thrilling RPG adventure. Train your characters and unleash powerful attacks in strategic battles." +310|Dragon Knight 4|Banpresto|Unreleased|1996|1996|Role-playing|"Dragon Knight 4 is a role-playing game that combines fantasy elements with strategic gameplay. Join the epic quest to defeat evil and restore peace to the land." +311|Dragon Quest I & II|Enix|Unreleased|1993|1993|Role-playing|"Dragon Quest I & II features two classic RPGs in one package, offering hours of immersive gameplay and epic storytelling. Embark on a journey to save the kingdom from darkness." +312|Dragon Quest III: Soshite Densetsu e...|Enix|Unreleased|1996|1996|Role-playing|"Dragon Quest III: Soshite Densetsu e... is a legendary RPG known for its deep story and engaging gameplay. Gather allies, explore vast lands, and face formidable foes in this epic adventure." +313|Dragon Quest V: Tenkuu no Hanayome|Enix|Cancelled|1992|1992|Role-playing|"Dragon Quest V: Tenkuu no Hanayome is a classic RPG that follows the hero's quest to rescue a celestial bride. Experience a tale of love, loss, and heroism in this unforgettable journey." +314|Dragon Quest VI: Maboroshi no Daichi|Enix|Unreleased|1995|1995|Role-playing|"Dragon Quest VI: Maboroshi no Daichi is a role-playing game that challenges players to explore a dream world and uncover its mysteries. Join forces with allies and save the realm from darkness." +315|Dragon Slayer: Eiyuu Densetsu|Epoch Co.|Unreleased|1992|1992|Action role-playing|"Dragon Slayer: Eiyuu Densetsu is an action-packed RPG that follows the hero's quest to defeat evil and restore peace to the land. Battle monsters, explore dungeons, and become a legendary hero." +316|Dragon Slayer: Eiyuu Densetsu II|Epoch Co.|Unreleased|1993|1993|Action role-playing|"Dragon Slayer: Eiyuu Densetsu II continues the epic saga with new challenges and adventures. Dive into a world of magic and monsters as you embark on a quest for glory." +317|Dragon View|Kemco|1994|1994|Action role-playing|"Dragon View is an action RPG that combines fast-paced combat with exploration and puzzle-solving. Immerse yourself in a rich fantasy world and uncover its secrets." +318|Dragon's Earth|Human Entertainment|Unreleased|1993|1993|Action|"Dragon's Earth is an action game that pits players against powerful foes in a fantasy world. Use your skills and abilities to overcome challenges and emerge victorious." +319|Dragon's Lair|Konami (JP)Data East (NA)Elite Systems (EU)|1993|1993|1993|Action-adventure|"Dragon's Lair is an action-adventure game that challenges players to navigate treacherous dungeons and defeat fearsome monsters. Embark on a quest for glory and riches in this thrilling adventure." +320|Drakkhen|Kemco|1991|1991|Role-playing game|"Drakkhen is a role-playing game developed and published by Kemco. It was released in Japan on May 24, 1991, and in North America on September 1, 1991. The game features a unique 3D world and real-time combat system." +321|Dream Basketball: Dunk & Hoop|Human Entertainment|Unreleased|1994|Sports|"Dream Basketball: Dunk & Hoop is a sports game developed and published by Human Entertainment. It was scheduled to be released in Japan on November 18, 1994. The game focuses on basketball gameplay with an emphasis on dunking and hoop skills." +322|Dream TV|Triffix|1994|Unreleased|Action|"Dream TV is an action game developed and published by Triffix. It was set to be released in North America on April 1, 1994. The game offers a dream-like television world where players navigate through various challenges and obstacles." +323|Dual Orb|I'Max|Unreleased|1993|Role-playing game|"Dual Orb is a role-playing game developed and published by I'Max. It was planned for release in Japan on April 16, 1993. The game follows the story of adventurers on a quest to save the world from an ancient evil." +324|Dual Orb II|I'Max|Unreleased|1994|Role-playing game|"Dual Orb II is a role-playing game developed and published by I'Max. The game was expected to launch in Japan on December 29, 1994. Players embark on a journey filled with magic, monsters, and mysteries." +325|The Duel: Test Drive II|Distinctive Software|1992|Unreleased|Racing|"The Duel: Test Drive II is a racing game developed by Distinctive Software and published by Accolade. It was released in the PAL region in 1992. Players engage in high-speed street races and challenges across different locations." +326|Dungeon Master|Software Heaven and FTL Games|1993|1991|Role-playing game|"Dungeon Master is a role-playing game developed by Software Heaven and FTL Games, and published by JVC Musical Industries. The game was released in Japan on December 20, 1991, and in North America on June 1, 1993. Players explore dungeons, solve puzzles, and battle monsters." +327|DunQuest: Majin Fuuin no Densetsu|Technōs Japan|Unreleased|1995|Role-playing game|"DunQuest: Majin Fuuin no Densetsu is a role-playing game developed and published by Technōs Japan. The game was slated for release in Japan on July 21, 1995. Players embark on an epic quest to seal away a powerful demon." +328|Dynamite: The Las Vegas|Micro Factory|Unreleased|1994|Puzzle|"Dynamite: The Las Vegas is a puzzle game developed by Micro Factory and published by Virgin Interactive. It was set to be released in Japan on April 28, 1994. Players solve challenging puzzles in a Las Vegas casino setting." +329|Dynamic Stadium|Electronics Application|Unreleased|1993|Sports|"Dynamic Stadium is a sports game developed by Electronics Application and published by Sammy Corporation. The game was planned for release in Japan on November 26, 1993. Players compete in various sports events and tournaments." +330|E.V.O.: Search for Eden•46 Okunen Monogatari: Harukanaru Eden eJP|Almanic|Enix|1993|1992|Action-adventure|"E.V.O.: Search for Eden is an action-adventure game developed by Almanic and published by Enix. It was released in Japan on December 19, 1992, and in North America on July 15, 1993. Players evolve their creatures through different eras of Earth's history." +331|EarthBound|HAL Laboratory and Ape, Inc.|Nintendo|1995|1994|Role-playing game|"EarthBound is a quirky, modern-day RPG where you control a group of kids to stop the alien Giygas. You can switch between characters during combat, each with unique abilities, to strategize and survive." +332|Earth Light [ja]|Hudson Soft|Hudson Soft|Unreleased|1992|Role-playing game|"Earth Light is a role-playing game developed and published by Hudson Soft. It was planned for release in Japan on July 24, 1992. The game combines traditional RPG elements with a unique light-based combat system." +333|Earth Light: Luna Strike [ja]|Hudson Soft|Hudson Soft|Unreleased|1996|Strategy|"Earth Light: Luna Strike is a strategy game developed and published by Hudson Soft. The game was set to be released in Japan on July 26, 1996. Players engage in tactical battles on the moon's surface." +334|Earthworm Jim|Shiny Entertainment|Playmates Interactive|1994|1995|Platformer|"Earthworm Jim is a platformer game developed by Shiny Entertainment and published by Playmates Interactive. It was released in Japan on June 23, 1995, and in North America on October 2, 1994, and in the PAL region on December 16, 1994. Players control a heroic earthworm in a wacky and humorous adventure." +335|Earthworm Jim 2|Shiny Entertainment|Playmates Interactive|1995|Unreleased|Platformer|"Earthworm Jim 2 is a platformer game developed by Shiny Entertainment and published by Playmates Interactive. The game was released in North America on November 15, 1995, and in the PAL region on January 25, 1996. Players guide Earthworm Jim through new levels and challenges." +336|Edo no Kiba|Riot|Micro World|Unreleased|1993|Action|"Edo no Kiba is an action game developed by Riot and published by Micro World. It was planned for release in Japan on March 12, 1993. The game is set in feudal Japan and features intense sword-fighting gameplay." +337|Eek! The Cat|CTA Developments|Ocean Software|1994|Unreleased|Platformer|"Eek! The Cat is a platformer game developed by CTA Developments and published by Ocean Software. It was scheduled for release in North America on August 1, 1994. Players control the quirky character Eek as he navigates through various comedic challenges." +338|Elfaria|Red Company|Hudson Soft|Unreleased|1993|Role-playing game|"Elfaria is a role-playing game developed by Red Company and published by Hudson Soft. The game was planned for release in Japan on January 3, 1993. Players embark on a fantasy adventure to restore peace to the kingdom of Elfaria." +339|Elfaria 2: The Quest of the Meld|Red Company|Hudson Soft|Unreleased|1995|Role-playing game|"Elfaria 2: The Quest of the Meld is a role-playing game developed by Red Company and published by Hudson Soft. It was set to be released in Japan on June 9, 1995. Players journey through a magical world to uncover the secrets of the Meld." +340|Elite Soccer•World Cup StrikerEU, JP|Coconuts Japan (JP)GameTek (NA)Elite Systems (EU)|1994|1994|Sports|"Elite Soccer•World Cup Striker is a soccer video game released in 1994 for multiple regions. It features gameplay centered around the World Cup tournament, offering players the chance to experience the excitement of international soccer competition." +341|Emerald Dragon|MediaWorks|Unreleased|1995|Role-playing|"Emerald Dragon is a role-playing game developed by Alfa System and published by MediaWorks. Set in a fantasy world, players embark on a quest to save the kingdom from a great evil, encountering mythical creatures and engaging in strategic battles along the way." +342|EMIT Vol. 1|Koei|Unreleased|1995|Unknown|"EMIT Vol. 1 is a mystery adventure game developed and published by Koei. Players are immersed in a complex narrative filled with puzzles and choices that shape the outcome of the story, providing a unique and engaging gameplay experience." +343|EMIT Vol. 2|Koei|Unreleased|1995|Unknown|"EMIT Vol. 2 continues the mystery adventure series developed by Koei, offering players a new set of challenges and mysteries to unravel. With improved gameplay mechanics and an intriguing storyline, players are drawn deeper into the world of EMIT." +344|EMIT Vol. 3|Koei|Unreleased|1995|Unknown|"EMIT Vol. 3 concludes the mystery adventure trilogy developed by Koei, providing players with the final pieces of the intricate narrative puzzle. With enhanced graphics and immersive storytelling, players are taken on a thrilling journey to uncover the truth behind EMIT." +345|Emmitt Smith Football|JVC Musical Industries|1995|Unreleased|Sports|"Emmitt Smith Football, published by JVC Musical Industries, offers players the chance to step into the shoes of the legendary NFL player. With realistic gameplay and strategic depth, the game captures the essence of American football and delivers an authentic sports gaming experience." +346|Energy Breaker|Taito|Unreleased|1996|Role-playing|"Energy Breaker, developed by Neverland and published by Taito, is a role-playing game that combines traditional RPG elements with tactical combat mechanics. Set in a vibrant fantasy world, players embark on an epic journey to restore balance and defeat powerful foes." +347|Equinox•Solstice IIJP|Sony Imagesoft|1994|1993|Unknown|"Equinox•Solstice IIJP, developed by Software Creations, is a puzzle-platformer game that challenges players to navigate intricate levels and solve mind-bending puzzles. With engaging gameplay and captivating visuals, the game offers a rewarding experience for puzzle enthusiasts." +348|Esparks: Ijikuu Kara no Raihousha|Tomy|Unreleased|1995|Unknown|"Esparks: Ijikuu Kara no Raihousha, published by Tomy, is a unique adventure game that transports players to a mysterious world filled with ancient ruins and powerful artifacts. With a focus on exploration and discovery, players must uncover the secrets of the past to shape the future." +349|ESPN Baseball Tonight|Sony Imagesoft|1994|Unreleased|Sports|"ESPN Baseball Tonight, developed by Park Place Productions and published by Sony Imagesoft, delivers an authentic baseball experience for fans of the sport. With realistic gameplay mechanics and detailed graphics, players can step up to the plate and compete in thrilling baseball matches." +350|ESPN National Hockey Night|Sony Imagesoft|1994|Unreleased|Sports|"ESPN National Hockey Night, developed and published by Sony Imagesoft, brings the fast-paced action of ice hockey to the gaming world. With intuitive controls and dynamic gameplay, players can experience the excitement of professional hockey from the comfort of their homes." +351|ESPN SpeedWorld|Sony Imagesoft|1994|Unreleased|Sports|"ESPN SpeedWorld, developed and published by Sony Imagesoft, offers players the thrill of high-speed racing and intense competition. With realistic racing mechanics and immersive environments, players can test their skills on the track and chase victory in adrenaline-fueled races." +352|ESPN Sunday Night NFL|Sony Imagesoft|1994|Unreleased|Sports|"ESPN Sunday Night NFL, developed by Absolute Entertainment and published by Sony Imagesoft, puts players in the heart of American football action. With authentic NFL teams and players, the game delivers a true-to-life football experience, allowing players to strategize and compete in exciting matches." +353|Eternal Filena|Tokuma Shoten|Unreleased|1995|Unknown|"Eternal Filena, published by Tokuma Shoten, is a fantasy adventure game that follows the journey of a young hero on a quest to save the world from darkness. With engaging storytelling and challenging gameplay, players must overcome obstacles and foes to fulfill their destiny." +354|Extra Innings•Hakunetsu Pro Yakyuu: Ganba LeagueJP|Sony Imagesoft|1992|1991|Sports|"Extra Innings•Hakunetsu Pro Yakyuu: Ganba LeagueJP, developed by Sting Entertainment and published by Sony Imagesoft, is a baseball simulation game that captures the excitement of professional baseball. With realistic gameplay mechanics and strategic depth, players can experience the thrill of the diamond and lead their team to victory." +355|Eye of the Beholder|Capcom|1994|1994|Role-playing|"Eye of the Beholder, developed and published by Capcom, is a dungeon-crawling role-playing game that challenges players to explore dark and dangerous dungeons in search of treasure and glory. With immersive gameplay and strategic combat, players must navigate treacherous environments and overcome formidable foes to succeed." +356|F-1 Grand Prix|Video System|Unreleased|1992|Racing|"F-1 Grand Prix, developed and published by Video System, is a racing game that puts players behind the wheel of high-speed Formula 1 cars. With realistic racing mechanics and challenging tracks, players can experience the thrill of Formula 1 racing and compete for victory on the global stage." +357|F-1 Grand Prix Part II|Video System|Unreleased|1993|Racing|"F-1 Grand Prix Part II, the sequel to the original racing game, continues the high-octane action with new tracks and challenges. Developed and published by Video System, the game offers enhanced graphics and gameplay features, providing an exhilarating racing experience for players." +358|F-1 Grand Prix Part III|Video System|Unreleased|1994|Racing|"F-1 Grand Prix Part III, the third installment in the racing series, pushes the limits of speed and competition. Developed and published by Video System, the game introduces new cars and circuits for players to master, delivering an adrenaline-pumping racing experience that will test their skills to the max." +359|F-Zero †|Nintendo|1991|1990|Racing|"F-Zero, developed and published by Nintendo, is a futuristic racing game that revolutionized the genre with its high-speed gameplay and innovative mechanics. Set in a sci-fi world of hovercars and intense competition, players can race against rivals in a quest for victory and glory." +360|F1 Pole Position•Human Grand PrixJP|Ubisoft|1993|1992|Racing|"F1 Pole Position is a racing game developed by Human Entertainment and published by Ubisoft. The game was released in Japan on November 20, 1992, and in North America on September 3, 1993. It features realistic Formula 1 racing experience with various tracks and challenges." +361|F1 Pole Position 2•Human Grand Prix IIJP|Ubisoft|Unreleased|1993|Racing|"F1 Pole Position 2 is a sequel to the original game developed by Human Entertainment and published by Ubisoft. While the game was released in Japan on December 24, 1993, it remained unreleased in North America. Players can expect an enhanced racing experience with improved graphics and gameplay mechanics." +362|F1 ROC: Race of Champions•Exhaust HeatEU, JP|SETA|1992|1992|Racing|"F1 ROC: Race of Champions, also known as Exhaust Heat in Europe and Japan, is a racing game developed and published by SETA. The game was released in Japan on February 21, 1992, and in North America on September 1, 1992. Players can enjoy intense racing action with a variety of cars and tracks." +363|F1 ROC II: Race of Champions•Exhaust Heat II: F-1 Driver no KisekiJP|SETA|1994|1993|Racing|"F1 ROC II: Race of Champions, also known as Exhaust Heat II: F-1 Driver no Kiseki in Japan, is a sequel to the original racing game developed and published by SETA. The game was released in Japan on March 5, 1993, and in North America on July 1, 1994. Players can expect improved graphics, new tracks, and challenging gameplay." +364|F1 World Championship Edition|Acclaim Entertainment|Unreleased|1995|Racing|"F1 World Championship Edition is a racing game developed by Domark and published by Acclaim Entertainment. While the game remained unreleased in Japan and North America, it was eventually released in the PAL region on January 1, 1995. Players can experience the thrill of Formula 1 racing with realistic gameplay and competition." +365|Faceball 2000|Bullet-Proof Software|1992|Unreleased|Action|"Faceball 2000 is an action game developed by Xanth Software and published by Bullet-Proof Software. While the game was unreleased in Japan and the PAL region, it was released in North America on September 30, 1992. Players can enjoy fast-paced multiplayer action in a virtual reality setting." +366|Famicom Bunko: Hajimari no Mori|Nintendo|Unreleased|1999|Adventure|"Famicom Bunko: Hajimari no Mori is an adventure game developed by Pax Softonica and published by Nintendo. The game was released in Japan on July 1, 1999, offering players a unique storytelling experience set in a mysterious forest. The game features engaging characters and captivating narrative." +367|Famicom Tantei Club Part II: Ushiro ni Tatsu Shōjo|Nintendo|Unreleased|1998|Adventure|"Famicom Tantei Club Part II: Ushiro ni Tatsu Shōjo is an adventure game developed by Nintendo R&D1 and published by Nintendo. The game was released in Japan on April 1, 1998, offering players a detective mystery to solve. Players can expect engaging storytelling, challenging puzzles, and intriguing characters." +368|Family Dog|Malibu Games|1993|Unreleased|Action|"Family Dog is an action game developed by Imagineering and published by Malibu Games. While the game remained unreleased in Japan, it was released in North America on June 23, 1993. Players can guide the lovable Family Dog through various challenges and obstacles in this side-scrolling adventure." +369|Family Feud|GameTek|1993|Unreleased|Trivia|"Family Feud is a trivia game developed by Imagineering and published by GameTek. While the game remained unreleased in Japan and the PAL region, it was released in North America on September 13, 1993. Players can test their knowledge and compete in the classic game show format." +370|Farland Story: Yottsu no Fuuin|Banpresto|Unreleased|1995|Role-playing|"Farland Story: Yottsu no Fuuin is a role-playing game developed by Technical Group Laboratory and published by Banpresto. The game was released in Japan on February 24, 1995, offering players an epic adventure in a fantasy world. Players can expect engaging storytelling, strategic gameplay, and memorable characters." +371|Farland Story 2: Dance of Destruction|Banpresto|Unreleased|1995|Role-playing|"Farland Story 2: Dance of Destruction is a role-playing game developed by Technical Group Laboratory and published by Banpresto. The game was released in Japan on December 22, 1995, offering players a continuation of the Farland Story series. Players can expect new quests, challenges, and characters in this immersive RPG." +372|Fatal Fury: King of Fighters•Garou Densetsu Shukumei no TatakaiJP|Takara|1993|1992|Fighting|"Fatal Fury: King of Fighters, also known as Garou Densetsu Shukumei no Tatakai in Japan, is a fighting game developed by Nova Co., Ltd and published by Takara. The game was released in Japan on November 27, 1992, and in North America on April 1, 1993. Players can choose from a diverse roster of fighters and engage in intense battles." +373|Fatal Fury 2•Garou Densetsu 2 Aratanaru TatakaiJP|Takara|1994|1993|Fighting|"Fatal Fury 2, also known as Garou Densetsu 2 Aratanaru Tatakai in Japan, is a fighting game developed by Nova Co., Ltd and published by Takara. The game was released in Japan on November 26, 1993, and in North America on April 1, 1994. Players can expect enhanced graphics, new moves, and challenging opponents in this sequel." +374|Fatal Fury Special•Garou Densetsu SpecialJP|Takara|1995|1994|Fighting|"Fatal Fury Special, also known as Garou Densetsu Special in Japan, is a fighting game developed and published by Takara. The game was released in Japan on July 29, 1994, and in North America on April 1, 1995. Players can enjoy an enhanced version of the original Fatal Fury with new characters, moves, and gameplay mechanics." +375|Feda: The Emblem of Justice|Yanoman|Unreleased|1994|Role-playing|"Feda: The Emblem of Justice is a role-playing game developed by Max Entertainment and published by Yanoman. The game was released in Japan on October 28, 1994, offering players a tactical RPG experience with deep storytelling and strategic battles. Players can recruit allies, customize their party, and engage in epic conflicts." +376|Fever Pitch Soccer•Head-On SoccerNA|U.S. Gold|1995|Unreleased|Sports|"Fever Pitch Soccer, also known as Head-On Soccer in North America, is a sports game developed and published by U.S. Gold. While the game remained unreleased in Japan, it was released in North America on September 1, 1995. Players can enjoy fast-paced soccer action with arcade-style gameplay and competitive matches." +377|FIFA International Soccer|EA Sports|1994|1994|Sports|"FIFA International Soccer is a sports game developed by Extended Play Productions and published by EA Sports. The game was released in Japan on June 17, 1994, in North America on May 1, 1994, and in the PAL region on June 23, 1994. Players can experience realistic soccer gameplay with international teams and tournaments." +378|FIFA Soccer 96|EA Sports|1995|Unreleased|Sports|"FIFA Soccer 96 is a sports game developed by Extended Play Productions and Probe Entertainment, published by EA Sports. While the game remained unreleased in Japan, it was released in North America on July 1, 1995, and in the PAL region on November 23, 1995. Players can enjoy updated graphics, gameplay enhancements, and new features in this installment of the FIFA series." +379|FIFA 97: Gold Edition|EA Sports|1996|Unreleased|Sports|"FIFA 97: Gold Edition is a sports game developed and published by Electronic Arts under the EA Sports brand. While the game remained unreleased in Japan, it was released in North America on September 6, 1996, and in the PAL region in 1996. Players can expect an enhanced FIFA experience with updated rosters, gameplay improvements, and new modes." +380|FIFA: Road to World Cup 98|EA Sports|1997||"FIFA: Road to World Cup 98 is a soccer video game developed by Electronic Arts. It was released on September 3, 1997 in the PAL region." +381|Fighter's History †|Data East|1994|1994||"Fighter's History † is a fighting game developed by Data East. It was released on May 27, 1994 in Japan and on August 1, 1994 in North America." +382|Fighter's History: Mizoguchi Kiki Ippatsu!!|Data East||1995||"Fighter's History: Mizoguchi Kiki Ippatsu!! is a fighting game developed by Data East. It was released on February 17, 1995 in Japan." +383|Final Fantasy II•Final Fantasy IVJP|Square|1991|1991||"Final Fantasy II•Final Fantasy IVJP is a role-playing game developed and published by Square. It was released on July 19, 1991 in Japan and on November 23, 1991 in North America." +384|Final Fantasy III•Final Fantasy VIJP|Square|1994|1994||"Final Fantasy III•Final Fantasy VIJP is a role-playing game developed and published by Square. It was released on April 2, 1994 in Japan and on October 11, 1994 in North America." +385|Final Fantasy V|Square||1992||"Final Fantasy V is a role-playing game developed and published by Square. It was released on December 6, 1992 in Japan." +386|Final Fantasy Mystic Quest•Mystic Quest LegendEU•Final Fantasy USA: Mystic QuestJP|Square|1992|1993||"Final Fantasy Mystic Quest•Mystic Quest LegendEU•Final Fantasy USA: Mystic QuestJP is a role-playing game developed and published by Square. It was released on September 10, 1993 in Japan, on October 5, 1992 in North America, and on October 1993 in the PAL region." +387|Final Fight †|Capcom|1991|1990||"Final Fight † is a beat 'em up game developed and published by Capcom. It was released on December 21, 1990 in Japan, on November 10, 1991 in North America, and on December 10, 1992 in the PAL region." +388|Final Fight 2|Capcom|1993|1993||"Final Fight 2 is a beat 'em up game developed and published by Capcom. It was released on May 22, 1993 in Japan, on August 15, 1993 in North America, and on December 1993 in the PAL region." +389|Final Fight 3•Final Fight ToughJP|Capcom|1995|1995||"Final Fight 3•Final Fight ToughJP is a beat 'em up game developed and published by Capcom. It was released on December 22, 1995 in Japan, on December 21, 1995 in North America, and on March 13, 1996 in the PAL region." +390|Final Fight Guy|Capcom|1994|1992||"Final Fight Guy is a beat 'em up game developed and published by Capcom. It was released on March 20, 1992 in Japan and on June 1, 1994 in North America." +391|Final Set Tennis|Human Entertainment|1994|||Final Set Tennis is a tennis video game developed and published by Human Entertainment. It was released on August 12, 1994 in Japan." +392|Final Stretch|Genki|1993|||Final Stretch is a horse racing simulation game developed by Genki and published by LOZC G. Amusements. It was released on November 12, 1993 in Japan." +393|Fire Emblem: Monshou no Nazo|Nintendo|1994|||Fire Emblem: Monshou no Nazo is a tactical role-playing game developed by Intelligent Systems and published by Nintendo. It was released on January 21, 1994 in Japan." +394|Fire Emblem: Seisen no Keifu|Nintendo|1996|||Fire Emblem: Seisen no Keifu is a tactical role-playing game developed by Intelligent Systems and published by Nintendo. It was released on May 14, 1996 in Japan." +395|Fire Emblem: Thracia 776|Nintendo|1999|||Fire Emblem: Thracia 776 is a tactical role-playing game developed by Intelligent Systems and published by Nintendo. It was released on September 1, 1999 in Japan." +396|Fire Pro Joshi: All Star Dream Slam|Human Entertainment|1994|||Fire Pro Joshi: All Star Dream Slam is a wrestling video game published by Human Entertainment. It was released on July 22, 1994 in Japan." +397|The Firemen|Human Entertainment|1994|||The Firemen is an action game developed and published by Human Entertainment. It was released on September 9, 1994 in Japan and in March 1995 in the PAL region." +398|Firepower 2000•Super SWIVEU|Sunsoft|1992|1992||"Firepower 2000•Super SWIVEU is a shoot 'em up game developed by Sales Curve Interactive and published by Sunsoft. It was released on November 13, 1992 in Japan, North America, and in August 1993 in the PAL region." +399|Firestriker•Holy StrikerJP|DTMC|1994|1993||"Firestriker•Holy StrikerJP is an action game released on December 17, 1993 in Japan and on October 20, 1994 in North America." +400|First Samurai|Kemco|1993|1993|Action|"First Samurai is a side-scrolling action game developed and published by Kemco in 1993. Set in feudal Japan, players control a samurai on a quest to defeat evil forces and rescue a princess." +401|First Queen|Culture Brain||1994||"First Queen is a simulation game developed by Culture Brain. It was released in Japan on March 11, 1994. The game focuses on building and managing a kingdom." +402|Fishing Koushien|King Records||1996||"Fishing Koushien is a fishing simulation game developed by A-Wave and published by King Records. It was released in Japan on May 31, 1996. Players compete in fishing tournaments to become the ultimate angler." +403|Flashback: The Quest for Identity•FlashbackEU|U.S. Gold|1994|1993|Adventure|"Flashback: The Quest for Identity is an action-adventure game developed by Delphine Software International and published by U.S. Gold. Released in 1993 in Japan and 1994 in North America, the game follows a man who wakes up with amnesia and must uncover his true identity." +404|The Flintstones|Ocean Software|1995||| "The Flintstones is a platformer game based on the popular animated series. Developed and published by Ocean Software, it was released in North America in February 1995. Players control Fred Flintstone as he embarks on a prehistoric adventure." +405|The Flintstones: The Treasure of Sierra Madrock|Taito|1994|1994||"The Flintstones: The Treasure of Sierra Madrock is a platformer game developed by Taito and Sol Corporation. Released in 1994, players control Fred Flintstone as he searches for treasure in the Sierra Madrock mountains." +406|Flying Hero: Bugyuru no Daibouken|SOFEL||1992||"Flying Hero: Bugyuru no Daibouken is a shoot 'em up game developed by Sting Entertainment and published by SOFEL. It was released in Japan on December 18, 1992. Players pilot a flying insect-like robot to battle enemies." +407|Football Fury•Ultimate FootballJP|American Sammy|1993|1992||"Football Fury, also known as Ultimate Football in Japan, is a sports game developed and published by American Sammy. Released in 1992 in Japan and 1993 in North America, the game offers fast-paced football action." +408|Foreman For Real|Acclaim Entertainment|1995|1995||"Foreman For Real is a boxing game developed by Software Creations and published by Acclaim Entertainment. It was released in 1995, allowing players to step into the ring as legendary boxer George Foreman." +409|Fortune Quest: Dice wo Korogase|Zamuse|1994||| "Fortune Quest: Dice wo Korogase is a role-playing game developed by Natsume and published by Zamuse. Released in Japan in 1994, the game follows a group of adventurers on a quest to uncover the secrets of ancient dice." +410|Frank Thomas' Big Hurt Baseball|Acclaim Entertainment|1995|1995|Sports|"Frank Thomas' Big Hurt Baseball is a sports game developed by Iguana Entertainment and published by Acclaim Entertainment. Released in 1995, the game features Major League Baseball star Frank Thomas and offers realistic baseball gameplay." +411|Frantic Flea|GameTek|1996||| "Frantic Flea is a platformer game developed by Haus Teknikka and published by GameTek. It was released in North America in April 1996. Players control a flea on a mission to save his fellow insects." +412|Frogger|Majesco Entertainment|1998||| "Frogger is a classic arcade game brought to the SNES by Morning Star Multimedia and Majesco Entertainment. Players guide a frog across busy roads and rivers, avoiding obstacles to reach safety." +413|From TV Animation Slam Dunk: Dream Team Shueisha Limited|Bandai|1994||| "From TV Animation Slam Dunk: Dream Team Shueisha Limited is a basketball simulation game developed by Tose and published by Bandai. Released in 1994, the game is based on the popular anime and manga series Slam Dunk." +414|From TV Animation Slam Dunk: SD Heat Up!!|Bandai|1995||| "From TV Animation Slam Dunk: SD Heat Up!! is a basketball game based on the Slam Dunk anime series. Developed by Tose and published by Bandai, it was released in Japan in 1995." +415|From TV Animation Slam Dunk 2: IH Yosen Kanzenhan!!|Bandai|1995||| "From TV Animation Slam Dunk 2: IH Yosen Kanzenhan!! is a basketball game based on the Slam Dunk anime series. Developed by Tose and published by Bandai, it was released in Japan in 1995." +416|From TV Animation Slam Dunk: Yonkyo Taiketsu!!|Bandai|1994||| "From TV Animation Slam Dunk: Yonkyo Taiketsu!! is a basketball game based on the Slam Dunk anime series. Developed by Tose and published by Bandai, it was released in Japan in 1994." +417|Front Mission|Square|1995||| "Front Mission is a tactical role-playing game developed by G-Craft and published by Square. Released in Japan in 1995, the game features giant mechs and strategic battles in a futuristic setting." +418|Front Mission Series: Gun Hazard|Square|1996||| "Front Mission Series: Gun Hazard is an action role-playing game developed by Omiya Soft and published by Square. Released in Japan in 1996, the game is set in the Front Mission universe and offers intense mech combat." +419|Full Throttle: All-American Racing•Full PowerJP|GameTek|1995|1994|Racing|"Full Throttle: All-American Racing, also known as Full Power in Japan, is a racing game developed by Gremlin Interactive and published by GameTek. Released in 1994 in Japan and 1995 in North America, the game features high-speed racing action." +420|Fun 'n Games|Tradewest|1994|1994|Unreleased|"Fun 'n Games is a collection of mini-games developed by Leland Interactive Media and published by Tradewest. It was released in North America on August 1, 1994, and in the PAL region on May 25, 1994." +421|Funaki Masakatsu no Hybrid Wrestler: Tōgi Denshō|Technōs Japan||1994|Unreleased|"Funaki Masakatsu no Hybrid Wrestler: Tōgi Denshō is a wrestling game published by Technōs Japan. It was released in Japan on October 21, 1994." +422|Fune Tarou|Victor Interactive Software||1997|Unreleased|"Fune Tarou is a game published by Victor Interactive Software. It was released in Japan on August 1, 1997." +423|Furuta Atsuya no Simulation Pro Yakyuu 2|Hect|1996||Unreleased|"Furuta Atsuya no Simulation Pro Yakyuu 2 is a baseball simulation game developed and published by Hect. It was released in Japan on August 24, 1996." +424|Fushigi no Dungeon 2: Furai no Shiren|Chun Soft||1995|Unreleased|"Fushigi no Dungeon 2: Furai no Shiren is a dungeon-crawling RPG developed and published by Chun Soft. It was released in Japan on December 1, 1995." +425|G-O-D: Mezame yoto Yobu Koe ga Kikoe|Imagineer||1996|Unreleased|"G-O-D: Mezame yoto Yobu Koe ga Kikoe is an adventure game developed by Infinity and published by Imagineer. It was released in Japan on December 20, 1996." +426|Gaia Saver|Banpresto||1994|Unreleased|"Gaia Saver is a side-scrolling shooter game developed by Arc System Works and published by Banpresto. It was released in Japan on January 28, 1994." +427|Gakkou de atta Kowai Hanashi|Banpresto||1995|Unreleased|"Gakkou de atta Kowai Hanashi is a horror-themed adventure game developed by Pandora Box and published by Banpresto. It was released in Japan on August 4, 1995." +428|Galaxy Robo|Imagineer||1994|Unreleased|"Galaxy Robo is a mecha-themed action game developed by Copya Systems and published by Imagineer. It was released in Japan on March 11, 1994." +429|Galaxy Wars|Imagineer||1995|Unreleased|"Galaxy Wars is a space-themed strategy game developed by C-Lab and published by Imagineer. It was released in Japan on January 13, 1995." +430|Gambler Jikochuushinha: Mahjong Kouisen|Palsoft|1992||Unreleased|"Gambler Jikochuushinha: Mahjong Kouisen is a mahjong game developed by Bits Laboratory and published by Palsoft. It was released in Japan on September 25, 1992." +431|Gambler Jikochuushinha 2: Dorapon Quest|Pack-In-Video||1994|Unreleased|"Gambler Jikochuushinha 2: Dorapon Quest is a mahjong game developed by Bits Laboratory and published by Pack-In-Video. It was released in Japan on March 18, 1994." +432|Gambling Hourouki|VAP||1996|Unreleased|"Gambling Hourouki is a gambling simulation game published by VAP. It was released in Japan on March 22, 1996." +433|Game no Tatsujin|Sunsoft||1995|Unreleased|"Game no Tatsujin is a puzzle game developed by Affect and published by Sunsoft. It was released in Japan on August 11, 1995." +434|Game no Tetsujin: The Shanghai|Sunsoft||1995|Unreleased|"Game no Tetsujin: The Shanghai is a puzzle game published by Sunsoft. It was released in Japan on October 13, 1995." +435|Gamera: Gyaosu Gekimetsu Sakusen|Sammy Corporation||1995|Unreleased|"Gamera: Gyaosu Gekimetsu Sakusen is a kaiju-themed action game released in Japan on June 30, 1995." +436|Gan Gan Ganchan|Magifact||1995|Unreleased|"Gan Gan Ganchan is a puzzle game developed by Team Mental Care and published by Magifact. It was released in Japan on October 27, 1995." +437|Ganbare Daiku no Gensan|Irem||1993|Unreleased|"Ganbare Daiku no Gensan is a platformer game developed and published by Irem. It was released in Japan on December 22, 1993." +438|Ganbare Goemon 2: Kiteretsu Shougun McGuiness|Konami||1993|Unreleased|"Ganbare Goemon 2: Kiteretsu Shougun McGuiness is an action-adventure game developed and published by Konami. It was released in Japan on December 22, 1993." +439|Ganbare Goemon 3: Shishi Juurokubee no Karakuri Manjigatame|Konami||1994|Unreleased|"Ganbare Goemon 3: Shishi Juurokubee no Karakuri Manjigatame is an action-adventure game developed and published by Konami. It was released in Japan on December 16, 1994." +440|Ganbare Goemon Kirakira Dōchū: Boku ga Dancer ni Natta Wake|Konami||1995|| +441|Ganpuru: Gunman's Proof|ASCII Entertainment||1997|| +442|Ganso Pachi-Slot Nippon'ichi|Coconuts Japan||1994|| +443|Ganso Pachinko Ou|Coconuts Japan||1994|| +444|Garry Kitchen's Super Battletank: War in the Gulf•Super BattletankEU|Absolute Entertainment|1992|1993|| +445|Gdleen|SETA||1991|| +446|Gegege no Kitarou: Fukkatsu! Tenma Daiou|Bandai||1993|| +447|Gegege no Kitarou: Youkai Donjaara|Bandai||1996|| +448|Gekisou Sentai Carranger: Zenkai! Racer Senshi|Bandai||1996|| +449|Gekitotsu Dangan Jidōsha Kessen: Battle Mobile|System Sacom||1993|| +450|Gekitou Burning Pro Wrestling|Bullet-Proof Software||1995|| +451|Gemfire•Super Royal BloodJP|Koei|1992|1992|| +452|Genghis Khan II: Clan of the Gray Wolf•Super Aoki Ookami to Shiroki Meshika: Genchou HishiJP|Koei|1993|1993|| +453|Genjuu Ryodan|Axela||1998|| +454|Genocide 2|Kemco||1994|| +455|George Foreman's KO Boxing|Acclaim Entertainment|1992||| +456|Getsumen no Anubis|Imagineer||1995|| +457|Ghost Chaser Densei|Banpresto||1994|| +458|Ghost Sweeper Mikami: Joreishi ha Nice Body|Banalex||1993|| +459|Ghoul Patrol|JVC Musical Industries|1994|1995|1994|"Ghoul Patrol is a supernatural-themed action-adventure game where players take on the role of ghost hunters trying to rid the world of evil spirits. The game features challenging levels, quirky characters, and engaging gameplay." +460|Ginga Eiyuu Densetsu: Senjutsu Simulation|Tokuma Shoten|Unreleased|1992|Simulation|"A simulation game based on the Ginga Eiyuu Densetsu series, where players engage in strategic warfare in space." +461|Ginga Sengoku Gun'yūden Rai|Angel|Unreleased|1996|Unspecified|"An action game set in a futuristic world, where players control powerful mechs to battle against various enemies." +462|Gintama Oyakata no Jissen Pachinko Hisshouhou|Sammy Corporation|Unreleased|1995|Unspecified|"A pachinko simulation game featuring characters from the popular Gintama anime series." +463|Gionbana|Nichibutsu|Unreleased|1994|Unspecified|"A puzzle game where players match colorful tiles to clear the board and progress through levels." +464|Go Go Ackman|Banpresto|Unreleased|1994|Unspecified|"An action platformer game where players control the mischievous demon Ackman on a quest to defeat enemies and save the day." +465|Go Go Ackman 2|Banpresto|Unreleased|1995|Unspecified|"Sequel to the original Go Go Ackman, featuring similar action-packed gameplay and new challenges for players to overcome." +466|Go Go Ackman 3|Banpresto|Unreleased|1995|Unspecified|"The third installment in the Go Go Ackman series, continuing the adventures of the demon Ackman in a new storyline." +467|Go! Go! Dodge League|Pack-In-Video|Unreleased|1993|Unspecified|"An arcade-style dodgeball game where players compete in fast-paced matches to become the ultimate dodgeball champion." +468|Goal!•Super Goal!EU•Super Cup SoccerJP|Jaleco|1992|1992|Sports|"A soccer game featuring international teams, offering players the chance to compete in various tournaments and championships." +469|Gods|Mindscape|1992|Unreleased|Unspecified|"An action-adventure game where players control a hero battling against mythological creatures and solving puzzles to progress." +470|Godzilla: Kaijuu Daikessen•Godzilla: Destroy All MonstersNA|Toho|Cancelled|1994|Unspecified|"A fighting game featuring iconic Godzilla monsters, allowing players to engage in epic battles in destructible environments." +471|Gokinjo Boukentai|Pioneer LDC|Unreleased|1996|Unspecified|"A role-playing game set in a fantasy world, where players embark on a quest to save the kingdom from a dark threat." +472|Gokujo Parodius! ~Kako no Eiko o Motomete~|Konami|Unreleased|1994|Unspecified|"A side-scrolling shoot 'em up game filled with quirky characters and challenging levels, offering a humorous take on the genre." +473|Gon|Bandai|Unreleased|1994|Unspecified|"An action game based on the manga series, where players control the dinosaur Gon in various platforming challenges and battles." +474|Goof Troop•Goofy to Max: Kaizoku Shima no DaiboukenJP|Capcom|July 11, 1993|1994|Unspecified|"An adventure game based on the Disney animated series, where players control Goofy and Max in a pirate-themed journey." +475|GP-1|Atlus|1993|1993|Racing|"A motorcycle racing game featuring realistic physics and challenging tracks for players to test their skills on." +476|GP-1: Part II•GP-1 Rapid StreamJP|Atlus|1994|1994|Unspecified|"The sequel to GP-1, offering improved graphics and gameplay mechanics in the motorcycle racing genre." +477|Gradius III|Konami|1991|1990|Shooter|"A classic shoot 'em up game known for its challenging gameplay and iconic power-up system, where players pilot the Vic Viper spaceship to save the galaxy." +478|Granhistoria: Genshi Sekaiki|Banpresto|Unreleased|1995|Unspecified|"A role-playing game set in a prehistoric world, where players embark on a grand adventure to uncover the mysteries of ancient civilizations." +479|Gre2The Great Battle II: Last Fighter Twin|Banpresto|Unreleased|1992|Unspecified|"A fighting game featuring characters from various anime series, offering fast-paced battles and special moves for players to master." +480|The Great Battle III|Banpresto||1993|| +481|The Great Battle IV|Banpresto||1994|| +482|The Great Battle V|Banpresto||1995|| +483|GreGThe Great Battle Gaiden 2: Matsuri da Wasshoi|Banpresto||1994|| +484|The Great Circus Mystery Starring Mickey & Minnie•Mickey to Minnie: Magical Adventure 2JP|Capcom|1994|1994|| +485|The Great Waldo Search|THQ|1993||| +486|GT Racing|Imagineer||1996|| +487|GunForce|Irem|1992|1992|| +488|Gurume Sentai Barayarō|Virgin Interactive||1995|| +489|Habu Meijin no Omoshiro Shougi|Tomy||1995|| +490|Hakunetsu Pro Yakyuu '93: Ganba League|Epic and Sony Records||1992|| +491|Hakunetsu Pro Yakyuu '94: Ganba League 3|Epic and Sony Records||1993|| +492|Hal's Hole in One Golf•Jumbo Ozaki no Hole In OneJP|HAL Laboratory|1991|1991|| +493|Hamelin no Violin Tamaki|Enix||1995|| +494|HammerLock Wrestling•Tenryuu Genichiro no Pro Wrestling RevolutionJP|Jaleco|1994|1994|| +495|Hana no Keiji: Kumo no Kanata ni|Yojigen||1994|| +496|Hanafuda|Imagineer||1994|| +497|Hanafuda Ou|Coconuts Japan||1994|| +500|Hanjuku Hero: Aa, Sekaiyo Hanjukunare...!|Square|Unreleased|1992| |"Hanjuku Hero is a quirky RPG developed and published by Square. The game features a unique blend of humor and strategy, set in a world where characters are half-baked. Join the adventure and uncover the mysteries of this unconventional universe." +501|Hanna Barbera's Turbo Toons|Entertainment International UK| | | |"Hanna Barbera's Turbo Toons is an unreleased game that was set to offer exciting racing gameplay based on the popular animated series. Unfortunately, the game was cancelled, leaving fans wondering about the adventures they could have had." +502|Haō Taikei Ryū Knight|Bandai|Unreleased|1994| |"Haō Taikei Ryū Knight is a game based on the anime series of the same name. Developed by Japan Art Media and published by Bandai, the game immerses players in a fantasy world filled with mecha battles and epic quests. Dive into the action and become a legendary knight!" +503|Hardball III|Accolade|1994| | |"Hardball III is a baseball simulation game developed and published by Accolade. With realistic gameplay and graphics, players can experience the thrill of America's favorite pastime right on their screens. Step up to the plate and swing for the fences in this classic sports title." +504|Harley's Humongous Adventure•Kagakusha Harley no Haran BanjouJP|Altron (JP)Hi Tech Expressions (NA and EU)|1993|1994| |"Harley's Humongous Adventure, also known as Kagakusha Harley no Haran Banjou in Japan, is a platformer game developed by Visual Concepts. Players control Harley, a brilliant scientist who embarks on a wild journey through various dimensions. Help Harley navigate challenging levels and defeat enemies to save the day!" +505|Harukanaru Augusta|T&E Soft|Unreleased|1991| |"Harukanaru Augusta is a golf simulation game developed and published by T&E Soft. Offering realistic gameplay and beautiful courses, players can enjoy a relaxing round of golf in the comfort of their homes. Tee off and experience the serene world of Harukanaru Augusta." +506|Harukanaru Augusta 2: Masters|T&E Soft|Unreleased|1993| |"Harukanaru Augusta 2: Masters is the sequel to the original golf simulation game, developed and published by T&E Soft. With improved mechanics and new challenges, players can test their skills on the green and strive to become a golfing master. Swing away and conquer the courses in this engaging sports title." +507|Harukanaru Augusta 3: Masters New|T&E Soft|Unreleased|1995| |"Harukanaru Augusta 3: Masters New continues the golfing legacy of the Augusta series, developed and published by T&E Soft. Featuring updated gameplay and courses, players can immerse themselves in the world of competitive golfing. Grab your clubs and aim for victory in this thrilling sports game." +508|Harvest Moon•Bokujou MonogatariJP|Natsume (NA)Nintendo (EU)|1997|1996| |"Harvest Moon, also known as Bokujou Monogatari in Japan, is a beloved farming simulation game developed by Pack-In-Video. Players inherit a farm and must work hard to cultivate crops, raise livestock, and build relationships with the townspeople. Experience the joys of rural life and create your own story in Harvest Moon." +509|Hashire Hebereke|Sunsoft|Unreleased|1994| |"Hashire Hebereke is a colorful racing game featuring the quirky characters from the Hebereke series. Developed and published by Sunsoft, the game offers fast-paced gameplay and wacky tracks for players to enjoy. Get ready to dash to the finish line with Hebereke and friends!" +510|Hat Trick Hero 2|Taito| |1994| |"Hat Trick Hero 2 is a soccer game developed by Neverland and published by Taito. While the North American release was cancelled, the game offers exciting sports action and strategic gameplay for soccer enthusiasts. Take to the field and lead your team to victory in Hat Trick Hero 2." +511|Hatayama Hatch no Pro Yakyuu News! Jitsumei Han|Epoch Co.| |1993| |"Hatayama Hatch no Pro Yakyuu News! Jitsumei Han is a baseball management simulation game developed by Agenda and published by Epoch Co. Dive into the world of professional baseball, make strategic decisions, and lead your team to championship glory. Stay ahead of the competition and dominate the league!" +512|Hayashi Kaihou Kudan no Igo Oodou|ASK| |1996| |"Hayashi Kaihou Kudan no Igo Oodou is a challenging board game centered around the ancient strategy game of Go. Published by ASK, the game offers players the opportunity to test their skills in the intricate world of Go. Strategize, outwit your opponent, and claim victory in this intellectual showdown." +513|Hayazashi Nidan Morita Shogi|SETA| |1993| |"Hayazashi Nidan Morita Shogi is a shogi (Japanese chess) game developed by Random House and published by SETA. With realistic gameplay and challenging AI opponents, players can sharpen their strategic thinking and shogi skills. Enter the world of shogi and prove your mastery in this engaging title." +514|Hayazashi Nidan Morita Shogi 2|SETA| |1995| |"Hayazashi Nidan Morita Shogi 2 is the sequel to the original shogi game, offering enhanced features and gameplay. Developed by Random House and published by SETA, the game provides a deep shogi experience for players looking to test their strategic prowess. Prepare your pieces and engage in thrilling shogi battles!" +515|Hebereke no Oishii Puzzle: ha Irimasen ka|Sunsoft| |1994| |"Hebereke no Oishii Puzzle: ha Irimasen ka is a puzzle game developed by Sunsoft. With colorful visuals and challenging puzzles, players must match and clear blocks to progress through the game. Exercise your brain and enjoy a tasty puzzling experience with Hebereke!" +516|Hebereke's Popoitto•Popoitto HeberekeJP|Sunsoft| |1995| |"Hebereke's Popoitto, also known as Popoitto Hebereke in Japan, is a puzzle game developed and published by Sunsoft. Players must stack and clear colorful blobs to solve puzzles and advance through various levels. Dive into the world of Hebereke and put your matching skills to the test!" +517|Hebereke's Popoon|Sunsoft| |1993| |"Hebereke's Popoon is a competitive puzzle game developed and published by Sunsoft. Featuring fast-paced gameplay and multiplayer modes, players must match and clear bubbles to outwit their opponents. Challenge friends or AI characters in exciting puzzle battles and emerge victorious in Hebereke's Popoon!" +518|Heian Fuuunden|KSS| |1995| |"Heian Fuuunden is a historical simulation game developed by Natsume and published by KSS. Set in the Heian period of Japan, players take on the role of influential figures and navigate political intrigue and warfare. Immerse yourself in the rich tapestry of Japanese history and shape the fate of the nation in Heian Fuuunden." +519|Heisei Gunjin Shougi|Carrozzeria| |1996| |"Heisei Gunjin Shougi is a shogi (Japanese chess) game published by Carrozzeria. With a focus on traditional shogi gameplay and strategic depth, players can engage in challenging matches against AI opponents. Test your skills, plan your moves, and strive for victory in the world of Heisei Gunjin Shougi." +520|Heisei Inu Monogatari Bow: Pop'n Smash!!|Takara|Unreleased|1994| |"Heisei Inu Monogatari Bow: Pop'n Smash!! is a Japanese exclusive game released by Takara in April 1994. It is a fun and exciting game featuring dogs in a smashing adventure." +521|Heisei Shin Oni Ga Shima (Part 1)|Nintendo|Unreleased|1998| |"Heisei Shin Oni Ga Shima (Part 1) is a game published by Nintendo in Japan on May 23, 1998. It is part of a series that offers thrilling gameplay and engaging storylines." +522|Heisei Shin Oni Ga Shima (Part 2)|Nintendo|Unreleased|1998| |"Heisei Shin Oni Ga Shima (Part 2) is the sequel to the first part, published by Nintendo in Japan on May 23, 1998. It continues the exciting adventures from the previous installment." +523|Heiwa Pachinko World|Shouei|Unreleased|1995| |"Heiwa Pachinko World is a pachinko game developed by Office Koukan and published by Shouei in Japan on February 24, 1995. Experience the thrill of pachinko in this engaging title." +524|Heiwa Pachinko World 2|Shouei|Unreleased|1995| |"Heiwa Pachinko World 2 is the sequel to the original game, released by Shouei in Japan on September 29, 1995. Enjoy an enhanced pachinko experience with new features and gameplay." +525|Heiwa Pachinko World 3|Shouei|Unreleased|1996| |"Heiwa Pachinko World 3 is another installment in the pachinko series, published by Shouei in Japan on April 26, 1996. Dive into the world of pachinko with this exciting game." +526|Heiwa Parlor! Mini 8: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1998| |"Heiwa Parlor! Mini 8: Pachinko Jikki Simulation Game is a simulation game developed by Nippon Telenet, released in Japan on January 30, 1998. Experience the thrills of pachinko in a virtual setting." +527|Hercules no Eikou III|Data East|Unreleased|1992| |"Hercules no Eikou III is an action-adventure game developed and published by Data East in Japan on April 24, 1992. Join Hercules on a heroic journey in this exciting title." +528|Hercules no Eikou IV|Data East|Unreleased|1994| |"Hercules no Eikou IV is the fourth installment in the series, developed and published by Data East in Japan on October 21, 1994. Embark on another epic adventure with Hercules in this thrilling game." +529|Hero Senki: Project Olympus|Banpresto|Unreleased|1992| |"Hero Senki: Project Olympus is a game developed by Winkysoft and published by Banpresto in Japan on November 20, 1992. Immerse yourself in a world of heroes and legends in this captivating title." +530|Higashio Osamu Kanshuu Super Pro Yakyuu Stadium|Tokuma Shoten|Unreleased|1993| |"Higashio Osamu Kanshuu Super Pro Yakyuu Stadium is a sports game developed by C-Lab and published by Tokuma Shoten in Japan on September 30, 1993. Enjoy the excitement of professional baseball in this immersive title." +531|Hiouden: Mamono-tachi tono Chikai|Wolf Team|Unreleased|1994| |"Hiouden: Mamono-tachi tono Chikai is an RPG developed and published by Wolf Team in Japan on February 11, 1994. Dive into a fantasy world filled with monsters and magic in this epic adventure." +532|Hiryuu no Ken S: Hyper Version|Culture Brain|Unreleased|1992| |"Hiryuu no Ken S: Hyper Version is a fighting game developed and published by Culture Brain in Japan on December 11, 1992. Test your martial arts skills in this fast-paced title." +533|Hissatsu Pachinko Collection|Sunsoft|Unreleased|1994| |"Hissatsu Pachinko Collection is a pachinko game published by Sunsoft in Japan on October 21, 1994. Enjoy a collection of exciting pachinko machines in this engaging title." +534|Hissatsu Pachinko Collection 2|Sunsoft|Unreleased|1995| |"Hissatsu Pachinko Collection 2 is the second installment in the pachinko series, released by Sunsoft in Japan on March 24, 1995. Explore new pachinko machines and challenges in this thrilling game." +535|Hissatsu Pachinko Collection 3|Sunsoft|Unreleased|1995| |"Hissatsu Pachinko Collection 3 is another addition to the pachinko series, published by Sunsoft in Japan on November 2, 1995. Test your luck and skills on various pachinko machines in this fun title." +536|Hissatsu Pachinko Collection 4|Sunsoft|Unreleased|1996| |"Hissatsu Pachinko Collection 4 is the fourth game in the pachinko series, released by Sunsoft in Japan on August 30, 1996. Experience the excitement of pachinko with new challenges and features in this installment." +537|Hisshou 777 Fighter: Pachi-Slot Ryuuguu Densetsu|VAP|Unreleased|1994| |"Hisshou 777 Fighter: Pachi-Slot Ryuuguu Densetsu is a pachi-slot game developed by Jorudan and published by VAP in Japan on January 14, 1994. Enjoy the thrill of pachi-slot gameplay in this exciting title." +538|Hisshou 777 Fighter II: Pachi-Slot Maruhi Jouhou|VAP|Unreleased|1994| |"Hisshou 777 Fighter II: Pachi-Slot Maruhi Jouhou is the second game in the pachi-slot series, released by VAP in Japan on August 19, 1994. Test your luck and skills in this thrilling pachi-slot experience." +539|Hisshou 777 Fighter III: Kokuryuu Ou no Fukkatsu|VAP|Unreleased|1995| |"Hisshou 777 Fighter III: Kokuryuu Ou no Fukkatsu is the third installment in the pachi-slot series, published by VAP in Japan on September 15, 1995. Dive into the world of pachi-slot and compete for victory in this challenging title." +540|Hisshou Pachi-Slot Fun|Pow||1994| |"Hisshou Pachi-Slot Fun is a Japanese slot machine game released in December 1994. It features various slot machines and gameplay mechanics." +541|Hit the Ice|Taito|1993| | |"Hit the Ice is a sports video game developed by Taito. It was released in North America on February 1, 1993. The game focuses on ice hockey matches." +542|Hokuto no Ken 5|Toei Animation||1992| |"Hokuto no Ken 5 is a video game based on the popular manga and anime series Fist of the North Star. It was released in Japan on July 10, 1992." +543|Hokuto no Ken 6|Toei Animation||1992| |"Hokuto no Ken 6 is another installment in the Fist of the North Star video game series. It was released in Japan on November 20, 1992." +544|Hokuto no Ken 7|Toei Animation||1993| |"Hokuto no Ken 7 continues the saga of the Fist of the North Star video game series. It was released in Japan on December 24, 1993." +545|Holy Umbrella: Dondera no Mubo|Naxat Soft||1995| |"Holy Umbrella: Dondera no Mubo is a role-playing video game released in Japan on September 25, 1995. The game follows the adventures of the protagonist wielding a magical umbrella." +546|Home Alone|THQ|1991|1992| |"Home Alone is a video game adaptation of the popular movie. It was released in North America on December 30, 1991, and in Japan on August 11, 1992." +547|Home Alone 2: Lost in New York|THQ|1992| | |"Home Alone 2: Lost in New York is based on the movie sequel. It was released in North America on October 1, 1992, and in the PAL region on January 1, 1993." +548|Home Improvement: Power Tool Pursuit!|Absolute Entertainment|1994| | |"Home Improvement: Power Tool Pursuit! is a video game based on the TV show. It was released in North America on November 1, 1994." +549|Honkaku Mahjong: Tetsuman|Naxat Soft||1993| |"Honkaku Mahjong: Tetsuman is a mahjong video game released in Japan on September 24, 1993. Players can enjoy authentic mahjong gameplay." +550|Honkaku Mahjong: Tetsuman II|Naxat Soft||1994| |"Honkaku Mahjong: Tetsuman II is the sequel to the original mahjong game. It was released in Japan on October 21, 1994." +551|Honkaku Shougi: Fuuunji Ryuuou|Virgin Interactive||1994| |"Honkaku Shougi: Fuuunji Ryuuou is a shogi (Japanese chess) game released in Japan on December 22, 1994. Players can enjoy strategic gameplay." +552|Honkakuha Igo: Gosei|Taito||1994| |"Honkakuha Igo: Gosei is a Go board game released in Japan on October 28, 1994. It offers challenging gameplay for fans of the ancient strategy game." +553|Honke Sankyo Fever: Jikkyou Simulation|Den'Z||1995| |"Honke Sankyo Fever: Jikkyou Simulation is a simulation game released in Japan on June 10, 1995. Players can experience the excitement of pachinko." +554|Honke Sankyo Fever: Jikkyou Simulation 2|Boss Communications||1995| |"Honke Sankyo Fever: Jikkyou Simulation 2 is the second installment in the pachinko simulation series. It was released in Japan on December 15, 1995." +555|Honke Sankyo Fever: Jikkyou Simulation 3|Boss Communications||1996| |"Honke Sankyo Fever: Jikkyou Simulation 3 is the third game in the pachinko simulation series. It was released in Japan on August 30, 1996." +556|Honoo no Doukyuuji: Dodge Danpei|Sunsoft||1992| |"Honoo no Doukyuuji: Dodge Danpei is a sports-themed video game released in Japan on July 31, 1992. The game features dodgeball matches." +557|Hook|Sony Imagesoft|1992|1992| |"Hook is a video game adaptation of the movie of the same name. It was released in Japan on July 17, 1992, and in North America on October 13, 1992." +558|Horai Gakuen no Bouken!|J-Wing|1996| | |"Horai Gakuen no Bouken! is a Japanese role-playing game released on April 19, 1996. Players embark on an adventure in a school setting." +559|Houkago in Beppin Jogakuin|Imagineer|1995| | |"Houkago in Beppin Jogakuin is a simulation game released in Japan on February 3, 1995. Players experience school life and interact with classmates." +560|Human Baseball|Human Entertainment|Unreleased|1993|Sports|"Human Baseball is a sports game developed and published by Human Entertainment. It was released in Japan on August 6, 1993. The game focuses on the classic sport of baseball, offering players a realistic gameplay experience." +561|Human Grand Prix III: F1 Triple Battle|Human Entertainment|Unreleased|1994|Racing|"Human Grand Prix III: F1 Triple Battle is a racing game developed and published by Human Entertainment. It was released in Japan on September 30, 1994. The game features Formula 1 racing with intense battles and challenges." +562|Human Grand Prix IV: F1 Dream Battle|Human Entertainment|Unreleased|1995|Racing|"Human Grand Prix IV: F1 Dream Battle is a racing game developed and published by Human Entertainment. It was released in Japan on August 25, 1995. Players can experience the thrill of Formula 1 racing in this exciting title." +563|The Humans|GameTek|Cancelled|1993|Strategy|"The Humans is a strategy game developed by Imagitec Design and published by GameTek. While it was planned for release in the PAL region on December 31, 1993, the North American release was cancelled. The game offers challenging gameplay where players guide prehistoric humans through various obstacles." +564|Hungry Dinosaurs•Harapeko BakkaJP|Sunsoft|Unreleased|1994|Action|"Hungry Dinosaurs•Harapeko BakkaJP is an action game developed by Magical Company and published by Sunsoft. It was released in Japan on October 19, 1994. Players control hungry dinosaurs in a fun and engaging gameplay experience." +565|The Hunt for Red October|Hi Tech Expressions|1993|1993|Action|"The Hunt for Red October is an action game developed by Riedel Software Productions and published by Hi Tech Expressions. It was released in Japan on October 1, 1993, and in North America on January 1, 1993. Players take on the role of submarine captain Jack Ryan in a Cold War scenario." +566|Hurricanes|U.S. Gold|1994|1995|Action|"Hurricanes is an action game developed by Probe Entertainment and published by U.S. Gold. It was released in the PAL region in 1995 and in North America on December 31, 1994. Players control characters with superpowers to save the world from disaster." +567|Hyper Battle Game: Zen Nihon GT Senshuken|Banpresto|Unreleased|1995|Racing|"Hyper Battle Game: Zen Nihon GT Senshuken is a racing game developed by C.P. Brain and published by Banpresto. It was released in Japan on September 29, 1995. Players can compete in intense GT races across various tracks." +568|Hyper Iria|Banpresto|Unreleased|1995|Action|"Hyper Iria is an action game developed by TamTam and published by Banpresto. It was released in Japan on October 13, 1995. Players control the character Iria in a fast-paced sci-fi adventure." +569|Hyper V-Ball•Super Volley IIJP|Video System (JP)MC O'River (NA)Ubisoft (EU)|1994|1992|Sports|"Hyper V-Ball•Super Volley IIJP is a sports game developed by Video System and published by various companies. It was released in Japan on December 25, 1992, and in North America on June 1, 1994. The game offers exciting volleyball matches with various gameplay modes." +570|HyperZone|HAL Laboratory|1991|1991|Action|"HyperZone is an action game developed and published by HAL Laboratory. It was released in Japan on August 31, 1991, and in North America on September 1, 1991. Players pilot a spaceship through colorful and challenging levels." +571|Idea no Hi|Shouei|Unreleased|1994|Adventure|"Idea no Hi is an adventure game developed by Office Koukan and published by Shouei. It was released in Japan on March 18, 1994. Players embark on a mysterious journey filled with puzzles and exploration." +572|The Ignition Factor•Fire FightingJP|Jaleco|1995|1994|Action|"The Ignition Factor•Fire FightingJP is an action game developed and published by Jaleco. It was released in Japan on November 1, 1994, and in North America on January 1, 1995. Players take on the role of a firefighter battling blazes in various scenarios." +573|Igo Club|Hect|Unreleased|1996|Board|"Igo Club is a board game published by Hect. It was released in Japan on January 26, 1996. Players can enjoy the strategic gameplay of the ancient board game Igo." +574|Ihatovo Monogatari|Hect|Unreleased|1993|Adventure|"Ihatovo Monogatari is an adventure game developed and published by Hect. It was planned for release in Japan on March 5, 1993. The game is based on the works of Japanese author Kenji Miyazawa, offering players a unique storytelling experience." +575|Illusion of Gaia•Illusion of TimeEU•Gaia GensoukiJP|Enix (JP)Nintendo (NA and EU)|1994|1993|Action RPG|"Illusion of Gaia•Illusion of TimeEU•Gaia GensoukiJP is an action RPG developed by Quintet and published by Enix and Nintendo. It was released in Japan on November 27, 1993, in North America on September 1, 1994, and in the PAL region on April 27, 1995. Players embark on a grand adventure to save the world from darkness." +576|Illvanian no Shiro|Nippon Clary Business|Unreleased|1994|Adventure|"Illvanian no Shiro is an adventure game published by Nippon Clary Business. It was released in Japan on October 28, 1994. Players explore a mysterious castle filled with secrets and challenges." +577|Imperium•Kidou Soukou DaionJP|Vic Tokai|1992|1992|Action|"Imperium•Kidou Soukou DaionJP is an action game developed by Jorudan and published by Vic Tokai. It was released in Japan on December 14, 1992. Players pilot giant robots in intense battles to save humanity." +578|Inazuma Serve da!! Super Beach Volley|Virgin Interactive|Unreleased|1995|Sports|"Inazuma Serve da!! Super Beach Volley is a sports game published by Virgin Interactive. It was released in Japan on August 4, 1995. Players can enjoy beach volleyball matches with electrifying moves and gameplay." +579|Incantation|Titus Software|1996|Unreleased|Action|"Incantation is an action game developed and published by Titus Software. It was released in North America on December 1, 1996, and in the PAL region in 1996. Players control a wizard on a quest to defeat evil forces and restore peace to the land." +580|The Incredible Crash Dummies|LJN|1993|1994|Action|"The Incredible Crash Dummies is an action game based on the popular toy line. Players control Crash Test Dummies as they navigate through various levels, avoiding obstacles and enemies to reach the end goal." +581|The Incredible Hulk|U.S. Gold|1994||Action|"The Incredible Hulk game follows the story of the iconic Marvel character as he battles enemies and smashes obstacles in his path. Players can unleash the Hulk's rage in this action-packed adventure." +582|Indiana Jones' Greatest Adventures|JVC Musical Industries and LucasArts|1994|1994|Adventure|"Join Indiana Jones on his greatest adventures in this action-packed game. Players will explore exotic locations, solve puzzles, and uncover ancient mysteries in a race against time." +583|Inindo: Way of the Ninja|Koei|1993|1993|Role-Playing|"Inindo: Way of the Ninja is a role-playing game set in feudal Japan. Players take on the role of a ninja on a quest for vengeance, battling enemies and mastering ninja techniques along the way." +584|Inspector Gadget|Hudson Soft|1993||Action|"Inspector Gadget is a platformer game where players control the bumbling detective as he solves mysteries and stops the evil Dr. Claw. Use gadgets and wits to progress through levels and save the day." +585|International Sensible Soccer: World Champions|Renegade Software||1994|Sports|"International Sensible Soccer: World Champions is a sports game that lets players take control of their favorite soccer teams in intense matches. Compete against AI or friends in this fast-paced soccer simulation." +586|International Superstar Soccer|Konami|1995|1994|Sports|"International Superstar Soccer is a soccer game that offers realistic gameplay and fast-paced matches. Choose from a variety of teams and compete in tournaments to become the ultimate soccer superstar." +587|International Superstar Soccer Deluxe|Konami|1995|1995|Sports|"International Superstar Soccer Deluxe is a soccer game that builds upon its predecessor with enhanced graphics and gameplay. Experience the thrill of soccer with improved controls and features." +588|International Tennis Tour|Taito|1993|1993|Sports|"International Tennis Tour is a tennis simulation game that lets players compete in tournaments around the world. Master different court surfaces and strategies to become the ultimate tennis champion." +589|Ippatsu Gyakuten: Keiba Keirin Kyoutei|Pow|Unreleased|1996|Sports|"Ippatsu Gyakuten: Keiba Keirin Kyoutei is a sports betting game that simulates horse racing, cycling, and boat racing. Place bets and watch the races unfold to see if luck is on your side." +590|The Irem Skins Game|Irem|1992|1992|Sports|"The Irem Skins Game is a golf simulation game that challenges players to compete in tournaments and improve their golfing skills. Test your accuracy and strategy on the green." +591|Iron Commando: Koutetsu no Senshi|Poppo|Unreleased|1995|Action|"Iron Commando: Koutetsu no Senshi is a beat 'em up game set in a post-apocalyptic world. Battle against hordes of enemies using martial arts and weapons to restore peace to the land." +592|Isozuri: Ritou Hen|Pack-In-Video|Unreleased|1996|Adventure|"Isozuri: Ritou Hen is an adventure game that takes players on a mysterious journey to a remote island. Solve puzzles, uncover secrets, and navigate the island's dangers to unravel its mysteries." +593|Itadaki Street 2: Neon Sign wa Bara Iro ni|Enix|Unreleased|1994|Board Game|"Itadaki Street 2: Neon Sign wa Bara Iro ni is a board game simulation that combines elements of Monopoly and stock trading. Buy properties, collect rent, and outsmart your opponents to become the wealthiest player." +594|The Itchy & Scratchy Game|Acclaim Entertainment|1995||Action|"The Itchy & Scratchy Game is a platformer based on the fictional cartoon from The Simpsons. Play as Itchy or Scratchy as they battle each other in a violent and comedic adventure." +595|Itoi Shigesato no Bass Tsuri No. 1|Nintendo|Unreleased|1997|Sports|"Itoi Shigesato no Bass Tsuri No. 1 is a fishing simulation game designed by Shigesato Itoi. Experience the thrill of fishing in various locations and compete in tournaments to become the bass fishing champion." +596|Itou Haka Rokudan no Shougi Doujou|ASK|Unreleased|1994|Board Game|"Itou Haka Rokudan no Shougi Doujou is a shogi (Japanese chess) game that offers challenging gameplay for shogi enthusiasts. Test your strategic skills and compete against AI or friends in intense shogi matches." +597|Izzy's Quest for the Olympic Rings|U.S. Gold|1995||Action|"Izzy's Quest for the Olympic Rings is a platformer game featuring Izzy, the official mascot of the 1996 Summer Olympics. Join Izzy on a quest to retrieve the Olympic rings and save the games from disaster." +598|J.League '96 Dream Stadium|Hudson Soft|Unreleased|1996|Sports|"J.League '96 Dream Stadium is a soccer simulation game that allows players to manage and compete with teams from the J.League. Customize tactics, sign players, and lead your team to victory in this immersive soccer experience." +599|J.League Excite Stage '95|Epoch|Unreleased|1995|Sports|"J.League Excite Stage '95 is a soccer simulation game that captures the excitement of the J.League. Experience realistic matches, strategic gameplay, and intense competition as you strive for soccer glory." +600|J.League Excite Stage '96|Epoch|Unreleased|1996|Sports|"J.League Excite Stage '96 is a soccer video game released in Japan in April 1996. It features gameplay centered around the J.League, offering an exciting experience for fans of the sport." +601|J.League Soccer Prime Goal|Namco|Unreleased|1993|Sports|"J.League Soccer Prime Goal is a soccer game developed by Namco and released in Japan in August 1993. It allows players to experience the excitement of J.League matches." +602|J.League Soccer Prime Goal 2|Namco|Unreleased|1994|Sports|"J.League Soccer Prime Goal 2 is a sequel to the original game, released in Japan in August 1994. It continues the soccer action with updated features and gameplay." +603|J.League Super Soccer '95 Jikkyou Stadium|Hudson Soft|Unreleased|1995|Sports|"J.League Super Soccer '95 Jikkyou Stadium is a soccer simulation game developed by A.I. and published by Hudson Soft. It offers realistic gameplay and immersive stadium experiences." +604|J.R.R. Tolkien's The Lord of the Rings, Vol. I|Interplay Entertainment|1994|Unreleased|1995|Adventure|"J.R.R. Tolkien's The Lord of the Rings, Vol. I is an adventure game based on the iconic fantasy series. Players embark on a journey through Middle-earth, encountering familiar characters and locations." +605|Jack Nicklaus Golf|Tradewest|1992|Unreleased|1992|Sports|"Jack Nicklaus Golf is a golf simulation game featuring the legendary golfer Jack Nicklaus. It offers realistic gameplay and challenges for golf enthusiasts." +606|Jaki Crush|Naxat Soft|Unreleased|1992|Puzzle|"Jaki Crush is a puzzle game developed by Compile. Players solve challenging puzzles in a colorful and engaging fantasy world." +607|Jaleco Rally: Big Run: The Supreme 4WD Challenge|Jaleco|Cancelled|1991|Sports|"Jaleco Rally: Big Run: The Supreme 4WD Challenge is a racing game that puts players behind the wheel of powerful 4WD vehicles. Experience intense off-road racing action in this thrilling title." +608|James Bond Jr.|THQ|1992|Unreleased|1992|Action|"James Bond Jr. is an action game based on the popular character. Players step into the shoes of James Bond's nephew, embarking on daring missions and facing off against villains." +609|James Pond 3: Operation Starfish|Electronic Arts|Unreleased|1993|Action|"James Pond 3: Operation Starfish is an action-adventure game where players control the titular character on a mission to save the world. Join James Pond in his aquatic adventures!" +610|Jammes|Carrozzeria|Unreleased|1995|Unknown|"Jammes is a game developed by Mighty Craft and published by Carrozzeria. Explore the world of Jammes in this unique gaming experience." +611|Jammit|GTE Interactive Media|1994|Unreleased|1994|Sports|"Jammit is a sports game developed by GTE Interactive Media. Dive into the world of competitive basketball and showcase your skills on the court." +612|Janyuuki Gokuu Randa|Virgin Interactive|Unreleased|1995|Unknown|"Janyuuki Gokuu Randa is a game published by Virgin Interactive. Embark on a mystical adventure in this captivating title." +613|JB The Super Bass|Naxat Soft|Unreleased|1995|1995|Music|"JB The Super Bass is a music game developed by Gaps and published by Naxat Soft. Immerse yourself in the world of music and rhythm with JB!" +614|Jelly Boy|Ocean Software|Cancelled|1995|1995|Platformer|"Jelly Boy is a platformer game developed by Probe Entertainment. Join Jelly Boy on a colorful and fun-filled adventure through various levels and challenges." +615|Jeopardy!|GameTek|1992|Unreleased|1992|Trivia|"Jeopardy! is a trivia game based on the popular TV show. Test your knowledge across different categories and compete to become the ultimate Jeopardy champion." +616|Jeopardy! Deluxe Edition|GameTek|1994|Unreleased|1994|Trivia|"Jeopardy! Deluxe Edition offers an enhanced trivia experience with new features and categories. Challenge yourself with even more questions and fun gameplay." +617|Jeopardy! Sports Edition|GameTek|1994|Unreleased|1994|Trivia|"Jeopardy! Sports Edition focuses on sports-related trivia questions. Put your sports knowledge to the test and compete in this exciting quiz game." +618|The Jetsons: Invasion of the Planet Pirates•Youkai Buster: Ruka no DaiboukenJP|Kadokawa Shoten (JP)Taito (NA)|1994|1995|1994|Action|"The Jetsons: Invasion of the Planet Pirates is an action game released in North America in June 1994. Join the Jetsons in a space adventure to save the galaxy." +619|Jikkyou Keiba Simulation: Stable Star|Konami|Unreleased|1996|Sports|"Jikkyou Keiba Simulation: Stable Star is a horse racing simulation game developed by KCEO and published by Konami. Experience the thrill of horse racing and manage your own stable of champions." +620|Jikkyou Oshaberi Parodius|Konami|Unreleased|1995| |"Jikkyou Oshaberi Parodius is a humorous side-scrolling shoot 'em up game featuring cute characters and wacky power-ups. Players navigate through various levels while engaging in quirky dialogue and facing off against bizarre enemies." +621|Jikkyou Power Pro Wrestling '96: Max Voltage|Konami|Unreleased|1996| |"Jikkyou Power Pro Wrestling '96: Max Voltage is a professional wrestling game that allows players to control various wrestlers and compete in intense matches. With improved graphics and gameplay mechanics, this installment offers an exciting experience for fans of the genre." +622|Jikkyou Powerful Pro Yakyuu: Basic Han '98|Konami|Unreleased|1998| |"Jikkyou Powerful Pro Yakyuu: Basic Han '98 is a baseball simulation game that puts players in the shoes of a team manager. With updated rosters and realistic gameplay, this title offers an immersive baseball experience for enthusiasts." +623|Jikkyou Powerful Pro Yakyuu '94|Konami|Cancelled|1994| |"Jikkyou Powerful Pro Yakyuu '94 is a baseball game that allows players to take control of their favorite teams and compete in thrilling matches. Despite its cancellation in North America, this title remains popular among fans of the sport." +624|Jikkyou Powerful Pro Yakyuu '96 Kaimaku Han|Konami|Unreleased|1996| |"Jikkyou Powerful Pro Yakyuu '96 Kaimaku Han is a baseball simulation game that focuses on the early stages of a baseball season. Players can experience the excitement of starting a new season with updated teams and improved gameplay mechanics." +625|Jikkyou Powerful Pro Yakyuu 2|Konami|Unreleased|1995| |"Jikkyou Powerful Pro Yakyuu 2 is a baseball game that offers players the chance to step into the shoes of their favorite baseball players. With realistic gameplay and strategic depth, this title provides an engaging experience for fans of the sport." +626|Jikkyou Powerful Pro Yakyuu 3|Konami|Unreleased|1996| |"Jikkyou Powerful Pro Yakyuu 3 is a baseball simulation game that challenges players to lead their team to victory. With improved graphics and gameplay features, this installment delivers a realistic and immersive baseball experience." +627|Jikkyou Powerful Pro Yakyuu 3 '97 Haru|Konami|Unreleased|1997| |"Jikkyou Powerful Pro Yakyuu 3 '97 Haru is a baseball game that captures the excitement of the spring season in the world of professional baseball. Players can enjoy updated rosters and enhanced gameplay mechanics in this installment." +628|Jim Lee's WildC.A.T.S: Covert Action Teams|Playmates Interactive|1995| | |"Jim Lee's WildC.A.T.S: Covert Action Teams is an action-packed game based on the popular comic book series. Players control a team of superheroes as they battle against evil forces in a fast-paced and challenging adventure." +629|Jim Power: The Lost Dimension in 3-D|Electro Brain|1993| | |"Jim Power: The Lost Dimension in 3-D is a platformer game that combines action and puzzle-solving elements. Players guide the protagonist through various levels filled with traps and enemies, uncovering the mysteries of the lost dimension." +630|Jimmy Connors Pro Tennis Tour|Ubisoft|1992|1993| |"Jimmy Connors Pro Tennis Tour is a sports simulation game that allows players to compete in professional tennis tournaments. With realistic gameplay mechanics and challenging AI opponents, this title offers an authentic tennis experience." +631|Jimmy Houston's Bass Tournament U.S.A.•Jissen! Bass Fishing Hisshouhou in USAJP|American Sammy|1995|1995| |"Jimmy Houston's Bass Tournament U.S.A.•Jissen! Bass Fishing Hisshouhou in USAJP is a fishing simulation game that immerses players in the world of competitive bass fishing. With realistic fishing mechanics and tournament gameplay, this title provides an exciting angling experience." +632|Jirou Akagawa: Majotachi no Nemuri|Pack-In-Video|Unreleased|1995| |"Jirou Akagawa: Majotachi no Nemuri is a mystery adventure game based on the works of renowned author Jirou Akagawa. Players unravel intriguing mysteries and solve puzzles in a captivating narrative-driven experience." +633|Jissen Kyoutei|Imagineer|Unreleased|1995| |"Jissen Kyoutei is a horse racing simulation game that allows players to experience the thrill of betting on and racing horses. With realistic race mechanics and strategic wagering options, this title offers an immersive horse racing experience." +634|Jissen Pachi-Slot Hisshouhou|Sammy Corporation|Unreleased|1993| |"Jissen Pachi-Slot Hisshouhou is a pachinko and slot machine simulation game that recreates the excitement of playing these popular gambling machines. Players can enjoy a virtual casino experience with various machines and gameplay modes." +635|Jissen Pachi-Slot Hisshouhou! 2|Sammy Corporation|Unreleased|1994| |"Jissen Pachi-Slot Hisshouhou! 2 is a sequel to the popular pachinko and slot machine simulation game, offering new machines and features for players to enjoy. With enhanced graphics and gameplay, this title delivers an engaging casino experience." +636|Jissen Pachi-Slot Hisshouhou! Classic|Sammy Corporation|Unreleased|1995| |"Jissen Pachi-Slot Hisshouhou! Classic is a collection of classic pachinko and slot machine games that have been faithfully recreated for players to enjoy. With a nostalgic feel and authentic gameplay, this title appeals to fans of traditional casino games." +637|Jissen Pachi-Slot Hisshouhou! Twin|Sammy Corporation|Unreleased|1997| |"Jissen Pachi-Slot Hisshouhou! Twin is a pachinko and slot machine simulation game that offers players the chance to experience double the excitement. With dual machines and unique gameplay features, this title provides a thrilling casino experience." +638|Jissen Pachi-Slot Hisshouhou! Twin Vol. 2|Sammy Corporation|Unreleased|1997| |"Jissen Pachi-Slot Hisshouhou! Twin Vol. 2 is the second installment in the series, featuring new machines and gameplay elements for players to enjoy. With updated content and enhanced features, this title delivers an immersive pachinko and slot machine experience." +639|Jissen Pachi-Slot Hisshouhou! Yamasa Densetsu|Sammy Corporation|Unreleased|1996| |"Jissen Pachi-Slot Hisshouhou! Yamasa Densetsu is a pachinko and slot machine simulation game that showcases the legendary machines from Yamasa Corporation. Players can try their luck on these iconic machines in a virtual casino setting." +640|Jissen Pachinko Hisshouhou! 2|Sammy Corporation|Unreleased|1996||"Jissen Pachinko Hisshouhou! 2 is a pachinko simulation game released in Japan in 1996." +641|Jissen! Mahjong Shinan|ASK|Unreleased|1995||"Jissen! Mahjong Shinan is a mahjong game developed by Syscom and published by ASK in Japan in 1995." +642|Joe & Mac•Joe & Mac: Caveman NinjaEU•Joe & Mac: Tatakae GenshijinJP|Data East (JP and NA)Elite Systems (EU)|1992|1991||"Joe & Mac is a platformer game developed by Data East, released in Japan in 1991 and in North America in 1992." +643|Joe & Mac 2: Lost in the Tropics•Joe & Mac 3: Lost in the TropicsEU•Tatakae Genshijin 3: Shuyaku wa Yappari Joe & MacJP|Data East (JP and NA)Elite Systems (EU)|1994|1994||"Joe & Mac 2: Lost in the Tropics is a platformer game developed by Data East, released in Japan in 1994 and in North America in 1994." +644|John Madden Football•Pro FootballJP|EA Sports|1991|1992||"John Madden Football is a football video game developed by Park Place Productions and published by EA Sports in Japan in 1992." +645|John Madden Football '93•Pro Football '93JP|EA Sports|1992|1993||"John Madden Football '93 is a football video game developed by EA Canada and published by EA Sports in Japan in 1993." +646|JoJo no Kimyou na Bouken|Cobra Team|Unreleased|1993||"JoJo no Kimyou na Bouken is a game based on the manga series JoJo's Bizarre Adventure, developed by Winkysoft and published by Cobra Team in Japan in 1993." +647|Joushou Mahjong Tenpai|Enix|Unreleased|1995||"Joushou Mahjong Tenpai is a mahjong game developed by Game Arts and published by Enix in Japan in 1995." +648|JRA PAT|NTT|Unreleased|1996||"JRA PAT is a horse racing simulation game developed and published by NTT in Japan in 1996." +649|JRA PAT: Wide Baken Taiyou|NTT|Unreleased|1999||"JRA PAT: Wide Baken Taiyou is a horse racing simulation game developed and published by NTT in Japan in 1999." +650|Judge Dredd|Acclaim Entertainment|1995|||"'Judge Dredd' is a video game based on the comic book character, developed by Probe Entertainment and published by Acclaim Entertainment in Japan in 1995." +651|Jumpin' Derby|Naxat Soft|Unreleased|1996||"Jumpin' Derby is a horse racing game developed by KID and published by Naxat Soft in Japan in 1996." +652|The Jungle Book|Virgin Interactive|1994|||"'The Jungle Book' is a platformer game based on the Disney movie, developed by Eurocom and published by Virgin Interactive in Japan in 1994." +653|Jungle no Ouja Tar-chan: Sekai Man'yuu Dai Kakutou no Maki|Bandai|Unreleased|1994||"Jungle no Ouja Tar-chan: Sekai Man'yuu Dai Kakutou no Maki is a game based on the manga and anime series Tar-chan, developed by Kuusou Kagaku and published by Bandai in Japan in 1994." +654|Jungle Strike|Electronic Arts|1995|||"'Jungle Strike' is an action game developed by Gremlin Interactive and published by Electronic Arts in Japan in 1995." +655|Jungle Wars 2: Kodai Mahou Atimos no Nazo|Pony Canyon|Unreleased|1993||"Jungle Wars 2: Kodai Mahou Atimos no Nazo is a strategy game developed by Atelier Double and published by Pony Canyon in Japan in 1993." +656|Jurassic Park|Ocean Software|1993|1994||"'Jurassic Park' is an action game based on the movie, developed and published by Ocean Software in Japan in 1994." +657|Jurassic Park 2: The Chaos Continues|Ocean Software|1995|||"'Jurassic Park 2: The Chaos Continues' is a sequel to the first game, developed and published by Ocean Software in Japan in 1995." +658|Justice League Task Force|Acclaim Entertainment and Sunsoft|1995|1995||"'Justice League Task Force' is a fighting game developed by Blizzard Entertainment and published by Acclaim Entertainment and Sunsoft in Japan in 1995." +659|Jutei Senki|Enix|Unreleased|1993||"Jutei Senki is a strategy game developed by Tam Tam and published by Enix in Japan in 1993." +660|JWP Joshi Pro Wrestling: Pure Wrestle Queens|Jaleco||1994||"JWP Joshi Pro Wrestling: Pure Wrestle Queens is a wrestling game released in Japan in 1994. It features female wrestlers in a pure wrestling experience." +661|Ka-Blooey•BombuzalJP|Kemco|1992|1990||"Ka-Blooey•BombuzalJP is a puzzle game developed by Kemco. It was released in Japan in 1990 and North America in 1992." +662|Kabuki-chou Reach Mahjong: Toupuusen|Pony Canyon||1994||"Kabuki-chou Reach Mahjong: Toupuusen is a mahjong game developed by Studio Softmov and published by Pony Canyon. It was released in Japan in 1994." +663|Kabuki Rocks|Atlus||1994||"Kabuki Rocks is a game developed by Red Company and published by Atlus. It was released in Japan in 1994." +664|Kachou Kousaku Shima: Super Business Adventure|Yutaka||1993||"Kachou Kousaku Shima: Super Business Adventure is a simulation game developed by Tom Create and published by Yutaka. It was released in Japan in 1993." +665|Kakinoki Shougi|ASCII||1995||"Kakinoki Shougi is a shogi game developed by SAS Sakata and published by ASCII. It was released in Japan in 1995." +666|Kamaitachi no Yoru|Chunsoft||1994||"Kamaitachi no Yoru is a mystery adventure game published by Chunsoft. It was released in Japan in 1994." +667|Kamen Rider|Bandai||1993||"Kamen Rider is a game developed by Sun L and published by Bandai. It was released in Japan in 1993." +668|Kamen Rider SD: Shutsugeki!! Rider Machine|Yutaka||1995||"Kamen Rider SD: Shutsugeki!! Rider Machine is a game published by Yutaka. It was released in Japan in 1995." +669|Kat's Run: Zen-Nippon K Car Senshuken|Atlus||1995||"Kat's Run: Zen-Nippon K Car Senshuken is a racing game developed and published by Atlus. It was released in Japan in 1995." +670|Katou Ichi-Ni-San Kudan Shougi Club|Hect||1997||"Katou Ichi-Ni-San Kudan Shougi Club is a shogi game developed and published by Hect. It was released in Japan in 1997." +671|Kawa no Nushi Tsuri 2|Pack-In-Video||1995||"Kawa no Nushi Tsuri 2 is a fishing game published by Pack-In-Video. It was released in Japan in 1995." +672|Kawasaki Caribbean Challenge|GameTek|1993||| "Kawasaki Caribbean Challenge is a racing game developed by Park Place Productions and published by GameTek. It was released in North America in 1993." +673|Kawasaki Superbike Challenge|Time Warner Interactive|1995||Racing|"Kawasaki Superbike Challenge is a racing game developed by Domark and published by Time Warner Interactive. It was released in North America and PAL region in 1995." +674|Keeper|Bullet-Proof Software||1994||"Keeper is a game developed by Fupac and published by Bullet-Proof Software. It was released in Japan in 1994." +675|Keiba Eight Special|Misawa||1993||"Keiba Eight Special is a horse racing game developed by C-Lab and published by Misawa. It was released in Japan in 1993." +676|Keiba Eight Special 2|Imagineer||1994||"Keiba Eight Special 2 is a horse racing game developed by C-Lab and published by Imagineer. It was released in Japan in 1994." +677|Keiba Yosou Baken Renkinjutsu|KSS||1994||"Keiba Yosou Baken Renkinjutsu is a horse racing game published by KSS. It was released in Japan in 1994." +678|Ken Griffey Jr. Presents Major League Baseball|Nintendo|1994||Sports|"Ken Griffey Jr. Presents Major League Baseball is a sports game developed by Software Creations and published by Nintendo. It was released in North America in 1994." +679|Ken Griffey Jr.'s Winning Run|Nintendo|1996||Sports|"Ken Griffey Jr.'s Winning Run is a sports game developed by Rare and published by Nintendo. It was released in North America in 1996." +680|Kendo Rage•Makeruna! MakendouJP|SETA|1993|1993|Action|"Kendo Rage, known in Japan as Makeruna! Makendou, is a side-scrolling action game released in 1993. Players control a high school girl named Jo, who must defeat enemies using her kendo skills." +681|Kenyuu Densetsu Yaiba|Banpresto||1994|Adventure|"Kenyuu Densetsu Yaiba is an adventure game released in 1994. The game follows the story of Yaiba Kurogane, a young ninja seeking revenge against his father's killer." +682|Kero Kero Keroppi no Bōken Nikki: Nemureru Mori no Keroleen|Character Soft||1994|1994|Puzzle|"Kero Kero Keroppi no Bōken Nikki: Nemureru Mori no Keroleen is a puzzle game released in 1994. Players guide Keroppi through various levels to rescue his friend Keroleen." +683|Kessen! Dokapon Okukoku IV: Densetsu no Yuusha Tachi|Asmik Ace Entertainment||1993|1993|Strategy|"Kessen! Dokapon Okukoku IV: Densetsu no Yuusha Tachi is a strategy game released in 1993. Players engage in battles and strategic gameplay to become legendary heroes." +684|Kevin Keegan's Player Manager•K.H. Rummenigge's Player ManagerGER|Imagineer|||1993|Sports|"Kevin Keegan's Player Manager, also known as K.H. Rummenigge's Player Manager in Germany, is a sports management simulation game released in 1993." +685|Kick Off•Super Kick OffJP|Imagineer||1992|1992|Sports|"Kick Off, also known as Super Kick Off in Japan, is a soccer video game released in 1992. Players compete in fast-paced matches to win championships." +686|Kick Off 3: European Challenge|Vic Tokai|||1994|Sports|"Kick Off 3: European Challenge is a sports game that was cancelled for North America release in 1994. The game offers challenging soccer gameplay with European teams." +687|Kid Klown in Crazy Chase|Kemco|1994|1994|1995|Platformer|"Kid Klown in Crazy Chase is a platformer game released in 1994. Players control Kid Klown as he embarks on a wacky adventure to rescue the princess." +688|Kidou Butouden G-Gundam|Bandai||1994|1994|Fighting|"Kidou Butouden G-Gundam is a fighting game released in 1994. Players pilot giant robots known as Gundams to battle in a futuristic tournament." +689|Kidou Senshi Gundam: Cross Dimension 0079|Bandai||1995|1995|Action|"Kidou Senshi Gundam: Cross Dimension 0079 is an action game released in 1995. Players experience intense battles in the world of the Gundam anime series." +690|Kidou Senshi Gundam F91: Formula Senki 0122|Bandai||1991|1991|Action|"Kidou Senshi Gundam F91: Formula Senki 0122 is an action game released in 1991. Players pilot mobile suits in fast-paced combat scenarios." +691|Kidou Senshi V Gundam|Bandai||1994|1994|Action|"Kidou Senshi V Gundam is an action game released in 1994. Players control mobile suits from the Gundam series in intense battles." +692|Kidou Senshi Z Gundam: Away to the NewType|Bandai||1996|1996|Action|"Kidou Senshi Z Gundam: Away to the NewType is an action game released in 1996. Players experience the epic battles of the Z Gundam series." +693|Kidō Keisatsu Patlabor|BEC||1994|1994|Action|"Kidō Keisatsu Patlabor is an action game released in 1994. Players take on the role of Patlabor pilots to combat rogue robots in the city." +694|Kikuni Masahiko no Jantoushi Dora Ou|Planning Office Wada||1993|1993|Board game|"Kikuni Masahiko no Jantoushi Dora Ou is a board game released in 1993. Players engage in strategic gameplay to become the ultimate mahjong champion." +695|Kikuni Masahiko no Jantoushi Dora Ou 2|Planning Office Wada||1993|1993|Board game|"Kikuni Masahiko no Jantoushi Dora Ou 2 is a board game released in 1993. Players compete in mahjong matches to test their skills and strategies." +696|Killer Instinct|Nintendo|1995||1995|Fighting|"Killer Instinct is a fighting game released in 1995. Players choose from a diverse roster of characters to engage in intense battles and combos." +697|Kindai Mahjong Special|Imagineer||1995|1995|Board game|"Kindai Mahjong Special is a board game released in 1995. Players enjoy traditional mahjong gameplay with special features and challenges." +698|King Arthur & the Knights of Justice|Enix|1995||1995|Action-adventure|"King Arthur & the Knights of Justice is an action-adventure game released in 1995. Players control King Arthur and his knights in a quest to restore peace to the kingdom." +699|King Arthur's World•Royal ConquestJP|Jaleco|1994|1994|1993|Strategy|"King Arthur's World, also known as Royal Conquest in Japan, is a strategy game released in 1994. Players lead King Arthur's army to victory against enemies." +700|The King of Dragons|Capcom|1994|1994|Action| "The King of Dragons is a fantasy-themed side-scrolling beat 'em up video game released by Capcom in 1994. Players can choose from five characters to battle through various levels and defeat bosses." +701|King of the Monsters|Takara|1992|1992|Fighting| "King of the Monsters is a fighting game developed by Genki and published by Takara in 1992. Players control giant monsters battling in various cities to become the ultimate champion." +702|King of the Monsters 2|Takara|1994|1993|Fighting| "King of the Monsters 2 is the sequel to the original game, released by Takara in 1994. It features improved graphics and gameplay, with players controlling monsters to fight against each other." +703|The King of Rally|Meldac||1992|Racing| "The King of Rally, developed by KAZe and published by Meldac, was set to release in 1992 but was ultimately cancelled. It was intended to offer exciting rally racing gameplay." +704|Kingyo Chuuihou! Tobidase Game Gakuen|Jaleco||1994|1994|Simulation| "Kingyo Chuuihou! Tobidase Game Gakuen is a simulation game published by Jaleco in 1994. Players manage a school for goldfish, providing a unique and fun gameplay experience." +705|Kinnikuman: Dirty Challenger|Yutaka||1992|1992|Fighting| "Kinnikuman: Dirty Challenger, published by Yutaka in 1992, is a fighting game based on the popular Kinnikuman manga series. Players can battle with various characters in intense matches." +706|Kirby no Kirakira Kizzu|Nintendo||1999|1999|Platformer| "Kirby no Kirakira Kizzu, developed by HAL Laboratory and published by Nintendo in 1999, is a platformer game featuring the lovable character Kirby. Players embark on colorful adventures in a whimsical world." +707|Kirby Super Star•Kirby's Fun PakEU•Hoshi no Kirby Super DeluxeJP|Nintendo|1996|1996|Platformer| "Kirby Super Star, also known as Kirby's Fun Pak in Europe and Hoshi no Kirby Super Deluxe in Japan, is a platformer game released by HAL Laboratory and Nintendo in 1996. It offers multiple sub-games with varying gameplay styles." +708|Kirby's Avalanche•Kirby's Ghost TrapEU|Nintendo|1995||Puzzle| "Kirby's Avalanche, known as Kirby's Ghost Trap in Europe, is a puzzle game published by Nintendo in 1995. Players compete in a falling-block puzzle tournament against various characters from the Kirby series." +709|Kirby's Dream Course•Kirby BowlJP|Nintendo|1995|1994|Sports| "Kirby's Dream Course, also known as Kirby Bowl in Japan, is a sports game developed by HAL Laboratory and published by Nintendo in 1994. Players control Kirby in a unique golf-like gameplay experience." +710|Kirby's Dream Land 3•Hoshi no Kirby 3JP|Nintendo|1997|1998|Platformer| "Kirby's Dream Land 3, also known as Hoshi no Kirby 3 in Japan, is a platformer game released by HAL Laboratory and Nintendo in 1997. Players join Kirby in a colorful adventure to save Dream Land." +711|Kishin Douji Zenki: Batoru Raiden|Hudson Soft|1995|1995|Action| "Kishin Douji Zenki: Batoru Raiden, published by Hudson Soft in 1995, is an action game based on the Zenki anime and manga series. Players control Zenki in intense battles against demonic forces." +712|Kishin Douji Zenki: Denei Raibu|Hudson Soft|1995|1995|Action| "Kishin Douji Zenki: Denei Raibu, developed by Now Production and published by Hudson Soft in 1995, follows Zenki in a digital world adventure. Players must navigate challenges to save the day." +713|Kishin Douji Zenki: Tenchi Meidou|Hudson Soft|1996|1996|Action| "Kishin Douji Zenki: Tenchi Meidou, published by Hudson Soft in 1996, is an action game continuing Zenki's adventures. Players face new threats and challenges in the epic storyline." +714|Kishin Korinden Oni|Banpresto|1994|1994|Action| "Kishin Korinden Oni, developed by Pandora's Box and published by Banpresto in 1994, is an action game set in a fantastical world. Players embark on a quest to defeat evil forces." +715|Kiteretsu Daihyakka: Choujikuu Sugoroku|Video System|1995|1995|Board Game| "Kiteretsu Daihyakka: Choujikuu Sugoroku, published by Video System in 1995, is a board game adaptation of the popular Kiteretsu Daihyakka anime series. Players roll dice and navigate through a futuristic world." +716|Knights of the Round|Capcom|1994|1994|Action| "Knights of the Round, developed and published by Capcom in 1994, is a side-scrolling action game based on Arthurian legend. Players control knights on a quest to defeat enemies and restore peace." +717|Konpeki no Kantai|Angel|1995|1995|Strategy| "Konpeki no Kantai, developed by Access and published by Angel in 1995, is a strategy game set in a naval warfare theme. Players command fleets and engage in tactical battles to dominate the seas." +718|Kouryaku Casino Bar|Nichibutsu|1995|1995|Casino| "Kouryaku Casino Bar, published by Nichibutsu in 1995, offers a virtual casino experience with various gambling games. Players can try their luck in different casino activities." +719|Kouryuu Densetsu Villgust|Bandai|1992|1992|Role-Playing| "Kouryuu Densetsu Villgust, published by Bandai in 1992, is a role-playing game based on the anime series. Players embark on a quest to save the kingdom and uncover the mysteries of Villgust." +720|Kouryuu no Mimi|VAP|Unreleased|1995||"Kouryuu no Mimi is a video game developed and published by VAP. It was released in Japan on December 22, 1995. The game has not been released in North America or the PAL region." +721|Koushien 2|K Amusement Leasing|Unreleased|1992||"Koushien 2 is a video game developed by Affect and published by K Amusement Leasing. It was released in Japan on June 26, 1992. The game has not been released in North America or the PAL region." +722|Koushien 3|Magical Company|Unreleased|1994||"Koushien 3 is a video game developed and published by Magical Company. It was released in Japan on July 29, 1994. The game has not been released in North America or the PAL region." +723|Koushien 4|Magical Company|Unreleased|1995||"Koushien 4 is a video game developed and published by Magical Company. It was released in Japan on July 14, 1995. The game has not been released in North America or the PAL region." +724|Kousoku Shikou: Shougi Ou|Imagineer|Unreleased|1995||"Kousoku Shikou: Shougi Ou is a video game developed by Access and published by Imagineer. It was released in Japan on March 24, 1995. The game has not been released in North America or the PAL region." +725|Koutetsu no Kishi|Asmik Ace Entertainment, Inc|Unreleased|1993||"Koutetsu no Kishi is a video game developed by Dual and published by Asmik Ace Entertainment, Inc. It was released in Japan on February 19, 1993. The game has not been released in North America or the PAL region." +726|Koutetsu no Kishi 2: Sabaku no Rommel Shougun|Asmik Ace Entertainment, Inc|Unreleased|1994||"Koutetsu no Kishi 2: Sabaku no Rommel Shougun is a video game developed by Dual and published by Asmik Ace Entertainment, Inc. It was released in Japan on January 28, 1994. The game has not been released in North America or the PAL region." +727|Koutetsu no Kishi 3: Gekitotsu Europe Sensen|Asmik Ace Entertainment, Inc|Unreleased|1995||"Koutetsu no Kishi 3: Gekitotsu Europe Sensen is a video game developed by Dual and published by Asmik Ace Entertainment, Inc. It was released in Japan on January 27, 1995. The game has not been released in North America or the PAL region." +728|Krusty's Super Fun House•Krusty WorldJP|Acclaim Entertainment|1992|1993||"Krusty's Super Fun House is a video game developed by Audiogenic and published by Acclaim Entertainment. It was released in Japan on January 29, 1993, in North America on June 1, 1992, and in the PAL region on January 1, 1992." +729|Kunio no Oden|Technōs Japan|Unreleased|1994||"Kunio no Oden is a video game published by Technōs Japan. It was released in Japan on May 27, 1994. The game has not been released in North America or the PAL region." +730|Kunio-kun no Dodgeball da yo Zen'in Shūgō!!|Technōs Japan|Unreleased|1993||"Kunio-kun no Dodgeball da yo Zen'in Shūgō!! is a video game developed and published by Technōs Japan. It was released in Japan on August 6, 1993. The game has not been released in North America or the PAL region." +731|Kunio-kun no Dodge Ball: Zenin Shuugou! Tournament Special|Technōs Japan|Unreleased|1993||"Kunio-kun no Dodge Ball: Zenin Shuugou! Tournament Special is a video game developed and published by Technōs Japan. It was released in Japan on August 6, 1993. The game has not been released in North America or the PAL region." +732|Kuusou Kagaku Sekai Gulliver Boy|Bandai|Unreleased|1996||"Kuusou Kagaku Sekai Gulliver Boy is a video game developed by Amble and published by Bandai. It was released in Japan on June 27, 1996. The game has not been released in North America or the PAL region." +733|Kyle Petty's No Fear Racing•Circuit USAJP|Williams Entertainment|1995|1995||"Kyle Petty's No Fear Racing is a video game developed by Leland Interactive Media and published by Williams Entertainment. It was released in Japan on June 30, 1995, and in North America on April 1, 1995. The game has not been released in the PAL region." +734|Kyouraku Sanyou Maruhon Parlor! Parlor!|Nippon Telenet|Unreleased|1995||"Kyouraku Sanyou Maruhon Parlor! Parlor! is a video game published by Nippon Telenet. It was released in Japan on March 30, 1995. The game has not been released in North America or the PAL region." +735|Kyouraku Sanyou Maruhon Parlor! Parlor! 2|Nippon Telenet|Unreleased|1995||"Kyouraku Sanyou Maruhon Parlor! Parlor! 2 is a video game published by Nippon Telenet. It was released in Japan on August 25, 1995. The game has not been released in North America or the PAL region." +736|Kyouraku Sanyou Maruhon Parlor! Parlor! 3|Nippon Telenet|Unreleased|1996||"Kyouraku Sanyou Maruhon Parlor! Parlor! 3 is a video game published by Nippon Telenet. It was released in Japan on January 19, 1996. The game has not been released in North America or the PAL region." +737|Kyouraku Sanyou Maruhon Parlor! Parlor! IV CR|Nippon Telenet|Unreleased|1995||"Kyouraku Sanyou Maruhon Parlor! Parlor! IV CR is a video game published by Nippon Telenet. It was released in Japan on December 29, 1995. The game has not been released in North America or the PAL region." +738|Kyouraku Sanyou Maruhon Parlor! Parlor! 5|Nippon Telenet|Unreleased|1996||"Kyouraku Sanyou Maruhon Parlor! Parlor! 5 is a video game published by Nippon Telenet. It was released in Japan on March 29, 1996. The game has not been released in North America or the PAL region." +739|Kyuuyaku Megami Tensei|Atlus|Unreleased|1995||"Kyuuyaku Megami Tensei is a video game developed by Opera House and published by Atlus. It was released in Japan on March 31, 1995. The game has not been released in North America or the PAL region." +740|Lady Stalker: Challenge from the Past|Taito|Unreleased|1995|Adventure| "Lady Stalker: Challenge from the Past is an adventure game released in Japan in 1995. The game follows the story of a protagonist facing challenges from the past." +741|Lagoon|Kemco (JP and EU)Seika Corporation (NA)|1991|1991|Adventure| "Lagoon is an adventure game released in Japan in 1991. The game features a unique storyline and gameplay mechanics that set it apart from other titles in the genre." +742|Lamborghini American Challenge|Titus Software|1993|1993|Racing| "Lamborghini American Challenge is a racing game released in 1993. Players can expect high-speed action and challenging gameplay in this title." +743|Laplace no Ma|Vic Tokai|Unreleased|1995|Role-playing| "Laplace no Ma is a role-playing game set to release in 1995. Dive into a fantasy world filled with magic and adventure in this exciting title." +744|Laser Birdie: Get in the Hole|Richo|Unreleased|1995|Sports| "Laser Birdie: Get in the Hole is a sports game set to release in 1995. Test your golfing skills and aim to get the ball in the hole in this fun title." +745|Last Action Hero|Sony Imagesoft|1993|Unreleased|Action| "Last Action Hero is an action-packed game released in 1993. Join the protagonist on a thrilling adventure filled with danger and excitement." +746|The Last Battle|Techiku|Unreleased|1994|Fighting| "The Last Battle is a fighting game set to release in 1994. Engage in epic battles and showcase your combat skills in this intense title." +747|Last Bible III|Atlus|Unreleased|1995|Role-playing| "Last Bible III is a role-playing game set to release in 1995. Immerse yourself in a rich fantasy world and embark on an epic quest in this captivating title." +748|The Lawnmower Man•Virtual WarsJP|THQ|1993|1994|Action| "The Lawnmower Man•Virtual WarsJP is an action game released in 1993. Enter a virtual world filled with challenges and obstacles in this thrilling title." +749|Leading Company|Koei|Unreleased|1993|Simulation| "Leading Company is a simulation game set to release in 1993. Manage your own company and make strategic decisions to achieve success in this engaging title." +750|Leading Jockey|Carrozzeria|Unreleased|1994|Sports| "Leading Jockey is a sports game set to release in 1994. Experience the thrill of horse racing and compete to become the leading jockey in this exciting title." +751|Leading Jockey 2|Carrozzeria|Unreleased|1995|Sports| "Leading Jockey 2 is a sports game set to release in 1995. Get ready for more horse racing action and new challenges in this anticipated sequel." +752|Legend|Seika Corporation|1994|Unreleased|Adventure| "Legend is an adventure game released in 1994. Embark on a journey filled with mystery and discovery in this captivating title." +753|The Legend of the Mystical Ninja•Ganbare Goemon: Yukihime Kyuushutsu EmakiJP|Konami|1992|1991|Adventure| "The Legend of the Mystical Ninja•Ganbare Goemon: Yukihime Kyuushutsu EmakiJP is an adventure game released in 1991. Join Goemon on a quest to rescue Yukihime in this classic title." +754|The Legend of Zelda: A Link to the Past †•The Legend of Zelda: Triforce of the GodsJP|Nintendo|1992|1991|Adventure| "The Legend of Zelda: A Link to the Past †•The Legend of Zelda: Triforce of the GodsJP is an adventure game released in 1991. Explore the land of Hyrule and embark on a quest to save Princess Zelda in this iconic title." +755|Lemmings|Sunsoft|1992|1991|Puzzle| "Lemmings is a puzzle game released in 1991. Guide the adorable Lemmings through challenging levels and use your wit to solve puzzles in this addictive title." +756|Lemmings 2: The Tribes|Psygnosis|1994|1994|Puzzle| "Lemmings 2: The Tribes is a puzzle game released in 1994. Join the Lemmings on a new adventure and explore different tribes with unique abilities in this engaging title." +757|Lennus II: Fuuin no Shito|Asmik Ace Entertainment|Unreleased|1996|Role-playing| "Lennus II: Fuuin no Shito is a role-playing game set to release in 1996. Dive into a fantasy world and embark on an epic quest in this highly anticipated sequel." +758|Lester the Unlikely•Odekake Lester: Lelele no LeJP|DTMC|1994|1994|Adventure| "Lester the Unlikely•Odekake Lester: Lelele no LeJP is an adventure game released in 1994. Follow the journey of Lester as he overcomes challenges and grows into a hero in this heartwarming title." +759|Lethal Enforcers|Konami|1994|1994|Shooter| "Lethal Enforcers is a shooter game released in 1994. Step into the shoes of a law enforcement officer and take down criminals in this action-packed title." +760|Lethal Weapon|Ocean Software|1992|1992|Action|"Lethal Weapon is a video game based on the popular action movie franchise. Players take on the roles of Martin Riggs and Roger Murtaugh as they fight crime in Los Angeles." +761|Liberty or Death•Dokuritsu Sensou: Liberty or DeathJP|Koei|1994|1994|Strategy|"Liberty or Death is a strategy game set during the American Revolutionary War. Players can choose to lead either the American or British forces in this historical conflict." +762|Libble Rabble|Namco|Unreleased|1994|Puzzle|"Libble Rabble is a unique puzzle game where players must navigate mazes and collect items while avoiding enemies. The game features colorful graphics and challenging gameplay." +763|Light Fantasy|Tonkin House|Unreleased|1992|Role-playing|"Light Fantasy is a role-playing game where players embark on a quest to save the kingdom from an evil sorcerer. The game features turn-based battles and a rich fantasy world to explore." +764|Light Fantasy II|Tonkin House|Unreleased|1995|Role-playing|"Light Fantasy II is the sequel to the original game, continuing the story of the kingdom and its heroes. Players must once again battle evil forces to restore peace to the land." +765|The Lion King|Virgin Interactive|1994|1994|Platformer|"The Lion King is a platformer based on the classic Disney animated film. Players control Simba as he journeys through the Pride Lands to become king. The game features iconic scenes from the movie." +766|Little Magic|Altron|Unreleased|1993|Adventure|"Little Magic is an adventure game where players must solve puzzles and uncover mysteries in a magical world. The game features charming visuals and engaging gameplay." +767|Little Master: Nijiiro no Maseki|Tokuma Shoten|Unreleased|1995|Role-playing|"Little Master: Nijiiro no Maseki is a role-playing game where players collect and train monsters to battle in tournaments. The game offers a variety of creatures to discover and challenges to overcome." +768|Live A Live|Square|Unreleased|1994|Role-playing|"Live A Live is a unique role-playing game where players experience multiple storylines set in different time periods and genres. The game features innovative gameplay mechanics and a compelling narrative." +769|Lock On•Super Air DiverEU|Vic Tokai|1993|1993|Simulation|"Lock On is a flight simulation game where players pilot various aircraft on missions to complete objectives. The game offers realistic controls and challenging missions to test players' skills." +770|Lode Runner Twin: Justy to Liberty no Daibouken|T&E Soft|Unreleased|1994|Action|"Lode Runner Twin is an action game where players navigate maze-like levels to collect treasures while avoiding enemies. The game requires quick thinking and precise movements to succeed." +771|Lodoss Tou Senki: Record of Lodoss War|Kadokawa Shoten|Unreleased|1995|Role-playing|"Record of Lodoss War is a role-playing game based on the popular fantasy novel and anime series. Players embark on an epic quest to save the land of Lodoss from dark forces." +772|Logos Panic|Yutaka|Unreleased|1995|Puzzle|"Logos Panic is a puzzle game where players must match colored blocks to clear the board. The game offers challenging gameplay and colorful visuals to keep players engaged." +773|Looney Tunes B-Ball•Looney Tunes BasketballEU|Sunsoft|1995|Unreleased|Sports|"Looney Tunes B-Ball is a basketball game featuring characters from the popular cartoon series. Players can choose their favorite Looney Tunes characters and compete in wacky basketball matches." +774|Lord Monarch|Epoch Co.|Unreleased|1992|Strategy|"Lord Monarch is a strategy game where players build and manage a kingdom to conquer rival territories. The game offers deep strategic gameplay and a variety of challenges to overcome." +775|The Lost Vikings•Viking no DaimeiwakuJP|Interplay Entertainment|1993|1993|Puzzle|"The Lost Vikings is a puzzle-platformer where players control three vikings with unique abilities to solve challenges and escape from various levels. The game requires teamwork and clever thinking to progress." +776|The Lost Vikings 2|Interplay Entertainment|1997|Unreleased|Puzzle|"The Lost Vikings 2 continues the adventures of the viking trio as they travel through time to rescue their kidnapped friends. Players must use each viking's skills wisely to overcome obstacles and puzzles." +777|Love Quest|Tokuma Shoten|Unreleased|1995|Adventure|"Love Quest is an adventure game where players navigate a romantic storyline to find love. The game offers branching paths and multiple endings based on player choices." +778|Lucky Luke|Infogrames|Unreleased|Unreleased|Action|"Lucky Luke is an action game based on the popular Western comic book series. Players control the cowboy Lucky Luke as he faces off against outlaws and bandits in the Wild West." +779|Lufia & the Fortress of Doom•Estpolis DenkiJP|Taito|1993|1993|Role-playing|"Lufia & the Fortress of Doom is a role-playing game where players embark on a quest to save the world from an ancient evil. The game features turn-based battles and a compelling story with memorable characters." +780|Lufia II: Rise of the Sinistrals|Natsume|1996|1995|RPG|"Lufia II: Rise of the Sinistrals is a role-playing game where the player controls a group of characters on a quest to save the world from evil forces." +781|Lupin III: Densetsu no Hihō o Oe!|Epoch Co.| |1994|Action|"Lupin III: Densetsu no Hihō o Oe! is an action game based on the popular anime series Lupin III, where players control the iconic thief Lupin on various heists." +782|M.A.C.S. Basic Rifle Marksmanship| |1993| |Simulation|"M.A.C.S. Basic Rifle Marksmanship is a simulation game that focuses on teaching players the basics of rifle marksmanship in a virtual environment." +783|Madden NFL '94|Electronic Arts|1993|1993|Sports|"Madden NFL '94 is a sports game based on American football, featuring realistic gameplay and team management elements." +784|Madden NFL '95|Electronic Arts|1994| |Sports|"Madden NFL '95 is a sports game that continues the franchise with updated rosters and gameplay improvements from its predecessor." +785|Madden NFL '96|Electronic Arts|1995| |Sports|"Madden NFL '96 is a sports game that introduces new features and improvements to the Madden NFL series, offering an enhanced football gaming experience." +786|Madden NFL 97|Electronic Arts|1996| |Sports|"Madden NFL 97 is a sports game that further refines the gameplay mechanics and graphics of the Madden NFL series, providing an immersive football experience." +787|Madden NFL 98|THQ|1997| |Sports|"Madden NFL 98 is a sports game that marks the end of the Madden NFL series on the Super Nintendo Entertainment System, offering the latest NFL teams and players." +788|Madou Monogatari: Hanamaru Daiyouchienji|Compile| |1996|RPG|"Madou Monogatari: Hanamaru Daiyouchienji is a role-playing game set in a magical school, where players embark on adventures and solve mysteries in a whimsical world." +789|Magic Boy|JVC Musical Industries|1996|1996|Platformer|"Magic Boy is a platformer game where players control a young wizard on a quest to defeat enemies and restore peace to the magical realm." +790|Magic Knight Rayearth|Tomy| |1995|Action-Adventure|"Magic Knight Rayearth is an action-adventure game based on the manga and anime series of the same name, where players guide three heroines on a quest to save a mystical world." +791|Magic Sword|Capcom|1992|1992|Action|"Magic Sword is an action game where players control a hero on a quest to climb a tower and defeat evil forces, utilizing different weapons and magic along the way." +792|Magical Drop|Data East| |1995|Puzzle|"Magical Drop is a puzzle game where players match colored bubbles to clear the screen, featuring fast-paced gameplay and competitive multiplayer modes." +793|Magical Drop 2|Data East| |1996|Puzzle|"Magical Drop 2 is a sequel to the popular puzzle game, introducing new characters, levels, and gameplay mechanics for an enhanced magical matching experience." +794|The Magical Quest Starring Mickey Mouse|Capcom|1992|1992|Platformer|"The Magical Quest Starring Mickey Mouse is a platformer game where players control Mickey on a journey to rescue his dog Pluto, using magical outfits to overcome obstacles." +795|Magical Pop'n|Pack-in-Video| |1995|Action-Platformer|"Magical Pop'n is an action-platformer game where players control a magical girl on a quest to save her kingdom, featuring colorful graphics and challenging levels." +796|Magical Taruruuto-kun: Magic Adventure|Bandai| |1992|Action|"Magical Taruruuto-kun: Magic Adventure is an action game based on the manga series, where players control a young magician on a whimsical adventure filled with puzzles and enemies." +797|Magna Braban: Henreki no Yuusha|ASK| |1994|RPG|"Magna Braban: Henreki no Yuusha is a role-playing game where players embark on a quest to save a kingdom from dark forces, featuring turn-based combat and exploration." +798|Mahjong Club|Hect| |1994|Puzzle|"Mahjong Club is a puzzle game that offers various mahjong challenges and modes for players to enjoy, testing their skills and strategy in the classic tile-matching game." +799|Mahjong Gokuu Tenjiku|Chat Noir| |1994|Puzzle|"Mahjong Gokuu Tenjiku is a mahjong game that follows traditional rules and gameplay, providing an authentic experience for players to enjoy the popular tile-based game." +800|Mahjong Hanjouki|Nichibutsu|Unreleased|1995| |"Mahjong Hanjouki is a mahjong video game released by Nichibutsu in Japan on July 28, 1995. The game features traditional mahjong gameplay with a unique twist." +801|Mahjong Sengoku Monogatari|Yojigen|Unreleased|1994| |"Mahjong Sengoku Monogatari, developed by Khaos and published by Yojigen, was released in Japan on September 23, 1994. The game offers a historical setting for mahjong enthusiasts." +802|Mahjong Taikai II|Koei|Unreleased|1994| |"Mahjong Taikai II, published by Koei, was set to be released in Japan on September 30, 1994. The game promises an immersive mahjong tournament experience." +803|The Mahjong Touhaiden|Video System|Unreleased|1993| |"The Mahjong Touhaiden, developed by Khaos and published by Video System, hit the Japanese market on April 16, 1993. Dive into the world of mahjong with this engaging title." +804|Mahou Poi Poi Poitto!|Takara|Unreleased|1994| |"Mahou Poi Poi Poitto!, developed by Metro and published by Takara, was scheduled for release in Japan on August 5, 1994. Experience magical gameplay in this mahjong-themed game." +805|Mahoujin Guru Guru|Enix|Unreleased|1995| |"Mahoujin Guru Guru, developed by Tam Tam and published by Enix, became available in Japan on April 21, 1995. Embark on a whimsical adventure with this captivating title." +806|Mahoujin Guru Guru 2|Enix|Unreleased|1996| |"Mahoujin Guru Guru 2, the sequel to the original game, was developed by Tam Tam and published by Enix. Players in Japan could enjoy this title starting from April 12, 1996." +807|Majin Tensei|Atlus|Unreleased|1994| |"Majin Tensei, developed and published by Atlus, was released in Japan on January 28, 1994. Immerse yourself in a captivating strategy RPG experience with this title." +808|Majin Tensei II: Spiral Nemesis|Atlus|Unreleased|1995| |"Majin Tensei II: Spiral Nemesis, the sequel to the original game, was developed and published by Atlus. Players in Japan could enjoy this title starting from February 19, 1995." +809|Majuu Ou|KSS|Unreleased|1995| |"Majuu Ou, published by KSS, was set to be released in Japan on August 25, 1995. Enter a world of supernatural creatures and challenges in this intriguing game." +810|Maka Maka|Sigma Enterprises|Unreleased|1992| |"Maka Maka, developed by Office Koukan and published by Sigma Enterprises, was released in Japan on April 24, 1992. Explore a unique gaming experience with this title." +811|Makeruna! Makendou 2: Kimero Youkai Souri|Datam Polystar|Unreleased|1995| |"Makeruna! Makendou 2: Kimero Youkai Souri, developed by Success and published by Datam Polystar, was released in Japan on March 17, 1995. Engage in exciting battles against supernatural foes in this action-packed game." +812|Manchester United Championship Soccer•Lothar Matthäus Super SoccerGER|Ocean Software|Unreleased|1995| |"Manchester United Championship Soccer•Lothar Matthäus Super SoccerGER, developed by Krisalis Software and published by Ocean Software, was set to be released in the PAL region in 1995. Experience soccer excitement with this title." +813|Marchen Adventure Cotton 100%|Datam Polystar|Unreleased|1994| |"Marchen Adventure Cotton 100%, developed by Success and published by Datam Polystar, was released in Japan on April 22, 1994. Join Cotton on her magical adventure in this charming game." +814|Mario & Wario|Nintendo|Cancelled|1993| |"Mario & Wario, developed by Game Freak and published by Nintendo, was scheduled for release in Japan on August 27, 1993. However, the game was later cancelled, leaving fans curious about its gameplay." +815|Mario is Missing!|The Software Toolworks|June 1993| | |"Mario is Missing!, developed and published by The Software Toolworks, was released in North America in June 1993 and in the PAL region in September 1993. Join Mario on an educational adventure to learn about geography." +816|Mario no Super Picross|Nintendo|Unreleased|1995| |"Mario no Super Picross, published by Nintendo, was set to be released in Japan on September 14, 1995. Enjoy a puzzle-solving experience with Mario in this anticipated title." +817|Mario Paint|Nintendo|August 1, 1992|1992| |"Mario Paint, developed and published by Nintendo, was released in Japan on July 14, 1992, in North America on August 1, 1992, and in the PAL region on December 10, 1992. Unleash your creativity with this innovative art tool." +818|Mario's Early Years! Fun with Letters|The Software Toolworks|September 1994| | |"Mario's Early Years! Fun with Letters, developed and published by The Software Toolworks, was released in North America in September 1994. Dive into a fun and educational experience with Mario." +819|Mario's Early Years! Fun with Numbers|The Software Toolworks|October 1994| | |"Mario's Early Years! Fun with Numbers, developed and published by The Software Toolworks, was released in North America in October 1994. Join Mario in a learning adventure focused on numbers." +820|Mario's Early Years! Preschool Fun|Mindscape|1994||"Educational game featuring Mario and friends for preschoolers." +821|Mario's Time Machine|The Software Toolworks|1993||"Educational game where Mario travels through time to collect historical artifacts." +822|Mark Davis' The Fishing Master•Oomono Black Bass Fishing: Jinzouko HenJP|Natsume|1996|1995|Sports|"Fishing simulation game featuring Mark Davis with realistic fishing mechanics." +823|Marko's Magic Football|Acclaim Entertainment|1995||| "Action platformer where Marko uses magic to play football against monsters." +824|Marmalade Boy|Bandai|1995||| "Adventure game based on the manga and anime series Marmalade Boy." +825|Marvel Super Heroes: War of the Gems|Capcom|1996|1996|Fighting|"Fighting game featuring Marvel superheroes battling to retrieve the Infinity Gems." +826|Marvelous: Mouhitotsu no Takarajima|Nintendo| |1996||"Action-adventure game where the player explores an island in search of treasure." +827|Mary Shelley's Frankenstein|Sony Imagesoft|1994||| "Action game based on the novel Frankenstein by Mary Shelley." +828|The Mask|Black Pearl Software|1995|1996||"Action platformer based on the movie The Mask, featuring the character Stanley Ipkiss." +829|Maten Densetsu: Senritsu no Ooparts|Takara| |1995||"Adventure game where the player uncovers ancient mysteries and artifacts." +830|Math Blaster: Episode 1|Davidson & Associates|1994||Educational|"Math learning game for kids with arcade-style gameplay and puzzles." +831|Matsukata Hiroki no Super Trawling|Tonkin House| |1995||"Fishing simulation game with a focus on deep-sea trawling." +832|Matsumura Kunihiro Den: Saikyou no Rekishi o Nurikaero!|Shouei| |1994||"Historical simulation game where the player shapes the history of Matsumura Kunihiro." +833|Maui Mallard in Cold Shadow•Donald in Maui MallardEU|Nintendo|1997|1996||"Action-adventure game featuring Donald Duck in a tropical setting." +834|Mazinger Z|Bandai|1993||| "Action game based on the anime and manga series Mazinger Z." +835|Mecarobot Golf•Serizawa Nobuo no Birdie TryJP|Toho|1993|1992||"Golf simulation game featuring mecha robots and challenging courses." +836|MechWarrior•BattleTechJP|Activision|1993|1993|Simulation|"Mech combat simulation game based on the BattleTech universe." +837|MechWarrior 3050•BattleTech 3050JP|Activision|1995|1996|Simulation|"Sequel to MechWarrior featuring enhanced graphics and new mechs to pilot." +838|Mega Lo Mania•Mega-Lo-Mania: Jikū DaisenryakuJP|Virgin Interactive| |1993|Strategy|"Real-time strategy game where the player controls civilizations to conquer islands." +839|Mega Man 7•Rockman 7: Shukumei no Taiketsu!JP|Capcom (JP and NA)Laguna GmbH (EU)|1995|1995|Action|"Seventh installment in the Mega Man series with new bosses and abilities for Mega Man." +840|Mega Man Soccer•Rockman's SoccerJP|Capcom|1994|1994|Sports|"Mega Man Soccer, known in Japan as Rockman's Soccer, is a sports game released in 1994. It features characters from the Mega Man series playing soccer matches." +841|Mega Man X †•Rockman XJP|Capcom (JP and NA)Nintendo (EU)|1994|1993|Action|"Mega Man X, known as Rockman X in Japan, is an action game released in 1993. It follows the adventures of Mega Man X in a futuristic world." +842|Mega Man X2•Rockman X2JP|Capcom (JP and NA)Laguna GmbH (EU)|1995|1994|Action|"Mega Man X2, known as Rockman X2 in Japan, is an action game released in 1994. It continues the story of Mega Man X in his battle against evil forces." +843|Mega Man X3 †•Rockman X3JP|Capcom (JP and NA)Laguna GmbH (EU)|1996|1995|Action|"Mega Man X3, known as Rockman X3 in Japan, is an action game released in 1995. It introduces new gameplay elements and challenges for players." +844|Melfand Stories|ASCII||1994||Adventure|"Melfand Stories is an adventure game released in 1994. It offers a unique storytelling experience with engaging characters and plot twists." +845|Metal Combat: Falcon's Revenge|Nintendo|1993||Action|"Metal Combat: Falcon's Revenge is an action game released in 1993. Players pilot giant mechs to battle enemies and save the world." +846|Metal Marines•MilitiaJP|Namco (JP and NA)Mindscape (EU)|1993|1994|Strategy|"Metal Marines, known as Militia in Japan, is a strategy game released in 1994. Players must strategically deploy military units to defend against enemy attacks." +847|Metal Max 2|Data East||1993||RPG|"Metal Max 2 is a role-playing game released in 1993. Players explore a post-apocalyptic world, customize vehicles, and engage in turn-based battles." +848|Metal Max Returns|Data East||1995||RPG|"Metal Max Returns is a role-playing game released in 1995. It is a remake of the original Metal Max with enhanced graphics and gameplay features." +849|Metal Morph|FCI|1994||Action|"Metal Morph is an action game released in 1994. Players control a shape-shifting robot to navigate levels and defeat enemies." +850|Metal Slader Glory: Director's Cut|Nintendo|2000||Adventure|"Metal Slader Glory: Director's Cut is an adventure game released in 2000. It is an enhanced version of the original Metal Slader Glory with additional content." +851|Metal Warriors|Konami|1995||Action|"Metal Warriors is an action game released in 1995. Players pilot customizable mechs in intense battles across various environments." +852|Michael Andretti's Indy Car Challenge|Bullet-Proof Software|1994|1994|Racing|"Michael Andretti's Indy Car Challenge is a racing game released in 1994. Players compete in high-speed races inspired by the IndyCar series." +853|Michael Jordan: Chaos in the Windy City|Electronic Arts|1994||Action|"Michael Jordan: Chaos in the Windy City is an action game released in 1994. Players control Michael Jordan as he battles supernatural forces in Chicago." +854|Mickey Mania: The Timeless Adventures of Mickey Mouse|Sony Imagesoft|1994|1995|Platformer|"Mickey Mania is a platformer game released in 1994. Players guide Mickey Mouse through various levels inspired by classic Disney cartoons." +855|Mickey no Tokyo Disneyland Daibōken|Tomy||1994||Adventure|"Mickey no Tokyo Disneyland Daibōken is an adventure game released in 1994. Players explore Tokyo Disneyland with Mickey Mouse and friends." +856|Mickey to Donald: Magical Adventure 3|Capcom|1995||Platformer|"Mickey to Donald: Magical Adventure 3 is a platformer game released in 1995. Players control Mickey and Donald in a magical journey to rescue Minnie and Daisy." +857|Mickey's Ultimate Challenge|Hi Tech Expressions|1994||Puzzle|"Mickey's Ultimate Challenge is a puzzle game released in 1994. Players solve brain-teasing puzzles and challenges with Mickey Mouse." +858|Micro Machines|Ocean Software|1994||Racing|"Micro Machines is a racing game released in 1994. Players race miniature vehicles across household environments in fast-paced competitions." +859|Micro Machines 2: Turbo Tournament|Ocean Software|1996||Racing|"Micro Machines 2: Turbo Tournament is a racing game released in 1996. It offers fast-paced multiplayer races with a variety of vehicles and tracks." +860|Might and Magic II: Gates to Another World|Might and Magic: Book IIJP|Cancelled|1993|RPG|"Might and Magic II: Gates to Another World is a role-playing video game developed by New World Computing and published by Elite Systems. Set in a fantasy world, the game follows the player's journey through various realms to defeat enemies and uncover mysteries." +861|Might and Magic III: Isles of Terra|FCI|1995||RPG|"Might and Magic III: Isles of Terra is a role-playing video game developed by Iguana Entertainment and published by FCI. The game features a rich fantasy world with intricate storylines and challenging gameplay elements." +862|Mighty Morphin Power Rangers|Bandai|1994|1995|Action|"Mighty Morphin Power Rangers is an action game based on the popular TV series. Developed by Natsume and published by Bandai, the game allows players to control their favorite Power Rangers in battles against evil forces." +863|Mighty Morphin Power Rangers: The Movie|Bandai|1995||Action|"Mighty Morphin Power Rangers: The Movie is an action game based on the film of the same name. Developed by Natsume and published by Bandai, the game follows the Power Rangers as they battle enemies to save the world." +864|Mighty Morphin Power Rangers: The Fighting Edition|Bandai|1995||Fighting|"Mighty Morphin Power Rangers: The Fighting Edition is a fighting game featuring characters from the Power Rangers universe. Developed by Natsume and published by Bandai, the game offers fast-paced combat and special moves." +865|Milandra|ASCII Entertainment||1997|||"Milandra is a video game developed by Tomcat System and published by ASCII Entertainment. The game offers a unique gameplay experience set in a futuristic world filled with challenges and mysteries." +866|Mini Yonku Let's & Go!!: Power WGP 2|Nintendo||1998|||"Mini Yonku Let's & Go!!: Power WGP 2 is a racing game developed by Jupiter and published by Nintendo. Players can customize their mini 4WD cars and compete in high-speed races to become champions." +867|Mini Yonku Shining Scorpion: Let's & Go!!|ASCII||1996||Racing|"Mini Yonku Shining Scorpion: Let's & Go!! is a racing game developed by KID and published by ASCII. The game features intense mini 4WD races with strategic gameplay elements and exciting challenges." +868|Miracle Casino Paradise|Carrozzeria||1995||Casino|"Miracle Casino Paradise is a casino game published by Carrozzeria. Players can enjoy various casino games such as slots, poker, and blackjack in a virtual paradise setting." +869|Miracle Girls|Takara||1993||Adventure|"Miracle Girls is an adventure game developed by Now Production and published by Takara. The game follows the story of two magical girls on a quest to save the world from dark forces." +870|Miracle Piano|The Software Toolworks|1991|||Simulation|"Miracle Piano is a simulation game developed and published by The Software Toolworks. Players can learn to play the piano through interactive lessons and music challenges." +871|Miyaji Shachou no Pachinko Fan: Shouri Sengen 2|Planning Office Wada||1995||Casino|"Miyaji Shachou no Pachinko Fan: Shouri Sengen 2 is a pachinko simulation game published by Planning Office Wada. Players can experience the excitement of pachinko parlors and aim for big wins." +872|Mizuki Shigeru no Youkai Hyakkiyakou|KSS||1995||Adventure|"Mizuki Shigeru no Youkai Hyakkiyakou is an adventure game published by KSS. Players can explore a world filled with Japanese folklore creatures and solve mysteries along the way." +873|MLBPA Baseball|EA Sports|1994|1995|Sports|"MLBPA Baseball is a sports game developed by Visual Concepts and published by EA Sports. The game offers realistic baseball gameplay with MLB player rosters and teams." +874|Mohawk & Headphone Jack|Black Pearl Software (NA)THQ (EU)|1996|||Action|"Mohawk & Headphone Jack is an action game developed by Black Pearl Software and published by THQ. Players control the protagonist in a platforming adventure filled with challenges and enemies." +875|Momotarou Dentetsu Happy|Hudson Soft||1996||Board Game|"Momotarou Dentetsu Happy is a board game simulation developed by Make and published by Hudson Soft. Players can experience the fun of managing a railway company and competing against rivals." +876|Monopoly|Parker Brothers|1992||Board Game|"Monopoly is a board game simulation developed by Sculptured Software and published by Parker Brothers. Players can buy, sell, and trade properties to become the wealthiest tycoon in the game." +877|Monopoly (Japanese game)|Tomy|1993||Board Game|"Monopoly is a board game simulation developed and published by Tomy. Players can enjoy the classic gameplay of buying and trading properties to dominate the real estate market." +878|Monopoly 2|Tomy||1995||Board Game|"Monopoly 2 is a board game simulation developed by Tonka and published by Tomy. Players can experience new gameplay features and challenges in this sequel to the classic Monopoly game." +879|Monstania|Pack-In-Video||1996||RPG|"Monstania is a role-playing game developed by Bits Laboratory and published by Pack-In-Video. Players embark on a quest to defeat monsters and save the kingdom in this classic RPG adventure." +880|Monster Maker III: Hikari no Majutsushi|SOFEL||1993|| +881|Monster Maker Kids: Ousama ni Naritai|SOFEL||1994|| +882|Mortal Kombat|Acclaim Entertainment|1993|1993|| +883|Mortal Kombat II|Acclaim Entertainment|1994|1994|| +884|Mortal Kombat 3|Williams Entertainment|1995||| +885|Mōryō Senki MADARA 2|Konami||1993||"Mōryō Senki MADARA 2 is a Japanese action-adventure game released in 1993. The game follows the story of a character named Madara as he battles evil forces to save the world." +886|Motoko-chan no Wonder Kitchen|Ajinomoto||1993||"Motoko-chan no Wonder Kitchen is a simulation game where players manage a kitchen to create various dishes. The game was released in 1993." +887|Motteke Oh! Dorobou|Data East||1995||"Motteke Oh! Dorobou is a game released in 1995 by Data East. The game features a thief character navigating through various challenges and puzzles." +888|Mountain Bike Rally|Life Fitness Entertainment|1995||| +889|Mr. Do!|Black Pearl Software|1996|1995|| +890|Mr. Nutz|Ocean Software|1994|1994|| +891|Ms. Pac-Man|Williams Entertainment|1996||| +892|Mujintou Monogatari|KSS||1996||"Mujintou Monogatari is a game developed by Open Sesame. It was released in 1996 and features a unique storyline set on a deserted island." +893|Multi Play Volleyball|Pack-In-Video|1994||| +894|Musya•Gousou Jinrai Densetsu MusyaJP|SETA|1992|1992|| +895|Mystery Circle|K Amusement Leasing|1992||| +896|Mystic Ark|Enix|1995||| +897|Nage Libre: Seijaku no Suishin|Varie|1995||| +898|Nakajima Satoru F-1 Hero '94|Varie|1994||| +899|Nakano Koichi Kanshuu: Keirin-Ou|Coconuts Japan|1994||| +900|Naki no Ryū: Mahjong Hishō-den|IGS|Unreleased|1992| |"A mahjong game released in Japan in December 1992." +901|Namco Open|Namco|Unreleased|1993| |"A sports game developed by Tose and published by Namco in Japan in January 1993." +902|Nankoku Shōnen Papuwa-kun|Enix|Unreleased|1994| |"An action-adventure game developed by Daft and published by Enix in Japan in March 1994." +903|Naruhodo! The World|Tomy|Unreleased|1994| |"A puzzle game published by Tomy in Japan in November 1994." +904|Natsuki Crisis Battle|Angle|Unreleased|1995| |"A side-scrolling action game developed by Tose and published by Angle in Japan in April 1995." +905|Natsume Championship Wrestling|Natsume|1994| | |"A wrestling game released in North America in June 1994." +906|NBA All-Star Challenge|LJN|1992|1993| |"A basketball game developed by Beam Software and published by LJN, released in Japan in May 1993 and North America in December 1992." +907|NBA Give 'n Go•NBA Jikkyou Basket: Winning DunkJP|Konami|1995|1995| |"A basketball game developed and published by Konami, released in Japan in September 1995 and North America in November 1995." +908|NBA Hangtime|Midway Games|1996| | |"A basketball game released in North America in November 1996." +909|NBA Jam|Acclaim Entertainment|1994|1994| |"A basketball arcade game developed by Iguana Entertainment and published by Acclaim Entertainment, released in Japan in April 1994 and North America in March 1994." +910|NBA Jam Tournament Edition †|Acclaim Entertainment|1995|1995| |"A basketball arcade game developed by Iguana Entertainment and published by Acclaim Entertainment, released in Japan in February 1995 and North America in February 1995." +911|NBA Live 95|EA Sports|1994|1994| |"A basketball video game developed by Electronic Arts and published by EA Sports, released in Japan in December 1994 and North America in October 1994." +912|NBA Live 96|EA Sports|1995| | |"A basketball video game released in North America in October 1995 and PAL region in November 1995." +913|NBA Live 97|EA Sports|1996| | |"A basketball video game released in North America in December 1996 and PAL region in 1996." +914|NBA Live 98|THQ|1997| | |"A basketball video game released in North America in November 1997." +915|NBA Showdown•NBA Pro Basketball '94: Bulls vs SunsJP|EA Sports|1993|1993| |"A basketball video game developed by Electronic Arts and published by EA Sports, released in Japan in December 1993 and North America in October 1993." +916|NCAA Basketball•World League BasketballEU•Super Dunk ShotJP|HAL Laboratory and Nintendo|1992|1992| |"A basketball video game developed by Sculptured Software and published by HAL Laboratory and Nintendo, released in Japan in June 1992 and North America in October 1992." +917|NCAA Final Four Basketball|Mindscape|1995| | |"A basketball video game released in North America in February 1995." +918|NCAA Football|Mindscape|1994| | |"A football video game released in North America in October 1994." +919|Nekketsu Tairiku Burning Heroes|Enix|Unreleased|1995| |"An action role-playing game developed by J-Force and published by Enix in Japan in March 1995." +920|Neugier: Umi to Kaze no Kodō|Telenet Japan|Cancelled|1993|Unreleased|"Neugier: Umi to Kaze no Kodō is an action-adventure game released in Japan in 1993. The game follows the story of a young explorer on a quest to uncover the mysteries of the sea and the wind." +921|New Yatterman: Nandai Kandai Yajirobee|Yutaka|Unreleased|1996|Unreleased|"New Yatterman: Nandai Kandai Yajirobee is a game based on the popular anime series. Players take on the role of the heroic Yatterman duo as they battle evil forces in a whimsical world." +922|New Mobile Report Gundam Wing: Endless Duel|Bandai|Unreleased|1996|Unreleased|"New Mobile Report Gundam Wing: Endless Duel is a fighting game featuring iconic mechs from the Gundam Wing series. Players can engage in intense battles in this fast-paced game." +923|Newman and Haas IndyCar featuring Nigel Mansell•Nigel Mansell Indy CarJP|Acclaim Entertainment|1994|1994|Unreleased|"Newman and Haas IndyCar featuring Nigel Mansell is a racing game that puts players behind the wheel of high-speed IndyCars. Experience the thrill of racing against top competitors in this adrenaline-pumping game." +924|NFL Football|Konami|1993|1993|1993|"NFL Football is a sports simulation game that allows players to take control of their favorite NFL teams. Experience the excitement of American football in this classic title." +925|NFL Quarterback Club|LJN|1994|1995|1994|"NFL Quarterback Club puts players in the shoes of a quarterback, leading their team to victory. Test your skills on the gridiron in this challenging football game." +926|NFL Quarterback Club 96|Acclaim Entertainment|1995|1996|1995|"NFL Quarterback Club 96 is the next installment in the popular football series. Take on the role of a quarterback and lead your team to glory in this immersive sports game." +927|NHL '94•NHL Pro Hockey '94JP|EA Sports|1993|1994|1993|"NHL '94 is a classic hockey game that captures the excitement of the NHL. Lace up your skates, hit the ice, and compete for the Stanley Cup in this thrilling sports title." +928|NHL 95|EA Sports|1994|Unreleased|1994|"NHL 95 is a hockey simulation game that offers realistic gameplay and fast-paced action. Take control of your favorite NHL team and compete for the championship in this exciting sports title." +929|NHL 96|EA Sports|1995|Unreleased|1995|"NHL 96 is a hockey game that delivers authentic NHL action on the virtual ice. Experience the intensity of professional hockey as you compete against top teams in this thrilling sports title." +930|NHL 97|EA Sports|1996|Unreleased|1996|"NHL 97 is a hockey simulation game that brings the excitement of the NHL to your screen. Take on the role of a professional hockey player and compete for the Stanley Cup in this immersive sports title." +931|NHL 98|EA Sports|1997|Unreleased|1997|"NHL 98 is a hockey game that offers realistic gameplay and fast-paced action. Lace up your skates, hit the ice, and compete against top teams in this thrilling sports title." +932|NHL Stanley Cup•Super HockeyEU|Nintendo|1993|Unreleased|1993|"NHL Stanley Cup is a hockey game that captures the excitement of the NHL. Take on the challenge of professional hockey and compete for the championship in this classic sports title." +933|NHLPA Hockey '93|EA Sports|1992|Unreleased|1993|"NHLPA Hockey '93 is a hockey simulation game that lets players experience the thrill of the NHL. Take control of your favorite team and compete for hockey glory in this exciting title." +934|Nice de Shot|ASK|Unreleased|1994|Unreleased|"Nice de Shot is a sports game that challenges players to test their shooting skills. Take aim, perfect your shot, and aim for the high score in this fun and engaging title." +935|Nichibutsu Arcade Classics|Nichibutsu|Unreleased|1995|Unreleased|"Nichibutsu Arcade Classics is a collection of classic arcade games from the renowned developer. Enjoy a variety of retro gaming experiences in this nostalgic compilation." +936|Nichibutsu Arcade Classics 2: Heiankyo Alien|Nichibutsu|Unreleased|1995|Unreleased|"Nichibutsu Arcade Classics 2: Heiankyo Alien features the classic game Heiankyo Alien and other arcade gems. Dive into retro gaming with this collection of timeless titles." +937|Nichibutsu Collection 1|Nichibutsu|Unreleased|1996|Unreleased|"Nichibutsu Collection 1 is a compilation of games from the developer Nichibutsu. Enjoy a variety of gaming experiences in this collection of classic titles." +938|Nichibutsu Collection 2|Nichibutsu|Unreleased|1996|Unreleased|"Nichibutsu Collection 2 features a selection of games from the developer Nichibutsu. Dive into retro gaming with this compilation of classic titles." +939|Nickelodeon Guts|Viacom New Media|1994|Unreleased|1994|"Nickelodeon Guts is a game based on the popular TV show. Compete in extreme sports challenges and prove you have what it takes to be a Guts champion in this exciting title." +940|Nigel Mansell's World Championship Racing|GameTek|1993|1993|Racing|"Nigel Mansell's World Championship Racing is a Formula One racing video game featuring the 1992 Formula One World Champion, Nigel Mansell. Players can race in various modes and compete in the World Championship." +941|Ninja Gaiden Trilogy|Tecmo|1995|1995|Action|"Ninja Gaiden Trilogy is a collection of three Ninja Gaiden games for the Super Nintendo Entertainment System. Players control Ryu Hayabusa as he battles through challenging levels and enemies." +942|Ninja Warriors|Taito|1994|1994|Action|"Ninja Warriors, also known as The Ninja Warriors Again in Japan, is a side-scrolling beat 'em up game where players control ninja androids fighting against a dystopian regime. The game features cooperative gameplay and multiple characters to choose from." +943|Nintama Rantarou|Culture Brain|Unreleased|1995|Adventure|"Nintama Rantarou is a video game based on the anime and manga series of the same name. Players follow the adventures of young ninja students as they train and go on missions." +944|Nintama Rantarou: Ninjutsu Gakuen Puzzle Taikai no Dan|Culture Brain|Unreleased|1996|Puzzle|"Nintama Rantarou: Ninjutsu Gakuen Puzzle Taikai no Dan is a puzzle game based on the Nintama Rantarou series. Players solve puzzles and challenges set in the ninja school setting." +945|Nintama Rantarou 2|Culture Brain|Unreleased|1996|Adventure|"Nintama Rantarou 2 continues the adventures of the young ninja students from the first game. Players engage in various activities and missions within the ninja school." +946|Nintama Rantarou 3|Culture Brain|Unreleased|1997|Adventure|"Nintama Rantarou 3 follows the ninja students on more adventures and challenges. Players can experience the daily life and missions of the young ninjas." +947|Nintama Rantarou Special|Culture Brain|Unreleased|1996|Adventure|"Nintama Rantarou Special offers a unique experience in the world of the ninja students. Players can enjoy special missions and interactions with familiar characters." +948|Nishijin Pachinko Monogatari|KSS|Unreleased|1995|Simulation|"Nishijin Pachinko Monogatari is a pachinko simulation game where players can experience the excitement of the popular Japanese gambling game. The game features different pachinko machines and settings." +949|Nishijin Pachinko Monogatari 2|KSS|Unreleased|1996|Simulation|"Nishijin Pachinko Monogatari 2 is the sequel to the pachinko simulation game, offering new machines and challenges for players to enjoy. Experience the thrill of pachinko from the comfort of your home." +950|Nishijin Pachinko Monogatari 3|KSS|Unreleased|1996|Simulation|"Nishijin Pachinko Monogatari 3 continues the pachinko simulation series with more machines and features. Test your luck and skills in this virtual pachinko experience." +951|No Escape|Sony Imagesoft|1994|Unreleased|Action|"No Escape is an action-adventure game where players must navigate through a futuristic prison complex. With a mix of exploration and combat, players must find a way to escape the facility." +952|Nobunaga Kouki|Yanoman|Unreleased|1993|Strategy|"Nobunaga Kouki is a strategy game set in feudal Japan, where players take on the role of historical figures and engage in battles and political intrigue. Manage resources and armies to conquer the land." +953|Nobunaga no Yabou: Haouden|Koei|Unreleased|1993|Strategy|"Nobunaga no Yabou: Haouden is a strategy game in the Nobunaga's Ambition series, focusing on the warring states period of Japan. Players can experience historical events and shape the future of the country." +954|Nobunaga no Yabou: Tenshouki|Koei|Unreleased|1996|Strategy|"Nobunaga no Yabou: Tenshouki is a strategy game where players can immerse themselves in the political and military conflicts of feudal Japan. Lead armies, form alliances, and conquer territories to become a powerful warlord." +955|Nobunaga's Ambition|Koei|1993|1993|Strategy|"Nobunaga's Ambition, also known as Nobunaga no Yabou: Zenkokuban in Japan, is a grand strategy game set in the Sengoku period. Players can choose to conquer Japan through military might or diplomatic cunning." +956|Nobunaga's Ambition: Lord of Darkness|Koei|1994|1991|Strategy|"Nobunaga's Ambition: Lord of Darkness, known as Super Nobunaga no Yabou: Bushou Fuu'unroku in Japan, is a strategy game where players can relive the historical events of the Warring States period. Manage resources, command armies, and secure your rule as a daimyo." +957|Nomark Baku Haitou: Shijou Saikyou no Jakushi Tatsu|Angel|Unreleased|1995|Puzzle|"Nomark Baku Haitou: Shijou Saikyou no Jakushi Tatsu is a puzzle game where players must solve challenging puzzles to progress. Test your skills and wit in this brain-teasing adventure." +958|Nolan Ryan's Baseball|Romstar|1992|1991|Sports|"Nolan Ryan's Baseball, also known as Super Stadium in Japan, is a baseball simulation game featuring the legendary pitcher Nolan Ryan. Players can enjoy realistic baseball gameplay and manage their own team." +959|Nontan to Issho: Kurukuru Puzzle|Victor Interactive Software|Unreleased|1994|Puzzle|"Nontan to Issho: Kurukuru Puzzle is a puzzle game featuring the popular character Nontan. Players solve puzzles and challenges in a colorful and engaging world." +960|Nosferatu|SETA|1995|1994|Unreleased|"Nosferatu is a horror-themed action platformer game released in 1994 in Japan and in 1995 in North America. The game follows the story of a vampire hunter on a mission to defeat the powerful vampire, Nosferatu." +961|Numbers Paradise|Acclaim Japan| |1996|Unreleased|"Numbers Paradise is a puzzle game developed by ISCO and published by Acclaim Japan. It was released in Japan in 1996. The game features various number-based puzzles and challenges." +962|Obitus|Bullet-Proof Software|1994| |Unreleased|"Obitus is an action-adventure game developed by Psygnosis and published by Bullet-Proof Software. It was released in North America in September 1994. The game combines puzzle-solving and exploration elements." +963|Ochan no Oekaki Logic|Sunsoft| |1995|Unreleased|"Ochan no Oekaki Logic is a puzzle game developed by Game Studio and published by Sunsoft. It was released in Japan in December 1995. Players solve logic puzzles to create beautiful artwork." +964|Oda Nobunaga: Haou no Gundan|Angel| |1993|Unreleased|"Oda Nobunaga: Haou no Gundan is a strategy game developed by Tose and published by Angel. It was released in Japan in 1993. Players take on the role of the legendary Japanese warlord, Oda Nobunaga." +965|Oekaki Logic|Sekaibunka Publishing| |1999|Unreleased|"Oekaki Logic is a puzzle game published by Sekaibunka Publishing. It was released in Japan in June 1999. The game challenges players to solve logic puzzles to reveal hidden pictures." +966|Oekaki Logic 2|Sekaibunka Publishing| |1999|Unreleased|"Oekaki Logic 2 is a sequel to the original puzzle game, Oekaki Logic. Published by Sekaibunka Publishing, the game was released in Japan in November 1999. Players solve new logic puzzles to uncover images." +967|Ogre Battle: The March of the Black Queen|Enix|1995|1993|Unreleased|"Ogre Battle: The March of the Black Queen is a tactical role-playing game developed by Quest and published by Enix. It was released in Japan in 1993 and in North America in 1995. Players lead a rebellion against an evil empire in a fantasy world." +968|Olympic Summer Games|U.S. Gold|1996| |1996|"Olympic Summer Games is a sports video game developed by Black Pearl Software and Tiertex, published by U.S. Gold. It was released in North America in June 1996 and in the PAL region in June 1996. The game features various Olympic events for players to compete in." +969|Okamoto Ayako to Match Play Golf|Tsukuda Original| |1994|Unreleased|"Okamoto Ayako to Match Play Golf is a golf simulation game developed by C.P. Brain and published by Tsukuda Original. It was released in Japan in December 1994. Players can enjoy realistic golf gameplay with various courses and challenges." +970|Olivia's Mystery|Altron| |1994|Unreleased|"Olivia's Mystery is a mystery adventure game published by Altron. It was released in Japan in February 1994. Players solve puzzles and uncover the truth behind a mysterious story." +971|On the Ball|Taito|1992|1992|1992|"On the Ball is a puzzle game developed and published by Taito. It was released in Japan in June 1992, North America in November 1992, and in the PAL region in 1992. Players navigate a ball through maze-like levels to reach the goal." +972|Ongaku Tsukuuru: Kanadeeru|ASCII| |1996|Unreleased|"Ongaku Tsukuuru: Kanadeeru is a music creation tool developed by Success and published by ASCII. It was released in Japan in April 1996. The game allows players to compose their own music tracks and experiment with different sounds." +973|Onita Atsushi FMW|Pony Canyon| |1993|Unreleased|"Onita Atsushi FMW is a wrestling game developed by Marionette and published by Pony Canyon. It was released in Japan in August 1993. Players can experience the intense world of Japanese pro wrestling with various match types and wrestlers." +974|Onizuka Katsuya Super Virtual Boxing|SOFEL| |1993|Unreleased|"Onizuka Katsuya Super Virtual Boxing is a boxing simulation game developed by Sting Entertainment and published by SOFEL. It was released in Japan in November 1993. Players can step into the ring and compete against challenging opponents." +975|Operation Europe: Path to Victory 1939–1945|Koei|1994|1993|Unreleased|"Operation Europe: Path to Victory 1939–1945 is a strategy game developed and published by Koei. It was released in Japan in 1993 and in North America in 1994. Players command military forces in World War II and make strategic decisions to achieve victory." +976|Operation Logic Bomb|Jaleco|1993|1993|1993|"Operation Logic Bomb is an action game developed and published by Jaleco. It was released in Japan in April 1993, North America in September 1993, and in the PAL region in 1993. Players navigate through a series of levels, defeating enemies and solving puzzles." +977|Operation Thunderbolt|Taito|1994| |Unreleased|"Operation Thunderbolt is a shooter game developed by Aisystem Tokyo and published by Taito. It was released in North America in October 1994. Players engage in intense gunfights and rescue missions in various locations." +978|Oraga Land Shusai: Best Farmer Shuukaku-Sai|Vic Tokai| |1995|Unreleased|"Oraga Land Shusai: Best Farmer Shuukaku-Sai is a farming simulation game developed by Graphic Research and published by Vic Tokai. It was released in Japan in March 1995. Players manage a farm, grow crops, and raise livestock to become the best farmer." +979|Oscar|Titus Software|1996| |1996|"Oscar is a platformer game developed by Flair Software and published by Titus Software. It was released in North America in October 1996 and in the PAL region in December 1996. Players control the character Oscar as he embarks on a quest to rescue his family." +980|Ossu!! Karatebu|Culture Brain|Unreleased|1994||"Ossu!! Karatebu is a martial arts video game developed and published by Culture Brain. The game was released in Japan on August 26, 1994." +981|Othello World|Tsukuda Original|Unreleased|1992||"Othello World is a video game based on the classic board game Othello. It was developed by Dice and published by Tsukuda Original. The game was released in Japan on April 5, 1992." +982|Otoboke Ninja Colosseum|Intec|Unreleased|1995||"Otoboke Ninja Colosseum is a game developed by Mint and published by Intec. The game features ninja characters in a colosseum setting. It was released in Japan on February 25, 1995." +983|Otogirisou|Chunsoft|Unreleased|1992||"Otogirisou is a visual novel developed and published by Chunsoft. The game was released in Japan on March 7, 1992." +984|Out of This World•Another WorldEU•Outer WorldJP|Interplay Entertainment|1992|1992|1992|"Players control physicist Lester, stranded on an alien world after a lab accident. Navigating hostile environments, solving puzzles, and avoiding deadly traps, he must survive and escape. The game blends cinematic storytelling, fluid animations, and tense, atmospheric action." +985|Out to Lunch|Mindscape|November 1993||1993|"Out to Lunch is a puzzle-platformer game developed and published by Mindscape. The game was released in North America in November 1993 and in the PAL region in September 1993." +986|Outlander|Mindscape|April 1993||1993|"Outlander is an action-adventure game developed and published by Mindscape. The game was released in North America in April 1993 and in the PAL region in 1993." +987|Ōzumō Spirit|Takara|Unreleased|1992||"Ōzumō Spirit is a sumo wrestling game published by Takara. The game was released in Japan on December 11, 1992." +988|P.T.O.: Pacific Theater of Operations•Teitoku no KetsudanJP|Koei|1992|1992|1993|"P.T.O.: Pacific Theater of Operations, also known as Teitoku no Ketsudan in Japan, is a strategy war game developed and published by Koei. The game was released in Japan and North America in 1992, and in the PAL region in 1993." +989|P.T.O. II: Pacific Theater of Operations•Teitoku no Ketsudan IIJP|Koei|1995|1995||"P.T.O. II: Pacific Theater of Operations, also known as Teitoku no Ketsudan II in Japan, is a sequel to the strategy war game developed and published by Koei. The game was released in Japan in 1995 and in North America in December 1995." +990|Pac-Attack|Namco|October 1993||1993|"Pac-Attack is a puzzle video game developed and published by Namco. The game was released in North America in October 1993 and in the PAL region in 1993." +991|Pac-In-Time|Namco|January 1995|1995|1994|"Pac-In-Time is a platformer game developed by Kalisto Entertainment and published by Namco. The game was released in Japan in January 1995, in North America in January 1995, and in the PAL region in December 1994." +992|Pac-Man 2: The New Adventures•Hello! Pac-ManJP|Namco (JP and NA)Nintendo (EU)|September 1994|1994|1994|"Pac-Man 2: The New Adventures, also known as Hello! Pac-Man in Japan, is a video game starring the iconic character Pac-Man. Developed and published by Namco in Japan and North America, and by Nintendo in Europe, the game was released in 1994." +993|Pachi-Slot Kanzen Kouryaku: Universal Shindai Nyuuka Volume 1|Syscom|Unreleased|1997||"Pachi-Slot Kanzen Kouryaku: Universal Shindai Nyuuka Volume 1 is a pachinko slot machine simulation game developed by Syscom. The game was released in Japan on March 7, 1997." +994|Pachi-Slot Kenkyuu|Magical Company|Unreleased|1994||"Pachi-Slot Kenkyuu is a pachinko slot machine research simulation game published by Magical Company. The game was released in Japan on July 15, 1994." +995|Pachi-Slot Land|Carrozzeria|Unreleased|1994||"Pachi-Slot Land is a pachinko slot machine game developed by I.S.C. and published by Carrozzeria. The game was released in Japan on February 25, 1994." +996|Pachi-Slot Love Story|Coconuts Japan|Unreleased|1993||"Pachi-Slot Love Story is a pachinko slot machine game published by Coconuts Japan. The game was released in Japan on November 19, 1993." +997|Pachi-Slot Monogatari: Paru Kougyou Special|KSS|Unreleased|1995||"Pachi-Slot Monogatari: Paru Kougyou Special is a pachinko slot machine game developed by KAZe and published by KSS. The game was released in Japan on October 27, 1995." +998|Pachi-Slot Monogatari: Universal Special|KSS|Unreleased|1994||"Pachi-Slot Monogatari: Universal Special is a pachinko slot machine game developed by KAZe and published by KSS. The game was released in Japan on July 29, 1994." +999|Pachi-Slot Shoubushi|Nihon Bussan|Unreleased|1994||"Pachi-Slot Shoubushi is a pachinko slot machine game developed and published by Nihon Bussan. The game was released in Japan on December 23, 1994." +1000|Pachinko Challenger|Carozzeria|Unreleased|1995| |"Pachinko Challenger is a pachinko simulation game released in Japan on July 7, 1995." +1001|Pachinko Fan: Shouri Sengen|Planning Office Wada|Unreleased|1994| |"Pachinko Fan: Shouri Sengen is a pachinko game released in Japan on October 15, 1994." +1002|Pachinko Hi Hisshouhou|VAP|Unreleased|1994| |"Pachinko Hi Hisshouhou is a pachinko game released in Japan on November 18, 1994." +1003|Pachinko Monogatari: Pachi-Slot mo Aru deyo!!|KSS|Unreleased|1993| |"Pachinko Monogatari: Pachi-Slot mo Aru deyo!! is a pachinko game released in Japan on May 28, 1993." +1004|Pachinko Monogatari 2: Nagoya Shachihoko no Teiou|KSS|Unreleased|1995| |"Pachinko Monogatari 2: Nagoya Shachihoko no Teiou is a pachinko game released in Japan on January 27, 1995." +1005|Pachinko Renchan Tengoku: Super CR Special|VAP|Unreleased|1995| |"Pachinko Renchan Tengoku: Super CR Special is a pachinko game released in Japan on May 26, 1995." +1006|Pachinko Tetsujin: Shichiban Shoubu|Daikoku|Unreleased|1995| |"Pachinko Tetsujin: Shichiban Shoubu is a pachinko game released in Japan on July 7, 1995." +1007|Pachinko Wars|Coconuts Japan|Unreleased|1992| |"Pachinko Wars is a pachinko game released in Japan on July 17, 1992." +1008|Pachinko Wars II|Coconuts Japan|Unreleased|1993| |"Pachinko Wars II is a pachinko game released in Japan on December 17, 1993." +1009|Pachiokun Special|Coconuts Japan|Unreleased|1992| |"Pachiokun Special is a pachinko game released in Japan on December 11, 1992." +1010|Pachiokun Special 2|Coconuts Japan|Unreleased|1994| |"Pachiokun Special 2 is a pachinko game released in Japan on May 20, 1994." +1011|Pachiokun Special 3|Coconuts Japan|Unreleased|1995| |"Pachiokun Special 3 is a pachinko game released in Japan on December 1, 1995." +1012|Packy and Marlon|Raya Systems|1995| | |"Packy and Marlon is a game released in North America in June 1995." +1013|The Pagemaster|Fox Interactive|1994| | |"The Pagemaster is a game released in North America in November 1994 and in PAL regions in May 1995." +1014|Paladin's Quest•Lennus: Kodai Kikai no KiokuJP|Enix|1993|1992| |"Paladin's Quest•Lennus: Kodai Kikai no KiokuJP is a game released in Japan on November 13, 1992 and in North America in October 1993." +1015|Panic in Nakayoshi World|Bandai|Unreleased|1994| |"Panic in Nakayoshi World is a game released in Japan on November 18, 1994." +1016|Paperboy 2|Mindscape|1991| | |"Paperboy 2 is a game released in North America in November 1991 and in PAL regions in 1992." +1017|Parlor! Mini: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1996| |"Parlor! Mini: Pachinko Jikki Simulation Game is a pachinko simulation game released in Japan on April 26, 1996." +1018|Parlor! Mini 2: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1996| |"Parlor! Mini 2: Pachinko Jikki Simulation Game is a pachinko simulation game released in Japan on June 28, 1996." +1019|Parlor! Mini 3: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1996| |"Parlor! Mini 3: Pachinko Jikki Simulation Game is a pachinko simulation game released in Japan on September 27, 1996." +1020|Parlor! Mini 4: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1996|Simulation|"A simulation game released in Japan in 1996, focusing on Pachinko machines." +1021|Parlor! Mini 5: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1997|Simulation|"Sequel to the Pachinko simulation game series, released in Japan in 1997." +1022|Parlor! Mini 6: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1997|Simulation|"Continuation of the Pachinko simulation game series, released in Japan in 1997." +1023|Parlor! Mini 7: Pachinko Jikki Simulation Game|Nippon Telenet|Unreleased|1997|Simulation|"The seventh installment in the Pachinko simulation game series, released in Japan in 1997." +1024|Parodius: Non-Sense Fantasy•Parodiusu Da! Shinwa kara OwaraiJP|Konami|Cancelled|1992|Action|"A cancelled action game by Konami, set in a whimsical fantasy world." +1025|The Peace Keepers•Rushing Beat ShuraJP|Jaleco|1994|1993|Action|"Action game released in Japan in 1993 and North America in 1994, known as Rushing Beat Shura in Japan." +1026|Pebble Beach no Hatou New: Tournament Edition|T&E Soft|Unreleased|1996|Sports|"Golf tournament simulation game released in Japan in 1996." +1027|PGA European Tour|Black Pearl Software|1996|Unreleased|Sports|"Golf simulation game released in North America and PAL regions in 1996." +1028|PGA Tour 96|Black Pearl Software|1996|Unreleased|Sports|"Golf simulation game released in North America and PAL regions in 1996." +1029|PGA Tour Golf|EA Sports|1992|1992|Sports|"Golf simulation game released in 1992 in Japan, North America, and PAL regions." +1030|Phalanx•Phalanx: The Enforce Fighter A-144JP|Kemco|1992|1992|Action|"Action game released in Japan in 1992, known as Phalanx: The Enforce Fighter A-144." +1031|Phantom 2040|Viacom New Media|1995|Unreleased|Action|"Action game released in North America and PAL regions in 1995." +1032|Picross NP Vol. 1|Jupiter|Unreleased|1999|Puzzle|"Puzzle game released in Japan in 1999, part of the Picross NP series." +1033|Picross NP Vol. 2|Jupiter|Unreleased|1999|Puzzle|"Sequel to the Picross NP series, released in Japan in 1999." +1034|Picross NP Vol. 3|Jupiter|Unreleased|1999|Puzzle|"Continuation of the Picross NP series, released in Japan in 1999." +1035|Picross NP Vol. 4|Jupiter|Unreleased|1999|Puzzle|"The fourth installment in the Picross NP series, released in Japan in 1999." +1036|Picross NP Vol. 5|Jupiter|Unreleased|1999|Puzzle|"Fifth game in the Picross NP series, released in Japan in 1999." +1037|Picross NP Vol. 6|Jupiter|Unreleased|2000|Puzzle|"Sixth game in the Picross NP series, released in Japan in 2000." +1038|Picross NP Vol. 7|Jupiter|Unreleased|2000|Puzzle|"Seventh game in the Picross NP series, released in Japan in 2000." +1039|Picross NP Vol. 8|Jupiter|Unreleased|2000|Puzzle|"Eighth and final game in the Picross NP series, released in Japan in 2000." +1040|Pieces•Jigsaw PartyJP|Atlus|1994|1994|Puzzle|"A jigsaw puzzle game released in 1994 by Hori Electric. Players can enjoy putting together virtual jigsaw puzzles on their gaming console." +1041|Pikiinya!|ASCII||1997||"Pikiinya! is a game developed by Crea-Tech and published by ASCII. It was released in Japan in 1997." +1042|Pilotwings|Nintendo|1991|1990|Simulation|"Pilotwings is a flight simulation game developed and published by Nintendo. It was first released in Japan in 1990 and later in North America in 1991." +1043|Pinball Dreams•Pinball PinballJP|Coconuts Japan (JP)GameTek (NA and EU)|1994|1994|Pinball|"Pinball Dreams is a pinball simulation video game developed by Spidersoft. It was released in various regions in 1994." +1044|Pinball Fantasies|GameTek|1995||Pinball|"Pinball Fantasies is a pinball video game developed by Spidersoft and published by GameTek. It was released in 1995 in North America and PAL regions." +1045|Pink Goes to Hollywood•Pink PantherJP|TecMagik|1993|1994|Action|"Pink Goes to Hollywood is an action game featuring Pink Panther. It was released in 1993 in North America and in 1994 in Japan and PAL regions." +1046|Pipe Dream|Bullet-Proof Software||1992||"Pipe Dream is a puzzle video game developed by Tose and published by Bullet-Proof Software. It was released in Japan in 1992." +1047|Pirates of Dark Water|Sunsoft|1994||Adventure|"Pirates of Dark Water is an adventure game developed and published by Sunsoft. It was released in 1994 in North America and PAL regions." +1048|Pitfall: The Mayan Adventure•Pitfall: Maya no DaiboukenJP|Activision|1994|1994|Action|"Pitfall: The Mayan Adventure is an action-adventure game developed by Redline Games and published by Activision. It was released in 1994 in various regions." +1049|Pit-Fighter|THQ|1992||Fighting|"Pit-Fighter is a fighting game developed by Eastridge Technology and published by THQ. It was released in 1992 in PAL regions." +1050|Plok|Tradewest|1993|1993|Platformer|"Plok is a platformer game developed by Software Creations and published by Tradewest. It was released in 1993 in North America and PAL regions." +1051|Pocky & Rocky•KiKi KaiKai: Nazo no Kuro MantleJP|Natsume|1993|1992|Action|"Pocky & Rocky is an action game developed and published by Natsume. It was released in 1992 in Japan and in 1993 in North America and PAL regions." +1052|Pocky & Rocky 2•KiKi KaiKai: TsukiyozoushiJP|Natsume (JP and NA)Ocean Software (EU)|1994|1994|Action|"Pocky & Rocky 2 is an action game developed and published by Natsume. It was released in 1994 in Japan and North America, and in 1995 in PAL regions." +1053|Poko-Nyan! Henpokorin Adventure|Toho||1994||"Poko-Nyan! Henpokorin Adventure is a game published by Toho. It was released in Japan in 1994." +1054|Pop'n TwinBee|Konami (JP)Palcom Software (EU)||1993|Shooter|"Pop'n TwinBee is a shooter game developed by Konami and published by Palcom Software. It was released in 1993 in PAL regions." +1055|Pop'n TwinBee: Rainbow Bell Adventures •TwinBee – Rainbow Bell AdventureJP|Konami (JP)Palcom Software (EU)||1994|Shooter|"Pop'n TwinBee: Rainbow Bell Adventures is a shooter game developed by Konami and published by Palcom Software. It was released in 1994 in PAL regions." +1056|Popeye: Ijiwaru Majo Sea Hag no Maki|Technōs Japan||1994||"Popeye: Ijiwaru Majo Sea Hag no Maki is a game developed and published by Technōs Japan. It was released in 1994 in Japan." +1057|Popful Mail|Falcom||1994||"Popful Mail is a game developed and published by Falcom. It was released in Japan in 1994." +1058|Populous|Acclaim Entertainment|1991|1990|Strategy|"Populous is a strategy game developed by Bullfrog Productions and published by Acclaim Entertainment. It was first released in 1990." +1059|Populous II: Trials of the Olympian Gods|Imagineer||1993|Strategy|"Populous II: Trials of the Olympian Gods is a strategy game developed by Bullfrog Productions and published by Imagineer. It was released in 1993 in PAL regions." +1060|"Porky Pig's Haunted Holiday"|Acclaim Entertainment and Sunsoft|1995|1995|Action|Porky Pig's Haunted Holiday is a side-scrolling action game released in October 1995. Players control Porky Pig as he navigates through spooky levels to save his friends. +1061|"Power Drive"|Rage Software||1995|Cancelled|Racing|Power Drive is a racing game developed by U.S. Gold. It was set to release in April 1995 but was ultimately cancelled. +1062|"Power Instinct•Gouketsuji IchizokuJP"|Atlus|1994|1994|Fighting|Power Instinct is a fighting game released in December 1994. Players can choose from a variety of characters to battle against opponents. +1063|"Power Lode Runner"|Nintendo||1999|1999|Puzzle|Power Lode Runner is a puzzle game released in January 1999. Players must navigate through levels, collecting treasures while avoiding enemies. +1064|"Power Moves•Power AthleteJP"|Kaneko|1993|1992|Fighting|Power Moves is a fighting game released in January 1993. Players can choose from a roster of fighters, each with unique moves and abilities. +1065|"Power of the Hired"|NCS||1994|1994|Action|Power of the Hired is an action game released in December 1994. Players take on the role of a mercenary, completing missions for rewards. +1066|"Power Piggs of the Dark Age"|Titus Software|1996||1996|Platformer|Power Piggs of the Dark Age is a platformer game released in September 1996. Players control a pig hero on a quest to defeat evil forces. +1067|"Power Rangers Zeo: Battle Racers"|Bandai||1996|1996|Racing|Power Rangers Zeo: Battle Racers is a racing game released in September 1996. Players can race as their favorite Power Rangers characters. +1068|"Power Soukoban"|Nintendo||1999|1999|Puzzle|Power Soukoban is a puzzle game released in June 1999. Players must strategically push crates to solve challenging levels. +1069|"Powermonger•Powermonger: Mashou no BouryakuJP"|Imagineer|1993|1993|Strategy|Powermonger is a strategy game released in 1993. Players must conquer lands and manage resources to build a powerful empire. +1070|"Prehistorik Man•P-ManJP"|Titus Software|1996|1995|Platformer|Prehistorik Man is a platformer game released in January 1996. Players control a caveman on a quest to rescue his tribe from danger. +1071|"Primal Rage"|Time Warner Interactive|1995||1995|Fighting|Primal Rage is a fighting game released in August 1995. Players control giant beasts battling for dominance in a post-apocalyptic world. +1072|"Prince of Persia"|Konami|1992|1992|Action-Adventure|Prince of Persia is an action-adventure game released in November 1992. Players control a prince on a quest to save a princess from an evil vizier. +1073|"Prince of Persia 2: The Shadow and the Flame"|Titus Software|1996||1996|Action-Adventure|Prince of Persia 2 is an action-adventure game released in October 1996. Players continue the journey of the prince as he battles enemies and uncovers secrets. +1074|"Princess Maker: Legend of Another World"|Takara||1995|1995|Simulation|Princess Maker is a simulation game released in December 1995. Players raise a young girl to become a princess, making decisions that shape her destiny. +1075|"Princess Minerva"|Vic Tokai||1995|1995|Action-Adventure|Princess Minerva is an action-adventure game released in June 1995. Players control a warrior princess on a quest to defeat evil forces. +1076|"Pro Kishi Jinsei Simulation: Shougi no Hanamichi"|Atlus||1996|1996|Simulation|Pro Kishi Jinsei Simulation is a shogi simulation game released in February 1996. Players can learn and play the traditional Japanese strategy game. +1077|"Pro Mahjong Kiwame"|Athena||1993|1993|Board Game|Pro Mahjong Kiwame is a mahjong game released in June 1993. Players can enjoy traditional mahjong gameplay against computer opponents. +1078|"Pro Mahjong Kiwame II"|Athena||1994|1994|Board Game|Pro Mahjong Kiwame II is a mahjong game released in July 1994. Players can test their skills in various mahjong challenges. +1079|"Pro Mahjong Kiwame III"|Athena||1995|1995|Board Game|Pro Mahjong Kiwame III is a mahjong game released in June 1995. Players can immerse themselves in the strategic and competitive world of mahjong. +1080|Pro Mahjong Tsuwamono|Culture Brain||1997||"Pro Mahjong Tsuwamono is a mahjong video game released in Japan on April 18, 1997." +1081|Pro Mahjong Tsuwamono: Renka Han|Culture Brain||1998||"Pro Mahjong Tsuwamono: Renka Han is a sequel to the original game, released in Japan on March 28, 1998." +1082|Pro Quarterback|Tradewest|1992||| "Pro Quarterback is a sports video game released in North America on December 31, 1992." +1083|Pro Sport Hockey•USA Ice HockeyJP|Jaleco|1994|1993||"Pro Sport Hockey•USA Ice HockeyJP is a hockey video game released in Japan on March 19, 1993 and in North America in February 1994." +1084|Pro Yakyuu Nettou: Puzzle Stadium|Coconuts Japan||1997||"Pro Yakyuu Nettou: Puzzle Stadium is a baseball puzzle game released in Japan on April 25, 1997." +1085|Pro Yakyuu Star|Culture Brain||1997||"Pro Yakyuu Star is a baseball video game released in Japan on January 17, 1997." +1086|Psycho Dream•Dream ProbeNA|Telent Japan||1992||"Psycho Dream•Dream ProbeNA is a canceled game that was set to release in Japan on December 11, 1992." +1087|Pushover|Ocean Software|1992||1992|"Pushover is a puzzle platformer game released in North America on December 31, 1992 and in PAL regions on January 1, 1992." +1088|Putty Squad|Ocean Software||1994||1994|"Putty Squad is a platformer game released in PAL regions on January 1, 1994." +1089|Puzzle'n Desu!|Nichibutsu||1995|||"Puzzle'n Desu! is a puzzle game released in Japan on April 14, 1995." +1090|Q*bert 3|NTVIC|1992|1993||"Q*bert 3 is an arcade game released in Japan on January 29, 1993 and in North America on October 1, 1992." +1091|Race Drivin'|THQ|1992||1992|"Race Drivin' is a racing game released in North America on July 10, 1992 and in PAL regions on October 1, 1992." +1092|Radical Rex|Activision|1994||1994|"Radical Rex is a platformer game released in North America on October 1994 and in PAL regions on September 1994." +1093|Raiden Trad•Raiden DensetsuJP|Electro Brain|1992|1991||"Raiden Trad•Raiden DensetsuJP is a shoot 'em up game released in Japan on November 29, 1991 and in North America on April 1, 1992." +1094|Rampart|Electronic Arts|1992||1992|"Rampart is a strategy game released in North America on August 1, 1992." +1095|Ranma ½: Akaneko-dan teki Hihou|Toho||1993|||"Ranma ½: Akaneko-dan teki Hihou is an action-adventure game released in Japan on October 22, 1993." +1096|Ranma ½: Chougi Rambuhen|Shogakukan||1994|||"Ranma ½: Chougi Rambuhen is a fighting game released in Japan on April 28, 1994." +1097|Ranma ½: Hard Battle•Ranma ½EU•Ranma Nibun-no-Ichi: Bakuretsu RantōhenJP|DTMC|1993|1992|1993|"Ranma ½: Hard Battle•Ranma ½EU•Ranma Nibun-no-Ichi: Bakuretsu RantōhenJP is a fighting game released in Japan on December 25, 1992, in North America on November 1993, and in PAL regions on November 12, 1993." +1098|Ranma ½: Ougi Jaanken|Shogakukan||1995|||"Ranma ½: Ougi Jaanken is a board game released in Japan on July 21, 1995." +1099|Rap Jam: Volume One|Motown Software|1995|||"Rap Jam: Volume One is a music video game released in North America in January 1995." +1100|Realm|Titus Software|1996|1996| |"Realm is a video game developed and published by Titus Software. It was released in North America in December 1996 and in the PAL region on February 27, 1996. The game is set in a fantasy realm where players must navigate through various challenges and quests." +1101|Red Riding Hood Chacha|TOMY| |1996| |"Red Riding Hood Chacha is a game developed by Landwarf and published by TOMY. It was released in Japan on August 9, 1996. The game follows the adventures of Red Riding Hood in a whimsical and colorful world." +1102|Redline F-1 Racer•Aguri Suzuki F-1 Super DrivingEU•Suzuki Aguri no F-1 Super DrivingJP|LOZC G. Amusements (JP)Absolute Entertainment (NA)Altron (EU)|1993|1993| |"Redline F-1 Racer, also known as Aguri Suzuki F-1 Super Driving in Japan, is a racing game developed by Genki. It was released in Japan on July 14, 1993, and in North America in September 1993. The game features Formula 1 racing and includes the likeness of real-life driver Aguri Suzuki." +1103|Rejoice: Aretha Ōkoku no Kanata|Yanoman| |1995| |"Rejoice: Aretha Ōkoku no Kanata is a game developed by Japan Art Media and published by Yanoman. It was released in Japan on April 21, 1995. The game offers players a fantasy adventure set in the kingdom of Aretha, filled with magic and mystery." +1104|Relief Pitcher|Left Field Entertainment|1994| | |"Relief Pitcher is a baseball game developed by Eastridge Technology and published by Left Field Entertainment. It was released in North America in May 1994. Players take on the role of a relief pitcher in this sports simulation game." +1105|The Ren & Stimpy Show: Buckaroo$!|THQ|1995| | |"The Ren & Stimpy Show: Buckaroo$! is a game based on the popular animated series. Developed by Imagineering and published by THQ, the game was released in North America in April 1995. Players control the characters Ren and Stimpy in a wacky adventure." +1106|The Ren & Stimpy Show: Fire Dogs|THQ|1994| | |"The Ren & Stimpy Show: Fire Dogs is a game developed by Argonaut Games and published by THQ. It was released in North America in June 1994 and in the PAL region in February 1995. Players join Ren and Stimpy as they become firefighters in this comedic platformer." +1107|The Ren & Stimpy Show: Time Warp|THQ|1994| | |"The Ren & Stimpy Show: Time Warp is a game developed by Sculptured Software and published by THQ. It was released in North America in November 1994 and in the PAL region in 1994. Players embark on a time-traveling adventure with Ren and Stimpy." +1108|The Ren & Stimpy Show: Veediots!|THQ|1993| | |"The Ren & Stimpy Show: Veediots! is a game developed by Gray Matter and published by THQ. It was released in North America in October 1993 and in the PAL region in 1993. Players control Ren and Stimpy in a series of mini-games." +1109|Rendering Ranger: R2|Virgin Interactive| |1995| |"Rendering Ranger: R2 is a game developed by Rainbow Arts and published by Virgin Interactive. It was released in Japan on November 17, 1995. The game is a side-scrolling shooter with futuristic elements and intense action." +1110|Res Arcana: Diana Ray: Uranai no Meikyuu|Coconuts Japan| |1995| |"Res Arcana: Diana Ray: Uranai no Meikyuu is a game developed by Marionette and published by Coconuts Japan. It was released in Japan on April 14, 1995. Players explore mysterious dungeons and engage in fortune-telling adventures." +1111|Revolution X|Acclaim Entertainment|1995|1996| |"Revolution X is a game developed by Software Creations and published by Acclaim Entertainment. It was released in North America in December 1995 and in Japan on March 1, 1996. The game features rock band Aerosmith and combines music with arcade-style shooting gameplay." +1112|Rex Ronan: Experimental Surgeon|Raya Systems|1994| | |"Rex Ronan: Experimental Surgeon is a game developed by Sculptured Software and published by Raya Systems. It was released in North America in May 1994. Players take on the role of a surgeon on a mission to combat the dangers of smoking and educate about health risks." +1113|Riddick Bowe Boxing•ChavezMX•Ridikku Bou BokushinguJP|Extreme Entertainment Group|1994|1993| |"Riddick Bowe Boxing, also known as Chavez in Mexico and Ridikku Bou Bokushingu in Japan, is a boxing game developed by Malibu Interactive and published by Extreme Entertainment Group. It was released in Japan on November 23, 1993 and in North America in January 1994. Players can step into the ring with famous boxers and compete for victory." +1114|Ring ni Kakero|Masaya| |1998| |"Ring ni Kakero is a game developed by Earthly Soft and published by Masaya. It was released in Japan on June 1, 1998. The game is based on the manga and anime series of the same name, focusing on boxing and sports drama." +1115|Rise of the Phoenix•KouryuukiJP|Koei|1995|1994| |"Rise of the Phoenix, also known as Kouryuuki in Japan, is a game developed and published by Koei. It was released in Japan on April 6, 1994 and in North America in February 1995. The game immerses players in a historical setting with strategic gameplay elements." +1116|Rise of the Robots|Acclaim Entertainment|1994|1994| |"Rise of the Robots is a fighting game developed by Mirage and T&E Soft and published by Acclaim Entertainment. It was released in Japan on December 22, 1994, in North America in December 1994, and in the PAL region in January 1995. The game features advanced robotics and intense combat scenarios." +1117|Rival Turf!•Rushing BeatJP|Jaleco|1992|1992| |"Rival Turf!, also known as Rushing Beat in Japan, is a beat 'em up game developed and published by Jaleco. It was released in Japan on March 27, 1992, in North America on December 23, 1992, and in the PAL region in 1993. Players fight through the streets to take down criminal organizations and restore peace." +1118|Road Riot 4WD|THQ|1992| | |"Road Riot 4WD is a vehicular combat game developed by Equilibrium and published by THQ. It was released in North America in November 1992 and in the PAL region in 1992. Players engage in high-speed battles with armed vehicles in a post-apocalyptic setting." +1119|Road Runner's Death Valley Rally•Looney Tunes: Road RunnerEU•Road Runner vs. Wile E. CoyoteJP|Sunsoft|1992|1992| |"Road Runner's Death Valley Rally, also known as Looney Tunes: Road Runner in Europe and Road Runner vs. Wile E. Coyote in Japan, is a platformer game developed by ICOM Simulations and published by Sunsoft. It was released in Japan on December 22, 1992, in North America on November 1, 1992, and in the PAL region on September 30, 1993. Players control the iconic Road Runner in a fast-paced race against Wile E. Coyote." +1120|RoboCop 3|Ocean Software|1992|1992|Action| "RoboCop 3 is a video game based on the movie of the same name. It features side-scrolling action gameplay where players control RoboCop as he fights against various enemies and bosses in a futuristic setting." +1121|RoboCop Versus The Terminator|Virgin Interactive|1993|1993|Action| "RoboCop Versus The Terminator is a crossover game featuring both iconic characters. Players control RoboCop as he battles against the deadly Terminators in intense action-packed levels." +1122|Robotrek•Slap StickJP|Enix|1994|1994|Role-playing| "Robotrek, also known as Slap Stick in Japan, is a unique RPG where players create and customize robots to battle against enemies. The game combines traditional RPG elements with robot-building mechanics." +1123|Rock n' Roll Racing|Interplay Entertainment|1993|1994|Racing| "Rock n' Roll Racing is a vehicular combat racing game with a rock music theme. Players compete in high-speed races while upgrading their vehicles and using various weapons to defeat opponents." +1124|The Rocketeer|IGS|1992|1992|Action| "The Rocketeer is a platformer based on the popular comic book hero. Players control the Rocketeer as he flies and fights his way through levels to save the day." +1125|Rockman & Forte|Capcom||1998|Action| "Rockman & Forte is a classic action platformer featuring the iconic character Rockman (Mega Man) and his rival Forte (Bass). Players must navigate challenging levels and defeat robot bosses to save the day." +1126|Rocko's Modern Life: Spunky's Dangerous Day|Viacom New Media|1994||Action| "Rocko's Modern Life: Spunky's Dangerous Day is a platformer based on the popular animated TV show. Players control Rocko's loyal dog Spunky as he embarks on a perilous adventure." +1127|Rocky Rodent•Nitropunks: MightheadsJP|Irem|1993|1993|Platformer| "Rocky Rodent, also known as Nitropunks: Mightheads in Japan, is a platformer featuring a cool rodent hero. Players guide Rocky through challenging levels filled with enemies and obstacles." +1128|Roger Clemens' MVP Baseball•MVP BaseballJP|LJN|1992|1992|Sports| "Roger Clemens' MVP Baseball is a sports game featuring baseball legend Roger Clemens. Players can enjoy realistic baseball gameplay with detailed graphics and player mechanics." +1129|Rokudenashi Blues: Taiketsu! Tokyo Shitennou|Bandai|1994||Fighting| "Rokudenashi Blues: Taiketsu! Tokyo Shitennou is a fighting game based on the manga and anime series. Players can choose from a variety of characters and battle it out in intense one-on-one fights." +1130|Romance of the Three Kingdoms II•Super Sangokushi IIJP|Koei|1992|1991|Strategy| "Romance of the Three Kingdoms II is a strategy game set in ancient China. Players take on the role of a warlord and must conquer territories, manage resources, and engage in tactical battles." +1131|Romance of the Three Kingdoms III: Dragon of Destiny•Sangokushi IIIJP|Koei|1993|1992|Strategy| "Romance of the Three Kingdoms III is a strategy game that continues the epic saga of ancient China. Players can experience the drama and intrigue of the Three Kingdoms period through strategic gameplay." +1132|Romance of the Three Kingdoms IV: Wall of Fire•Sangokushi IVJP|Koei|1995|1994|Strategy| "Romance of the Three Kingdoms IV is a strategy game that delves deeper into the historical events of ancient China. Players must navigate political alliances, warfare, and conquest to emerge victorious." +1133|Romancing SaGa|Square||1992|Role-playing| "Romancing SaGa is a classic RPG that offers multiple protagonists and nonlinear gameplay. Players can explore a rich fantasy world, engage in turn-based battles, and shape the story through their choices." +1134|Romancing SaGa 2|Square||1993|Role-playing| "Romancing SaGa 2 is a sequel to the original RPG with enhanced gameplay and new features. Players can lead generations of heroes through epic quests, battles, and political intrigue." +1135|Romancing SaGa 3|Square||1995|Role-playing| "Romancing SaGa 3 is another installment in the beloved RPG series. Players can embark on a grand adventure, recruit diverse characters, and uncover the mysteries of the SaGa universe." +1136|RPG Tsukūru: Super Dante|ASCII||1995|Role-playing| "RPG Tsukūru: Super Dante is a game creation tool that allows players to design their own RPG adventures. From crafting stories to building worlds, players can unleash their creativity." +1137|RPG Tsukuuru 2|ASCII||1996|Role-playing| "RPG Tsukuuru 2 is a sequel to the game creation tool that offers even more features and possibilities. Players can design intricate RPG scenarios and share their creations with others." +1138|RPM Racing|Interplay Entertainment|1991|1992|Racing| "RPM Racing is an action-packed racing game with top-down perspective. Players can compete in high-speed races, perform stunts, and customize their vehicles for maximum performance." +1139|R-Type III: The Third Lightning|Irem (JP and EU)Jaleco (NA)|1994|1993|Shoot 'em up| "R-Type III: The Third Lightning is a classic shoot 'em up game known for its intense gameplay and challenging levels. Players pilot the R-90 ship to battle against the Bydo Empire and save humanity." +1140|Rudra no Hihō|Square|Unreleased|1996||"Rudra no Hihō is a role-playing video game developed and published by Square. It was released in Japan on April 5, 1996." +1141|Ruin Arm|Bandai|Unreleased|1995||"Ruin Arm is a game developed by Tose and published by Bandai. It was released in Japan on June 23, 1995." +1142|Run Saber|Atlus|1993||1993|"Run Saber is an action platformer game developed by Hori Electric and published by Atlus. It was released in the PAL region in 1993 and in North America on June 8, 1993." +1143|Ryuukihei Dan Danzarubu|Yutaka|Unreleased|1993||"Ryuukihei Dan Danzarubu is a game developed by Pandora Box and published by Yutaka. It was released in Japan on April 23, 1993." +1144|Ryuuko no Ken 2|Saurus|Unreleased|1994||"Ryuuko no Ken 2 is a game developed by Monolith Corporation and published by Saurus. It was released in Japan on December 21, 1994." +1145|Saibara Rieko no Mahjong Hourouki|Taito|Unreleased|1995||"Saibara Rieko no Mahjong Hourouki is a game developed by Natsume and published by Taito. It was released in Japan on February 10, 1995." +1146|Saikousoku Shikou Shougi Mahjong|Varie|Unreleased|1995||"Saikousoku Shikou Shougi Mahjong is a game published by Varie. It was released in Japan on March 31, 1995." +1147|Saikyou: Takada Nobuhiko|Hudson Soft|Unreleased|1995||"Saikyou: Takada Nobuhiko is a game developed by Dual and published by Hudson Soft. It was released in Japan on December 27, 1995." +1148|Sailor Moon•Bishoujo Senshi Sailor MoonJP|Bandai|Unreleased|1993|1994|"Sailor Moon•Bishoujo Senshi Sailor MoonJP is a game developed by Angel and published by Bandai. It was released in Japan on August 27, 1993 and in the PAL region in 1994." +1149|Sakurai Shouichi no Jankiryuu: Mahjong Hisshouhou|Sammy Studios|Unreleased|1995||"Sakurai Shouichi no Jankiryuu: Mahjong Hisshouhou is a game developed by J-Force and published by Sammy Studios. It was released in Japan on September 14, 1995." +1150|Same Game|Hudson Soft|Unreleased|1996||"Same Game is a game developed and published by Hudson Soft. It was released in Japan on March 1, 1996." +1151|Same Game + Tengai Makyou Zero Jikei|Hudson Soft|Unreleased|1996||"Same Game + Tengai Makyou Zero Jikei is a game developed and published by Hudson Soft. It was released in Japan on March 1, 1996." +1152|Same Game - Mario Version|Nintendo|Unreleased|1995||"Same Game - Mario Version is a game developed by Hudson Soft and published by Nintendo. It was released in Japan in 1995." +1153|Samurai Shodown•Samurai SpiritsJP|Takara|November 1994|1994|1994|"Samurai Shodown•Samurai SpiritsJP is a game developed and published by Takara. It was released in Japan on September 22, 1994, in North America in November 1994, and in the PAL region in 1994." +1154|Sangokushi Eiketsuden|Koei|Unreleased|1995||"Sangokushi Eiketsuden is a game published by Koei. It was released in Japan on December 28, 1995." +1155|Sangokushi Seishi: Tenbu Spirits|Wolf Team|Unreleased|1994||"Sangokushi Seishi: Tenbu Spirits is a game developed and published by Wolf Team. It was released in Japan on June 25, 1994." +1156|Sankyo Fever! Fever!|Nippon Telenet|Unreleased|1994||"Sankyo Fever! Fever! is a game published by Nippon Telenet. It was released in Japan on October 28, 1994." +1157|Sanrio Shanghai|Character Soft|Unreleased|1994||"Sanrio Shanghai is a game developed by SAS Sakata and published by Character Soft. It was released in Japan on August 31, 1994." +1158|Sanrio World Smash Ball!|Character Soft|Unreleased|1993||"Sanrio World Smash Ball! is a game developed by Tomcat System and published by Character Soft. It was released in Japan on July 16, 1993." +1159|Sansara Naga 2|Victor Interactive Software|Unreleased|1994||"Sansara Naga 2 is a game published by Victor Interactive Software. It was released in Japan on July 15, 1994." +1160|Saturday Night Slam Masters•Muscle BomberJP|Capcom|1994|1994|Fighting| "Saturday Night Slam Masters, known as Muscle Bomber in Japan, is a wrestling and fighting arcade game released by Capcom in 1994. The game features a unique roster of characters and fast-paced gameplay." +1161|Scooby-Doo Mystery|Acclaim Entertainment and Sunsoft|1995||Adventure| "Scooby-Doo Mystery is an adventure game developed by Argonaut Games and published by Acclaim Entertainment and Sunsoft. The game follows Scooby-Doo and the gang as they solve mysteries in a haunted mansion." +1162|SD F-1 Grand Prix|Video System|1995||Racing| "SD F-1 Grand Prix is a racing game developed and published by Video System. The game features cute, super-deformed versions of Formula 1 cars and drivers in a fun and accessible racing experience." +1163|SD Gundam G Next|Bandai|1995||Action| "SD Gundam G Next is an action game developed by Japan Art Media and published by Bandai. Players control SD Gundam units in fast-paced battles against enemy forces." +1164|SD Gundam Gaiden: Knight Gundam Monogatari: Ooinaru Isan|Angel|1991||Action| "SD Gundam Gaiden: Knight Gundam Monogatari: Ooinaru Isan is an action game developed by Tose and published by Angel. The game follows Knight Gundam on a quest to recover a powerful artifact." +1165|SD Gundam Gaiden 2: Entaku no Kishi|Yutaka|1992||Action| "SD Gundam Gaiden 2: Entaku no Kishi is an action game developed by Tose and published by Yutaka. Players control SD Gundam units in strategic battles across various missions." +1166|SD Gundam GX|Bandai|1994||Action| "SD Gundam GX is an action game developed by BEC and published by Bandai. Players pilot SD Gundam units in fast-paced battles against enemy forces." +1167|SD Gundam Power Formation Puzzle|Bandai|1996||Puzzle| "SD Gundam Power Formation Puzzle is a puzzle game developed by Tom Create and published by Bandai. Players must strategically arrange SD Gundam units to form powerful formations." +1168|SD Gundam X|Yutaka|1992||Action| "SD Gundam X is an action game developed by BEC and published by Yutaka. Players control SD Gundam units in battles against enemy forces in a futuristic setting." +1169|SD Hiryuu no Ken|Culture Brain|1994||Fighting| "SD Hiryuu no Ken is a cancelled fighting game published by Culture Brain. The game was set to feature characters from the Hiryu no Ken series in a super-deformed style." +1170|SD Kidou Senshi Gundam: V Sakusen Shidou|Angel|1992||Action| "SD Kidou Senshi Gundam: V Sakusen Shidou is an action game developed by Tose and published by Angel. Players pilot SD Gundam units in strategic battles against enemy forces." +1171|SD Kidou Senshi Gundam 2|Angel|1993||Action| "SD Kidou Senshi Gundam 2 is an action game developed by Tose and published by Angel. Players control SD Gundam units in battles against enemy forces in a futuristic setting." +1172|SD The Great Battle|Banpresto|1990||Action| "SD The Great Battle is an action game developed and published by Banpresto. The game features crossover battles between various super-deformed characters from different franchises." +1173|SeaQuest DSV|Malibu Games|1995||Adventure| "SeaQuest DSV is an adventure game developed by Sculptured Software and published by Malibu Games. Players control a submarine and explore the depths of the ocean in search of mysteries." +1174|Secret of Evermore|Square|1995||RPG| "Secret of Evermore is an RPG developed and published by Square. The game follows a boy and his dog as they travel through different worlds and unravel the secrets of Evermore." +1175|Secret of Mana•Seiken Densetsu 2JP|Square (JP and NA)Nintendo (EU)|1993|1993|RPG| "Secret of Mana, known as Seiken Densetsu 2 in Japan, is an RPG developed by Square. The game features real-time battles, a unique ring menu system, and a compelling story." +1176|Secret of the Stars•AqutallionJP|Tecmo|1995|1993|RPG| "Secret of the Stars, known as Aqutallion in Japan, is an RPG developed and published by Tecmo. The game follows a group of heroes on a quest to save their world from an ancient evil." +1177|Seifuku Densetsu: Pretty Fighter|Imagineer Co., Ltd.|1994||Fighting| "Seifuku Densetsu: Pretty Fighter is a fighting game published by Imagineer Co., Ltd. The game features an all-female cast of fighters battling it out in intense combat." +1178|Seijuu Maden: Beasts & Blades|Bullet-Proof Software|1995||RPG| "Seijuu Maden: Beasts & Blades is an RPG published by Bullet-Proof Software. The game combines elements of fantasy and strategy as players embark on a quest to defeat powerful beasts." +1179|Sengoku Denshou•SengokuNA|Data East|1993||Action| "Sengoku Denshou, known as Sengoku in North America, is an action game developed by Data East. Players battle through feudal Japan as powerful warriors fighting against evil forces." +1180|Sengoku no Hasha|Banpresto||1995||"Sengoku no Hasha is a strategy game developed by Bits Laboratory and published by Banpresto. The game was released in Japan on December 22, 1995." +1181|Sensible Soccer: European Champions•Championship Soccer '94NA|Sony Imagesoft|1994||| "Sensible Soccer: European Champions is a sports game developed by Sensible Software and published by Sony Imagesoft. The game was released in North America on June 3, 1994." +1182|Sgt. Saunders' Combat!|ASCII Corporation||1995||"Sgt. Saunders' Combat! is a action game developed by Play Avenue Chickenhead and published by ASCII Corporation. The game was released in Japan on September 29, 1995." +1183|Shadowrun|Data East|1993|1994||"Shadowrun is a cyberpunk-themed action role-playing game developed by Beam Software and published by Data East. The game was released in North America on May 1, 1993." +1184|Shanghai: Banri no Choujou|Sunsoft||1995||"Shanghai: Banri no Choujou is a puzzle game developed by Kuusou Kagaku and published by Sunsoft. The game was released in Japan on November 17, 1995." +1185|Shanghai II: Dragon's Eye•Super Shanghai: Dragon's EyeJP|Activision|1993|1992||"Shanghai II: Dragon's Eye is a puzzle game developed by Hot-B and published by Activision. The game was released in Japan on April 28, 1992." +1186|Shanghai III|Sunsoft||1994||"Shanghai III is a puzzle game developed by Kuusou Kagaku and published by Sunsoft. The game was released in Japan on September 15, 1994." +1187|Shaq Fu|Electronic Arts|1994||| "Shaq Fu is a fighting game developed by Delphine Software International and published by Electronic Arts. The game was released in North America on October 28, 1994." +1188|Shien's Revenge•Shien: The Blade ChaserJP|Vic Tokai|1994|1994||"Shien's Revenge is an action game developed by Almanic and published by Vic Tokai. The game was released in North America on October 1994." +1189|Shigetaka Kashiwagi's Top Water Bassing|VAP||1995||"Shigetaka Kashiwagi's Top Water Bassing is a fishing simulation game developed by Imagesoft and published by VAP. The game was released in Japan on February 17, 1995." +1190|Shijou Saikyou League Serie A: Ace Striker|TNN||1995||"Shijou Saikyou League Serie A: Ace Striker is a sports game published by TNN. The game was released in Japan on March 31, 1995." +1191|Shijou Saikyou no Quiz Ou Ketteisen Super|Yonezawa PR21||1992|||"Shijou Saikyou no Quiz Ou Ketteisen Super is a quiz game developed by ISCO and published by Yonezawa PR21. The game was released in Japan on December 28, 1992." +1192|Shiki Eiyuuden|Outrigger Koubou||1995|||"Shiki Eiyuuden is a role-playing game published by Outrigger Koubou. The game was released in Japan on July 7, 1995." +1193|Shimono Masaki no Fishing to Bassing|Natsume||1994|||"Shimono Masaki no Fishing to Bassing is a fishing simulation game developed by Natsume. The game was released in Japan on October 16, 1994." +1194|Shin Ikkaku Senkin|VAP||1995|||"Shin Ikkaku Senkin is a strategy game developed by Jorudan and published by VAP. The game was released in Japan on July 7, 1995." +1195|Shin Majan|Konami||1994|||"Shin Majan is a mahjong game published by Konami. The game was released in Japan on March 30, 1994." +1196|Shin Megami Tensei|Atlus||1992|||"Shin Megami Tensei is a role-playing game developed and published by Atlus. The game was released in Japan on October 30, 1992." +1197|Shin Megami Tensei if...|Atlus||1994|||"Shin Megami Tensei if... is a role-playing game developed and published by Atlus. The game was released in Japan on October 28, 1994." +1198|Shin Megami Tensei II|Atlus||1994|||"Shin Megami Tensei II is a role-playing game developed and published by Atlus. The game was released in Japan on March 18, 1994." +1199|Shin Momotarou Densetsu|Hudson Soft||1993|||"Shin Momotarou Densetsu is a role-playing game published by Hudson Soft. The game was released in Japan on December 24, 1993." +1200|Shin Naki no Ryuu: Mahjong Hishō-den|BEC|Unreleased|1995||"A mahjong game released in Japan in 1995." +1201|Shin Nekketsu Kouha: Kunio-tachi no Banka|Technōs Japan|Unreleased|1994||"A beat 'em up game released in Japan in 1994." +1202|Shin Nippon Pro Wrestling: Chou Senshi in Tokyo Dome|Varie|Unreleased|1993||"A wrestling game released in Japan in 1993." +1203|Shin Nippon Pro Wrestling '94: Battlefield in Tokyo Dome|Varie|Unreleased|1994||"A wrestling game released in Japan in 1994." +1204|Shin Nippon Pro Wrestling '95: Tokyo Dome Battle 7|Varie|Unreleased|1995||"A wrestling game released in Japan in 1995." +1205|Shin SD Sengokuden: Taishou Gun Retsuden|BEC|Unreleased|1995||"A strategy game released in Japan in 1995." +1206|Shin Seikoku: La Wares|Yutaka|Unreleased|1995||"A role-playing game released in Japan in 1995." +1207|Shin Shougi Club|Hect|Unreleased|1995||"A shogi game released in Japan in 1995." +1208|Shin Togenkyo|Banpresto|Unreleased|1995||"An adventure game released in Japan in 1995." +1209|The Shinri Game: Akuma no Kokoroji|Visit|Unreleased|1993||"A psychological horror game released in Japan in 1993." +1210|The Shinri Game 2: Magical Trip|Visit|Unreleased|1995||"A psychological horror game released in Japan in 1995." +1211|The Shinri Game 3|Visit|Unreleased|1995||"A psychological horror game released in Japan in 1995." +1212|Shinseiki Odysselya|Vic Tokai|Cancelled|1993||"An action-adventure game released in Japan in 1993." +1213|Shinseiki Odysselya II|Vic Tokai|Unreleased|1995||"An action-adventure game released in Japan in 1995." +1214|Shinzui Taikyoku Igo: Go Sennin|J-Wing|Unreleased|1995||"A go game released in Japan in 1995." +1215|Shiroi Ringu he|Pony Canyon|Unreleased|1995||"A visual novel game released in Japan in 1995." +1216|Shodai Nekketsu Kouha Kunio-kun|Technōs Japan|Unreleased|1992||"A beat 'em up game released in Japan in 1992." +1217|Shodan Morita Shougi|SETA|Unreleased|1991||"A shogi game released in Japan in 1991." +1218|Shodankurai Nintei: Shodan Pro Mahjong|Gaps|Unreleased|1995||"A mahjong game released in Japan in 1995." +1219|Shougi: Fuurinkazan|Pony Canyon|Unreleased|1993||"A shogi game released in Japan in 1993." +1220|Shougi Club|Hect|Unreleased|1995|Strategy|"Shougi Club is a strategic board game simulation developed by Natsu System and published by Hect. It was released in Japan on February 24, 1995. The game offers a realistic shougi (Japanese chess) experience for players to enjoy." +1221|Shougi Saikyou|Magical Company|Unreleased|1995|Strategy|"Shougi Saikyou is a shougi game developed by Magical Company and published by Magical Company. It was set to be released in Japan on July 21, 1995. Test your shougi skills in this challenging game." +1222|Shougi Saikyou 2: Jissen Taikyoku Hen|Magical Company|Unreleased|1996|Strategy|"Shougi Saikyou 2: Jissen Taikyoku Hen is a sequel to the original shougi game developed by Magical Company. The game was scheduled to be released in Japan on February 9, 1996. Experience intense shougi matches in this strategic game." +1223|Shougi Sanmai|Virgin Interactive|Unreleased|1995|Strategy|"Shougi Sanmai is a shougi game developed by Virgin Interactive and published by Virgin Interactive. It was planned for release in Japan on December 22, 1995. Immerse yourself in the world of shougi with this engaging title." +1224|Shounen Ashibe|Takara|Unreleased|1992|Adventure|"Shounen Ashibe is an adventure game developed by Nova Games and published by Takara. The game was set to release in Japan on December 22, 1992. Join Shounen Ashibe on his exciting adventures in this charming title." +1225|Shounen Ninja Sasuke|Sunsoft|Unreleased|1994|Action|"Shounen Ninja Sasuke is an action game developed by Sunsoft. The game was planned for release in Japan on October 28, 1994. Embark on a thrilling ninja journey with Sasuke in this action-packed game." +1226|Shounin yo Taishi wo Idake!!|Bandai|Unreleased|1995|Action|"Shounin yo Taishi wo Idake!! is an action game developed by AIM and published by Bandai. It was scheduled for release in Japan on December 15, 1995. Take on the role of a brave warrior in this epic adventure." +1227|Shutokou Battle '94 Keichii Tsuchiya Drift King|Bullet-Proof Software|Unreleased|1994|Racing|"Shutokou Battle '94 Keichii Tsuchiya Drift King is a racing game developed by Genki and published by Bullet-Proof Software. The game was set to release in Japan on May 27, 1994. Experience the thrill of drift racing in this exciting title." +1228|Shutokou Battle 2: Drift King Keichii Tsuchiya & Masaaki Bandoh|Bullet-Proof Software|Unreleased|1995|Racing|"Shutokou Battle 2: Drift King Keichii Tsuchiya & Masaaki Bandoh is a racing game developed by Genki and published by Bullet-Proof Software. It was planned for release in Japan on February 24, 1995. Get ready for intense drift battles in this adrenaline-pumping game." +1229|Shuushoku Game|Imagineer|Unreleased|1995|Simulation|"Shuushoku Game is a simulation game developed by Lenar and published by Imagineer. The game was scheduled for release in Japan on July 28, 1995. Dive into the world of job hunting and career building in this unique simulation title." +1230|Side Pocket|Data East|1993|1994|Sports|"Side Pocket is a sports game developed by Iguana Entertainment and published by Data East. It was released in Japan on March 18, 1994, and in North America in December 1993. Enjoy a game of pocket billiards in this classic sports title." +1231|Silva Saga II: The Legend of Light and Darkness|SETA|Unreleased|1993|Role-Playing|"Silva Saga II: The Legend of Light and Darkness is a role-playing game developed and published by SETA. The game was set to release in Japan on June 25, 1993. Embark on an epic journey filled with light and darkness in this captivating RPG." +1232|SimAnt|Maxis|1993|1993|Simulation|"SimAnt is a simulation game developed by Tomcat System and published by Maxis. It was released in Japan on February 26, 1993, and in North America in October 1993. Experience the world of ants in this unique simulation title." +1233|SimCity|Nintendo|1991|1991|Simulation|"SimCity is a simulation game developed by Nintendo and Maxis and published by Nintendo. The game was released in Japan on April 26, 1991, in North America on August 23, 1991, and in the PAL region on September 24, 1992. Build and manage your own city in this iconic simulation title." +1234|SimCity 2000|Black Pearl Software|1996|1995|Simulation|"SimCity 2000 is a simulation game developed by THQ and published by Black Pearl Software. It was released in Japan on May 26, 1995, in North America in November 1996, and in the PAL region on December 19, 1996. Expand and develop your city in this classic simulation title." +1235|SimCity Jr.|Imagineer|Unreleased|1996|Simulation|"SimCity Jr. is a simulation game developed and published by Imagineer. The game was planned for release in Japan on July 26, 1996. Create and manage your own miniature city in this charming simulation title." +1236|SimEarth•SimEarth: The Living PlanetJP|FCI|1993|1991|Simulation|"SimEarth•SimEarth: The Living PlanetJP is a simulation game developed by Tomcat System and published by FCI. It was released in Japan on December 29, 1991, and in North America in February 1993. Explore the complexities of planet management in this engaging simulation title." +1237|The Simpsons: Bart's Nightmare•The Simpsons: Bart no Fushigi na Yume no DaiboukenJP|Acclaim Entertainment|1992|1993|Action|"The Simpsons: Bart's Nightmare•The Simpsons: Bart no Fushigi na Yume no DaiboukenJP is an action game developed by Sculptured Software and published by Acclaim Entertainment. The game was released in Japan on February 26, 1993, in North America on October 12, 1992, and in the PAL region on February 18, 1993. Join Bart Simpson on a wild adventure in this entertaining title." +1238|Simulation Pro Yakyuu|Hect|Unreleased|1995|Sports|"Simulation Pro Yakyuu is a sports game developed and published by Hect. It was planned for release in Japan on April 28, 1995. Experience the excitement of professional baseball simulation in this immersive sports title." +1239|Sink or Swim|Titus Software|1996|1994|Puzzle|"Sink or Swim is a puzzle game developed by Zeppelin Games and published by Titus Software. The game was released in North America on January 31, 1996, and in the PAL region on December 31, 1994. Navigate challenging water-based puzzles in this engaging title." +1240|Sküljagger: Revolt of the Westicans|American Softworks|1992|1992|Action|"Sküljagger: Revolt of the Westicans is an action game released in 1992. The game follows the protagonist as they navigate through various levels, defeating enemies and bosses along the way." +1241|Skyblazer•Karura OuJP|Sony Imagesoft|1994|1994|Action|"Skyblazer•Karura OuJP is an action game released in 1994. Players control the main character as they embark on a journey to rescue a princess and defeat evil forces." +1242|Slayers|Banpresto|Unreleased|1994|Role-playing|"Slayers is a role-playing game set to be released in 1994. Players can expect an immersive storyline, engaging gameplay, and unique characters in this fantasy world." +1243|Smart Ball•Jerry BoyJP|Sony Imagesoft|1992|1991|Platform|"Smart Ball•Jerry BoyJP is a platformer game released in 1991. Players control a character on a quest to save their world, utilizing unique abilities and solving puzzles." +1244|Smash Tennis•Super Family TennisJP|Namco (JP)Virgin Interactive (EU)|Unreleased|1993|Sports|"Smash Tennis•Super Family TennisJP is a sports game set to be released in 1993. Players can expect realistic tennis gameplay and various game modes to enjoy." +1245|The Smurfs|Infogrames|1994|1994|Adventure|"The Smurfs is an adventure game released in 1994. Players can join the iconic blue characters on a quest to solve puzzles, explore the world, and outsmart Gargamel." +1246|The Smurfs Travel The World|Infogrames|1994|1994|Adventure|"The Smurfs Travel The World is an adventure game released in 1994. Players can travel to different locations, meet new characters, and collect items to progress in the game." +1247|Snoopy Concert|Mitsui Fudosan|Unreleased|1995|Music|"Snoopy Concert is a music game set to be released in 1995. Players can enjoy rhythm-based gameplay, iconic Peanuts characters, and a variety of songs to play along with." +1248|Snow White: Happily Ever After|American Softworks|1994|1994|Action|"Snow White: Happily Ever After is an action game released in 1994. Players can experience the classic fairy tale in a new interactive way, engaging in platforming challenges and battles." +1249|Soccer Kid•The Adventures of Kid KleetsNA|Ocean Software|1994|1993|Sports|"Soccer Kid•The Adventures of Kid KleetsNA is a sports game released in 1993. Players control a young soccer player on a mission to save the world, using soccer skills to overcome obstacles." +1250|Soldiers of Fortune•The Chaos EngineEU|Spectrum HoloByte|1993|Unreleased|Action|"Soldiers of Fortune•The Chaos EngineEU is an action game released in 1993. Players can expect intense gameplay, cooperative multiplayer, and a steampunk-inspired world to explore." +1251|Solid Runner|ASCII Entertainment|Unreleased|1997|Action|"Solid Runner is an action game set to be released in 1997. Players can expect fast-paced gameplay, challenging levels, and a futuristic setting to navigate." +1252|Song Master|Yanoman|Unreleased|1992|Music|"Song Master is a music game set to be released in 1992. Players can enjoy rhythm-based gameplay, unique songs, and interactive music challenges." +1253|Sonic Blast Man|Taito|1993|1992|Action|"Sonic Blast Man is an action game released in 1992. Players control a superhero character with powerful punches and special moves to defeat enemies and save the day." +1254|Sonic Blast Man II|Taito|1994|1994|Action|"Sonic Blast Man II is an action game released in 1994. Players can expect improved gameplay mechanics, new challenges, and epic boss battles to conquer." +1255|Soreyuke Ebisumaru Karakuri Meiro: Kieta Goemon no Nazo!!|Konami|Unreleased|1996|Action-Adventure|"Soreyuke Ebisumaru Karakuri Meiro: Kieta Goemon no Nazo!! is an action-adventure game set to be released in 1996. Players can expect a mix of action, puzzles, and exploration in this exciting title." +1256|SOS•SeptentrionJP|Vic Tokai|1994|1993|Action|"SOS•SeptentrionJP is an action game released in 1993. Players must navigate through challenging scenarios, make decisions to survive, and uncover the mysteries of the game world." +1257|Sotsugyou Bangai Hen: Nee Mahjong Shiyo!|KSS|Unreleased|1994|Puzzle|"Sotsugyou Bangai Hen: Nee Mahjong Shiyo! is a puzzle game set to be released in 1994. Players can enjoy traditional mahjong gameplay with a twist, challenging puzzles, and strategic thinking." +1258|Sougou Kakutougi: Astral Bout|King Records|Unreleased|1992|Fighting|"Sougou Kakutougi: Astral Bout is a fighting game set to be released in 1992. Players can expect intense battles, diverse characters, and unique fighting styles to master." +1259|Sougou Kakutougi: Astral Bout 2: The Total Fighters|King Records|Unreleased|1994|Fighting|"Sougou Kakutougi: Astral Bout 2: The Total Fighters is a fighting game set to be released in 1994. Players can expect an expanded roster of fighters, new moves, and challenging opponents to face." +1260|Sougou Kakutougi Rings: Astral Bout 3|King Records| |1995| |"Sougou Kakutougi Rings: Astral Bout 3 is a fighting game released in Japan in 1995." +1261|Soukou Kihei Votoms: The Battling Road|Takara| |1993| |"Soukou Kihei Votoms: The Battling Road is a game based on the Votoms anime series, released in Japan in 1993." +1262|Soul & Sword|Zamuse| |1993| |"Soul & Sword is an unreleased game developed by Pandora Box and published by Zamuse in Japan in 1993." +1263|Soul Blazer•Soul BladerJP|Enix|1992|1992| |"Soul Blazer•Soul BladerJP is an action RPG developed by Quintet and published by Enix, released in Japan in 1992 and North America in 1992." +1264|Sound Novel Tsukuuru|ASCII| |1996| |"Sound Novel Tsukuuru is a game developed by Success and published by ASCII, released in Japan in 1996." +1265|Space Ace|Absolute Entertainment|1994|1994| |"Space Ace is an action game released in Japan in 1994 and North America in 1994." +1266|Space Football: One on One•Super LinearballJP|Triffix|1992|1992| |"Space Football: One on One•Super LinearballJP is a sports game released in Japan in 1992 and North America in 1992." +1267|Space Invaders•Space Invaders: The Original GameJP|Taito (JP)Nintendo (NA and EU)|1997|1994| |"Space Invaders•Space Invaders: The Original GameJP is a classic arcade game released in Japan in 1994 and North America in 1997." +1268|Space Megaforce•Super AlesteEU, JP|Toho|1992|1992| |"Space Megaforce•Super AlesteEU, JP is a shoot 'em up game developed by Compile and published by Toho, released in Japan in 1992 and North America in 1992." +1269|Spanky's Quest•Hansei Zaru: Jirou-kun no DaiboukenJP|Natsume|1992|1991| |"Spanky's Quest•Hansei Zaru: Jirou-kun no DaiboukenJP is a platformer game developed and published by Natsume, released in Japan in 1991 and North America in 1992." +1270|Spark World|Den'Z| |1995| |"Spark World is an unreleased game published by Den'Z in Japan in 1995." +1271|Sparkster|Konami|1994|1994| |"Sparkster is a platformer game developed and published by Konami, released in Japan in 1994 and North America in 1994." +1272|Spectre|Cybersoft|1994| | |"Spectre is a game developed by Synergistic Software and published by Cybersoft, released in North America in 1994." +1273|Speed Racer in My Most Dangerous Adventures|Accolade|1994| | |"Speed Racer in My Most Dangerous Adventures is a racing game developed by Radical Entertainment and published by Accolade, released in North America in 1994." +1274|Speedy Gonzales: Los Gatos Bandidos|Acclaim Entertainment and Sunsoft|1995| | |"Speedy Gonzales: Los Gatos Bandidos is a platformer game developed by Sunsoft, released in North America in 1995." +1275|Spider-Man|LJN|1995| | |"Spider-Man is an action game developed by Western Technologies and published by LJN, released in North America in 1995." +1276|Spider-Man and Venom: Maximum Carnage|LJN|1994| | |"Spider-Man and Venom: Maximum Carnage is an action game developed by Software Creations and published by LJN, released in North America in 1994." +1277|Spider-Man and the X-Men in Arcade's Revenge|LJN|1992| | |"Spider-Man and the X-Men in Arcade's Revenge is an action game developed by Software Creations and published by LJN, released in North America in 1992." +1278|Spindizzy Worlds|ASCII Entertainment|1993|1992| |"Spindizzy Worlds is a puzzle game developed and published by ASCII Entertainment, released in North America in 1993 and Japan in 1992." +1279|Spirou|Infogrames| | |1995|"Spirou is a game developed and published by Infogrames, released in PAL regions in 1995." +1280|The Sporting News: Power Baseball|Hudson Soft|1995| |Sports|"The Sporting News: Power Baseball is a sports video game released in June 1995. It features baseball gameplay with a focus on power and strategy." +1281|Sports Illustrated: Championship Football & Baseball•All-American Championship FootballEU|Malibu Games|1994|1994|Sports|"Sports Illustrated: Championship Football & Baseball is a sports game released in February 1994. It combines football and baseball gameplay for an immersive experience." +1282|Spriggan Powered|Naxat Soft| |1996| |"Spriggan Powered is a game developed by Micronics and published by Naxat Soft. It was released in Japan on July 26, 1996, offering action-packed gameplay." +1283|Sprinter Monogatari: Mezase!! Ikkaku Senkin|Video and Audio Project| |1995| |"Sprinter Monogatari: Mezase!! Ikkaku Senkin is a game developed and published by Video and Audio Project. It was released in Japan on April 17, 1995, offering an exciting racing experience." +1284|St. Andrews: Eikou to Rekishi no Old Course|Epoch Co.| |1995| |"St. Andrews: Eikou to Rekishi no Old Course is a game published by Epoch Co. It was released in Japan on September 15, 1995, offering a historical and prestigious golf experience." +1285|Star Fox•StarwingEU|Nintendo|1993|1993|Action|"Star Fox is an action-packed game developed by Nintendo and Argonaut Games. It was released in Japan on February 21, 1993, North America on March 23, 1993, and PAL regions on June 3, 1993." +1286|Star Ocean|Enix| |1996| |"Star Ocean is an adventure game developed by tri-Ace and published by Enix. It was released in Japan on July 19, 1996, offering a deep and immersive space exploration experience." +1287|Star Trek: Deep Space Nine – Crossroads of Time|Playmates Interactive|1995|1995|Action|"Star Trek: Deep Space Nine – Crossroads of Time is an action game published by Playmates Interactive. It was released in North America in September 1995, offering a thrilling Star Trek experience." +1288|Star Trek: Starfleet Academy - Starship Bridge Simulator|Interplay Entertainment|1994|1994|Action|"Star Trek: Starfleet Academy - Starship Bridge Simulator is an action game published by Interplay Entertainment. It was released in North America in December 1994, offering a realistic starship simulation experience." +1289|Star Trek: The Next Generation – Future's Past•Shin Star Trek: The Next GenerationJP|Spectrum HoloByte|1994|1994|Action|"Star Trek: The Next Generation – Future's Past is an action game developed and published by Spectrum HoloByte. It was released in Japan in November 1994 and in North America in March 1994, offering an exciting Star Trek adventure." +1290|Stardust Suplex|Varie| |1995| |"Stardust Suplex is a game published by Varie. It was released in Japan on January 20, 1995, offering a unique and entertaining gameplay experience." +1291|Stargate|Acclaim Entertainment|1995|1995|Action|"Stargate is an action game developed by Probe Entertainment and published by Acclaim Entertainment. It was released in Japan on May 26, 1995, in North America in April 1995, and in PAL regions on June 29, 1995." +1292|Stealth|Hect| |1992| |"Stealth is a game published by Hect. It was released in Japan on December 18, 1992, offering a stealth-based gameplay experience." +1293|Steel Talons|Left Field Entertainment|1993| |Action|"Steel Talons is an action game developed by Panoramic and published by Left Field Entertainment. It was released in North America in November 1993, offering intense combat and missions." +1294|Sterling Sharpe: End 2 End|Jaleco|1995| |Sports|"Sterling Sharpe: End 2 End is a sports game developed by Tose and published by Jaleco. It was released in North America in March 1995, offering an immersive football experience." +1295|Stone Protectors|Kemco|1994|1995|Action|"Stone Protectors is an action game developed by Eurocom and published by Kemco. It was released in Japan on April 28, 1995, and in North America in November 1994, offering a unique and adventurous gameplay." +1296|Street Combat•Ranma ½: Chounai GekitouhenJP|Irem|1993|1992|Action|"Street Combat is an action game developed by Opus Corporation and published by Irem. It was released in Japan on March 27, 1992, and in North America in April 1993, offering intense combat and martial arts gameplay." +1297|Street Fighter Alpha 2•Street Fighter Zero 2JP|Capcom (JP)Nintendo (NA and EU)|1996|1996|Fighting|"Street Fighter Alpha 2 is a fighting game developed and published by Capcom. It was released in Japan on December 20, 1996, in North America on November 1, 1996, and in PAL regions on December 19, 1996, offering intense battles and special moves." +1298|Street Fighter II: The World Warrior †|Capcom|1992|1992|Fighting|"Street Fighter II: The World Warrior is a classic fighting game developed and published by Capcom. It was released in Japan on June 10, 1992, in North America on July 15, 1992, and in PAL regions on December 17, 1992, revolutionizing the fighting game genre." +1299|Street Fighter II Turbo: Hyper Fighting|Capcom|1993|1993|Fighting|"Street Fighter II Turbo: Hyper Fighting is a fighting game developed and published by Capcom. It was released in Japan on July 11, 1993, in North America on August 13, 1993, and in PAL regions in October 1993, offering fast-paced and competitive battles." +1300|Street Hockey '95|GTE Interactive Media|1994|1994|Sports|"Street Hockey '95 is a sports video game released in November 1994. It features street hockey gameplay with various teams and players to choose from." +1301|Street Racer|Ubisoft|1994|1994|Racing|"Street Racer is a racing game released in December 1994. Players can race in different locations with various vehicles, competing against AI or friends." +1302|Strike Gunner S.T.G.•Super Strike GunnerEU|NTVIC|1992|1992|Shooter|"Strike Gunner S.T.G. is a shooter game released in October 1992. It offers fast-paced gameplay with a variety of weapons and challenging levels." +1303|Stunt Race FX•Wild TraxJP|Nintendo|1994|1994|Racing|"Stunt Race FX is a racing game released in October 1994. It features unique 3D graphics and gameplay, allowing players to perform stunts and race against opponents." +1304|Sugoi Hebereke|Sunsoft|Unreleased|1994|Action|"Sugoi Hebereke is an action game set to be released in March 1994. It offers colorful graphics and fun gameplay with various characters to play as." +1305|Sugoro Quest ++ Dicenics|Technōs Japan|Unreleased|1994|Role-playing|"Sugoro Quest ++ Dicenics is a role-playing game set to be released in December 1994. It features a fantasy world with quests, battles, and character customization." +1306|Sugoroku Ginga Senki|Bottom Up|Unreleased|1996|Board game|"Sugoroku Ginga Senki is a board game set to be released in December 1996. Players can enjoy a space-themed adventure with strategic gameplay." +1307|Sun Sport Fishing: Keiryuu-Ou|Imagineer|Unreleased|1994|Sports|"Sun Sport Fishing: Keiryuu-Ou is a fishing game set to be released in December 1994. It offers realistic fishing mechanics and various locations to explore." +1308|Sunset Riders|Konami (NA)Palcom Software (EU)|1993|Unreleased|Action|"Sunset Riders is an action game released in October 1993. Players can choose from different bounty hunters and engage in wild west shootouts." +1309|Supapoon|Yutaka|Unreleased|1995|Action|"Supapoon is an action game set to be released in October 1995. It features fast-paced gameplay with challenging levels and enemies to defeat." +1310|Supapoon DX|Yutaka|Unreleased|1996|Action|"Supapoon DX is an action game set to be released in May 1996. It offers an enhanced version of the original game with new levels and features." +1311|Super Adventure Island•Takahashi Meijin no Daibouken Jima|Hudson Soft|1992|1992|Platformer|"In this Adventure Island entry, Master Higgins wields either his classic stone axe or a boomerang, with fireballs as power-ups. He can super-jump, but no longer runs faster like in the NES. Higgins must collect fruit to survive, and can ride a skateboard to speed through stages." +1312|Super Adventure Island II•Takahashi Meijin no Daibouken Jima II|Hudson Soft|1995|1995|Platformer|"In Adventure Island II, Master Higgins keeps his stone axe and skateboard but also gains the help of four dinosaur companions, each with unique abilities on land, sea, or air. Players collect fruit to stay alive, find eggs for power-ups, and ride dinos to tackle tougher stages with new variety." +1313|Super Air Diver 2|Asmik Ace Entertainment|Unreleased|1995|Simulation|"Super Air Diver 2 is a simulation game set to be released in March 1995. Players can pilot various aircraft and engage in aerial combat missions." +1314|Super Alfred Chicken•Alfred ChickenEU|Mindscape|1994|Unreleased|Platformer|"Super Alfred Chicken is a platformer game released in February 1994. Players control Alfred Chicken on a quest to save his friends from the evil Meka-Chickens." +1315|The Super Aquatic Games Starring the Aquabats•James Pond's Crazy SportsEU|Seika Corporation|1993|Unreleased|Sports|"The Super Aquatic Games Starring the Aquabats is a sports game released in October 1993. It features aquatic-themed mini-games and challenges for players to compete in." +1316|Super Back to the Future II|Toshiba EMI|Unreleased|1993|Action|"Super Back to the Future II is an action game set to be released in July 1993. Players control Marty McFly on a time-traveling adventure to save Doc Brown." +1317|Super Baken Ou '95|Techiku|Unreleased|1995|Sports|"Super Baken Ou '95 is a sports game set to be released in March 1995. It offers various sports mini-games and challenges for players to enjoy." +1318|Super Baseball 2020|Tradewest|1993|1993|Sports|"Super Baseball 2020 is a sports game released in July 1993. It features futuristic baseball gameplay with robots and special abilities for players to utilize." +1319|Super Baseball Simulator 1.000•Super Ultra BaseballJP|Culture Brain|1991|1991|Sports|"Super Baseball Simulator 1.000 is a sports game released in December 1991. It offers unique baseball gameplay with customizable teams and special super moves." +1320|Super Bases Loaded•Super Professional BaseballJP|Jaleco|1991|1991|Sports|"Super Bases Loaded is a baseball video game developed by Tose and published by Jaleco. It was released in Japan on May 17, 1991, and in North America on September 30, 1991. The game features professional baseball gameplay with a focus on realism and strategy." +1321|Super Bases Loaded 2 †•Super 3D BaseballJP•Korean Pro BaseballKR|Jaleco|1994|1992|Sports|"Super Bases Loaded 2 is a baseball video game developed by Tose and published by Jaleco. It was released in Japan on August 7, 1992, and in North America on February 1994. The game offers improved graphics and gameplay mechanics compared to its predecessor." +1322|Super Bases Loaded 3: License to Steal•Super Moero!! Pro YakyuuJP|Jaleco|1995|1994|Sports|"Super Bases Loaded 3 is a baseball video game developed by Tose and published by Jaleco. It was released in Japan on December 23, 1994, and in North America on February 1995. The game introduces new features such as a 'License to Steal' mode for added excitement." +1323|Super Batter Up•Super FamistaJP|Namco|1992|1992|Sports|"Super Batter Up, also known as Super Famista in Japan, is a baseball video game developed and published by Namco. It was released in Japan on March 27, 1992, and in North America on October 1, 1992. The game offers a fun and engaging baseball experience for players of all ages." +1324|Super Battleship|Mindscape|1993||Strategy|"Super Battleship is a naval strategy video game developed by World Builders Synergistic and published by Mindscape. It was released in North America in November 1993. Players command a battleship and engage in tactical combat against enemy fleets." +1325|Super Battletank 2|Absolute Entertainment|1994|1994|Action|"Super Battletank 2 is an action game developed and published by Absolute Entertainment. It was released in Japan on March 27, 1994, in North America on January 11, 1994, and in the PAL region on August 8, 1994. Players control a tank and complete missions in various war scenarios." +1326|Super Bikkuriman|BEC|1993||Action|"Super Bikkuriman is an action game developed by Tom Create and published by BEC. It was released in Japan on January 29, 1993. The game features platforming gameplay with a focus on collecting items and defeating enemies." +1327|Super Birdie Rush|Data East|1992||Action|"Super Birdie Rush is an action game developed and published by Data East. It was released in Japan on March 6, 1992. Players control a bird character and navigate through challenging levels to reach the end goal." +1328|Super Black Bass|Hot-B|1993|1992|Sports|"Super Black Bass is a fishing simulation game developed by Starfish and published by Hot-B. It was released in Japan on December 4, 1992, and in North America on May 1993. Players compete in fishing tournaments and aim to catch the biggest bass." +1329|Super Black Bass 3|Starfish|1995|1995|Sports|"Super Black Bass 3 is a fishing simulation game developed by Starfish. It was released in Japan on December 15, 1995. The game offers realistic fishing mechanics and a variety of locations to explore." +1330|Super Bomberman: Panic Bomber W|Hudson Soft|1995||Puzzle|"Super Bomberman: Panic Bomber W is a puzzle game developed by Raizing and published by Hudson Soft. It was released in Japan on March 1, 1995. Players engage in fast-paced puzzle battles by matching colored blocks to clear the board." +1331|Super Bomberman|Hudson Soft|1993|1993|Action|"Super Bomberman is an action game developed by Produce and published by Hudson Soft. It was released in Japan on April 28, 1993, and in North America on September 1993. The game features maze-like levels where players strategically place bombs to defeat enemies." +1332|Super Bomberman 2|Hudson Soft|1994|1994|Action|"Super Bomberman 2 is an action game developed by Produce and published by Hudson Soft. It was released in Japan on April 28, 1994, and in North America on September 1994. The game introduces new power-ups and multiplayer modes for enhanced gameplay." +1333|Super Bomberman 3|Hudson Soft|1995|1995|Action|"Super Bomberman 3 is an action game developed and published by Hudson Soft. It was released in Japan on April 28, 1995, and features new levels, enemies, and multiplayer options for an exciting gaming experience." +1334|Super Bomberman 4|Hudson Soft|1996|1996|Action|"Super Bomberman 4 is an action game developed by Produce and published by Hudson Soft. It was released in Japan on April 26, 1996. The game continues the series' tradition of explosive multiplayer battles and challenging single-player campaigns." +1335|Super Bomberman 5|Hudson Soft|1997|1997|Action|"Super Bomberman 5 is an action game developed and published by Hudson Soft. It was released in Japan on February 28, 1997, and offers new levels, power-ups, and multiplayer modes for endless bombing fun." +1336|Super Bombliss|Bullet-Proof Software|1995|1995|Puzzle|"Super Bombliss is a puzzle game developed by Tose and published by Bullet-Proof Software. It was released in Japan on March 17, 1995. Players must strategically place falling blocks to create chain reactions and clear the board." +1337|Super Bonk•Super B.C. KidEU•Chou GenjinJP|Hudson Soft|1994|1994|Action|"Super Bonk, also known as Super B.C. Kid in Europe and Chou Genjin in Japan, is a platformer game developed by A.I. Company Ltd. and published by Hudson Soft. It was released in Japan on July 22, 1994, in North America on November 1994, and in the PAL region in 1995. Players control Bonk, a caveman with powerful headbutting abilities, on a quest to rescue Princess Za." +1338|Super Bowling|Technōs Japan (JP)American Technōs (NA)|1992|1992|Sports|"Super Bowling is a sports game developed by Athena and published by Technōs Japan in Japan and American Technōs in North America. It was released in Japan on July 3, 1992, and in North America on September 1992. Players can enjoy realistic bowling gameplay with various modes and challenges." +1339|Super Buster Bros. †•Super PangEU|Capcom|1992|1992|Puzzle|"Super Buster Bros., also known as Super Pang in Europe, is a puzzle game developed and published by Capcom. It was released in Japan on August 7, 1992, in North America on October 1992, and in the PAL region in 1992. Players must pop bubbles to clear the screen and progress through levels of increasing difficulty." +1340|Super Caesars Palace|Virgin Interactive|1993|1993|Casino|"Super Caesars Palace is a casino video game where players can experience various casino games such as poker, blackjack, and roulette in a virtual environment." +1341|Super Casino 2|Coconuts Japan||1995|Casino|"Super Casino 2 is a casino game developed by OeRSTED. It offers a variety of casino games for players to enjoy, including slots, poker, and blackjack." +1342|Super Castles|Victor Interactive Software||1994|Strategy|"Super Castles is a strategy game where players build and manage their own castles. With a focus on resource management and strategic planning, players must defend their castle from enemies and expand their territory." +1343|Super Castlevania IV•Akumajou DraculaJP|Konami|1991|1991|Action-adventure|"Super Castlevania IV, also known as Akumajou Dracula in Japan, is an action-adventure game where players control vampire hunter Simon Belmont. With challenging platforming levels and epic boss battles, players must navigate through Dracula's castle to defeat the evil count." +1344|Super Chase H.Q.•Super H.Q. Criminal ChaserJP|Taito|1993|1993|Racing|"Super Chase H.Q., also known as Super H.Q. Criminal Chaser in Japan, is a racing game where players take on the role of a police officer chasing down criminals. With high-speed pursuits and intense action, players must apprehend the suspects before time runs out." +1345|Super Chinese Fighter|Culture Brain||1995|Fighting|"Super Chinese Fighter is a fighting game developed by Culture Brain. Players can choose from a variety of martial arts characters and engage in one-on-one battles to become the ultimate champion." +1346|Super Chinese World 2: Uchuu Ichibuto Daikai|Culture Brain||1993|1993|Action|"Super Chinese World 2: Uchuu Ichibuto Daikai is an action game that continues the adventures of the popular Super Chinese series. Players embark on a journey through various worlds, battling enemies and solving puzzles to save the day." +1347|Super Chinese World 3 - Chou Jigen Daisakusen|Culture Brain||1995|1995|Role-playing|"Super Chinese World 3 - Chou Jigen Daisakusen is a role-playing game where players control a team of heroes on a quest to defeat an evil force threatening the world. With turn-based battles and a deep storyline, players must strategize to overcome challenges and save the day." +1348|Super Conflict|Vic Tokai|1993||Strategy|"Super Conflict is a strategy game developed by Vic Tokai. Players take on the role of a military commander leading their forces to victory in various tactical missions. With a focus on strategic planning and resource management, players must outwit their opponents to achieve success." +1349|Super Dany|Virgin Interactive||1994|Adventure|"Super Dany is an adventure game developed by Cryo Interactive. Players embark on a thrilling journey as the titular character, Dany, exploring mysterious worlds and solving puzzles to uncover the secrets of a forgotten civilization." +1350|Super Double Dragon•Return of Double DragonJP|Tradewest|1992|1992|Action|"Super Double Dragon, also known as Return of Double Dragon in Japan, is an action game where players control martial artists Billy and Jimmy Lee. With fast-paced combat and challenging levels, players must defeat hordes of enemies to rescue a kidnapped ally." +1351|Super Double Yakuman|VAP||1994|1994|Puzzle|"Super Double Yakuman is a puzzle game developed by VAP. Players can enjoy the classic Japanese tile-matching game of Mahjong, testing their skills and strategy to achieve victory." +1352|Super Double Yakuman II|VAP||1997|1997|Puzzle|"Super Double Yakuman II is a sequel to the popular Mahjong puzzle game. With improved graphics and gameplay mechanics, players can once again challenge themselves in the world of Japanese tile-matching." +1353|Super Drift Out|Visco Corporation||1995|1995|Racing|"Super Drift Out is a racing game developed by Dragnet. Players can experience the thrill of drifting in high-speed competitions across various tracks. With realistic physics and challenging AI opponents, players must master the art of drifting to emerge victorious." +1354|Super Dropzone•Archer MacLean's Super Dropzone|Psygnosis|||Shooter|"Super Dropzone, also known as Archer MacLean's Super Dropzone, is a shooter game developed by Eurocom. Players pilot a spacecraft through intense battles, shooting down enemy forces and completing missions to save the galaxy." +1355|Super Earth Defense Force|Jaleco|1992|1991|Shooter|"Super Earth Defense Force is a shooter game developed by Jaleco. Players take on the role of a pilot defending Earth from alien invaders. With fast-paced action and challenging levels, players must shoot down enemy ships and bosses to save the planet." +1356|Super Dimension Fortress Macross: Scrambled Valkyrie|Zamuse||1993|1993|Shooter|"Super Dimension Fortress Macross: Scrambled Valkyrie is a shooter game based on the popular Macross anime series. Players pilot transforming mechs known as Valkyries, battling against alien forces in intense aerial combat." +1357|Super Dunk Star|Sammy Corporation||1993|1993|Sports|"Super Dunk Star is a sports game developed by C-Lab. Players can experience the excitement of basketball with fast-paced gameplay and slam-dunk action. With multiple game modes and teams to choose from, players can compete in thrilling matches to become the ultimate dunk star." +1358|Super F1 Circus|Nichibutsu||1992|1992|Racing|"Super F1 Circus is a racing game developed by Cream. Players can race in Formula 1 cars across various circuits, competing against AI opponents in high-speed challenges. With realistic driving mechanics and detailed tracks, players can experience the thrill of F1 racing." +1359|Super F1 Circus 2|Nichibutsu||1993|1993|Racing|"Super F1 Circus 2 is the sequel to the popular racing game, offering new tracks and challenges for players to conquer. With improved graphics and gameplay features, players can once again experience the excitement of Formula 1 racing." +1360|Super F1 Circus 3|Nichibutsu|Unreleased|1994|Racing|"Super F1 Circus 3 is a racing game developed by Cream and published by Nichibutsu. It was released in Japan on July 15, 1994. The game features realistic F1 racing simulation with various circuits and cars to choose from." +1361|Super F1 Circus Gaiden|Nichibutsu|Unreleased|1995|Racing|"Super F1 Circus Gaiden is a racing game developed by Cream and published by Nichibutsu. It was released in Japan on July 7, 1995. The game offers an enhanced F1 racing experience with updated graphics and gameplay mechanics." +1362|Super F1 Circus Limited|Nichibutsu|Unreleased|1992|Racing|"Super F1 Circus Limited is a racing game developed by Cream and published by Nichibutsu. It was released in Japan on October 23, 1992. The game introduces limited edition cars and tracks for players to enjoy." +1363|Super F1 Hero|Varie|Unreleased|1992|Racing|"Super F1 Hero is a racing game developed by Aprinet and published by Varie. It was released in Japan on December 18, 1992. The game focuses on the heroic journey of F1 drivers competing in intense races." +1364|Super Famicom Wars|Nintendo|Unreleased|1998|Strategy|"Super Famicom Wars is a strategy game developed by Intelligent Systems and published by Nintendo. It was released in Japan on May 1, 1998. The game offers turn-based tactical gameplay with a variety of units and maps." +1365|Super Family Circuit|Namco|Unreleased|1994|Racing|"Super Family Circuit is a racing game developed by Game Studio and published by Namco. It was released in Japan on October 21, 1994. The game features family-friendly racing action with colorful tracks and fun characters." +1366|Super Family Gelände|Namco|Unreleased|1998|Racing|"Super Family Gelände is a racing game published by Namco. It was released in Japan on February 1, 1998. The game focuses on off-road racing challenges in various terrains and environments." +1367|Super Famista 2|Namco|Unreleased|1993|Sports|"Super Famista 2 is a sports game published by Namco. It was released in Japan on March 12, 1993. The game offers an immersive baseball experience with realistic gameplay and team management features." +1368|Super Famista 3|Namco|Unreleased|1994|Sports|"Super Famista 3 is a sports game published by Namco. It was released in Japan on March 4, 1994. The game introduces new gameplay mechanics and updated rosters for an enhanced baseball simulation." +1369|Super Famista 4|Namco|Unreleased|1995|Sports|"Super Famista 4 is a sports game published by Namco. It was released in Japan on March 3, 1995. The game features improved graphics and gameplay elements, offering a realistic baseball experience." +1370|Super Famista 5|Namco|Unreleased|1996|Sports|"Super Famista 5 is a sports game published by Namco. It was released in Japan on February 29, 1996. The game includes updated teams and stadiums, providing an authentic baseball simulation." +1371|Super Final Match Tennis|Human Entertainment|Unreleased|1994|Sports|"Super Final Match Tennis is a sports game developed and published by Human Entertainment. It was released in Japan on August 12, 1994. The game offers realistic tennis gameplay with various modes and tournaments to compete in." +1372|Super Fire Pro Wrestling|Human Entertainment|Unreleased|1991|Sports|"Super Fire Pro Wrestling is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on December 20, 1991. The game features a deep wrestling experience with customizable characters and intense matches." +1373|Super Fire Pro Wrestling: Queen's Special|Human Entertainment|Unreleased|1995|Sports|"Super Fire Pro Wrestling: Queen's Special is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on June 30, 1995. The game focuses on female wrestling competitions with unique characters and storylines." +1374|Super Fire Pro Wrestling 2|Human Entertainment|Unreleased|1992|Sports|"Super Fire Pro Wrestling 2 is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on December 25, 1992. The game offers an enhanced wrestling experience with new moves and match types." +1375|Super Fire Pro Wrestling 3 Easy Type|Human Entertainment|Unreleased|1994|Sports|"Super Fire Pro Wrestling 3 Easy Type is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on February 4, 1994. The game caters to beginners with simplified controls and gameplay mechanics." +1376|Super Fire Pro Wrestling 3 Final Bout|Human Entertainment|Unreleased|1993|Sports|"Super Fire Pro Wrestling 3 Final Bout is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on December 28, 1993. The game features intense wrestling action with a focus on championship bouts and rivalries." +1377|Super Fire Pro Wrestling Special|Human Entertainment|Unreleased|1994|Sports|"Super Fire Pro Wrestling Special is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on December 22, 1994. The game offers a special edition of the Fire Pro Wrestling series with new features and challenges." +1378|Super Fire Pro Wrestling X|Human Entertainment|Unreleased|1995|Sports|"Super Fire Pro Wrestling X is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on December 22, 1995. The game introduces updated rosters and enhanced gameplay mechanics for a more immersive wrestling experience." +1379|Super Fire Pro Wrestling X Premium|Human Entertainment|Unreleased|1996|Sports|"Super Fire Pro Wrestling X Premium is a sports game developed by Human Club and published by Human Entertainment. It was released in Japan on March 29, 1996. The game offers premium content and features for wrestling enthusiasts, including new match types and customization options." +1380|Super Fishing: Big Fight|Naxat Soft|Unreleased|1994|Sports|"Experience the thrill of deep-sea fishing in this action-packed game where you compete to catch the biggest fish. Choose your equipment wisely and strategize to outsmart your opponents in this virtual fishing adventure." +1381|Super Formation Soccer 94|Human Entertainment|Unreleased|1994|Sports|"Step onto the soccer field and lead your team to victory in this classic sports simulation game. With realistic gameplay and strategic depth, Super Formation Soccer 94 offers an immersive soccer experience for fans of the sport." +1382|Super Formation Soccer 95: della Serie A|Human Entertainment|Unreleased|1995|Sports|"Immerse yourself in the world of Italian soccer with Super Formation Soccer 95: della Serie A. Featuring authentic teams and players from the Serie A league, this game offers a realistic soccer experience for fans of the sport." +1383|Super Formation Soccer 95: della Serie A: UCC Xaqua|Human Entertainment|Unreleased|1995|Sports|"Take your soccer skills to the next level with Super Formation Soccer 95: della Serie A: UCC Xaqua. Compete against top teams in the Serie A league and showcase your talent on the field in this exciting sports game." +1384|Super Formation Soccer 96: World Club Edition|Human Entertainment|Unreleased|1996|Sports|"Experience the thrill of international soccer competition in Super Formation Soccer 96: World Club Edition. Lead your favorite club team to victory against top teams from around the world in this exciting sports game." +1385|Super Formation Soccer II|Human Entertainment|Unreleased|1993|Sports|"Kick off your soccer career in Super Formation Soccer II. With improved graphics and gameplay mechanics, this sequel offers an enhanced soccer experience for fans of the sport." +1386|Super Ghouls 'n Ghosts †•Chou MakaimuraJP|Capcom|1991|1991|Action|"Embark on a challenging quest to rescue Princess Prin Prin in this classic side-scrolling platformer. Battle hordes of undead enemies and powerful bosses as you journey through haunted lands in Super Ghouls 'n Ghosts." +1387|Super Goal! 2•Takeda Nobuhiro no Super Cup SoccerJP|Jaleco|1994|1993|Sports|"Take on the role of a soccer manager and lead your team to victory in Super Goal! 2•Takeda Nobuhiro no Super Cup Soccer. Manage your players, tactics, and strategy to win the prestigious Super Cup in this exciting sports simulation game." +1388|Super Godzilla•Chou-GodzillaJP|Toho|1994|1993|Action|"Unleash the power of Godzilla in this action-packed monster brawler. Control the King of the Monsters as he battles other kaiju and defends the city from destruction in Super Godzilla." +1389|Super Gomoku Narabe Renju|Naxat Soft|Unreleased|1994|Board game|"Test your strategic skills in the ancient game of Gomoku Narabe Renju. Outsmart your opponent and line up your pieces to achieve victory in this classic board game." +1390|Super Gomoku Shougi|Nichibutsu|Unreleased|1994|Board game|"Immerse yourself in the world of Japanese board games with Super Gomoku Shougi. Play against challenging opponents and master the art of strategic gameplay in this traditional board game experience." +1391|Super Gussun Oyoyo|Banpresto|Unreleased|1995|Puzzle|"Embark on a whimsical puzzle adventure in Super Gussun Oyoyo. Help the Gussun creatures navigate through challenging levels filled with obstacles and traps in this charming puzzle game." +1392|Super Gussun Oyoyo 2|Banpresto|Unreleased|1996|Puzzle|"Return to the world of the Gussun creatures in Super Gussun Oyoyo 2. Solve new puzzles, overcome obstacles, and explore vibrant worlds in this delightful sequel to the original puzzle game." +1393|Super Hanafuda|I'Max|Unreleased|1994|Card game|"Experience the traditional Japanese card game of Hanafuda in a digital format. Learn the rules, master the strategies, and compete against skilled opponents in Super Hanafuda." +1394|Super Hanafuda 2|I'Max|Unreleased|1995|Card game|"Dive back into the world of Hanafuda with Super Hanafuda 2. Enjoy new card designs, challenging gameplay, and immersive multiplayer modes in this sequel to the classic card game." +1395|Super High Impact|Acclaim Entertainment|1993|1993|Sports|"Get ready for hard-hitting football action in Super High Impact. Take control of your team, make strategic plays, and dominate the gridiron in this intense sports simulation game." +1396|Super Honmei: G1 Seiha|Nichibutsu|Unreleased|1994|Unknown|"Explore the world of competitive horse racing in Super Honmei: G1 Seiha. Train your horses, enter prestigious races, and aim for victory in this thrilling horse racing simulation game." +1397|Super Ice Hockey•Super Hockey '94JP|Sunsoft|Unreleased|1994|Sports|"Hit the ice and compete in fast-paced hockey matches in Super Ice Hockey. Choose your team, master the controls, and score goals to lead your team to victory in this exciting sports game." +1398|Super Igo Go Ou|Naxat Soft|Unreleased|1994|Board game|"Challenge your strategic skills in the ancient game of Go in Super Igo Go Ou. Plan your moves carefully, anticipate your opponent's strategy, and strive to dominate the board in this classic board game experience." +1399|Super Indy Champ|Forum|Unreleased|1994|Racing|"Experience the thrill of IndyCar racing in Super Indy Champ. Customize your car, compete in high-speed races, and aim for the checkered flag in this adrenaline-pumping racing game." +1400|Super International Cricket|Nintendo|1994||"Super International Cricket is a sports video game developed by Beam Software and published by Nintendo. The game was released in 1994 in the PAL region." +1401|Super James Pond•James Pond IIEU|American Softworks|1993|1993||"Super James Pond•James Pond IIEU is an action-adventure video game developed and published by American Softworks. It was released in 1993 in Japan and North America, and in September 1993 in the PAL region." +1402|Super Jangou|Victor Interactive Software||1995||"Super Jangou is a video game published by Victor Interactive Software. It was released in Japan on March 17, 1995." +1403|Super Jinsei Game|Takara||1994||"Super Jinsei Game is a life simulation video game developed and published by Takara. It was released in Japan on March 18, 1994." +1404|Super Jinsei Game 2|Takara||1995||"Super Jinsei Game 2 is a life simulation video game developed and published by Takara. It was released in Japan on September 8, 1995." +1405|Super Jinsei Game 3|Takara||1996||"Super Jinsei Game 3 is a life simulation video game developed and published by Takara. It was released in Japan on November 29, 1996." +1406|Super Keiba|I'Max||1993||"Super Keiba is a horse racing simulation game published by I'Max. It was released in Japan on August 10, 1993." +1407|Super Keiba 2|I'Max||1995||"Super Keiba 2 is a horse racing simulation game developed by Tomcat System and published by I'Max. It was released in Japan on May 19, 1995." +1408|Super Keirin|I'Max||1995||"Super Keirin is a cycling simulation game developed by Betop and published by I'Max. It was released in Japan on July 14, 1995." +1409|Super Kokou Yakyuu: Ichikyuu Jikkon|I'Max||1994||"Super Kokou Yakyuu: Ichikyuu Jikkon is a baseball simulation game published by I'Max. It was released in Japan on August 5, 1994." +1410|Super Kyousouba: Kaze no Sylphid|King Records||1993||"Super Kyousouba: Kaze no Sylphid is a horse racing simulation game published by King Records. It was released in Japan on October 8, 1993." +1411|Super Kyotei|Nichibutsu||1995||"Super Kyotei is a powerboat racing simulation game published by Nichibutsu. It was released in Japan on June 30, 1995." +1412|Super Kyotei 2|Nichibutsu||1996||"Super Kyotei 2 is a powerboat racing simulation game published by Nichibutsu. It was released in Japan on April 26, 1996." +1413|Super Kyuukyoku Harikiri Stadium|Taito||1993||"Super Kyuukyoku Harikiri Stadium is a baseball simulation game published by Taito. It was released in Japan on December 3, 1993." +1414|Super Kyuukyoku Harikiri Stadium 2|Taito||1994||"Super Kyuukyoku Harikiri Stadium 2 is a baseball simulation game developed by Now Production and published by Taito. It was released in Japan on August 12, 1994." +1415|Super Loopz|Imagineer||1994||"Super Loopz is a puzzle video game developed by Graffiti and published by Imagineer. It was released in Japan on March 4, 1994." +1416|Super Mad Champ|Tsukuda Original||1995||"Super Mad Champ is a sports video game developed by Givro and published by Tsukuda Original. It was released in Japan on March 4, 1995." +1417|Super Mahjong|I'Max||1992||"Super Mahjong is a mahjong video game published by I'Max. It was released in Japan on August 22, 1992." +1418|Super Mahjong 2: Honkaku 4 Nin Uchi!|I'Max||1993||"Super Mahjong 2: Honkaku 4 Nin Uchi! is a mahjong video game published by I'Max. It was released in Japan on December 2, 1993." +1419|Super Mahjong 3: Karakuchi|I'Max||1994||"Super Mahjong 3: Karakuchi is a mahjong video game published by I'Max. It was released in Japan on November 25, 1994." +1420|Super Mahjong Taikai|Koei|Unreleased|1992||"A mahjong game released by Koei in Japan on September 12, 1992." +1421|Super Mario All-Stars †•Super Mario CollectionJP|Nintendo|1993|1993||"A compilation of remastered versions of the first four Super Mario games released by Nintendo." +1422|Super Mario All-Stars + Super Mario World|Nintendo|1994||| "A compilation of Super Mario All-Stars and Super Mario World by Nintendo." +1423|Super Mario Kart †|Nintendo|1992|1992||"The classic kart racing game featuring Mario and friends, released by Nintendo." +1424|Super Mario RPG: Legend of the Seven Stars †|Nintendo|1996|1996||"An RPG game developed by Square and published by Nintendo, released in 1996." +1425|Super Mario World †•Super Mario World: Super Mario Bros. 4JP|Nintendo|1991|1990||"The iconic platformer game featuring Mario, released by Nintendo." +1426|Super Mario World 2: Yoshi's Island †•Super Mario: Yoshi IslandJP|Nintendo|1995|1995||"The sequel to Super Mario World, focusing on Yoshi's adventures, released by Nintendo." +1427|Super Metroid|Nintendo|1994|1994||"An action-adventure game where players control Samus Aran, released by Nintendo." +1428|Super Momotarou Dentetsu DX|Hudson Soft|Unreleased|1995||"A video game in the Momotarou Dentetsu series developed by Make and published by Hudson Soft." +1429|Super Momotarou Dentetsu II|Hudson Soft|Unreleased|1992||"A sequel to the original Momotarou Dentetsu game, developed by Make and published by Hudson Soft." +1430|Super Momotarou Dentetsu III|Hudson Soft|Unreleased|1994||"The third installment in the Momotarou Dentetsu series, developed by Make and published by Hudson Soft." +1431|Super Morph|Sony Imagesoft|Unreleased||1993|"A platformer game developed by Millennium Interactive and published by Sony Imagesoft." +1432|Super Naxat Open: Golf de Shoubu da! Dorabocchan|Naxat Soft|Unreleased|1994||"A golf simulation game developed by Kuusou Kagaku and published by Naxat Soft." +1433|Super Nazo Puyo: Ruruu no Ruu|Banpresto|Unreleased|1995||"A puzzle game developed by Compile and published by Banpresto." +1434|Super Nazo Puyo Tsuu: Ruruu no Tetsuwan Hanjouki|Compile|Unreleased|1996||"A sequel to Super Nazo Puyo: Ruruu no Ruu, developed and published by Compile." +1435|Super Nichibutsu Mahjong|Nichibutsu|Unreleased|1992||"A mahjong game released by Nichibutsu in Japan on December 18, 1992." +1436|Super Nichibutsu Mahjong 2: Zenkoku Seiha Hen|Nichibutsu|Unreleased|1993||"A sequel to Super Nichibutsu Mahjong, released by Nichibutsu." +1437|Super Nichibutsu Mahjong 3: Yoshimoto Gekijou Hen|Nichibutsu|Unreleased|1994||"The third installment in the Super Nichibutsu Mahjong series, released by Nichibutsu." +1438|Super Nichibutsu Mahjong 4: Kiso Kenkyuu Hen|Nichibutsu|Unreleased|1996||"The fourth game in the Super Nichibutsu Mahjong series, released by Nichibutsu." +1439|Super Ninja Boy•Super Chinese WorldJP|Culture Brain|1993|1991||"A game developed and published by Culture Brain, released in Japan in 1991 and North America in 1993." +1440|Super Ninja-kun|Jaleco||1994||"Super Ninja-kun is a platform video game released in Japan in August 1994. The game features a ninja protagonist navigating through various levels to defeat enemies and bosses." +1441|Super Nova•Darius ForceJP|Taito|1993|1993||"Super Nova•Darius ForceJP is a shoot 'em up game developed by Taito and Act Japan. It was released in Japan in September 1993 and in North America in December 1993." +1442|Super Off Road|Tradewest|1991|1992||"Super Off Road is a racing video game developed by Software Creations and published by Tradewest. It was released in North America in December 1991 and in Japan in July 1992." +1443|Super Off Road: The Baja•Super 4WD: The BajaJP|Tradewest|1993|1994||"Super Off Road: The Baja•Super 4WD: The BajaJP is a racing game developed by Software Creations and published by Tradewest. It was released in North America in July 1993 and in Japan in June 1994." +1444|Super Okuman Chouja Game|Takara||1995||"Super Okuman Chouja Game is a video game published by Takara in Japan in November 1995. The game features various mini-games and challenges for players to enjoy." +1445|Super Oozumou: Nessen Ooichiban|Namco||1992||"Super Oozumou: Nessen Ooichiban is a sumo wrestling game developed by Namco. It was released in Japan in December 1992, featuring traditional sumo wrestling gameplay." +1446|Super Pachi-Slot Mahjong|Nichibutsu||1994||"Super Pachi-Slot Mahjong is a mahjong simulation game developed by Syscom and published by Nichibutsu. It was released in Japan in April 1994." +1447|Super Pachinko|I'Max||1994||"Super Pachinko is a pachinko simulation game developed by Betop and published by I'Max. It was released in Japan in July 1994." +1448|Super Pachinko Taisen|Banpresto||1995||"Super Pachinko Taisen is a pachinko game published by Banpresto in Japan in April 1995. The game offers a variety of pachinko machines and gameplay modes." +1449|Super Pinball: Behind the Mask|Nintendo|1994|1994||"Super Pinball: Behind the Mask is a pinball video game developed by KaZe and Meldac and published by Nintendo. It was released in North America in May 1994 and in Japan in January 1994." +1450|Super Pinball II: Amazing Odyssey|Meldac||1995||"Super Pinball II: Amazing Odyssey is a pinball game developed by KAZe and published by Meldac. It was released in Japan in March 1995." +1451|Super Play Action Football|Nintendo|1992|||Super Play Action Football is a football video game developed by Tose and published by Nintendo. It was released in North America in August 1992. +1452|Super Power League|Hudson Soft||1993||"Super Power League is a baseball simulation game developed by Now Production and published by Hudson Soft. It was released in Japan in August 1993." +1453|Super Power League 2|Hudson Soft||1994||"Super Power League 2 is a baseball simulation game developed by Now Production and published by Hudson Soft. It was released in Japan in August 1994." +1454|Super Power League 3|Hudson Soft||1995||"Super Power League 3 is a baseball simulation game developed by Now Production and published by Hudson Soft. It was released in Japan in August 1995." +1455|Super Power League 4|Hudson Soft||1996||"Super Power League 4 is a baseball simulation game developed by Now Production and published by Hudson Soft. It was released in Japan in August 1996." +1456|Super Professional Baseball II|Jaleco||1992||"Super Professional Baseball II is a baseball video game developed by Tose and published by Jaleco. It was released in Japan in August 1992." +1457|Super Punch-Out!!|Nintendo|1994|1998||"Super Punch-Out!! is a boxing video game developed and published by Nintendo. It was released in North America in September 1994 and in Japan in March 1998." +1458|Super Putty•Putty MoonJP|U.S. Gold|1993|1993||"Super Putty•Putty MoonJP is a platformer game developed by System 3 and published by U.S. Gold. It was released in North America in November 1993 and in Japan in July 1993." +1459|Super Puyo Puyo|Banpresto||1993||"Super Puyo Puyo is a puzzle video game developed by Compile and published by Banpresto. It was released in Japan in December 1993." +1460|Super Puyo Puyo Tsuu|Compile|Unreleased|1995|Puzzle| "Super Puyo Puyo Tsuu is a classic puzzle video game released in Japan in December 1995. It is the second installment in the Puyo Puyo series, featuring addictive gameplay and colorful graphics." +1461|Super Puyo Puyo Tsuu Remix|Compile|Unreleased|1996|Puzzle| "Super Puyo Puyo Tsuu Remix is an enhanced version of the original game, released in Japan in March 1996. It offers new features and challenges for fans of the series." +1462|Super R.B.I. Baseball|Time Warner Interactive|1995|Unreleased|Sports| "Super R.B.I. Baseball, developed by Gray Matter, offers an exciting baseball gaming experience. It was released in North America in June 1995." +1463|Super R-Type|Irem|1991|1991|Shooter| "Super R-Type is a classic side-scrolling shooter game developed by Irem. It was released in Japan in July 1991, followed by releases in North America and PAL regions." +1464|Super Real Mahjong PIV|SETA|Unreleased|1994|Board| "Super Real Mahjong PIV is a mahjong video game developed by Affect and published by SETA. It was released in Japan in March 1994, offering realistic mahjong gameplay." +1465|Super Real Mahjong PV: Paradise: All-Star 4 Nin Uchi|SETA|Unreleased|1995|Board| "Super Real Mahjong PV: Paradise: All-Star 4 Nin Uchi is a mahjong game set in a paradise theme. It was released in Japan in April 1995, featuring all-star characters." +1466|Super Robot Taisen EX|Banpresto|Unreleased|1994|Strategy| "Super Robot Taisen EX is a strategy game developed by Winkysoft and published by Banpresto. It offers intense robot battles and was released in Japan in March 1994." +1467|Super Robot Taisen Gaiden: Masou Kishin: The Lord of Elemental|Banpresto|Unreleased|1996|Strategy| "Super Robot Taisen Gaiden: Masou Kishin: The Lord of Elemental is a strategic mecha game developed by Winkysoft. It was released in Japan in March 1996, offering engaging gameplay." +1468|Super Rugby|Tonkin House|Unreleased|1994|Sports| "Super Rugby is a sports game developed by Tose and published by Tonkin House. It was set to be released in Japan in October 1994, offering rugby action for players." +1469|Super Sangokushi|Koei|Unreleased|1994|Strategy| "Super Sangokushi is a strategy game developed and published by Koei. It was scheduled for release in Japan in August 1994, offering players a chance to experience the Three Kingdoms era." +1470|Super Scope 6•Nintendo Scope 6EU|Nintendo|1992|1993|Shooter| "Super Scope 6, also known as Nintendo Scope 6 in Europe, is a shooting game developed and published by Nintendo. It was released in Japan in June 1993 and features various shooting mini-games for the Super Scope peripheral." +1471|Super Shougi|I'Max|Unreleased|1992|Board| "Super Shougi is a shogi (Japanese chess) game developed by I'Max. It was set to be released in Japan in June 1992, offering players a digital version of the traditional board game." +1472|Super Shougi 2|I'Max|Unreleased|1994|Board| "Super Shougi 2 is the sequel to the original shogi game, developed by I'Max. It was planned for release in Japan in June 1994, continuing the digital adaptation of the classic strategy game." +1473|Super Shougi 3: Kitaihei|I'Max|Unreleased|1995|Board| "Super Shougi 3: Kitaihei is another installment in the shogi game series, developed by Gaibrain and published by I'Max. It was scheduled for release in Japan in December 1995, offering new challenges and gameplay modes." +1474|Super Slam Dunk•Magic Johnson no Super Slam DunkJP|Virgin Interactive|1993|1993|Sports| "Super Slam Dunk, also known as Magic Johnson no Super Slam Dunk in Japan, is a basketball game developed and published by Virgin Interactive. It was released in Japan in July 1993, offering exciting basketball action." +1475|Super Slap Shot|Virgin Interactive|1993|1993|Sports| "Super Slap Shot is a hockey game developed by Ringler Studios and published by Virgin Interactive. It was released in Japan in August 1993, delivering fast-paced ice hockey gameplay." +1476|Super Smash TV|Acclaim Entertainment|1992|1992|Action| "Super Smash TV is an action-packed game developed by Beam Software and published by Acclaim Entertainment. It was released in Japan in March 1992, offering intense top-down shooter gameplay." +1477|Super Soccer †•Super Formation SoccerJP|Nintendo|1992|1991|Sports| "Super Soccer, also known as Super Formation Soccer in Japan, is a soccer game developed by Human Entertainment and published by Nintendo. It was released in Japan in December 1991, providing players with exciting football matches." +1478|Super Soccer Champ•Euro Football ChampEU•Hat Trick HeroJP|Taito|1992|1992|Sports| "Super Soccer Champ, also known as Euro Football Champ in Europe and Hat Trick Hero in Japan, is a soccer game developed and published by Taito. It was released in Japan in March 1992, offering diverse football experiences." +1479|Super Solitaire•Trump IslandJP|Extreme Entertainment GroupJP Pack-In-Video|1994|1995|Card| "Super Solitaire, also known as Trump Island in Japan, is a card game developed by Beam Software and published by Extreme Entertainment GroupJP Pack-In-Video. It was released in North America in January 1994, providing players with a variety of solitaire games." +1480|Super Soukoban|Pack-In-Video|Unreleased|1993||"Super Soukoban is a puzzle video game developed by Thinking Rabbit. The game was released in Japan on January 29, 1993. Players push boxes to their correct locations in a warehouse setting." +1481|Super Star Wars|JVC Musical Industries|1992|1992||"Super Star Wars is an action platformer based on the original Star Wars trilogy. Developed by LucasArts and Sculptured Software, the game was released in North America on November 1, 1992." +1482|Super Star Wars: The Empire Strikes Back|JVC Musical Industries|1993|1993||"Super Star Wars: The Empire Strikes Back is the sequel to the original game, continuing the action platformer gameplay. It was released in North America in October 1993." +1483|Super Star Wars: Return of the Jedi|JVC Musical Industries|1994|1995||"Super Star Wars: Return of the Jedi concludes the trilogy in the action platformer series. The game was released in North America in October 1994." +1484|Super Street Fighter II: The New Challengers|Capcom|1994|1994||"Super Street Fighter II: The New Challengers is an iconic fighting game by Capcom. It features new characters and gameplay mechanics, released in North America in July 1994." +1485|Super Strike Eagle•F-15 Super Strike EagleJP|MicroProse|1993|1993||"Super Strike Eagle is a flight simulation game where players pilot an F-15 fighter jet. Developed by MicroProse, the game was released in North America in March 1993." +1486|Super Tekkyuu Fight!|Banpresto|Unreleased|1995||"Super Tekkyuu Fight! is a sports-themed video game developed by Metro. The game was set to be released in Japan on September 15, 1995." +1487|Super Tennis•Super Tennis World CircuitJP|Nintendo|1991|1991||"Super Tennis is a tennis simulation game developed by Tokyo Shoseki. It was released in Japan on August 30, 1991, offering realistic tennis gameplay." +1488|Super Tetris 2 + Bombliss|Bullet-Proof Software|Unreleased|1992||"Super Tetris 2 + Bombliss is a puzzle game combining Tetris gameplay with the addition of Bombliss mode. The game was set to be released in Japan on December 18, 1992." +1489|Super Tetris 2 + Bombliss: Gentei-ban|Bullet-Proof Software|Unreleased|1994||"Super Tetris 2 + Bombliss: Gentei-ban is a special edition of the puzzle game, offering unique gameplay features. The game was set to be released in Japan on January 21, 1994." +1490|Super Tetris 3|Bullet-Proof Software|Unreleased|1994||"Super Tetris 3 is the third installment in the Tetris series, introducing new gameplay elements. The game was set to be released in Japan on December 16, 1994." +1491|Super Troll Islands|American Softworks|1994|1994||"Super Troll Islands is a platformer game developed by Kemco. Players navigate through levels as a troll character, released in North America in February 1994." +1492|Super Trump Collection|Bottom Up|Unreleased|1995||"Super Trump Collection is a video game collection featuring various card games. Published by Bottom Up, the game was set to be released in Japan on April 21, 1995." +1493|Super Trump Collection 2|Bottom Up|Unreleased|1996||"Super Trump Collection 2 is a sequel to the card game collection, offering new games and challenges. The game was set to be released in Japan on July 19, 1996." +1494|Super Tsume Shougi 1000|Bottom Up|Unreleased|1994||"Super Tsume Shougi 1000 is a shogi (Japanese chess) video game with challenging puzzles. The game was set to be released in Japan on December 16, 1994." +1495|Super Turrican|Seika Corporation|1993|1993||"Super Turrican is a run-and-gun platformer developed by Factor 5. Players control a futuristic soldier battling enemies, released in North America in May 1993." +1496|Super Turrican 2|Ocean Software|1995|||1995|"Super Turrican 2 is the sequel to the original run-and-gun platformer, featuring enhanced gameplay and graphics. The game was released in North America in November 1995." +1497|Super Ultra Baseball 2|Culture Brain|Cancelled|1994|||"Super Ultra Baseball 2 is a sports game developed by Culture Brain. The game was cancelled for release in North America, offering a unique baseball experience." +1498|Super Uno|Tomy Corporation|Unreleased|1993|||"Super Uno is a video game adaptation of the classic card game Uno. Published by Tomy Corporation, the game was set to be released in Japan on November 12, 1993." +1499|Super V.G.|TGL|Unreleased|1995|||"Super V.G. is a fighting game developed by TGL. The game features various characters and fighting styles, set to be released in Japan on July 21, 1995." +1500|Super Valis IV•Red Moon Rising MaidenJP|Atlus|1993|1992|Action| "Super Valis IV is an action-platformer game developed by Telenet Japan. The game follows the story of a warrior maiden on a quest to save her kingdom from evil forces. With fast-paced gameplay and challenging levels, players must use various weapons and abilities to defeat enemies and bosses." +1501|Super Wagyan Land|Namco| |1991|Platformer| "Super Wagyan Land is a platformer game developed by Nova Games. Players control a cute dinosaur character named Wagyan on a journey to rescue his friends. With colorful graphics and fun gameplay, the game offers a nostalgic experience for players of all ages." +1502|Super Wagyan Land 2|Namco| |1993|Platformer| "Super Wagyan Land 2 is the sequel to the popular platformer game, featuring Wagyan on a new adventure. With improved graphics and new levels to explore, players must once again help Wagyan save the day and defeat the enemies." +1503|Super Widget|Atlus|1993| |Action| "Super Widget is an action game developed by Atlus. Players control Widget, a robotic character, on a mission to rescue his friends from the clutches of evil villains. With unique abilities and challenging levels, players must navigate through various obstacles to succeed." +1504|Super Wrestle Angels|Imagineer| |1994|Fighting| "Super Wrestle Angels is a fighting game published by Imagineer. Featuring a roster of female wrestlers, the game offers intense matches and special moves for players to master. With colorful visuals and exciting gameplay, players can experience the thrill of professional wrestling." +1505|Super Yakyuu Michi|Banpresto| |1996|Sports| "Super Yakyuu Michi is a sports game developed by Nippon Create. Players take on the role of a baseball team manager, leading their players to victory in challenging matches. With strategic gameplay and realistic baseball mechanics, the game offers an immersive sports experience." +1506|Super Zugan: Hakotenjou Kara no Shoutaijou|Electronic Arts Victor| |1994| | "Super Zugan: Hakotenjou Kara no Shoutaijou is a game published by Electronic Arts Victor. The game's description is not available at the moment." +1507|Super Zugan 2: Tsukanpo Fighter|J-Wing| |1994| | "Super Zugan 2: Tsukanpo Fighter is a game published by J-Wing. The game's description is not available at the moment." +1508|Sutobasu Yarō Shō: 3 on 3 Basketball|B-AI| |1994|Sports| "Sutobasu Yarō Shō: 3 on 3 Basketball is a sports game developed by KID. Players compete in fast-paced basketball matches, controlling a team of three players. With arcade-style gameplay and multiplayer options, the game offers exciting basketball action for players to enjoy." +1509|Sutte Hakkun|Nintendo| |1999|Puzzle| "Sutte Hakkun is a puzzle game developed by Nintendo. Players control Hakkun, a character who must navigate through maze-like levels to collect colored blocks. With clever puzzles and charming visuals, the game challenges players to think strategically to solve each level." +1510|Suzuka 8 Hours|Namco|1994|1993|Racing| "Suzuka 8 Hours is a racing game developed by Arc System Works. Based on the real-life motorcycle endurance race, players compete on the famous Suzuka Circuit. With realistic racing mechanics and multiple game modes, players can experience the thrill of motorcycle racing." +1511|SWAT Kats: The Radical Squadron|Hudson Soft|1995| |Action| "SWAT Kats: The Radical Squadron is an action game developed by AIM. Players control the SWAT Kats, a duo of vigilante pilots, as they protect their city from various threats. With aerial combat and challenging missions, players can relive the excitement of the animated TV series." +1512|Sword World SFC|T&E Soft| |1993|Role-Playing| "Sword World SFC is a role-playing game published by T&E Soft. Set in a fantasy world, players embark on an epic quest to defeat monsters and uncover ancient secrets. With deep storytelling and strategic gameplay, the game offers a classic RPG experience." +1513|Sword World SFC 2|T&E Soft| |1994|Role-Playing| "Sword World SFC 2 is the sequel to the popular role-playing game, continuing the epic adventure with new characters and challenges. With enhanced graphics and gameplay mechanics, players can immerse themselves in a rich fantasy world full of magic and mystery." +1514|Syndicate|Ocean Software|1995|1995|Strategy| "Syndicate is a strategy game developed by Bullfrog Productions. Set in a dystopian cyberpunk world, players control a team of agents working for a powerful corporation. With tactical gameplay and immersive storytelling, players must navigate complex missions and rival factions to achieve dominance." +1515|Syvalion•SaibarionJP|Toshiba EMI (JP)JVC Musical Industries (NA and EU)| |1992|Shooter| "Syvalion is a shooter game developed by Taito. Players pilot a dragon-shaped craft called Syvalion to battle against robotic enemies. With colorful graphics and fast-paced action, the game offers an arcade-style shooting experience for players to enjoy." +1516|T2: The Arcade Game|LJN|1994|1994|Shooter| "T2: The Arcade Game is a shooter game developed by Probe Entertainment. Based on the popular Terminator 2 movie, players take on the role of the T-800 Terminator to protect John Connor. With intense shooting gameplay and cinematic sequences, players can relive the excitement of the film." +1517|Table Game Daishuugou! Shougi Mahjong Hanafuda|Varie| |1996|Board| "Table Game Daishuugou! Shougi Mahjong Hanafuda is a board game collection published by Varie. Featuring traditional Japanese games like Shougi, Mahjong, and Hanafuda, players can enjoy a variety of classic tabletop games in one package." +1518|Tactical Soccer|Electronic Arts Victor| |1995|Sports| "Tactical Soccer is a sports game published by Electronic Arts Victor. Players manage a soccer team, making strategic decisions to lead their players to victory. With realistic soccer mechanics and in-depth tactics, the game offers a challenging simulation for soccer fans." +1519|Tactics Ogre: Let Us Cling Together|Quest Corporation| |1995|Strategy| "Tactics Ogre: Let Us Cling Together is a strategy game developed by Quest Corporation. Set in a fantasy world torn by war, players lead a band of rebels in a quest for justice and freedom. With deep tactical gameplay and branching storylines, the game offers a rich and immersive experience for strategy enthusiasts." +1520|Tadaima Yuusha Boshuuchuu Okawari|Human Entertainment|Unreleased|1994||"Tadaima Yuusha Boshuuchuu Okawari is a Japanese game released on November 25, 1994, by Human Entertainment." +1521|Taekwon-Do †|Human Entertainment|Unreleased|1994||"Taekwon-Do is a Japanese game released on June 28, 1994, by Human Club." +1522|Taikou Rishinden|Koei|Unreleased|1993||"Taikou Rishinden is a game published by Koei on April 7, 1993." +1523|Taikyoku Igo: Goliath|Bullet-Proof Software|Unreleased|1993||"Taikyoku Igo: Goliath is a game published by Bullet-Proof Software on May 14, 1993." +1524|Taikyoku Igo: Idaten|Bullet-Proof Software|Unreleased|1995||"Taikyoku Igo: Idaten is a game published by Bullet-Proof Software on December 29, 1995." +1525|Take Yutaka G1 Memory|Naxat Soft|Unreleased|1995||"Take Yutaka G1 Memory is a game developed by Gaps and published by Naxat Soft on July 21, 1995." +1526|Takeda Nobuhiro no Super League Soccer|Jaleco|Unreleased|1994||"Takeda Nobuhiro no Super League Soccer is a game developed by Tose and published by Jaleco on November 25, 1994." +1527|Takemiya Masaki Kudan no Igo Taishou|KSS|Unreleased|1995||"Takemiya Masaki Kudan no Igo Taishou is a game published by KSS on August 11, 1995." +1528|Tales of Phantasia|Namco|Unreleased|1995||"Tales of Phantasia is a game developed by Wolf Team and published by Namco on December 15, 1995." +1529|Tamagotchi Town|Bandai|Unreleased|1999||"Tamagotchi Town is a game developed by Marigul and published by Bandai on May 1, 1999." +1530|Tarot Mystery|Visit|Unreleased|1995||"Tarot Mystery is a game developed by Ukiyotei and published by Visit on April 28, 1995." +1531|Taz-Mania|Sunsoft|1993|||"Taz-Mania is a game developed by Visual Concepts and published by Sunsoft in North America in May 1993." +1532|Tecmo Super Baseball|Tecmo|1994|1994|||"Tecmo Super Baseball is a game developed and published by Tecmo in Japan on October 28, 1994, and in North America in September 1994." +1533|Tecmo Super Bowl|Tecmo|1993|1993|||"Tecmo Super Bowl is a game developed and published by Tecmo in Japan on November 26, 1993, and in North America in November 1993." +1534|Tecmo Super Bowl II: Special Edition|Tecmo|1995|1994|||"Tecmo Super Bowl II: Special Edition is a game developed and published by Tecmo in Japan on December 20, 1994, and in North America in January 1995." +1535|Tecmo Super Bowl III: Final Edition|Tecmo|1995|1995|||"Tecmo Super Bowl III: Final Edition is a game developed and published by Tecmo in Japan on December 22, 1995, and in North America in October 1995." +1536|Tecmo Super NBA Basketball|Tecmo|1993|1993|||"Tecmo Super NBA Basketball is a game developed and published by Tecmo in Japan on December 25, 1993, and in North America in March 1993, and in PAL regions in 1993." +1537|Teenage Mutant Ninja Turtles IV: Turtles in Time †•Teenage Mutant Hero Turtles IV: Turtles in TimeEU•Teenage Mutant Ninja Turtles: Turtles in TimeJP|Konami|1992|1992||"Teenage Mutant Ninja Turtles IV: Turtles in Time is a game developed and published by Konami released in Japan on July 24, 1992, in North America on August 15, 1992, and in PAL regions on November 19, 1992." +1538|Teenage Mutant Ninja Turtles: Tournament Fighters•Teenage Mutant Hero Turtles: Tournament FightersEU•Teenage Mutant Ninja Turtles: Mutant WarriorsJP|Konami|1993|1993||"Teenage Mutant Ninja Turtles: Tournament Fighters is a game developed and published by Konami released in Japan on December 3, 1993, in North America in December 1993, and in PAL regions in December 1993." +1539|Tekichuu Keiba Juku|Banpresto|Unreleased|1996|||"Tekichuu Keiba Juku is a game published by Banpresto on January 19, 1996." +1540|Tenchi Muyou! Game Hen|Banpresto|Unreleased|1995||"A Japanese role-playing video game based on the anime and manga series Tenchi Muyo! The game follows the protagonist Tenchi Masaki as he embarks on an adventure to save the universe." +1541|Tenchi o Kurau: Sangokushi Gunyuuden|Capcom|Unreleased|1995||"A strategy game set in ancient China during the Three Kingdoms period. Players take on the role of various warlords and strategize to conquer territories and unite the land." +1542|Tengai Makyou Zero|Hudson Soft|Unreleased|1995||"An epic role-playing game that follows the journey of a young hero in a fantastical world inspired by Japanese folklore. The game features turn-based battles and a rich storyline." +1543|Tengai Makyou Zero: Shounen Jump no Shou|Hudson Soft|Unreleased|1995||"A spin-off of Tengai Makyou Zero that incorporates characters from the popular manga magazine Shonen Jump. Players explore a vibrant world and engage in battles against formidable foes." +1544|Tenshi no Uta: Shiroki Tsubasa no Inori|Nippon Telenet|Unreleased|1994||"A fantasy role-playing game that follows the story of a young angel on a quest to restore peace to the celestial realm. Players must navigate dungeons, solve puzzles, and battle dark forces." +1545|The Terminator|Mindscape|1993|||"An action-packed game based on the iconic Terminator movie franchise. Players control the Terminator as he navigates through levels, defeating enemies and completing missions to save the future." +1546|Terminator 2: Judgment Day|LJN|1993|||"Inspired by the blockbuster film, Terminator 2: Judgment Day offers intense action and platforming gameplay. Players assume the role of the Terminator as he battles enemies and races against time." +1547|Terranigma•Tenchi SouzouJP|Enix (JP)Nintendo (EU)|Unreleased|1995|1996|"'Terranigma' is an action role-playing game that follows the protagonist Ark on a quest to revive a world destroyed by a mysterious catastrophe. The game features a deep storyline, exploration, and engaging combat mechanics." +1548|Tetris & Dr. Mario †|Nintendo|1994|||"A puzzle game that combines the classic gameplay of Tetris and Dr. Mario. Players must strategically place falling blocks to clear lines and defeat viruses, offering a challenging and addictive experience." +1549|Tetris 2•Tetris FlashJP|Nintendo|1994|1994||"A puzzle game that introduces new gameplay mechanics to the classic Tetris formula. Players must match colors and shapes to clear blocks and progress through levels, adding a refreshing twist to the genre." +1550|Tetris Attack•Panel de PonJP|Nintendo|1996|1995||"Known as 'Panel de Pon' in Japan, Tetris Attack is a fast-paced puzzle game that challenges players to match colored blocks and create chain reactions. The game features colorful graphics, catchy music, and competitive multiplayer modes." +1551|Tetris Battle Gaiden|Bullet-Proof Software|Unreleased|1993|||"A unique take on the classic Tetris formula, Tetris Battle Gaiden introduces special abilities and power-ups that players can use to gain an advantage over their opponents in competitive puzzle battles." +1552|Tetsuwan Atom|Zamuse|Unreleased|1994|||"Based on the popular manga and anime series, Tetsuwan Atom offers platforming action as players control the iconic robot Astro Boy. Navigate through levels, defeat enemies, and save the day in this retro adventure." +1553|Theme Park|Electronic Arts|Cancelled|1994||"A simulation game that allows players to design and manage their own amusement park. From building attractions to setting prices, Theme Park offers a detailed and immersive experience for aspiring park owners." +1554|Thomas the Tank Engine & Friends|THQ|1993|||"An educational and interactive game featuring the beloved characters from the Thomas & Friends series. Players can explore the Island of Sodor, complete tasks, and learn valuable lessons along the way." +1555|Thoroughbred Breeder|Hect|Unreleased|1993|||"A horse racing simulation game that puts players in the role of a breeder and trainer. Manage your stable, breed champion horses, and compete in races to become a top breeder in the industry." +1556|Thoroughbred Breeder II|Hect|Unreleased|1994|||"The sequel to Thoroughbred Breeder, this game offers enhanced features and gameplay mechanics for horse racing enthusiasts. Breed, train, and race horses to victory in this immersive simulation." +1557|Thoroughbred Breeder III|Hect|Unreleased|1996|||"Continuing the legacy of the series, Thoroughbred Breeder III provides an even deeper horse racing experience. With updated graphics and mechanics, players can enjoy the thrill of managing a successful horse breeding operation." +1558|Thunder Spirits|Seika Corporation|1992|1991||"A side-scrolling shoot 'em up game that pits players against hordes of enemy spacecraft and bosses. Thunder Spirits offers challenging gameplay, impressive visuals, and adrenaline-pumping action." +1559|Thunderbirds: Kokusai Kyuujotai Juudou Seyo!|Cobra Team|Unreleased|1993|||"Based on the popular TV series Thunderbirds, this game combines martial arts combat with international rescue missions. Players control the Thunderbirds team members in thrilling battles and daring missions." +1560|The Tick|Fox Interactive|1994| | |"The Tick is a side-scrolling action game based on the animated TV series. Players control the superhero Tick as he battles various enemies in a quest to save The City." +1561|Time Slip|Vic Tokai|1993| | |"Time Slip is a platformer where players control a scientist who must navigate through different time periods to save the world from an alien invasion." +1562|Time Trax|Malibu Games|1994| | |"Time Trax is a side-scrolling action game based on the TV series of the same name. Players control a time-traveling cop who must capture criminals across different eras." +1563|Timecop|JVC Musical Industries|1995|1995| |"Timecop is a sci-fi action game based on the movie of the same name. Players control a time-traveling police officer who must prevent changes to the past that could alter the future." +1564|Timon & Pumbaa's Jungle Games|THQ|1997| | |"Timon & Pumbaa's Jungle Games is a collection of mini-games featuring characters from Disney's The Lion King. Players can compete in various challenges set in the jungle." +1565|Tin Star|Nintendo|1994| | |"Tin Star is a western-themed shooting game where players control the titular character as he faces off against outlaws and bandits in a series of duels." +1566|Tintin in Tibet|Infogrames| |1995| |"Tintin in Tibet is an adventure game based on the popular comic book series. Players guide Tintin through snowy landscapes in search of his friend Chang." +1567|Tiny Toon Adventures: Buster Busts Loose!|Konami|1993|1992| |"Tiny Toon Adventures: Buster Busts Loose! is a platformer featuring characters from the animated TV series. Players control Buster Bunny as he embarks on various adventures." +1568|Tiny Toon Adventures: Wacky Sports Challenge|Konami|1994|1994| |"Tiny Toon Adventures: Wacky Sports Challenge is a sports game featuring characters from the animated TV series. Players can compete in various wacky sporting events." +1569|TKO Super Championship Boxing|SOFEL|1992|1992| |"TKO Super Championship Boxing is a boxing simulation game where players can create and train their own boxer to compete in championship matches." +1570|TNN Bass Tournament of Champions|American Softworks|1994|1994| |"TNN Bass Tournament of Champions is a fishing game where players can participate in bass fishing tournaments to become the ultimate fishing champion." +1571|Todd McFarlane's Spawn: The Video Game|Acclaim Entertainment|1995| | |"Todd McFarlane's Spawn: The Video Game is an action game based on the comic book series. Players control Spawn as he battles through various levels to defeat enemies." +1572|Tokimeki Memorial: Densetsu no Ki no Shita de|Konami| |1996| |"Tokimeki Memorial: Densetsu no Ki no Shita de is a dating simulation game where players take on the role of a high school student trying to navigate relationships and school life." +1573|Tokoro's Mahjong|Vic Tokai| |1994| |"Tokoro's Mahjong is a mahjong game that offers various modes and challenges for players to test their skills in the traditional tile-matching game." +1574|Tom and Jerry|Hi Tech Expressions|1993|1993| |"Tom and Jerry is a platformer where players control Jerry as he tries to rescue his mouse friends from the clutches of Tom the cat in a series of levels filled with traps and obstacles." +1575|Tommy Moe's Winter Extreme: Skiing & Snowboarding|Electro Brain|1994|1994| |"Tommy Moe's Winter Extreme: Skiing & Snowboarding is a winter sports game where players can compete in skiing and snowboarding events to become the ultimate winter sports champion." +1576|Tony Meola's Sidekicks Soccer|Electro Brain|1993|1994| |"Tony Meola's Sidekicks Soccer is a soccer simulation game where players can choose from various teams and compete in matches to become the soccer champion." +1577|Top Gear|Kemco|1992|1992| |"Top Gear is a racing game where players can choose from a selection of cars and race against opponents on various tracks around the world." +1578|Top Gear 2|Kemco|1993|1993| |"Top Gear 2 is a racing game and the sequel to the original Top Gear. Players can race in different countries and upgrade their cars to improve performance." +1579|Top Gear 3000|Kemco|1995|1995| |"Top Gear 3000 is a futuristic racing game where players compete in high-speed races using advanced vehicles on tracks set in outer space." +1580|Top Management II|Koei|Unreleased|1994|Strategy| "Top Management II is a strategic simulation game where players take on the role of a top executive in a company, making decisions to lead the business to success. Manage resources, make strategic choices, and navigate the challenges of the corporate world." +1581|Toride|Takara|Unreleased|1994|Action| "Toride is an action game developed by Metro. Players navigate through challenging levels, defeating enemies and overcoming obstacles to progress. With fast-paced gameplay and engaging mechanics, Toride offers an exciting gaming experience." +1582|Torneko no Daibōken: Fushigi no Dungeon|Chunsoft|Unreleased|1993|Adventure| "Torneko no Daibōken: Fushigi no Dungeon is an adventure game developed by Chunsoft. Players embark on a mysterious dungeon exploration journey with Torneko, encountering treasures, monsters, and secrets along the way. Dive into the depths of the dungeon and uncover its mysteries." +1583|Total Carnage|Malibu Games|1993|Unreleased|Action| "Total Carnage is an action-packed game developed by Black Pearl Software. Set in a chaotic world filled with enemies and challenges, players must navigate through levels, defeat foes, and ultimately save the day. Get ready for non-stop action and intense gameplay in Total Carnage." +1584|Tottemo! Luckyman: Lucky Cookie Roulette Assault!!|Bandai|Unreleased|1995|Action| "Tottemo! Luckyman: Lucky Cookie Roulette Assault!! is an action game published by Bandai. Join Luckyman in a thrilling adventure filled with excitement and surprises. Spin the roulette, collect lucky cookies, and take on challenges to become the ultimate lucky hero." +1585|Touge Densetsu: Saisoku Battle|Bullet-Proof Software|Unreleased|1996|Racing| "Touge Densetsu: Saisoku Battle is a racing game developed by Lenar. Race through challenging tracks, compete against opponents, and showcase your driving skills in high-speed battles. Experience the adrenaline of touge racing in this exciting title." +1586|Tower Dream|ASCII|Unreleased|1996|Simulation| "Tower Dream is a simulation game developed by C-Lab. Build and manage your own tower, attract visitors, and expand your business empire in this engaging title. Test your strategic skills and create the tower of your dreams." +1587|Toy Story•Disney's Toy Story|Disney Interactive|1995|1996|Adventure| "Toy Story•Disney's Toy Story is an adventure game based on the popular animated movie. Join Woody and Buzz on a journey to save their friend, Andy, and navigate through various challenges and obstacles. Experience the magic of Toy Story in this interactive gaming experience." +1588|Toys|Absolute Entertainment|1993|Unreleased|Action| "Toys is an action game developed by Imagineering. Enter a world where toys come to life and embark on a thrilling adventure to save the day. With unique gameplay mechanics and exciting challenges, Toys offers a fun and entertaining gaming experience." +1589|Traverse: Starlight & Prairie|Banpresto|Unreleased|1996|Role-Playing| "Traverse: Starlight & Prairie is a role-playing game developed by Pandora Box. Immerse yourself in a fantastical world filled with magic, adventure, and mystery. Join the journey of the protagonist as they explore the starlit skies and vast prairies in search of their destiny." +1590|Treasure Hunter G|Square|Unreleased|1996|Role-Playing| "Treasure Hunter G is a role-playing game developed by Sting Entertainment. Embark on an epic quest to uncover hidden treasures, battle fierce monsters, and unravel the mysteries of a magical world. Dive into the adventure and become the ultimate treasure hunter." +1591|Trials of Mana †•Seiken Densetsu 3JP|Square|Unreleased|1995|Role-Playing| "Trials of Mana †•Seiken Densetsu 3JP is a role-playing game developed by Square. Set in a fantasy world, players must choose their heroes and embark on a quest to restore the Mana Sword. With multiple storylines and engaging gameplay, Trials of Mana offers a rich and immersive gaming experience." +1592|Trinea|Yanoman|Unreleased|1993|Puzzle| "Trinea is a puzzle game developed by Japan Art Media. Solve challenging puzzles, navigate through obstacles, and test your problem-solving skills in this captivating title. With innovative mechanics and brain-teasing challenges, Trinea offers a unique gaming experience." +1593|Troddlers|Seika Corporation|1993|Unreleased|Puzzle| "Troddlers is a puzzle game developed by Atod. Guide the adorable Troddlers through maze-like levels, using their special abilities to create pathways and solve puzzles. With charming visuals and clever gameplay, Troddlers provides hours of puzzling fun." +1594|Troy Aikman NFL Football|Tradewest|1994|Unreleased|Sports| "Troy Aikman NFL Football is a sports game developed by Leland Interactive Media. Take on the gridiron as a football quarterback, lead your team to victory, and experience the thrill of NFL gameplay. With realistic mechanics and strategic gameplay, Troy Aikman NFL Football delivers an authentic football experience." +1595|True Golf: Wicked 18•Devil's CourseJP|Bullet-Proof Software|1993|1993|Sports| "True Golf: Wicked 18•Devil's CourseJP is a sports game developed by T&E Software. Tee off on challenging golf courses, navigate through obstacles, and aim for the perfect shot. With realistic golf mechanics and immersive gameplay, True Golf offers a true-to-life golfing experience." +1596|True Golf Classics: Pebble Beach Golf Links•Pebble Beach no HatouJP|T&E Software|1992|1992|Sports| "True Golf Classics: Pebble Beach Golf Links•Pebble Beach no HatouJP is a sports game developed by T&E Software. Play on the iconic Pebble Beach Golf Links course, test your golfing skills, and compete in tournaments. With stunning visuals and authentic gameplay, True Golf Classics offers a realistic golfing experience." +1597|True Golf Classics: Waialae Country Club•New 3D Golf Simulation: Waialae no KisekiJP|T&E Software|1991|1992|Sports| "True Golf Classics: Waialae Country Club•New 3D Golf Simulation: Waialae no KisekiJP is a sports game developed by T&E Software. Experience the beauty of Waialae Country Club, challenge yourself with 3D golf simulations, and enjoy the immersive gameplay. With realistic mechanics and picturesque settings, True Golf Classics delivers a true golfing experience." +1598|True Lies|LJN|1995|1995|Action| "True Lies is an action game developed by Beam Software. Based on the hit movie, players step into the shoes of secret agent Harry Tasker to thwart terrorists and save the world. With intense action sequences and thrilling gameplay, True Lies offers an explosive gaming experience." +1599|Tsukikomori|Banpresto|Unreleased|1996|Adventure| "Tsukikomori is an adventure game developed by Pandora Box. Dive into a world of mystery and intrigue as you uncover the secrets of the moonlit night. With captivating storytelling and immersive gameplay, Tsukikomori offers a unique and atmospheric gaming experience." +1600|Tsuppari Ōzumō: Risshin Shusse Hen|Tecmo|Unreleased|1993| |"Tsuppari Ōzumō: Risshin Shusse Hen is a sumo wrestling game released in Japan in 1993. It features traditional sumo wrestling gameplay with a focus on strategy and skill." +1601|Tsuri Tarou|Pack-In-Video|Unreleased|1994| |"Tsuri Tarou is a fishing game published by Pack-In-Video. It was set to release in Japan in 1994 but did not see a North American or PAL region release." +1602|Tsuyoshi Shikkari Shinasai: Taisen Puzzle-dama|Konami|Unreleased|1994| |"Tsuyoshi Shikkari Shinasai: Taisen Puzzle-dama is a puzzle game developed by Konami. It was scheduled for release in Japan in 1994." +1603|Tuff E Nuff•Dead DanceJP|Jaleco|1993|1993| |"Tuff E Nuff•Dead DanceJP, known as Dead Dance in Japan, is a fighting game by Jaleco. It was released in Japan in 1993 and in North America and PAL regions later the same year." +1604|Turf Hero|Tecmo|Unreleased|1995| |"Turf Hero is a game published by Tecmo, planned for release in Japan in 1995. However, it did not see a release in North America or PAL regions." +1605|Turf Memories|BEC|Unreleased|1995| |"Turf Memories is a game published by BEC, intended for release in Japan in 1995. It did not receive a release in North America or PAL regions." +1606|Turn and Burn: No-Fly Zone•Super DogfightJP|Absolute Entertainment|1994|1994| |"Turn and Burn: No-Fly Zone•Super DogfightJP is an aerial combat game by Absolute Entertainment. It was released in Japan in 1994, with North American and PAL region releases following." +1607|The Twisted Tales of Spike McFang•Chou Makai Taisen!: DorabocchanJP|Bullet-Proof Software|1994|1994| |"The Twisted Tales of Spike McFang•Chou Makai Taisen!: DorabocchanJP is an action-adventure game by Red Company. It was released in Japan in 1994 and in North America later the same year." +1608|U.N. Squadron †•Area 88JP|Capcom|1991|1991| |"U.N. Squadron †•Area 88JP, also known as Area 88 in Japan, is a shoot 'em up game by Capcom. It was released in Japan in 1991, followed by North American and PAL region releases." +1609|Uchū no Kishi: Tekkaman Blade|BEC|Unreleased|1993| |"Uchū no Kishi: Tekkaman Blade is a game developed by A.I. and published by BEC. It was planned for release in Japan in 1993 but did not see releases in North America or PAL regions." +1610|Uchuu Race: Astro Go! Go!|Meldac|Cancelled|1994| |"Uchuu Race: Astro Go! Go! is a racing game by KAZe, set to release in Japan in 1994. However, the game was cancelled for a North American and PAL region release." +1611|UFO Kamen Yakisoban: Kettler no Kuroi Inbō|Den'Z|Unreleased|1994| |"UFO Kamen Yakisoban: Kettler no Kuroi Inbō is an action game developed by KID and published by Den'Z. It was planned for release in Japan in 1994." +1612|Ugoku E Ver. 2.0: Aryol|Altron|Unreleased|1994| |"Ugoku E Ver. 2.0: Aryol is a game published by Altron, scheduled for release in Japan in 1994. However, it did not see releases in North America or PAL regions." +1613|Ultima: Kyouryuu Teikoku|Pony Canyon|Unreleased|1995| |"Ultima: Kyouryuu Teikoku is a game developed by Origin Systems and published by Pony Canyon. It was planned for release in Japan in 1995 but did not see releases in North America or PAL regions." +1614|Ultima: Runes of Virtue II•Ultima Gaiden: Kuro Kishi no InbouJP|FCI|1994|1994| |"Ultima: Runes of Virtue II•Ultima Gaiden: Kuro Kishi no InbouJP is a role-playing game by Origin Systems, released in Japan in 1994 and in North America later the same year." +1615|Ultima VI: The False Prophet|FCI|1994|1992| |"Ultima VI: The False Prophet is a role-playing game developed by Infinity Co., Ltd and published by FCI. It was released in Japan in 1992 and in North America in 1994." +1616|Ultima VII: The Black Gate|FCI|1994|1994| |"Ultima VII: The Black Gate is a role-playing game developed by Origin Systems and published by FCI. It was released in Japan and North America in 1994." +1617|Ultimate Fighter•Hiryuu no Ken S: Golden FighterJP|Culture Brain|1994|1992| |"Ultimate Fighter•Hiryuu no Ken S: Golden FighterJP is a fighting game by Culture Brain. It was released in Japan in 1992 and in North America in 1994." +1618|Ultimate Mortal Kombat 3|Williams Entertainment|1996| |Fighting|"Ultimate Mortal Kombat 3 is a fighting game developed by Avalanche Software and published by Williams Entertainment. It was released in North America in 1996 and in PAL regions later the same year." +1619|Ultra Baseball Jitsumeiban|Culture Brain|Unreleased|1992| |"Ultra Baseball Jitsumeiban is a baseball game developed and published by Culture Brain. It was planned for release in Japan in 1992 but did not see releases in North America or PAL regions." +1620|Ultra Baseball Jitsumeiban 2|Culture Brain|Unreleased|1994|Sports|"Ultra Baseball Jitsumeiban 2 is a sports video game released in Japan on December 22, 1994. It is the second installment in the Ultra Baseball Jitsumeiban series." +1621|Ultra Baseball Jitsumeiban 3|Culture Brain|Unreleased|1995|Sports|"Ultra Baseball Jitsumeiban 3 is a sports video game released in Japan on October 27, 1995. It is the third installment in the Ultra Baseball Jitsumeiban series." +1622|Ultra League: Moero! Soccer Daikessen!!|Yutaka|Unreleased|1995|Sports|"Ultra League: Moero! Soccer Daikessen!! is a soccer video game released in Japan on July 28, 1995. It features intense soccer matches and competitions." +1623|Ultra Seven|Bandai|Unreleased|1993|Action|"Ultra Seven is an action game released in Japan on March 26, 1993. Players take on the role of Ultra Seven to battle enemies and save the world." +1624|Ultraman: Towards the Future•Ultraman JP|Bandai|1991|1991|Action|"Ultraman: Towards the Future is an action game released in Japan on April 6, 1991, and in North America on October 19, 1991. Players control Ultraman in epic battles against monsters." +1625|Umi no Nushi Tsuri|Pack-In-Video|Unreleased|1996|Fishing|"Umi no Nushi Tsuri is a fishing game released in Japan on July 19, 1996. Players experience realistic fishing gameplay in various locations." +1626|Umizuri Meijin: Suzuki Hen|Electronic Arts Victor|Unreleased|1994|Sports|"Umizuri Meijin: Suzuki Hen is a sports game released in Japan on December 16, 1994. It offers challenging swimming competitions and events." +1627|Umihara Kawase|TNN|Unreleased|1994|Platformer|"Umihara Kawase is a platformer game released in Japan on December 23, 1994. Players navigate through levels using a fishing rod as a grappling hook." +1628|Uncharted Waters•Daikoukai JidaiJP|Koei|1993|1992|Strategy|"Uncharted Waters is a strategy game released in Japan on August 5, 1992, and in North America in January 1993. Players explore the seas, trade goods, and engage in naval battles." +1629|Uncharted Waters: New Horizons•Super Daikoukai JidaiJP|Koei|1994|1994|Strategy|"Uncharted Waters: New Horizons is a strategy game released in Japan on February 25, 1994, and in North America in October 1994. Players embark on new adventures in the Age of Exploration." +1630|Undercover Cops|Varie|Cancelled|1995|Action|"Undercover Cops is an action game that was cancelled for release. It was set to offer players intense combat and crime-fighting missions." +1631|Uniracers•UnirallyEU|Nintendo|1994||Racing|"Uniracers is a racing game released in North America in December 1994 and in the PAL region on April 27, 1995. Players control unicycles in high-speed races." +1632|The Untouchables|Ocean Software|1994||Action|"The Untouchables is an action game released in North America in August 1994. Players take on the role of law enforcement agents to combat crime." +1633|Urban Strike|Black Pearl Software|1995||Action|"Urban Strike is an action game released in North America in November 1995 and in the PAL region in 1995. Players pilot helicopters in strategic missions." +1634|Ushio to Tora|Yutaka|Unreleased|1993|Action|"Ushio to Tora is an action game released in Japan on January 25, 1993. Players control characters from the manga series in battles against supernatural foes." +1635|Utopia: The Creation of a Nation †|Jaleco|1993|1993|Simulation|"Utopia: The Creation of a Nation is a simulation game released in Japan on October 29, 1993, in North America in September 1993, and in the PAL region in August 1994. Players build and manage their own nation." +1636|Vegas Stakes•Las Vegas DreamJP|Nintendo|1993|1993|Simulation|"Vegas Stakes is a simulation game released in Japan on September 10, 1993, in North America in April 1993, and in the PAL region in 1993. Players experience casino games and gambling in Las Vegas." +1637|Venom and Spider-Man: Separation Anxiety|Acclaim Entertainment|1995||Action|"Venom and Spider-Man: Separation Anxiety is an action game released in North America in November 1995 and in the PAL region in 1995. Players control Spider-Man and Venom in cooperative battles." +1638|Verne World|Banpresto|Unreleased|1995|Adventure|"Verne World is an adventure game released in Japan on September 29, 1995. Players embark on a journey inspired by the works of Jules Verne." +1639|Virtual Bart|Acclaim Entertainment|1994|1994|Action|"Virtual Bart is an action game released in Japan on September 30, 1994, and in North America on September 26, 1994. Players guide Bart Simpson through various virtual reality challenges." +1640|Virtual Soccer•J.League Super SoccerJP|Hudson Soft|Unreleased|1994|Sports|"Virtual Soccer•J.League Super SoccerJP is a soccer video game released in Japan in 1994. It features teams from the J.League and offers realistic gameplay experience." +1641|Vortex|Electro Brain|1994|1994|Action|"Vortex is an action game released in 1994. Players navigate through challenging levels while battling enemies and solving puzzles." +1642|VS. Collection|Bottom Up|Unreleased|1996|Unknown|"VS. Collection is a collection of games developed by Bottom Up. It was set to release in 1996 but remained unreleased." +1643|Wagyan Paradise|Namco|Unreleased|1994|Unknown|"Wagyan Paradise is a game developed by Namco that was set to release in 1994 but remained unreleased." +1644|Waka Taka Ōzumō: Brothers Dream Match|Imagineer|Unreleased|1993|Unknown|"Waka Taka Ōzumō: Brothers Dream Match is a sumo wrestling game developed by Tomcat System. It was set to release in 1993 but remained unreleased." +1645|Waku Waku Ski Wonder Spur|Human Entertainment|Unreleased|1995|Unknown|"Waku Waku Ski Wonder Spur is a skiing game developed by Human Club. It was set to release in 1995 but remained unreleased." +1646|Wally wo Sagase!|Tomy|Unreleased|1993|Unknown|"Wally wo Sagase! is a game developed by Natsu System and published by Tomy. It was set to release in 1993 but remained unreleased." +1647|War 2410|Advanced Productions|1995|Unknown|Strategy|"War 2410 is a strategy game developed by Advanced Productions. It was released in North America in 1995." +1648|War 3010: The Revolution|Advanced Productions|1996|Unknown|Strategy|"War 3010: The Revolution is a strategy game developed by Advanced Productions. It was set to release in 1996 but remained unreleased." +1649|Waratte Iitomo! Tamorinpic|Athena|Unreleased|1994|Unknown|"Waratte Iitomo! Tamorinpic is a game developed by Athena that was set to release in 1994 but remained unreleased." +1650|Wario's Woods|Nintendo|1994|Unknown|Puzzle|"Wario's Woods is a puzzle game developed by Nintendo. It was released in North America in 1994 and in the PAL region in 1995." +1651|Warlock|LJN|1995|1995|Fighting|"Warlock is a fighting game developed by Realtime Associates. It was released in North America in 1995 and in the PAL region in 1994." +1652|WarpSpeed|Accolade|1992|1992|Racing|"WarpSpeed is a racing game developed by Accolade. It was released in North America in 1992 and in the PAL region in 1992." +1653|Waterworld|Ocean Software|Cancelled|1995|Action|"Waterworld is an action game developed by Ocean Software. It was set to release in the PAL region in 1995 but was cancelled." +1654|Wayne Gretzky and the NHLPA All-Stars|Time Warner Interactive|1995|Unknown|Sports|"Wayne Gretzky and the NHLPA All-Stars is a sports game developed by Time Warner Interactive. It was released in North America in 1995." +1655|Wayne's World|THQ|1993|1993|Action|"Wayne's World is an action game developed by Gray Matter. It was released in North America in 1993 and in the PAL region in 1993." +1656|WCW SuperBrawl Wrestling|FCI|1994|Unknown|Fighting|"WCW SuperBrawl Wrestling is a fighting game developed by Beam Software. It was released in North America in 1994." +1657|Weaponlord|Namco (NA)Ocean Software (EU)|1995|1995|Fighting|"Weaponlord is a fighting game developed by Visual Concepts. It was released in North America in 1995 and in the PAL region in 1995." +1658|Wedding Peach|KSS|Unreleased|1995|Unknown|"Wedding Peach is a game developed by Shimada Kikaku. It was set to release in Japan in 1995 but remained unreleased." +1659|We're Back! A Dinosaur's Story|Hi Tech Expressions|1993|1993|Action|"We're Back! A Dinosaur's Story is an action game developed by Visual Concepts. It was released in North America in 1993 and in the PAL region in 1993." +1660|Wheel of Fortune: Featuring Vanna White|GameTek|1992| |Puzzle|"Wheel of Fortune: Featuring Vanna White is a video game adaptation of the popular TV game show Wheel of Fortune. Players spin a wheel to determine prize money and then guess letters to form words and phrases." +1661|Wheel of Fortune Deluxe!|GameTek|1994| |Puzzle|"Wheel of Fortune Deluxe! is an enhanced version of the classic game show video game, featuring updated graphics and gameplay elements. Players spin the wheel, solve puzzles, and compete against each other." +1662|Where in the World Is Carmen Sandiego?|Hi Tech Expressions|1993| |Puzzle|"Where in the World Is Carmen Sandiego? is an educational detective game where players travel the world to track down the elusive Carmen Sandiego and her gang of thieves. Players gather clues and solve puzzles to capture the criminals." +1663|Where in Time is Carmen Sandiego?|Hi Tech Expressions|1993| |Puzzle|"Where in Time is Carmen Sandiego? is a time-traveling adventure game where players must chase Carmen Sandiego and her henchmen through different historical eras. Players solve puzzles and gather clues to prevent history from being altered." +1664|Whirlo•Xandra no Daibouken: Valkyrie to no DeaiJP|Namco| |1992|Action|"Whirlo•Xandra no Daibouken: Valkyrie to no DeaiJP is a platform action game where players control the character Whirlo on a quest to rescue the Valkyrie Xandra. The game features challenging levels and boss battles." +1665|Whizz|Titus Software|1996| |Action|"Whizz is a platformer game where players control the character Whizz as he navigates through various levels to save the kingdom from an evil sorcerer. The game features colorful graphics and challenging gameplay." +1666|Wild Guns|Natsume|1995|1994|Shooter|"Wild Guns is a sci-fi western shooter game where players control characters Annie and Clint as they battle outlaws and robots in a futuristic Wild West setting. The game combines shooting gallery and side-scrolling gameplay." +1667|WildSnake•Super SnakeyJP|Spectrum HoloByte|1994|1994|Puzzle|"WildSnake•Super SnakeyJP is a puzzle game where players match colored snakes to clear them from the board. The game features various levels of difficulty and strategic gameplay." +1668|Williams Arcade's Greatest Hits|Williams Entertainment|1996| |Action|"Williams Arcade's Greatest Hits is a collection of classic arcade games developed by Williams Entertainment. The compilation includes popular titles like Defender, Robotron: 2084, Joust, and Sinistar." +1669|Wing Commander|Mindscape|1992|1993|Action|"Wing Commander is a space combat simulation game where players take on the role of a pilot in the Terran Confederation's fight against the Kilrathi Empire. Players engage in dogfights and strategic missions." +1670|Wing Commander: The Secret Missions|Mindscape|1993| |Action|"Wing Commander: The Secret Missions is an expansion pack for the original Wing Commander game, featuring new missions, ships, and challenges for players to tackle in the ongoing war against the Kilrathi." +1671|Wings 2: Aces High•Blazing SkiesEU•Sky MissionJP|Namco|1992|1992|Action|"Wings 2: Aces High•Blazing SkiesEU•Sky MissionJP is an aerial combat game where players pilot fighter planes in intense dogfights. The game features multiple missions and aircraft customization options." +1672|Winning Post|Koei| |1993|Simulation|"Winning Post is a horse racing simulation game where players manage a horse stable, train horses, and compete in races to become the top owner and breeder in the sport. The game offers in-depth management gameplay." +1673|Winning Post 2|Koei| |1995|Simulation|"Winning Post 2 is a sequel to the original horse racing simulation game, offering updated features and gameplay mechanics. Players continue to manage their stables and race horses to victory." +1674|Winning Post 2: Program '96|Koei| |1996|Simulation|"Winning Post 2: Program '96 is an updated version of the Winning Post series, featuring new content and improvements to the horse racing simulation gameplay. Players strive to build a successful horse racing empire." +1675|Winter Gold|Nintendo| |1996|Sports|"Winter Gold is a sports game featuring various winter sports events like skiing, snowboarding, and ice skating. Players compete in tournaments and challenges to win gold medals and become winter sports champions." +1676|Winter Olympic Games: Lillehammer '94|U.S. Gold|1994| |Sports|"Winter Olympic Games: Lillehammer '94 is a video game adaptation of the 1994 Winter Olympics held in Lillehammer, Norway. Players can participate in various winter sports events and compete for medals." +1677|Wizap!: Ankoku no Ou|ASCII| |1994|Action|"Wizap!: Ankoku no Ou is an action-adventure game where players control the wizard Wizap on a quest to defeat the dark lord Ankoku. The game features challenging levels and magical abilities for players to master." +1678|The Wizard of Oz|SETA|1993| |Adventure|"The Wizard of Oz is an adventure game based on the classic novel and film. Players follow the story of Dorothy as she travels through the magical land of Oz, encountering iconic characters and solving puzzles." +1679|Wizardry Gaiden IV: Throb of the Demon's Heart|ASCII| |1996|Role-Playing|"Wizardry Gaiden IV: Throb of the Demon's Heart is a role-playing game where players create a party of adventurers to explore dungeons, battle monsters, and uncover the mysteries of the demon's heart. The game offers classic RPG gameplay with challenging quests." +1680|Wizardry I-II-III: Story of Llylgamyn|Media Factory|Unreleased|1999|Role-playing game|"Wizardry I-II-III: Story of Llylgamyn is a collection of the first three games in the Wizardry series. Players explore dungeons, battle monsters, and solve puzzles in a fantasy world." +1681|Wizardry V: Heart of the Maelstrom|Capcom|1994|1992|Role-playing game|"Wizardry V: Heart of the Maelstrom is a classic role-playing game where players create a party of adventurers to explore dungeons, fight enemies, and uncover the mysteries of the world." +1682|Wizardry VI: Bane of the Cosmic Forge|ASCII|Unreleased|1995|Role-playing game|"Wizardry VI: Bane of the Cosmic Forge continues the tradition of the Wizardry series with challenging gameplay, intricate puzzles, and a deep storyline set in a fantasy world." +1683|Wolfchild|Virgin Interactive|1993||Action|"Wolfchild is an action game where players take on the role of a man who can transform into a werewolf. The game features fast-paced platforming and intense combat against various enemies." +1684|Wolfenstein 3D|Imagineer|1994|1994|First-person shooter|"Wolfenstein 3D is a groundbreaking first-person shooter where players navigate mazes, defeat enemies, and ultimately take down the evil regime. It set the standard for future FPS games." +1685|Wolverine: Adamantium Rage|LJN|1994|1995|Action|"Wolverine: Adamantium Rage puts players in the shoes of the iconic Marvel character as he battles his way through enemies using his claws and mutant abilities. Fast-paced action awaits!" +1686|Wonder Project J: Kikai no Shounen Pīno|Enix|Unreleased|1994|Simulation|"Wonder Project J: Kikai no Shounen Pīno is a unique simulation game where players raise and guide a young robot boy named Pino. The game focuses on teaching Pino emotions and values." +1687|Wondrous Magic|ASCII|Unreleased|1993|Role-playing game|"Wondrous Magic is a role-playing game where players embark on a magical journey to save the world from darkness. Use powerful spells and strategic combat to overcome challenges." +1688|Wordtris|Spectrum HoloByte|1992||Puzzle|"Wordtris is a puzzle game that combines elements of Tetris with word creation. Players must stack letter blocks to form words and clear lines, testing both their vocabulary and puzzle-solving skills." +1689|World Class Rugby|Imagineer|1993|1993|Sports|"World Class Rugby is a sports game that allows players to experience the excitement of rugby. Compete in matches, strategize plays, and lead your team to victory on the field." +1690|World Class Rugby 2: Kokunai Gekitou Hen '93|Misawa|Unreleased|1994|Sports|"World Class Rugby 2: Kokunai Gekitou Hen '93 is a continuation of the rugby series, offering updated teams, players, and gameplay mechanics for fans of the sport." +1691|World Cup USA '94|U.S. Gold|1994|1994|Sports|"World Cup USA '94 is a soccer game that captures the excitement of the 1994 FIFA World Cup. Choose your favorite team, compete in matches, and aim to win the prestigious tournament." +1692|World Heroes|Sunsoft|1993|1993|Fighting|"World Heroes is a fighting game featuring a diverse cast of characters from different time periods and cultures. Engage in intense battles and showcase your martial arts skills." +1693|World Heroes 2|Takara|1994|1994|Fighting|"World Heroes 2 expands on the original game with new fighters, stages, and moves. Test your fighting prowess against opponents from around the world in this classic arcade-style fighter." +1694|World League Soccer•Pro SoccerJP|Mindscape|1992|1991|Sports|"World League Soccer•Pro SoccerJP is a soccer game that offers fast-paced matches and realistic gameplay. Compete against international teams and aim for victory on the pitch." +1695|World Masters Golf|Virgin Interactive|Unreleased||Sports|"World Masters Golf lets players experience the challenges of professional golfing. Test your skills on various courses and strive to become a master of the sport." +1696|World Soccer '94: Road to Glory•StrikerEU•Eric Cantona Football ChallengeFR•World SoccerJP|Elite Systems (EU)|1993|1993|Sports|"World Soccer '94: Road to Glory is a soccer game that captures the excitement of international football. Compete in tournaments, manage your team, and lead them to victory on the pitch." +1697|Worms|Ocean Software|Unreleased|1996|Strategy|"Worms is a turn-based strategy game where players control teams of worms in a battle to be the last one standing. Use a variety of weapons and tactics to outwit your opponents." +1698|Wrecking Crew '98|Nintendo|Unreleased|1998|Puzzle|"Wrecking Crew '98 is a puzzle game where players must demolish buildings using strategic thinking and planning. Clear the structures efficiently to advance to the next challenge." +1699|WWF RAW|LJN|1994||Fighting|"WWF RAW is a wrestling game featuring popular WWE superstars of the time. Step into the ring, perform signature moves, and entertain the crowd in this action-packed wrestling experience." +1700|WWF Royal Rumble|LJN|1993|1993|Wrestling|"WWF Royal Rumble is a wrestling video game based on the World Wrestling Federation. Players can choose from various WWF superstars and compete in the Royal Rumble match to become the champion." +1701|WWF Super WrestleMania|LJN|1992|1992|Wrestling|"WWF Super WrestleMania is a wrestling video game featuring WWF superstars. Players can engage in single matches or tag team matches to showcase their wrestling skills." +1702|WWF WrestleMania: The Arcade Game|Acclaim Entertainment|1995|1996|Wrestling|"WWF WrestleMania: The Arcade Game is a wrestling game with a unique twist, featuring exaggerated moves and special attacks. Players can battle against each other or team up in tag team matches." +1703|Xak: The Art of Visual Stage|Sunsoft||1993||RPG|"Xak: The Art of Visual Stage is a role-playing game where players embark on a quest to save the world from an ancient evil. Explore dungeons, battle monsters, and uncover the mysteries of the Xak universe." +1704|Xardion|Asmik Ace Entertainment|1992|1992||Action|"Xardion is an action game where players control futuristic mechs to battle against alien invaders. With fast-paced gameplay and challenging levels, players must strategize to defeat the enemy forces." +1705|X-Kaliber 2097•Sword ManiacJP|Activision|1994|1994||Action|"X-Kaliber 2097, also known as Sword Maniac in Japan, is an action-packed side-scrolling game. Players control a futuristic warrior armed with a sword, battling through hordes of enemies and powerful bosses." +1706|X-Men: Mutant Apocalypse|Capcom|1994|1995|Action|"X-Men: Mutant Apocalypse is an action game featuring popular X-Men characters. Players can choose from different mutants, each with unique powers, to fight against the forces of evil and save the world." +1707|X-Terminator 2 Sauke|GameTech|Unreleased|1994||Action|"X-Terminator 2 Sauke is an action game where players control a powerful mech suit to battle against robotic enemies. With fast-paced gameplay and challenging levels, players must use strategy and skill to emerge victorious." +1708|X-Zone|Kemco|1992|1993||Action|"X-Zone is an action game where players navigate through various levels, defeating enemies and overcoming obstacles. With smooth controls and engaging gameplay, players can test their skills in this challenging adventure." +1709|Yadamon: Wonderland Dreams|Tokuma Shoten||1993||Adventure|"Yadamon: Wonderland Dreams is an adventure game based on the popular anime series. Players join Yadamon on a magical journey through fantastical worlds, solving puzzles and meeting quirky characters along the way." +1710|Yakouchuu|Athena||1995||Adventure|"Yakouchuu is an adventure game where players explore mysterious realms and uncover hidden secrets. With immersive storytelling and challenging puzzles, players must navigate through the unknown to unravel the mysteries of Yakouchuu." +1711|Yamato Takeru|Toho||1995||Action-Adventure|"Yamato Takeru is an action-adventure game based on Japanese mythology. Players assume the role of the legendary hero Yamato Takeru, embarking on a quest to save the land from dark forces and restore peace." +1712|YamYam|Bandai||1995||Puzzle|"YamYam is a puzzle game where players must match colorful blocks to clear the board and earn points. With addictive gameplay and increasing challenges, players can test their puzzle-solving skills in this fun and engaging game." +1713|Yokoyama Mitsuteru: Sangokushi|Angel|Unreleased|1992||Strategy|"Yokoyama Mitsuteru: Sangokushi is a strategy game based on the historical novel Romance of the Three Kingdoms. Players take on the role of warlords, managing armies and territories to conquer the land and achieve victory." +1714|Yokoyama Mitsuteru: Sangokushi 2|Angel|Unreleased|1993||Strategy|"Yokoyama Mitsuteru: Sangokushi 2 is a sequel to the strategic war game set in ancient China. Players must use diplomacy, tactics, and military might to outwit their rivals and unify the divided land." +1715|Yokoyama Mitsuteru: Sangokushi Bangi: Sugoroku Eiyuuki|Angel|Unreleased|1994||Strategy|"Yokoyama Mitsuteru: Sangokushi Bangi is a strategic board game adaptation set in the Three Kingdoms era. Players roll dice, navigate the board, and engage in battles to become the ultimate hero of the land." +1716|Yokozuna Monogatari|KSS|Unreleased|1994||Sports|"Yokozuna Monogatari is a sumo wrestling simulation game where players train, compete, and rise through the ranks to become a Yokozuna. With realistic sumo action and strategic gameplay, players can experience the world of sumo wrestling." +1717|Yoshi no Cookie: Kuruppon Oven de Cookie|Nintendo|Unreleased|1994||Puzzle|"Yoshi no Cookie: Kuruppon Oven de Cookie is a puzzle game where players must arrange cookies in an oven to create delicious treats. With cute graphics and challenging puzzles, players can enjoy a sweet and fun gaming experience." +1718|Yoshi's Cookie•Yoshi no CookieJP|Bullet-Proof Software|1993|1993||Puzzle|"Yoshi's Cookie is a puzzle game where players match and clear rows of cookies to score points. With fast-paced gameplay and addictive mechanics, players can test their skills in this tasty challenge." +1719|Yoshi's Safari•Yoshi's Road HuntingJP|Nintendo|1993|1993|Shooter|"Yoshi's Safari is a unique shooter game where players ride on Yoshi's back and use the Super Scope to blast enemies. With colorful graphics and exciting gameplay, players can embark on a safari adventure like never before." +1720|Youchien Senki Madara|Datam Polystar|Unreleased|1996|Role-playing game|"Youchien Senki Madara is a role-playing game developed by Nexus Interact and published by Datam Polystar. The game was released in Japan on January 26, 1996. The North American and PAL region releases are unreleased." +1721|Young Merlin|Virgin Interactive|1994|1994|Action-adventure|"Young Merlin is an action-adventure game developed by Westwood Studios and published by Virgin Interactive. The game was released in North America on March 18, 1994 and in the PAL region on January 1, 1994." +1722|Ys III: Wanderers from Ys|American Sammy|1992|1991|Action role-playing|"Ys III: Wanderers from Ys is an action role-playing game developed by Tonkin House and published by American Sammy. The game was released in Japan on June 21, 1991 and in North America on January 10, 1992." +1723|Ys IV: Mask of the Sun|Tonkin House|Unreleased|1993|Action role-playing|"Ys IV: Mask of the Sun is an action role-playing game developed and published by Tonkin House. The game was released in Japan on November 19, 1993. The North American and PAL region releases are unreleased." +1724|Ys V: Kefin, The Lost City of Sand|Nihon Falcom|Unreleased|1995|Action role-playing|"Ys V: Kefin, The Lost City of Sand is an action role-playing game developed and published by Nihon Falcom. The game was released in Japan on December 29, 1995. The North American and PAL region releases are unreleased." +1725|Ys V Expert|Nihon Falcom|Unreleased|1996|Action role-playing|"Ys V Expert is an action role-playing game developed and published by Nihon Falcom. The game was released in Japan on March 22, 1996. The North American and PAL region releases are unreleased." +1726|Yuu Yuu Hakusho|Namco|Unreleased|1993|Fighting|"Yuu Yuu Hakusho is a fighting game developed and published by Namco. The game was released in Japan on December 22, 1993. The North American and PAL region releases are unreleased." +1727|Yuu Yuu Hakusho 2: Kakutou no Shou|Namco|Unreleased|1994|Fighting|"Yuu Yuu Hakusho 2: Kakutou no Shou is a fighting game developed and published by Namco. The game was released in Japan on June 10, 1994. The North American and PAL region releases are unreleased." +1728|Yuu Yuu Hakusho Final: Makai Saikyou Retsuden|Namco|Unreleased|1995|Fighting|"Yuu Yuu Hakusho Final: Makai Saikyou Retsuden is a fighting game developed and published by Namco. The game was released in Japan on March 24, 1995. The North American and PAL region releases are unreleased." +1729|Yuu Yuu Hakusho: Tokubetsu Hen|Namco|Unreleased|1994|Fighting|"Yuu Yuu Hakusho: Tokubetsu Hen is a fighting game developed and published by Namco. The game was released in Japan on December 22, 1994. The North American and PAL region releases are unreleased." +1730|Yume Maboroshi no Gotoku|Intec|Unreleased|1993|Action-adventure|"Yume Maboroshi no Gotoku is an action-adventure game developed by Tose and published by Intec. The game was released in Japan on December 17, 1993. The North American and PAL region releases are unreleased." +1731|Yume Meikyuu: Kigurumi Daibouken|Hect|Unreleased|1994|Adventure|"Yume Meikyuu: Kigurumi Daibouken is an adventure game developed released in Japan on April 15, 1994." +1732|Yuujin: Janjuu Gakuen|Varie|Unreleased|1993|Action|"Yuujin: Janjuu Gakuen is an action game developed and published by Varie. The game was released in Japan on November 19, 1993. The North American and PAL region releases are unreleased." +1733|Yuujin: Janjuu Gakuen 2|Varie|Unreleased|1994|Action|"Yuujin: Janjuu Gakuen 2 is an action game developed and published by Varie. The game was released in Japan on November 18, 1994. The North American and PAL region releases are unreleased." +1734|Yuujin no Furi Furi Girls|Planning Office Wada|Unreleased|1994|Action|"Yuujin no Furi Furi Girls is an action game developed by U-Jin and published by Planning Office Wada. The game was released in Japan on July 1, 1994. The North American and PAL region releases are unreleased." +1735|Yuuyu no Quiz de GO! GO!|Taito|Unreleased|1992|Quiz|"Yuuyu no Quiz de GO! GO! is a quiz game developed and published by Taito. The game was released in Japan on July 10, 1992. The North American and PAL region releases are unreleased." +1736|Zakuro no Aji|Imagineer|Unreleased|1995|Simulation|"Zakuro no Aji is a simulation game developed and published by Imagineer. The game was released in Japan on December 22, 1995. The North American and PAL region releases are unreleased." +1737|Zan II: Spirits|Telenet Japan|Unreleased|1992|Action|"Zan II: Spirits is an action game developed by Wolf Team and published by Telenet Japan. The game was released in Japan on May 29, 1992. The North American and PAL region releases are unreleased." +1738|Zan III Spirits|Wolf Team|Unreleased|1994|Action|"Zan III Spirits is an action game developed and published by Wolf Team. The game was released in Japan on March 11, 1994. The North American and PAL region releases are unreleased." +1739|Zenkoku Juudan: Ultra Shinri Game|Visit|Unreleased|1995|Puzzle|"Zenkoku Juudan: Ultra Shinri Game is a puzzle game developed by Ukiyotei and published by Visit. The game was released in Japan on November 10, 1995. The North American and PAL region releases are unreleased." +1740|Zenkoku Koukou Soccer|Yojigen|Unreleased|1994|Sports|"A soccer video game released in Japan in November 1994." +1741|Zenkoku Koukou Soccer 2|Yojigen|Unreleased|1995|Sports|"Sequel to Zenkoku Koukou Soccer, released in Japan in November 1995." +1742|Zenkoku Koukou Soccer Senshuken '96|Magical Company|Unreleased|1996|Sports|"A soccer game released in Japan in March 1996." +1743|Zen-Nippon Pro Wrestling|Masaya|Unreleased|1993|Fighting|"A wrestling game released in Japan in July 1993." +1744|Zen-Nippon Pro Wrestling Dash: Sekai Saikyō Tag|Masaya|Unreleased|1993|Fighting|"A wrestling game released in Japan in December 1993." +1745|Zen-Nippon Pro Wrestling: Fight da Pon!|Masaya|Unreleased|1994|Fighting|"A wrestling game released in Japan in June 1994." +1746|Zen-Nippon Pro Wrestling 2: 3–4 Budōkan|Masaya|Unreleased|1995|Fighting|"A wrestling game released in Japan in April 1995." +1747|Zero the Kamikaze Squirrel|Sunsoft|1994|Unreleased|Platformer|"A platformer game released in North America in November 1994 and in PAL regions in March 1995." +1748|Zero4 Champ RR|Media Rings|Unreleased|1994|Racing|"A racing game released in Japan in July 1994." +1749|Zero4 Champ RR-Z|Media Rings|Unreleased|1995|Racing|"A racing game released in Japan in November 1995." +1750|Zico Soccer|Electronic Arts Victor|Unreleased|1994|Sports|"A soccer game released in Japan in March 1994." +1751|Zig Zag Cat: Ostrich Club mo Oosawagi da|Den'Z|Unreleased|1994|Action|"An action game released in Japan in June 1994." +1752|Zoku: The Legend of Bishin|Magifact|Unreleased|1993|Action|"An action game released in Japan in December 1993." +1753|Zombies Ate My Neighbors•ZombiesEU|Konami|1993|Unreleased|Action|"An action game released in North America in September 1993 and in PAL regions in January 1994." +1754|Zoo-tto Mahjong!|Nintendo|Unreleased|1998|Puzzle|"A mahjong game released in Japan in July 1998." +1755|Zool: Ninja of the "Nth" Dimension|GameTek|1994|1994|Platformer|"A platformer game released in Japan in July 1994, in North America in January 1994, and in PAL regions in January 1994." +1756|Zoop|Viacom New Media|1995|Unreleased|Puzzle|"A puzzle game released in North America in September 1995 and in PAL regions in 1995."