From 1da0ff5d2437f19734e7516b0fa1918b5155e20b Mon Sep 17 00:00:00 2001 From: Ludovic Date: Tue, 1 Oct 2024 11:35:59 +0200 Subject: [PATCH 1/4] first script --- scripts/workflow/additional_achievement.ts | 162 +++++++++++++++++++++ 1 file changed, 162 insertions(+) create mode 100644 scripts/workflow/additional_achievement.ts diff --git a/scripts/workflow/additional_achievement.ts b/scripts/workflow/additional_achievement.ts new file mode 100644 index 00000000000..f09200e0990 --- /dev/null +++ b/scripts/workflow/additional_achievement.ts @@ -0,0 +1,162 @@ +import { JSDOM } from 'jsdom'; +import { toPascalCase, replaceRomanNumeralsPascalCased } from '../utils/stringUtils'; +import { readJsonFile } from '../utils/fileUtils'; + +interface AchievementData { + achievement: string; + description: string; + requirements: string; + hidden: string; + type: string; + version: string; + primo: string; + steps?: string[]; + id?: number; + requirementQuestLink?: string; +} + +const base_url = 'https://genshin-impact.fandom.com'; + +const fetchHtmlContent = async (url: string): Promise => { + try { + const response = await fetch(url); + if (!response.ok) { + throw new Error(`HTTP error! status: ${response.status}`); + } + return await response.text(); + } catch (error) { + console.error('Error fetching the HTML content:', error); + throw error; + } +}; + +interface CategoryLink { + href: string; + text: string; +} + +const fetchSteps = async (url: string): Promise => { + const fullUrl = new URL(url, base_url).toString(); + const html = await fetchHtmlContent(fullUrl); + const dom = new JSDOM(html); + const document = dom.window.document; + + const stepsHeading = document.querySelector('h2 > span.mw-headline[id="Steps"]'); + if (stepsHeading) { + const olElement = stepsHeading.parentElement?.nextElementSibling; + if (olElement && olElement.tagName.toLowerCase() === 'ol') { + return Array.from(olElement.querySelectorAll('li')).map( + (li: any) => li.textContent?.trim() || '' + ); + } + } + return []; +}; + +const getAchievementCategories = async (): Promise => { + const html = await fetchHtmlContent(base_url + '/wiki/Achievement'); + const dom = new JSDOM(html); + const document = dom.window.document; + + const categories: CategoryLink[] = []; + const categoryElements = document.querySelectorAll('tr > td > a'); + + for (const categoryElement of categoryElements) { + const href = categoryElement.getAttribute('href'); + const text = categoryElement.textContent?.trim() || ''; + if (href && href.startsWith('/wiki/')) { + categories.push({ href, text: replaceRomanNumeralsPascalCased(toPascalCase(text)) }); + } + } + + return categories; +}; + +const parseCategoryPage = async (url: string): Promise => { + const html = await fetchHtmlContent(url); + const dom = new JSDOM(html); + const document = dom.window.document; + + const tableRows = document.querySelectorAll('table.sortable > tbody > tr'); + if (tableRows.length === 0) { + console.warn(`Warning: No table rows found for URL: ${url}`); + return []; + } + const data: AchievementData[] = []; + + for (let i = 1; i < tableRows.length; i++) { + const row = tableRows[i]; + const cells = row.querySelectorAll('td'); + + const achievementData: AchievementData = { + achievement: cells[0].textContent?.trim() || '', + description: cells[1].textContent?.trim() || '', + requirements: cells[2].textContent?.trim() || '', + hidden: cells[3].textContent?.trim() || '', + type: cells[4].textContent?.trim() || '', + version: cells[5].textContent?.trim() || '', + primo: cells[6].textContent?.trim() || '' + }; + + // Check if the Requirements cell contains an > element + const requirementLink = cells[2].querySelector('i > a'); + if (requirementLink) { + const href = requirementLink.getAttribute('href'); + if (href) { + achievementData.requirementQuestLink = href; + achievementData.steps = await fetchSteps(href); + } + } + + data.push(achievementData); + } + + return data; +}; + +const main = async () => { + const categories = await getAchievementCategories(); + + for (const category of categories) { + const fullUrl = new URL(category.href, base_url).toString(); + console.log(`Parsing category: ${category.text}`); + const currentData = await readJsonFile( + `./data/EN/AchievementCategory/${category.text}.json` + ); + if (currentData === undefined) { + console.warn(`Warning: No data found for category: ${category.text}`); + continue; + } + const achievementData: { id: number; name: string }[] = currentData.achievements.map( + (achievement: { + id: number; + name: string; + desc: string; + reward: number; + hidden: boolean; + order: number; + }) => { + return { + id: achievement.id, + name: achievement.name + }; + } + ); + + const categoryData = await parseCategoryPage(fullUrl); + categoryData.forEach((data) => { + const found = achievementData.find((a) => a.name === data.achievement); + if (found) { + data.id = found.id; + } else { + console.warn(`Warning: Achievement not found: ${data.achievement}`); + } + }); + await Bun.write( + `./data/EN/AchievementCategory/${category.text}Extra.json`, + JSON.stringify(categoryData, null, 2) + ); + } +}; + +main(); From ac325f785d211f9b9de0ce2f7dd01cd4cdf025d2 Mon Sep 17 00:00:00 2001 From: Ludovic Date: Tue, 1 Oct 2024 12:10:54 +0200 Subject: [PATCH 2/4] modification to the casing --- scripts/utils/stringUtils.ts | 8 +- scripts/workflow/additional_achievement.ts | 132 ++++++++++++--------- 2 files changed, 82 insertions(+), 58 deletions(-) diff --git a/scripts/utils/stringUtils.ts b/scripts/utils/stringUtils.ts index 631260947ac..974cee829ef 100644 --- a/scripts/utils/stringUtils.ts +++ b/scripts/utils/stringUtils.ts @@ -13,9 +13,11 @@ export function isPascalCase(str: string): boolean { * @returns The converted string in PascalCase. */ export function toPascalCase(str: string): string { - return (str.charAt(0).toUpperCase() + str.slice(1)) - .replace("'", '') - .replace(/[^a-zA-Z0-9]+(.)/g, (_, chr) => chr.toUpperCase()); + return str + .split(/[^a-zA-Z0-9']+/) + .map((word) => word.charAt(0).toUpperCase() + word.slice(1)) + .join('') + .replace(/'/g, ''); } /** diff --git a/scripts/workflow/additional_achievement.ts b/scripts/workflow/additional_achievement.ts index f09200e0990..ca93cb64450 100644 --- a/scripts/workflow/additional_achievement.ts +++ b/scripts/workflow/additional_achievement.ts @@ -6,9 +6,9 @@ interface AchievementData { achievement: string; description: string; requirements: string; - hidden: string; - type: string; - version: string; + hidden?: string; + type?: string; + version?: string; primo: string; steps?: string[]; id?: number; @@ -72,7 +72,7 @@ const getAchievementCategories = async (): Promise => { return categories; }; -const parseCategoryPage = async (url: string): Promise => { +const parseCategoryPage = async (url: string, category: string): Promise => { const html = await fetchHtmlContent(url); const dom = new JSDOM(html); const document = dom.window.document; @@ -87,16 +87,34 @@ const parseCategoryPage = async (url: string): Promise => { for (let i = 1; i < tableRows.length; i++) { const row = tableRows[i]; const cells = row.querySelectorAll('td'); - - const achievementData: AchievementData = { - achievement: cells[0].textContent?.trim() || '', - description: cells[1].textContent?.trim() || '', - requirements: cells[2].textContent?.trim() || '', - hidden: cells[3].textContent?.trim() || '', - type: cells[4].textContent?.trim() || '', - version: cells[5].textContent?.trim() || '', - primo: cells[6].textContent?.trim() || '' - }; + let achievementData: AchievementData; + if (category === 'WondersOfTheWorld') { + achievementData = { + achievement: cells[0].textContent?.trim() || '', + description: cells[1].textContent?.trim() || '', + requirements: cells[2].textContent?.trim() || '', + hidden: cells[3].textContent?.trim() || '', + type: cells[4].textContent?.trim() || '', + version: cells[5].textContent?.trim() || '', + primo: cells[6].textContent?.trim() || '' + }; + } else if (category === 'MemoriesOfTheHeart') { + achievementData = { + achievement: cells[0].textContent?.trim() || '', + description: cells[1].textContent?.trim() || '', + requirements: cells[2].textContent?.trim() || '', + hidden: cells[3].textContent?.trim() || '', + version: cells[4].textContent?.trim() || '', + primo: cells[5].textContent?.trim() || '' + }; + } else { + achievementData = { + achievement: cells[0].textContent?.trim() || '', + description: cells[1].textContent?.trim() || '', + requirements: cells[2].textContent?.trim() || '', + primo: cells[3].textContent?.trim() || '' + }; + } // Check if the Requirements cell contains an > element const requirementLink = cells[2].querySelector('i > a'); @@ -116,47 +134,51 @@ const parseCategoryPage = async (url: string): Promise => { const main = async () => { const categories = await getAchievementCategories(); - - for (const category of categories) { - const fullUrl = new URL(category.href, base_url).toString(); - console.log(`Parsing category: ${category.text}`); - const currentData = await readJsonFile( - `./data/EN/AchievementCategory/${category.text}.json` - ); - if (currentData === undefined) { - console.warn(`Warning: No data found for category: ${category.text}`); - continue; - } - const achievementData: { id: number; name: string }[] = currentData.achievements.map( - (achievement: { - id: number; - name: string; - desc: string; - reward: number; - hidden: boolean; - order: number; - }) => { - return { - id: achievement.id, - name: achievement.name - }; - } - ); - - const categoryData = await parseCategoryPage(fullUrl); - categoryData.forEach((data) => { - const found = achievementData.find((a) => a.name === data.achievement); - if (found) { - data.id = found.id; - } else { - console.warn(`Warning: Achievement not found: ${data.achievement}`); - } - }); - await Bun.write( - `./data/EN/AchievementCategory/${category.text}Extra.json`, - JSON.stringify(categoryData, null, 2) - ); - } + console.log(categories); + // for (const category of categories) { + // const fullUrl = new URL(category.href, base_url).toString(); + // console.log(`Parsing category: ${category.text}`); + // const currentData = await readJsonFile( + // `./data/EN/AchievementCategory/${category.text}.json` + // ); + // if (currentData === undefined) { + // console.warn(`Warning: No data found for category: ${category.text}`); + // continue; + // } + // const achievementData: { id: number; name: string }[] = currentData.achievements.map( + // (achievement: { + // id: number; + // name: string; + // desc: string; + // reward: number; + // hidden: boolean; + // order: number; + // }) => { + // return { + // id: achievement.id, + // name: achievement.name + // }; + // } + // ); + + // const categoryData = await parseCategoryPage(fullUrl, category.text); + // categoryData.forEach((data) => { + // const found = achievementData.find( + // (a) => + // a.name.toLowerCase().replace(/[^a-z0-9]/g, '') === + // data.achievement.toLowerCase().replace(/[^a-z0-9]/g, '') + // ); + // if (found) { + // data.id = found.id; + // } else { + // console.warn(`Warning: Achievement not found: ${data.achievement}`); + // } + // }); + // await Bun.write( + // `./data/EN/AchievementCategory/${category.text}Extra.json`, + // JSON.stringify(categoryData, null, 2) + // ); + // } }; main(); From 58e6096e78aa1fb66355aaa1284382eb748f97b0 Mon Sep 17 00:00:00 2001 From: Ludovic Date: Tue, 1 Oct 2024 12:22:50 +0200 Subject: [PATCH 3/4] initial data + workflow --- .github/workflows/update-achievement.yml | 52 + .github/workflows/update-banners.yml | 2 +- .../ARealmBeyondSeries1Extra.json | 177 + .../ARealmBeyondSeries2Extra.json | 51 + .../ARealmBeyondSeries3Extra.json | 72 + .../BlessedHamadaExtra.json | 100 + .../ChallengerSeries1Extra.json | 30 + .../ChallengerSeries2Extra.json | 72 + .../ChallengerSeries3Extra.json | 58 + .../ChallengerSeries4Extra.json | 65 + .../ChallengerSeries5Extra.json | 58 + .../ChallengerSeries6Extra.json | 58 + .../ChallengerSeries7Extra.json | 58 + .../ChallengerSeries8Extra.json | 44 + .../ChallengerSeries9Extra.json | 44 + .../ChasmlighterExtra.json | 168 + .../ChenyusSplendorExtra.json | 154 + .../DomainsAndSpiralAbyssSeries1Extra.json | 58 + .../DuelistSeries1Extra.json | 212 + .../ElementalSpecialistSeries1Extra.json | 149 + .../ElementalSpecialistSeries2Extra.json | 51 + ...ntaineDanceOfTheDewWhiteSprings1Extra.json | 114 + ...ntaineDanceOfTheDewWhiteSprings2Extra.json | 138 + ...ntaineDanceOfTheDewWhiteSprings3Extra.json | 102 + .../GeniusInvokationTCGExtra.json | 204 + .../ImaginariumTheaterTheFirstFolioExtra.json | 72 + ...ImaginariumTheaterTheSecondFolioExtra.json | 51 + ...landsOfThunderAndEternitySeries1Extra.json | 144 + ...landsOfThunderAndEternitySeries2Extra.json | 107 + ...iyueTheHarborOfStoneAndContractsExtra.json | 93 + .../MarksmanshipExtra.json | 23 + .../MeetingsInOutrealmSeries1Extra.json | 93 + .../MeetingsInOutrealmSeries2Extra.json | 51 + .../MeetingsInOutrealmSeries3Extra.json | 58 + .../MeetingsInOutrealmSeries4Extra.json | 65 + .../MeetingsInOutrealmSeries5Extra.json | 65 + .../MemoriesOfTheHeartExtra.json | 942 ++ .../MondstadtTheCityOfWindAndSongExtra.json | 93 + .../MortalTravailsSeries1Extra.json | 44 + .../MortalTravailsSeries2Extra.json | 37 + .../MortalTravailsSeries3Extra.json | 30 + .../MortalTravailsSeries4Extra.json | 30 + ...tlanTheLandOfFireAndCompetition1Extra.json | 142 + .../AchievementCategory/OlahSeries1Extra.json | 16 + .../RhapsodiaInTheAncientSeaExtra.json | 93 + ...nayaDoesNotBelieveInTearsSeries1Extra.json | 22 + .../StoneHarborsNostalgiaSeries1Extra.json | 23 + .../SumeruTheGildedDesertSeries1Extra.json | 93 + .../SumeruTheGildedDesertSeries2Extra.json | 93 + .../SumeruTheRainforestOfLoreExtra.json | 107 + .../TeyvatFishingGuideSeries1Extra.json | 86 + .../TheArtOfAdventureExtra.json | 51 + .../TheChroniclesOfTheSeaOfFogExtra.json | 135 + .../TheHerosJourneyExtra.json | 114 + .../TheLightOfDayExtra.json | 88 + .../VisitorsOnTheIcyMountainExtra.json | 155 + .../WondersOfTheWorldExtra.json | 11093 ++++++++++++++++ scripts/workflow/additional_achievement.ts | 89 +- 58 files changed, 16643 insertions(+), 46 deletions(-) create mode 100644 .github/workflows/update-achievement.yml create mode 100644 data/EN/AchievementCategory/ARealmBeyondSeries1Extra.json create mode 100644 data/EN/AchievementCategory/ARealmBeyondSeries2Extra.json create mode 100644 data/EN/AchievementCategory/ARealmBeyondSeries3Extra.json create mode 100644 data/EN/AchievementCategory/BlessedHamadaExtra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries1Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries2Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries3Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries4Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries5Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries6Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries7Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries8Extra.json create mode 100644 data/EN/AchievementCategory/ChallengerSeries9Extra.json create mode 100644 data/EN/AchievementCategory/ChasmlighterExtra.json create mode 100644 data/EN/AchievementCategory/ChenyusSplendorExtra.json create mode 100644 data/EN/AchievementCategory/DomainsAndSpiralAbyssSeries1Extra.json create mode 100644 data/EN/AchievementCategory/DuelistSeries1Extra.json create mode 100644 data/EN/AchievementCategory/ElementalSpecialistSeries1Extra.json create mode 100644 data/EN/AchievementCategory/ElementalSpecialistSeries2Extra.json create mode 100644 data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings1Extra.json create mode 100644 data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings2Extra.json create mode 100644 data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings3Extra.json create mode 100644 data/EN/AchievementCategory/GeniusInvokationTCGExtra.json create mode 100644 data/EN/AchievementCategory/ImaginariumTheaterTheFirstFolioExtra.json create mode 100644 data/EN/AchievementCategory/ImaginariumTheaterTheSecondFolioExtra.json create mode 100644 data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries1Extra.json create mode 100644 data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries2Extra.json create mode 100644 data/EN/AchievementCategory/LiyueTheHarborOfStoneAndContractsExtra.json create mode 100644 data/EN/AchievementCategory/MarksmanshipExtra.json create mode 100644 data/EN/AchievementCategory/MeetingsInOutrealmSeries1Extra.json create mode 100644 data/EN/AchievementCategory/MeetingsInOutrealmSeries2Extra.json create mode 100644 data/EN/AchievementCategory/MeetingsInOutrealmSeries3Extra.json create mode 100644 data/EN/AchievementCategory/MeetingsInOutrealmSeries4Extra.json create mode 100644 data/EN/AchievementCategory/MeetingsInOutrealmSeries5Extra.json create mode 100644 data/EN/AchievementCategory/MemoriesOfTheHeartExtra.json create mode 100644 data/EN/AchievementCategory/MondstadtTheCityOfWindAndSongExtra.json create mode 100644 data/EN/AchievementCategory/MortalTravailsSeries1Extra.json create mode 100644 data/EN/AchievementCategory/MortalTravailsSeries2Extra.json create mode 100644 data/EN/AchievementCategory/MortalTravailsSeries3Extra.json create mode 100644 data/EN/AchievementCategory/MortalTravailsSeries4Extra.json create mode 100644 data/EN/AchievementCategory/NatlanTheLandOfFireAndCompetition1Extra.json create mode 100644 data/EN/AchievementCategory/OlahSeries1Extra.json create mode 100644 data/EN/AchievementCategory/RhapsodiaInTheAncientSeaExtra.json create mode 100644 data/EN/AchievementCategory/SnezhnayaDoesNotBelieveInTearsSeries1Extra.json create mode 100644 data/EN/AchievementCategory/StoneHarborsNostalgiaSeries1Extra.json create mode 100644 data/EN/AchievementCategory/SumeruTheGildedDesertSeries1Extra.json create mode 100644 data/EN/AchievementCategory/SumeruTheGildedDesertSeries2Extra.json create mode 100644 data/EN/AchievementCategory/SumeruTheRainforestOfLoreExtra.json create mode 100644 data/EN/AchievementCategory/TeyvatFishingGuideSeries1Extra.json create mode 100644 data/EN/AchievementCategory/TheArtOfAdventureExtra.json create mode 100644 data/EN/AchievementCategory/TheChroniclesOfTheSeaOfFogExtra.json create mode 100644 data/EN/AchievementCategory/TheHerosJourneyExtra.json create mode 100644 data/EN/AchievementCategory/TheLightOfDayExtra.json create mode 100644 data/EN/AchievementCategory/VisitorsOnTheIcyMountainExtra.json create mode 100644 data/EN/AchievementCategory/WondersOfTheWorldExtra.json diff --git a/.github/workflows/update-achievement.yml b/.github/workflows/update-achievement.yml new file mode 100644 index 00000000000..9cb6b6c3328 --- /dev/null +++ b/.github/workflows/update-achievement.yml @@ -0,0 +1,52 @@ +name: Achievement Update + +on: + schedule: + # Runs at 1:00 AM every Thursday + - cron: '0 1 * * 4' + workflow_dispatch: # Allows manual triggering + +jobs: + update-banners: + runs-on: ubuntu-latest + permissions: + contents: write + pull-requests: write + steps: + - name: Checkout main branch + uses: actions/checkout@v4 + with: + fetch-depth: 0 + + - name: Setup Node.js + uses: actions/setup-node@v3 + with: + node-version: '20.x' + + - name: Install missing packages + run: sudo apt-get update && sudo apt-get install -y git curl unzip + + - name: Setup Bun + uses: oven-sh/setup-bun@v1 + with: + bun-version: latest + + - name: Install project dependencies + run: bun install + + - name: Run update script + run: bun run ./scripts/workflow/additional_achievement.ts + + - name: Create Pull Request + uses: peter-evans/create-pull-request@v6.1.0 + with: + token: ${{ secrets.GITHUB_TOKEN }} + commit-message: "Auto-update Achievement data" + title: "Auto-update: Achievement Data Update" + body: | + This is an automated pull request to update Achievement data. + + Please review the changes and merge if everything looks correct. + branch: auto-update-achievement-data + base: main + delete-branch: true \ No newline at end of file diff --git a/.github/workflows/update-banners.yml b/.github/workflows/update-banners.yml index 0ecea259f8b..d654953ccac 100644 --- a/.github/workflows/update-banners.yml +++ b/.github/workflows/update-banners.yml @@ -1,4 +1,4 @@ -name: Biweekly Cron Job +name: Banner Update on: schedule: diff --git a/data/EN/AchievementCategory/ARealmBeyondSeries1Extra.json b/data/EN/AchievementCategory/ARealmBeyondSeries1Extra.json new file mode 100644 index 00000000000..1b3b17079f0 --- /dev/null +++ b/data/EN/AchievementCategory/ARealmBeyondSeries1Extra.json @@ -0,0 +1,177 @@ +[ + { + "achievement": "Realm Sans Frontières", + "description": "Use the Serenitea Pot to enter your realm.", + "requirements": "", + "primo": "5", + "id": 81049 + }, + { + "achievement": "High Adeptal Energy Readings Ahead", + "description": "Reach 20,000 Adeptal Energy in 1 realm layout.", + "requirements": "", + "primo": "5", + "id": 81050 + }, + { + "achievement": "High Adeptal Energy Readings Ahead", + "description": "Reach 20,000 Adeptal Energy in 2 realm layouts.", + "requirements": "", + "primo": "10", + "id": 81050 + }, + { + "achievement": "High Adeptal Energy Readings Ahead", + "description": "Reach 20,000 Adeptal Energy in 3 realm layouts.", + "requirements": "", + "primo": "20", + "id": 81050 + }, + { + "achievement": "Friend of the Realm", + "description": "Reach Trust Rank 4 with the teapot spirit.", + "requirements": "", + "primo": "5", + "id": 81053 + }, + { + "achievement": "Friend of the Realm", + "description": "Reach Trust Rank 7 with the teapot spirit.", + "requirements": "", + "primo": "10", + "id": 81053 + }, + { + "achievement": "Friend of the Realm", + "description": "Reach Trust Rank 10 with the teapot spirit.", + "requirements": "", + "primo": "20", + "id": 81053 + }, + { + "achievement": "T—T—T—Timberhochwandi", + "description": "Obtain 100 pieces of wood.", + "requirements": "", + "primo": "5", + "id": 81056 + }, + { + "achievement": "T—T—T—Timberhochwandi", + "description": "Obtain 600 pieces of wood.", + "requirements": "", + "primo": "10", + "id": 81056 + }, + { + "achievement": "T—T—T—Timberhochwandi", + "description": "Obtain 2,000 pieces of wood.", + "requirements": "", + "primo": "20", + "id": 81056 + }, + { + "achievement": "If I Were a Rich Man", + "description": "Obtain 2,000 realm currency.", + "requirements": "", + "primo": "5", + "id": 81059 + }, + { + "achievement": "If I Were a Rich Man", + "description": "Obtain 10,000 realm currency.", + "requirements": "", + "primo": "10", + "id": 81059 + }, + { + "achievement": "If I Were a Rich Man", + "description": "Obtain 50,000 realm currency.", + "requirements": "", + "primo": "20", + "id": 81059 + }, + { + "achievement": "Not Just a Small Bench", + "description": "Create 120 furnishings.", + "requirements": "", + "primo": "5", + "id": 81062 + }, + { + "achievement": "Not Just a Small Bench", + "description": "Create 300 furnishings.", + "requirements": "", + "primo": "10", + "id": 81062 + }, + { + "achievement": "Not Just a Small Bench", + "description": "Create 600 furnishings.", + "requirements": "", + "primo": "20", + "id": 81062 + }, + { + "achievement": "Color It In", + "description": "Create 50 dyes.", + "requirements": "", + "primo": "5", + "id": 81065 + }, + { + "achievement": "Color It In", + "description": "Create 200 dyes.", + "requirements": "", + "primo": "10", + "id": 81065 + }, + { + "achievement": "Color It In", + "description": "Create 600 dyes.", + "requirements": "", + "primo": "20", + "id": 81065 + }, + { + "achievement": "Precision Modeling", + "description": "Learn 60 furnishing blueprints.", + "requirements": "", + "primo": "5", + "id": 81068 + }, + { + "achievement": "Precision Modeling", + "description": "Learn 120 furnishing blueprints.", + "requirements": "", + "primo": "10", + "id": 81068 + }, + { + "achievement": "Precision Modeling", + "description": "Learn 180 furnishing blueprints.", + "requirements": "", + "primo": "20", + "id": 81068 + }, + { + "achievement": "My... Territory", + "description": "Place 50 furnishings in a single realm layout.", + "requirements": "", + "primo": "5", + "id": 81071 + }, + { + "achievement": "My... Territory", + "description": "Place 150 furnishings in a single realm layout.", + "requirements": "", + "primo": "10", + "id": 81071 + }, + { + "achievement": "My... Territory", + "description": "Place 300 furnishings in a single realm layout.", + "requirements": "", + "primo": "20", + "id": 81071 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ARealmBeyondSeries2Extra.json b/data/EN/AchievementCategory/ARealmBeyondSeries2Extra.json new file mode 100644 index 00000000000..0436bbe1e44 --- /dev/null +++ b/data/EN/AchievementCategory/ARealmBeyondSeries2Extra.json @@ -0,0 +1,51 @@ +[ + { + "achievement": "Honored Guest of the Realm", + "description": "Invite a companion to move in to your Serenitea Pot.", + "requirements": "", + "primo": "5", + "id": 81079 + }, + { + "achievement": "Fireside Chats", + "description": "Unlock 10 interactions with your companions.", + "requirements": "", + "primo": "5", + "id": 81080 + }, + { + "achievement": "Fireside Chats", + "description": "Unlock 20 interactions with your companions.", + "requirements": "", + "primo": "10", + "id": 81080 + }, + { + "achievement": "Fireside Chats", + "description": "Unlock 30 interactions with your companions.", + "requirements": "", + "primo": "20", + "id": 81080 + }, + { + "achievement": "Gifts All Around", + "description": "Receive 5 gifts from your companions.", + "requirements": "", + "primo": "5", + "id": 81083 + }, + { + "achievement": "Gifts All Around", + "description": "Receive 10 gifts from your companions.", + "requirements": "", + "primo": "10", + "id": 81083 + }, + { + "achievement": "Gifts All Around", + "description": "Receive 20 gifts from your companions.", + "requirements": "", + "primo": "20", + "id": 81083 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ARealmBeyondSeries3Extra.json b/data/EN/AchievementCategory/ARealmBeyondSeries3Extra.json new file mode 100644 index 00000000000..4dc5e6b0be3 --- /dev/null +++ b/data/EN/AchievementCategory/ARealmBeyondSeries3Extra.json @@ -0,0 +1,72 @@ +[ + { + "achievement": "Just Like a Game of Chess", + "description": "Set up a Realm Waypoint in your Serenitea Pot for the first time.", + "requirements": "", + "primo": "5", + "id": 81086 + }, + { + "achievement": "We're Going to Need More Crops!", + "description": "Gather 40 items in \"A Path of Value: Jade Field.\"", + "requirements": "", + "primo": "5", + "id": 81087 + }, + { + "achievement": "We're Going to Need More Crops!", + "description": "Gather 200 items in \"A Path of Value: Jade Field.\"", + "requirements": "", + "primo": "10", + "id": 81087 + }, + { + "achievement": "We're Going to Need More Crops!", + "description": "Gather 800 items in \"A Path of Value: Jade Field.\"", + "requirements": "", + "primo": "20", + "id": 81087 + }, + { + "achievement": "My Blooming Abode", + "description": "Gather 40 items in \"A Path of Value: Luxuriant Glebe.\"", + "requirements": "", + "primo": "5", + "id": 81090 + }, + { + "achievement": "My Blooming Abode", + "description": "Gather 200 items in \"A Path of Value: Luxuriant Glebe.\"", + "requirements": "", + "primo": "10", + "id": 81090 + }, + { + "achievement": "My Blooming Abode", + "description": "Gather 800 items in \"A Path of Value: Luxuriant Glebe.\"", + "requirements": "", + "primo": "20", + "id": 81090 + }, + { + "achievement": "Stop! Gather Time.", + "description": "Gather 40 items in \"A Path of Value: Orderly Meadow.\"", + "requirements": "", + "primo": "5", + "id": 81093 + }, + { + "achievement": "Stop! Gather Time.", + "description": "Gather 200 items in \"A Path of Value: Orderly Meadow.\"", + "requirements": "", + "primo": "10", + "id": 81093 + }, + { + "achievement": "Stop! Gather Time.", + "description": "Gather 800 items in \"A Path of Value: Orderly Meadow.\"", + "requirements": "", + "primo": "20", + "id": 81093 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/BlessedHamadaExtra.json b/data/EN/AchievementCategory/BlessedHamadaExtra.json new file mode 100644 index 00000000000..aa6d78e8408 --- /dev/null +++ b/data/EN/AchievementCategory/BlessedHamadaExtra.json @@ -0,0 +1,100 @@ +[ + { + "achievement": "Continental Explorer: Blessed Hamada", + "description": "Light up the maps of the following areas in Sumeru: Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "5", + "id": 80237 + }, + { + "achievement": "Descending Into the Depths of Desolation", + "description": "Unlock all Teleport Waypoints in the following areas in Sumeru: Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "5", + "id": 80238 + }, + { + "achievement": "Sanctuary Pilgrim: Blessed Hamada", + "description": "Unlock all the Shrines of Depths in the following areas in Sumeru: Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "10", + "id": 80239 + }, + { + "achievement": "Dune Guide", + "description": "Follow 4 Seelie in Gavireh Lajavard and Realm of Farakhkert to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80240 + }, + { + "achievement": "Dune Guide", + "description": "Follow 8 Seelie in Gavireh Lajavard and Realm of Farakhkert to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80240 + }, + { + "achievement": "Dune Guide", + "description": "Follow 16 Seelie in Gavireh Lajavard and Realm of Farakhkert to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80240 + }, + { + "achievement": "Badlands Treasure Hunter", + "description": "Open a total of 40 treasure chests in Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "5", + "id": 80243 + }, + { + "achievement": "Badlands Treasure Hunter", + "description": "Open a total of 80 treasure chests in Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "10", + "id": 80243 + }, + { + "achievement": "Badlands Treasure Hunter", + "description": "Open a total of 160 treasure chests in Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "20", + "id": 80243 + }, + { + "achievement": "Badlands Adventurer", + "description": "Complete a total of 4 Open World Time Trial Challenges in Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "5", + "id": 80246 + }, + { + "achievement": "Badlands Adventurer", + "description": "Complete a total of 8 Open World Time Trial Challenges in Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "10", + "id": 80246 + }, + { + "achievement": "Badlands Adventurer", + "description": "Complete a total of 16 Open World Time Trial Challenges in Gavireh Lajavard and Realm of Farakhkert.", + "requirements": "", + "primo": "20", + "id": 80246 + }, + { + "achievement": "Alkanet Amrita", + "description": "Upgrade the Amrita Pool to its maximum level.", + "requirements": "", + "primo": "20", + "id": 80250 + }, + { + "achievement": "Khvarena of Good and Evil", + "description": "Complete \"Khvarena of Good and Evil.\"", + "requirements": "", + "primo": "10", + "id": 80249 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries1Extra.json b/data/EN/AchievementCategory/ChallengerSeries1Extra.json new file mode 100644 index 00000000000..cbed4f14acd --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries1Extra.json @@ -0,0 +1,30 @@ +[ + { + "achievement": "Full Metal What Now?", + "description": "Shatter the Geo Crystal Shield of a Large Geo Slime.", + "requirements": "", + "primo": "5", + "id": 82004 + }, + { + "achievement": "Are Plasma Globes Still in Fashion?", + "description": "Break an Electro Cicin Mage's shield.", + "requirements": "", + "primo": "5", + "id": 82005 + }, + { + "achievement": "Rhythm Tengoku", + "description": "Stop an Abyss Mage from regenerating its shield.", + "requirements": "", + "primo": "5", + "id": 82006 + }, + { + "achievement": "Blazing Dadaupa", + "description": "Set a Wooden Shieldwall Mitachurl's shield on fire.", + "requirements": "", + "primo": "5", + "id": 82007 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries2Extra.json b/data/EN/AchievementCategory/ChallengerSeries2Extra.json new file mode 100644 index 00000000000..85231c8ed0e --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries2Extra.json @@ -0,0 +1,72 @@ +[ + { + "achievement": "Hydro Hunter", + "description": "Defeat every type of Hydro Mimic that an Oceanid can summon.", + "requirements": "", + "primo": "5", + "id": 82053 + }, + { + "achievement": "Dip, Duck, Dive, Dodge, Defeat", + "description": "Defeat an Oceanid without being hit by water bombs left behind by certain Hydro Mimics.", + "requirements": "", + "primo": "10", + "id": 82054 + }, + { + "achievement": "...Well, That Was Strange", + "description": "Defeat the Unusual Hilichurl 1 time.", + "requirements": "", + "primo": "5", + "id": 82055 + }, + { + "achievement": "...Well, That Was Strange", + "description": "Defeat the Unusual Hilichurl 20 times.", + "requirements": "", + "primo": "10", + "id": 82055 + }, + { + "achievement": "...Well, That Was Strange", + "description": "Defeat the Unusual Hilichurl 50 times.", + "requirements": "", + "primo": "20", + "id": 82055 + }, + { + "achievement": "Extreme Gardening", + "description": "Paralyze a Cryo Regisvine by attacking its corolla.", + "requirements": "", + "primo": "5", + "id": 82058 + }, + { + "achievement": "Gardener Extraordinaire", + "description": "Paralyze a Pyro Regisvine by attacking its corolla.", + "requirements": "", + "primo": "5", + "id": 82059 + }, + { + "achievement": "Geronimo!", + "description": "Hit an opponent with a Plunging Attack after plunging for more than 5 seconds.", + "requirements": "", + "primo": "5", + "id": 82060 + }, + { + "achievement": "Vicious Circle", + "description": "Unleash 5 Elemental Bursts within 15 seconds.", + "requirements": "", + "primo": "10", + "id": 82061 + }, + { + "achievement": "Shield Me From the World", + "description": "Have a single character be protected by 3 different types of shield at once.", + "requirements": "", + "primo": "10", + "id": 82062 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries3Extra.json b/data/EN/AchievementCategory/ChallengerSeries3Extra.json new file mode 100644 index 00000000000..d6805cfeb9e --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries3Extra.json @@ -0,0 +1,58 @@ +[ + { + "achievement": "Turnover", + "description": "Knock a Cryo Slime out of the hands of a Cryo Hilichurl Grenadier.", + "requirements": "", + "primo": "5", + "id": 82066 + }, + { + "achievement": "Tear Down This Wall!", + "description": "Destroy an Ice Shieldwall Mitachurl's shield.", + "requirements": "", + "primo": "5", + "id": 82067 + }, + { + "achievement": "No Ice for Me, Thanks", + "description": "Defeat a Cryo Samachurl before it is able to create an ice pillar.", + "requirements": "", + "primo": "5", + "id": 82068 + }, + { + "achievement": "...The Harder They Fall", + "description": "Destroy a Cryo Samachurl's ice pillar.", + "requirements": "", + "primo": "5", + "id": 82069 + }, + { + "achievement": "Chilly-Churl", + "description": "Defeat a Frostarm Lawachurl before its Infused Form can expire.", + "requirements": "", + "primo": "10", + "id": 82070 + }, + { + "achievement": "\"Rosebud...\"", + "description": "Break a Cryo Cicin Mage's shield.", + "requirements": "", + "primo": "5", + "id": 82071 + }, + { + "achievement": "Assassin of Kings", + "description": "Defeat the true ruler of Dragonspine?", + "requirements": "", + "primo": "10", + "id": 82072 + }, + { + "achievement": "David and Goliath", + "description": "Paralyze a Ruin Grader by attacking its weak point.", + "requirements": "", + "primo": "5", + "id": 82073 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries4Extra.json b/data/EN/AchievementCategory/ChallengerSeries4Extra.json new file mode 100644 index 00000000000..fe8c933ddca --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries4Extra.json @@ -0,0 +1,65 @@ +[ + { + "achievement": "...Geovishap, Solarvishap, Lunarvishap...", + "description": "Defeat the Geovishap in all of its elemental forms.", + "requirements": "", + "primo": "5", + "id": 82091 + }, + { + "achievement": "Geo Elemental Reaction?", + "description": "Defeat the Primo Geovishap in all of its elemental forms.", + "requirements": "Defeat a Pyro, Hydro, Cryo, and Electro Primo Geovishap.", + "primo": "10", + "id": 82092 + }, + { + "achievement": "Puppet Show-Off", + "description": "Defeat the Maguu Kenki while he is taunting you.", + "requirements": "", + "primo": "5", + "id": 82093 + }, + { + "achievement": "Totaled Totem", + "description": "Defeat an Electro Samachurl with no lightning totem on the field.", + "requirements": "", + "primo": "5", + "id": 82094 + }, + { + "achievement": "Did My Hand Fall From My Wrist?", + "description": "Defeat a Thunderhelm Lawachurl while in an enhanced state.", + "requirements": "", + "primo": "5", + "id": 82095 + }, + { + "achievement": "I'll Skip the Spa, Thanks", + "description": "Defeat a Mirror Maiden without being trapped by its Water Prison.", + "requirements": "", + "primo": "5", + "id": 82096 + }, + { + "achievement": "It's Quiet... Too Quiet...", + "description": "Defeat the Pyro Hypostasis after it enters its extinguished state only once", + "requirements": "", + "primo": "5", + "id": 82097 + }, + { + "achievement": "The Battle of Narukami Island", + "description": "Defeat the Perpetual Mechanical Array in its weakened state.", + "requirements": "", + "primo": "5", + "id": 82098 + }, + { + "achievement": "The Finishing Touch", + "description": "Defeat Azhdaha without ever having gained a shield.", + "requirements": "", + "primo": "10", + "id": 82109 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries5Extra.json b/data/EN/AchievementCategory/ChallengerSeries5Extra.json new file mode 100644 index 00000000000..fa040fd6929 --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries5Extra.json @@ -0,0 +1,58 @@ +[ + { + "achievement": "Salt for My Foes, and Water for Me", + "description": "Obtain at least three healing orbs fired from the \"water droplets\" during the Hydro Hypostasis fight.", + "requirements": "", + "primo": "5", + "id": 82115 + }, + { + "achievement": "The Fraught Return", + "description": "Stop the Hydro Hypostasis from reviving itself without destroying any of the \"water droplets\" by placing obstacles or repelling them.", + "requirements": "", + "primo": "5", + "id": 82116 + }, + { + "achievement": "Moment of Destruction", + "description": "Defeat Signora without using any Crimson Lotus Moths.", + "requirements": "", + "primo": "10", + "id": 82117 + }, + { + "achievement": "Electric Escape", + "description": "Defeat a Thunder Manifestation without being hit by its homing thunder cage attack.", + "requirements": "", + "primo": "5", + "id": 82118 + }, + { + "achievement": "Radio Silence", + "description": "Get locked on by the Thunder Manifestation before you can attack it.", + "requirements": "", + "primo": "5", + "id": 82119 + }, + { + "achievement": "Swimming Prohibited", + "description": "Defeat the Bathysmal Vishap Herd without allowing them to dive into the water.", + "requirements": "", + "primo": "5", + "id": 82120 + }, + { + "achievement": "Death Proof", + "description": "Dodge one entire round of the Baleful Vajra's destructive waves during one battle with Magatsu Mitake Narukami no Mikoto.", + "requirements": "", + "primo": "10", + "id": 82126 + }, + { + "achievement": "Ouroboros", + "description": "Destroy Oozing Concretions to paralyze the Ruin Serpent while it is gathering energy.", + "requirements": "", + "primo": "5", + "id": 82128 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries6Extra.json b/data/EN/AchievementCategory/ChallengerSeries6Extra.json new file mode 100644 index 00000000000..a0831185948 --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries6Extra.json @@ -0,0 +1,58 @@ +[ + { + "achievement": "The Mad Flower at the End of the Road", + "description": "When the Electro Regisvine emits a beam of thunderous light, paralyze it by attacking its corolla.", + "requirements": "", + "primo": "5", + "id": 82134 + }, + { + "achievement": "I Can't Take It Anymore!", + "description": "Defeat an exhausted Jadeplume Terrorshroom after its activation state is finished.", + "requirements": "", + "primo": "5", + "id": 82135 + }, + { + "achievement": "The Smell of Grilled Mushrooms in the Morning", + "description": "In a single challenge, defeat 6 Fungi produced by Jadeplume Terrorshroom in a Burning state.", + "requirements": "", + "primo": "5", + "id": 82136 + }, + { + "achievement": "Dragonslayer", + "description": "In a single challenge, bring the Aeonblight Drake down by attacking the cores on its wings.", + "requirements": "", + "primo": "5", + "id": 82137 + }, + { + "achievement": "Victory is a Mindset", + "description": "In a single challenge, interrupt the energy flow of the Aeonblight Drake by attacking the core on its head.", + "requirements": "", + "primo": "5", + "id": 82138 + }, + { + "achievement": "Resistance is Futile!", + "description": "Defeat an Aeonblight Drake that has increased resistance to at least two different elements.", + "requirements": "", + "primo": "5", + "id": 82139 + }, + { + "achievement": "System Shock", + "description": "Defeat the Algorithm of Semi-Intransient Matrix of Overseer Network in its overclocked, Overloaded state.", + "requirements": "Defeat the boss while it is paralyzed after completing its overclocking attack.", + "primo": "5", + "id": 82140 + }, + { + "achievement": "Daisy, Daisy", + "description": "Break the Algorithm of Semi-Intransient Matrix of Overseer Network by hitting its cores with the Quicken, Aggravate, or Spread reactions.", + "requirements": "", + "primo": "5", + "id": 82141 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries7Extra.json b/data/EN/AchievementCategory/ChallengerSeries7Extra.json new file mode 100644 index 00000000000..093a0337ea7 --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries7Extra.json @@ -0,0 +1,58 @@ +[ + { + "achievement": "Refusal of Thorns", + "description": "Use Pyro to burn all the thorns created by the Dendro Hypostasis during its Ring of Thorns attack.", + "requirements": "", + "primo": "5", + "id": 82161 + }, + { + "achievement": "Back for More", + "description": "Use the power of the Phagocytic Energy Blocks to immobilize the following enemies: Consecrated Red Vulture, Consecrated Scorpion, Consecrated Flying Serpent, Consecrated Horned Crocodile, and Consecrated Fanged Beast.", + "requirements": "", + "primo": "5", + "id": 82162 + }, + { + "achievement": "Like Hopscotch?", + "description": "Activate all Elemental Matrices in a fight against Shouki no Kami, the Prodigal.", + "requirements": "", + "primo": "5", + "id": 82163 + }, + { + "achievement": "...It's Payback Time", + "description": "Destroy Shouki no Kami's shield while he is delivering a powerful barrage of attacks.", + "requirements": "Deplete Shouki no Kami's shield during his Cosmic Bombardment attack.", + "primo": "10", + "id": 82164 + }, + { + "achievement": "Now That's What You Call the Four Winds!", + "description": "Use a Cryo, Pyro, Electro, and Hydro attack each to trigger a Swirl reaction with the Windbite Bullets in a fight against the Setekh Wenut.", + "requirements": "", + "primo": "5", + "id": 82165 + }, + { + "achievement": "Despite the Barrier Between Us...", + "description": "Defeat the Iniquitous Baptist without destroying its Elemental Shield.", + "requirements": "", + "primo": "10", + "id": 82166 + }, + { + "achievement": "Proof by Exhaustion", + "description": "Defeat Iniquitous Baptists of all possible elemental combinations.", + "requirements": "", + "primo": "5", + "id": 82167 + }, + { + "achievement": "Like the Sun's Passage", + "description": "Defeat the Guardian of Apep's Oasis without any character being attacked by aftershocks of the apocalypse.", + "requirements": "", + "primo": "10", + "id": 82169 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries8Extra.json b/data/EN/AchievementCategory/ChallengerSeries8Extra.json new file mode 100644 index 00000000000..6dc661d68f1 --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries8Extra.json @@ -0,0 +1,44 @@ +[ + { + "achievement": "The Distance of the Moon", + "description": "Complete 11 Plunging Attacks in a single Gravity Reduction Field, hitting an Experimental Field Generator.", + "requirements": "", + "primo": "5", + "id": 82181 + }, + { + "achievement": "Gravity Front", + "description": "Defeat an Experimental Field Generator without being hit by a \"Gravity Ripple.\"", + "requirements": "", + "primo": "5", + "id": 82182 + }, + { + "achievement": "Shackle Me, That I Might Willingly Be Destroyed", + "description": "During the climax of \"Icewind Suite: Dirge of Coppelia,\" use Coppelius's attack to make all the Dirge's whirlwinds undergo Elemental Conversion.", + "requirements": "", + "primo": "5", + "id": 82183 + }, + { + "achievement": "Crabs for the Crab Throne", + "description": "Defeat the Emperor of Fire and Iron while weakened.", + "requirements": "", + "primo": "5", + "id": 82184 + }, + { + "achievement": "Collezione di Sabbia", + "description": "Break the Xenomare Pearl directly without destroying the Resonant Coral Orb while the Millennial Pearl Seahorse is guiding Hoarthunder.", + "requirements": "", + "primo": "5", + "id": 82185 + }, + { + "achievement": "Fulgura Frango", + "description": "Defeat the Millennial Pearl Seahorse while it is attempting to re-construct a Xenomare Pearl.", + "requirements": "", + "primo": "5", + "id": 82186 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChallengerSeries9Extra.json b/data/EN/AchievementCategory/ChallengerSeries9Extra.json new file mode 100644 index 00000000000..a7fcbef52de --- /dev/null +++ b/data/EN/AchievementCategory/ChallengerSeries9Extra.json @@ -0,0 +1,44 @@ +[ + { + "achievement": "Theater Fire Drill", + "description": "Destroy the Legatus Golem's shield before it can lift its blade and unleash its raging, fiery shockwave.", + "requirements": "", + "primo": "5", + "id": 82193 + }, + { + "achievement": "Unmanifested Sealing Hex", + "description": "Defeat the Hydro Tulpa after it has become enhanced from absorbing Half-Tulpa(s).", + "requirements": "", + "primo": "5", + "id": 82194 + }, + { + "achievement": "Three Days and Nights in the Belly of the Great Fish", + "description": "Escape the belly of the beast without being hit at all by the phantasm(s) within.", + "requirements": "", + "primo": "5", + "id": 82195 + }, + { + "achievement": "\"Feng Shui Assassination!\"", + "description": "Within a single challenge, use Elemental Reactions to paralyze the Solitary Suanni while it is gathering Anemo and Hydro adeptal energy respectively.", + "requirements": "", + "primo": "5", + "id": 82196 + }, + { + "achievement": "If You're Thirsty for Blood...", + "description": "Unleash 4 Scarlet Nighttides in a single battle against The Knave.", + "requirements": "", + "primo": "5", + "id": 82197 + }, + { + "achievement": "Brighter Than White", + "description": "In a single battle against The Knave, avoid being hit by her at all while being affected by a Bond of Life and defeat The Knave.", + "requirements": "", + "primo": "10", + "id": 82199 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChasmlighterExtra.json b/data/EN/AchievementCategory/ChasmlighterExtra.json new file mode 100644 index 00000000000..8809d6cd76f --- /dev/null +++ b/data/EN/AchievementCategory/ChasmlighterExtra.json @@ -0,0 +1,168 @@ +[ + { + "achievement": "Chasm Conqueror", + "description": "Light up The Chasm surface map.", + "requirements": "Unlock the Statue of The Seven found in The Chasm.", + "primo": "5", + "id": 80145 + }, + { + "achievement": "Perilous Plunge", + "description": "Light up The Chasm: Underground Mines map.", + "requirements": "Earned during The Chasm Delvers.", + "primo": "5", + "requirementQuestLink": "/wiki/The_Chasm_Delvers", + "steps": [], + "id": 80146 + }, + { + "achievement": "Into the Depths", + "description": "Unlock all Teleport Waypoints in The Chasm and its Underground Mines.", + "requirements": "", + "primo": "5", + "id": 80147 + }, + { + "achievement": "Gorge Guide", + "description": "Follow 6 Seelie in The Chasm to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80148 + }, + { + "achievement": "Gorge Guide", + "description": "Follow 12 Seelie in The Chasm to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80148 + }, + { + "achievement": "Gorge Guide", + "description": "Follow 24 Seelie in The Chasm to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80148 + }, + { + "achievement": "Chasm Treasure Hunter", + "description": "Open 50 chests in The Chasm.", + "requirements": "", + "primo": "5", + "id": 80151 + }, + { + "achievement": "Chasm Treasure Hunter", + "description": "Open 100 chests in The Chasm.", + "requirements": "", + "primo": "10", + "id": 80151 + }, + { + "achievement": "Chasm Treasure Hunter", + "description": "Open 200 chests in The Chasm.", + "requirements": "", + "primo": "20", + "id": 80151 + }, + { + "achievement": "Chasm Adventurer", + "description": "Complete 3 Open World mechanism-activated Time Trial Challenges in The Chasm.", + "requirements": "", + "primo": "5", + "id": 80154 + }, + { + "achievement": "Chasm Adventurer", + "description": "Complete 6 Open World mechanism-activated Time Trial Challenges in The Chasm.", + "requirements": "", + "primo": "10", + "id": 80154 + }, + { + "achievement": "Chasm Adventurer", + "description": "Complete 12 Open World mechanism-activated Time Trial Challenges in The Chasm.", + "requirements": "", + "primo": "20", + "id": 80154 + }, + { + "achievement": "Arch-Illuminator", + "description": "Enhance the Lumenstone Adjuvant to its highest possible level.", + "requirements": "", + "primo": "20", + "id": 80157 + }, + { + "achievement": "\"When the Seal Is Broken...\"", + "description": "Remove the obstacles to your entry into the mines.", + "requirements": "Complete Surreptitious Seven-Star Seal Sundering.", + "primo": "10", + "requirementQuestLink": "/wiki/Surreptitious_Seven-Star_Seal_Sundering", + "steps": [ + "Talk to Muning and find out the situation in The Chasm", + "Look for the adventurer Zhiqiong", + "Go to the miners' warehouse", + "Fend off the Treasure Hoarders", + "Obtain the Lumenstone Adjuvant", + "Tell Zhiqiong about what happened at the warehouse", + "Look for a way to destroy the Bedrock Keys", + "Talk to Zhiqiong", + "Use the cage-shaped object to destroy the three remaining Bedrock Keys (0/3)\nThe cage-shaped objects must be hit in the direction of the Bedrock Key\nThe cage-shaped objects must be used in the order of highest elevated to lowest. If hitting one doesn't work, try finding another that is higher up.\nOne of the Bedrock Keys coincides with the World Quest, Undetected Infiltration.", + "The cage-shaped objects must be hit in the direction of the Bedrock Key", + "The cage-shaped objects must be used in the order of highest elevated to lowest. If hitting one doesn't work, try finding another that is higher up.", + "One of the Bedrock Keys coincides with the World Quest, Undetected Infiltration.", + "Report the destruction of the Bedrock Keys to Zhiqiong", + "Look for the final Bedrock Key", + "Destroy the final Bedrock Key\nWave 1:\n Geovishap Hatchling ×2\nWave 2:\n Geovishap ×1", + "Wave 1:\n Geovishap Hatchling ×2", + "Geovishap Hatchling ×2", + "Wave 2:\n Geovishap ×1", + "Geovishap ×1", + "Talk to Zhiqiong", + "Talk to Muning and Zhiqiong" + ], + "id": 80158 + }, + { + "achievement": "Exploration Underway", + "description": "Complete the exploration commission from the Ministry of Civil Affairs.", + "requirements": "Earned during Wherefore Did the Spiritstone Descend?", + "primo": "10", + "requirementQuestLink": "/wiki/Wherefore_Did_the_Spiritstone_Descend%3F", + "steps": [ + "Talk to the Zhiqiong up ahead", + "Go to the camp with Zhiqiong", + "Talk to Zhiqiong", + "Go to the gate that Zhiqiong mentioned", + "Open Gate [sic]", + "Go within the gate to investigate", + "Read the stone tablet", + "Purify the large crystal (0/5)\nRecharge each crystal by staying near them while carrying a Lumenstone Adjuvant charged with 3 bars.\nThe enemies are automatically defeated when the crystal is fully charged.\nNortheastern Crystal:\nPresent before activation: Pyro Abyss Mage ×1 Hydro Abyss Mage ×1\nSpawns on activation: Pyro Abyss Mage ×1\nNorthwestern Crystal: Electro Abyss Mage ×1\nSouthwestern Crystal: Electro Abyss Mage ×1 Cryo Abyss Mage ×1\nSouthern Crystal: Abyss Herald: Wicked Torrents ×1\nSoutheastern Crystal: Thundercraven Rifthound ×1 Rockfond Rifthound Whelp ×2", + "Recharge each crystal by staying near them while carrying a Lumenstone Adjuvant charged with 3 bars.", + "The enemies are automatically defeated when the crystal is fully charged.", + "Northeastern Crystal:\nPresent before activation: Pyro Abyss Mage ×1 Hydro Abyss Mage ×1\nSpawns on activation: Pyro Abyss Mage ×1", + "Present before activation: Pyro Abyss Mage ×1 Hydro Abyss Mage ×1", + "Pyro Abyss Mage ×1", + "Hydro Abyss Mage ×1", + "Spawns on activation: Pyro Abyss Mage ×1", + "Pyro Abyss Mage ×1", + "Northwestern Crystal: Electro Abyss Mage ×1", + "Electro Abyss Mage ×1", + "Southwestern Crystal: Electro Abyss Mage ×1 Cryo Abyss Mage ×1", + "Electro Abyss Mage ×1", + "Cryo Abyss Mage ×1", + "Southern Crystal: Abyss Herald: Wicked Torrents ×1", + "Abyss Herald: Wicked Torrents ×1", + "Southeastern Crystal: Thundercraven Rifthound ×1 Rockfond Rifthound Whelp ×2", + "Thundercraven Rifthound ×1", + "Rockfond Rifthound Whelp ×2", + "Strike the large purified crystal", + "Defeat the monster lurking in The Chasm's depths\n Haftvad the Worm - Giant Digging Device of the Lost Realm", + "Haftvad the Worm - Giant Digging Device of the Lost Realm", + "Return to the camp and talk to Zhiqiong", + "Report back to Muning\nSays He Who Seeks Stone needs to be begun before this step can be completed.", + "Says He Who Seeks Stone needs to be begun before this step can be completed." + ], + "id": 80159 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ChenyusSplendorExtra.json b/data/EN/AchievementCategory/ChenyusSplendorExtra.json new file mode 100644 index 00000000000..df0826f35ec --- /dev/null +++ b/data/EN/AchievementCategory/ChenyusSplendorExtra.json @@ -0,0 +1,154 @@ +[ + { + "achievement": "Continental Explorer: Where the Bishui Lingers", + "description": "Light up the Chenyu Vale map in the Liyue region.", + "requirements": "", + "primo": "5", + "id": 80300 + }, + { + "achievement": "Chenyu's Measure", + "description": "Unlock all Teleport Waypoints in Chenyu Vale within the Liyue region.", + "requirements": "", + "primo": "5", + "id": 80301 + }, + { + "achievement": "Jadehall Guide", + "description": "Follow 4 Seelie in Chenyu Vale to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80302 + }, + { + "achievement": "Jadehall Guide", + "description": "Follow 8 Seelie in Chenyu Vale to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80302 + }, + { + "achievement": "Jadehall Guide", + "description": "Follow 16 Seelie in Chenyu Vale to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80302 + }, + { + "achievement": "Jademound Treasure Hunter", + "description": "Open 60 chests in Chenyu Vale.", + "requirements": "", + "primo": "5", + "id": 80305 + }, + { + "achievement": "Jademound Treasure Hunter", + "description": "Open 120 chests in Chenyu Vale.", + "requirements": "", + "primo": "10", + "id": 80305 + }, + { + "achievement": "Jademound Treasure Hunter", + "description": "Open 240 chests in Chenyu Vale.", + "requirements": "", + "primo": "20", + "id": 80305 + }, + { + "achievement": "Jademound Adventurer", + "description": "Complete 12 Open World mechanism-activated Time Trial Challenges in Chenyu Vale.", + "requirements": "", + "primo": "5", + "id": 80308 + }, + { + "achievement": "Jademound Adventurer", + "description": "Complete 24 Open World mechanism-activated Time Trial Challenges in Chenyu Vale.", + "requirements": "", + "primo": "10", + "id": 80308 + }, + { + "achievement": "Jademound Adventurer", + "description": "Complete 48 Open World mechanism-activated Time Trial Challenges in Chenyu Vale.", + "requirements": "", + "primo": "20", + "id": 80308 + }, + { + "achievement": "One Ring for the Rite of All", + "description": "Upgrade the Votive Rainjade in Carp's Rest to its maximum level.", + "requirements": "", + "primo": "20", + "id": 80311 + }, + { + "achievement": "Chenyu's Blessings of Sunken Jade", + "description": "Complete \"Chenyu's Blessings of Sunken Jade.\"", + "requirements": "Complete An Ancient Sacrifice of Sacred Brocade", + "primo": "10", + "requirementQuestLink": "/wiki/An_Ancient_Sacrifice_of_Sacred_Brocade", + "steps": [ + "Go to Fogbank River", + "Follow Little Mao", + "Take care of the nearby miasma\n Hydro Samachurl — Miasma-Infused Monster", + "Hydro Samachurl — Miasma-Infused Monster", + "Enter the cavern", + "Check the cavern", + "Follow the golden carp\n Hydro Mimic Crane ×2", + "Hydro Mimic Crane ×2", + "Talk to Fujin", + "Prepare for the Rainjade Rite (0/2)", + "Talk to Fujin", + "Go to Adeptus's Repose", + "Take care of the nearby miasma\n Anemo Hilichurl Rogue — Miasma-Infused Monster", + "Anemo Hilichurl Rogue — Miasma-Infused Monster", + "Check the clues nearby", + "Examine the mural", + "Go to Mt. Xuanlian", + "Explore Mt. Xuanlian", + "Collect the Spirit Orb (0/3)", + "Use your adeptal energy to activate the Spirit Orb (0/3)", + "Go to the mountaintop pavilion", + "Go back to look for Fujin", + "Talk to Fujin", + "Climb the sacred mountain", + "Accompany Fujin", + "Take care of the nearby miasma\n Thunderhelm Lawachurl — Miasma-Infused Monster", + "Thunderhelm Lawachurl — Miasma-Infused Monster", + "Accompany Fujin", + "Defeat the Xuanwen Beast \"Luwi\" ×1 \"Kaiming\" ×1", + "\"Luwi\" ×1", + "\"Kaiming\" ×1", + "Accompany Fujin", + "Take care of the nearby miasma\nWave 1: Anemo Samachurl ×1 Hilichurl Shooter ×2\nWave 2: Hilichurl Grenadier ×2 Pyro Hilichurl Shooter ×2\nWave 3: Geo Samachurl ×1 Blazing Axe Mitachurl ×1 Hilichurl Berserker ×2 Cryo Hilichurl Shooter ×2\nWave 4: Anemo Hilichurl Rogue ×1 Blazing Axe Mitachurl ×1 Cryo Hilichurl Shooter ×2\nWave 5: Stonehide Lawachurl ×1 Geo Samachurl ×2 Pyro Hilichurl Shooter ×2", + "Wave 1: Anemo Samachurl ×1 Hilichurl Shooter ×2", + "Anemo Samachurl ×1", + "Hilichurl Shooter ×2", + "Wave 2: Hilichurl Grenadier ×2 Pyro Hilichurl Shooter ×2", + "Hilichurl Grenadier ×2", + "Pyro Hilichurl Shooter ×2", + "Wave 3: Geo Samachurl ×1 Blazing Axe Mitachurl ×1 Hilichurl Berserker ×2 Cryo Hilichurl Shooter ×2", + "Geo Samachurl ×1", + "Blazing Axe Mitachurl ×1", + "Hilichurl Berserker ×2", + "Cryo Hilichurl Shooter ×2", + "Wave 4: Anemo Hilichurl Rogue ×1 Blazing Axe Mitachurl ×1 Cryo Hilichurl Shooter ×2", + "Anemo Hilichurl Rogue ×1", + "Blazing Axe Mitachurl ×1", + "Cryo Hilichurl Shooter ×2", + "Wave 5: Stonehide Lawachurl ×1 Geo Samachurl ×2 Pyro Hilichurl Shooter ×2", + "Stonehide Lawachurl ×1", + "Geo Samachurl ×2", + "Pyro Hilichurl Shooter ×2", + "Enter Chiwang Terrace\nThe player will be teleported into the Quest Domain Chiwang Terrace", + "The player will be teleported into the Quest Domain Chiwang Terrace", + "Calm Lingyuan down\n Lingyuan — Beastlord of the Sunken Jade Realm", + "Lingyuan — Beastlord of the Sunken Jade Realm", + "Talk to Fujin", + "Escort Little Mao back to Qiaoying Village" + ], + "id": 80312 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/DomainsAndSpiralAbyssSeries1Extra.json b/data/EN/AchievementCategory/DomainsAndSpiralAbyssSeries1Extra.json new file mode 100644 index 00000000000..4e40606d888 --- /dev/null +++ b/data/EN/AchievementCategory/DomainsAndSpiralAbyssSeries1Extra.json @@ -0,0 +1,58 @@ +[ + { + "achievement": "Down We Go", + "description": "Clear Floor 4 of the Spiral Abyss.", + "requirements": "", + "primo": "5", + "id": 82044 + }, + { + "achievement": "Down We Go", + "description": "Clear Floor 8 of the Spiral Abyss.", + "requirements": "", + "primo": "10", + "id": 82044 + }, + { + "achievement": "Down We Go", + "description": "Clear Floor 12 of the Spiral Abyss.", + "requirements": "", + "primo": "20", + "id": 82044 + }, + { + "achievement": "Down to Dodge", + "description": "Complete Spiral Abyss 2-3 without taking any DMG.", + "requirements": "", + "primo": "5", + "id": 82047 + }, + { + "achievement": "Down to Dodge", + "description": "Complete Spiral Abyss 5-3 without taking any DMG.", + "requirements": "", + "primo": "10", + "id": 82047 + }, + { + "achievement": "Down to Dodge", + "description": "Complete Spiral Abyss 8-3 without taking any DMG.", + "requirements": "", + "primo": "20", + "id": 82047 + }, + { + "achievement": "My Precious", + "description": "Complete Spiral Abyss 2–2 with an undamaged Ley Line Monolith.", + "requirements": "", + "primo": "10", + "id": 82050 + }, + { + "achievement": "Abyssal Crusader", + "description": "Obtain all Abyssal Stars in the Spiral Abyss.", + "requirements": "Requires only the 72 Abyssal Stars from the Abyss Corridor; it does not include stars from the Abyssal Moon Spire.", + "primo": "20", + "id": 82051 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/DuelistSeries1Extra.json b/data/EN/AchievementCategory/DuelistSeries1Extra.json new file mode 100644 index 00000000000..1f6890cec38 --- /dev/null +++ b/data/EN/AchievementCategory/DuelistSeries1Extra.json @@ -0,0 +1,212 @@ +[ + { + "achievement": "\"Polychrome Tri-Stars\"", + "description": "Defeat Local Legend: Polychrome Tri-Stars.", + "requirements": "", + "primo": "5", + "id": 82220 + }, + { + "achievement": "\"Polychrome Tri-Stars\"", + "description": "Defeat Vasily first, then defeat the other members of the Polychrome Tri-Stars.", + "requirements": "", + "primo": "10", + "id": 82220 + }, + { + "achievement": "\"Polychrome Tri-Stars\"", + "description": "Defeat the Polychrome Tri-Stars within 10s of defeating the first member.", + "requirements": "", + "primo": "20", + "id": 82220 + }, + { + "achievement": "\"Cocijo\"", + "description": "Defeat Local Legend: Cocijo.", + "requirements": "", + "primo": "5", + "id": 82223 + }, + { + "achievement": "\"Cocijo\"", + "description": "Defeat Cocijo before he forms a Thunderthorn Shield.", + "requirements": "", + "primo": "10", + "id": 82223 + }, + { + "achievement": "\"Cocijo\"", + "description": "Defeat Cocijo after the Thunderthorn Shield has been formed, and without any character having been hit by the Shield's reflected attacks.", + "requirements": "", + "primo": "20", + "id": 82223 + }, + { + "achievement": "\"Sappho Amidst the Waves\"", + "description": "Defeat Local Legend: Sappho Amidst the Waves.", + "requirements": "", + "primo": "5", + "id": 82226 + }, + { + "achievement": "\"Sappho Amidst the Waves\"", + "description": "Defeat Sappho Amidst the Waves without being hit by his Shattering Ice attacks.", + "requirements": "", + "primo": "10", + "id": 82226 + }, + { + "achievement": "\"Sappho Amidst the Waves\"", + "description": "Defeat Sappho Amidst the Waves without allowing any of the Cryo spray cans to explode.", + "requirements": "", + "primo": "20", + "id": 82226 + }, + { + "achievement": "\"Balachko\"", + "description": "Defeat Local Legend: Balachko.", + "requirements": "", + "primo": "5", + "id": 82229 + }, + { + "achievement": "\"Balachko\"", + "description": "During the course of completing a single challenge, defeat no targets besides the original body while Balachko is using Shadowblade Tactics.", + "requirements": "", + "primo": "10", + "id": 82229 + }, + { + "achievement": "\"Balachko\"", + "description": "During the course of completing a single challenge, defeat 3 copies in a row before Balachko can unleash Shadowblade Tactics.", + "requirements": "", + "primo": "20", + "id": 82229 + }, + { + "achievement": "\"Cihuacoatl of Chimeric Bone\"", + "description": "Defeat Local Legend: Cihuacoatl of Chimeric Bone.", + "requirements": "", + "primo": "5", + "id": 82232 + }, + { + "achievement": "\"Cihuacoatl of Chimeric Bone\"", + "description": "During the course of completing a single challenge, break all the grappling anchor points before the Cihuacoatl of Chimeric Bone goes into the hovering state.", + "requirements": "", + "primo": "10", + "id": 82232 + }, + { + "achievement": "\"Cihuacoatl of Chimeric Bone\"", + "description": "Defeat the Cihuacoatl of Chimeric Bone while she is in the hovering state.", + "requirements": "", + "primo": "20", + "id": 82232 + }, + { + "achievement": "\"He Never Dies\"", + "description": "Defeat Local Legend: He Never Dies.", + "requirements": "", + "primo": "5", + "id": 82235 + }, + { + "achievement": "\"He Never Dies\"", + "description": "Defeat \"He Never Dies\" without being hit by \"Ultimate Technique: Giant Undying Collision.\"", + "requirements": "", + "primo": "10", + "id": 82235 + }, + { + "achievement": "\"He Never Dies\"", + "description": "Defeat \"He Never Dies\" after interrupting the charging of \"Ultimate Technique: Giant Undying Collision\" 3 times.", + "requirements": "", + "primo": "20", + "id": 82235 + }, + { + "achievement": "\"Tlatzacuilotl\"", + "description": "Defeat Local Legend: Tlatzacuilotl.", + "requirements": "", + "primo": "5", + "id": 82238 + }, + { + "achievement": "\"Tlatzacuilotl\"", + "description": "During the course of completing a single challenge, break Tlatzacuilotl's shield each time with a single attack.", + "requirements": "", + "primo": "10", + "id": 82238 + }, + { + "achievement": "\"Tlatzacuilotl\"", + "description": "Defeat Tlatzacuilotl without being hit by any attacks.", + "requirements": "", + "primo": "20", + "id": 82238 + }, + { + "achievement": "\"Ichcahuipilli's Aegis\"", + "description": "Defeat Local Legend: Ichcahuipilli's Aegis.", + "requirements": "", + "primo": "5", + "id": 82241 + }, + { + "achievement": "\"Ichcahuipilli's Aegis\"", + "description": "During the course of completing a single challenge, defeat 10 Nightsoul Warriors during the Trial of Decisions.", + "requirements": "", + "primo": "10", + "id": 82241 + }, + { + "achievement": "\"Ichcahuipilli's Aegis\"", + "description": "Defeat Ichcahuipilli's Aegis without being hit by any attacks.", + "requirements": "", + "primo": "20", + "id": 82241 + }, + { + "achievement": "\"Chimalli's Shade\"", + "description": "Defeat Local Legend: Chimalli's Shade.", + "requirements": "", + "primo": "5", + "id": 82244 + }, + { + "achievement": "\"Chimalli's Shade\"", + "description": "Defeat Chimalli's Shade without any characters being downed.", + "requirements": "", + "primo": "10", + "id": 82244 + }, + { + "achievement": "\"Chimalli's Shade\"", + "description": "During the course of a single challenge, when Chimalli's Shade absorbs \"Hydroflow Constructs,\" break her Elemental Shield by launching frozen \"Hydroflow Constructs.\"", + "requirements": "", + "primo": "20", + "id": 82244 + }, + { + "achievement": "\"Atlatl's Blessing\"", + "description": "Defeat Local Legend: Atlatl's Blessing.", + "requirements": "", + "primo": "5", + "id": 82247 + }, + { + "achievement": "\"Atlatl's Blessing\"", + "description": "During the course of completing a single challenge, use Parry to counterattack all of Atlatl's Blessing's power attacks and inflict damage.", + "requirements": "", + "primo": "10", + "id": 82247 + }, + { + "achievement": "\"Atlatl's Blessing\"", + "description": "Defeat Atlatl's Blessing without taking any damage from attacks.", + "requirements": "", + "primo": "20", + "id": 82247 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ElementalSpecialistSeries1Extra.json b/data/EN/AchievementCategory/ElementalSpecialistSeries1Extra.json new file mode 100644 index 00000000000..1e3f071ae86 --- /dev/null +++ b/data/EN/AchievementCategory/ElementalSpecialistSeries1Extra.json @@ -0,0 +1,149 @@ +[ + { + "achievement": "Cool It!", + "description": "Keep an opponent Frozen for over 10s (×1).", + "requirements": "", + "primo": "5", + "id": 82019 + }, + { + "achievement": "Cool It!", + "description": "Keep an opponent Frozen for over 10s (×5).", + "requirements": "", + "primo": "10", + "id": 82019 + }, + { + "achievement": "Cool It!", + "description": "Keep an opponent Frozen for over 10s (×10).", + "requirements": "", + "primo": "20", + "id": 82019 + }, + { + "achievement": "Go With the Wind!", + "description": "Trigger Cryo, Hydro, Pyro and Electro Swirl Reactions at least once each within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82022 + }, + { + "achievement": "Go With the Wind!", + "description": "Trigger Cryo, Hydro, Pyro and Electro Swirl Reactions at least once each within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82022 + }, + { + "achievement": "Go With the Wind!", + "description": "Trigger Cryo, Hydro, Pyro and Electro Swirl Reactions at least once each within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82022 + }, + { + "achievement": "Season's Greetings", + "description": "Freeze 4 opponents within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82025 + }, + { + "achievement": "Season's Greetings", + "description": "Freeze 4 opponents within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82025 + }, + { + "achievement": "Season's Greetings", + "description": "Freeze 4 opponents within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82025 + }, + { + "achievement": "Performance May Decline in Low Temperatures", + "description": "Defeat 4 opponents with Superconduct within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82028 + }, + { + "achievement": "Performance May Decline in Low Temperatures", + "description": "Defeat 4 opponents with Superconduct within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82028 + }, + { + "achievement": "Performance May Decline in Low Temperatures", + "description": "Defeat 4 opponents with Superconduct within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82028 + }, + { + "achievement": "The Art of War", + "description": "Defeat 4 opponents with Overloaded within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82031 + }, + { + "achievement": "The Art of War", + "description": "Defeat 4 opponents with Overloaded within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82031 + }, + { + "achievement": "The Art of War", + "description": "Defeat 4 opponents with Overloaded within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82031 + }, + { + "achievement": "Melt You Down Like Ice Cream", + "description": "Defeat 4 opponents with Melt within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82034 + }, + { + "achievement": "Melt You Down Like Ice Cream", + "description": "Defeat 4 opponents with Melt within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82034 + }, + { + "achievement": "Melt You Down Like Ice Cream", + "description": "Defeat 4 opponents with Melt within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82034 + }, + { + "achievement": "A Little Less Shocking Than Love at First Sight", + "description": "Defeat 4 opponents with Electro-Charged within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82037 + }, + { + "achievement": "A Little Less Shocking Than Love at First Sight", + "description": "Defeat 4 opponents with Electro-Charged within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82037 + }, + { + "achievement": "A Little Less Shocking Than Love at First Sight", + "description": "Defeat 4 opponents with Electro-Charged within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82037 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ElementalSpecialistSeries2Extra.json b/data/EN/AchievementCategory/ElementalSpecialistSeries2Extra.json new file mode 100644 index 00000000000..c1472cb26a4 --- /dev/null +++ b/data/EN/AchievementCategory/ElementalSpecialistSeries2Extra.json @@ -0,0 +1,51 @@ +[ + { + "achievement": "Grassy Blasty, Sparks 'n' Splash", + "description": "Defeat 4 opponents with Burgeon within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82146 + }, + { + "achievement": "Grassy Blasty, Sparks 'n' Splash", + "description": "Defeat 4 opponents with Burgeon within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82146 + }, + { + "achievement": "Grassy Blasty, Sparks 'n' Splash", + "description": "Defeat 4 opponents with Burgeon within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82146 + }, + { + "achievement": "Hyperblooming Circus", + "description": "Defeat 4 opponents with Hyperbloom within 2s (×1).", + "requirements": "", + "primo": "5", + "id": 82149 + }, + { + "achievement": "Hyperblooming Circus", + "description": "Defeat 4 opponents with Hyperbloom within 2s (×5).", + "requirements": "", + "primo": "10", + "id": 82149 + }, + { + "achievement": "Hyperblooming Circus", + "description": "Defeat 4 opponents with Hyperbloom within 2s (×10).", + "requirements": "", + "primo": "20", + "id": 82149 + }, + { + "achievement": "Active Camouflage", + "description": "Remove the invisibility of at least 2 Primal Constructs using Quicken, Aggravate, Spread, or Truesense Pulses within 3 seconds.", + "requirements": "", + "primo": "5", + "id": 82159 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings1Extra.json b/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings1Extra.json new file mode 100644 index 00000000000..271edff9502 --- /dev/null +++ b/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings1Extra.json @@ -0,0 +1,114 @@ +[ + { + "achievement": "Continental Explorer: Land of Harmonious Springs (I)", + "description": "Light up the maps of the following areas in Fontaine: Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "5", + "id": 80252 + }, + { + "achievement": "Font of All Waters (I)", + "description": "Unlock all Teleport Waypoints in the following areas in Fontaine: Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "5", + "id": 80253 + }, + { + "achievement": "Sanctuary Pilgrim: Land of Harmonious Springs (I)", + "description": "Unlock all the Shrines of Depths in the following areas in Fontaine: Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "10", + "id": 80254 + }, + { + "achievement": "Like Waters Clear", + "description": "Upgrade the Statues of The Seven in Fontaine to their maximum level.", + "requirements": "", + "primo": "20", + "id": 80255 + }, + { + "achievement": "Dew Song", + "description": "Reach the Max Level of the Fountain of Lucine in the Court of Fontaine.", + "requirements": "", + "primo": "20", + "id": 80256 + }, + { + "achievement": "Tides Will Guide You Home (I)", + "description": "Follow 6 Seelie in the Court of Fontaine Region, Belleau Region, and Beryl Region to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80257 + }, + { + "achievement": "Tides Will Guide You Home (I)", + "description": "Follow 12 Seelie in the Court of Fontaine Region, Belleau Region, and Beryl Region to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80257 + }, + { + "achievement": "Tides Will Guide You Home (I)", + "description": "Follow 24 Seelie in the Court of Fontaine Region, Belleau Region, and Beryl Region to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80257 + }, + { + "achievement": "Waveriding Treasure Hunter (I)", + "description": "Open 60 Chests in the Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "5", + "id": 80260 + }, + { + "achievement": "Waveriding Treasure Hunter (I)", + "description": "Open 120 Chests in the Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "10", + "id": 80260 + }, + { + "achievement": "Waveriding Treasure Hunter (I)", + "description": "Open 240 Chests in the Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "20", + "id": 80260 + }, + { + "achievement": "Waveriding Adventurer (I)", + "description": "Complete 3 Open World Time Trial Challenges in the Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "5", + "id": 80263 + }, + { + "achievement": "Waveriding Adventurer (I)", + "description": "Complete 6 Open World Time Trial Challenges in the Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "10", + "id": 80263 + }, + { + "achievement": "Waveriding Adventurer (I)", + "description": "Complete 12 Open World Time Trial Challenges in the Court of Fontaine Region, Belleau Region, and Beryl Region.", + "requirements": "", + "primo": "20", + "id": 80263 + }, + { + "achievement": "Ann in Wonderland", + "description": "Complete the tale of the Narzissenkreuz Adventure Team.", + "requirements": "Complete Ann of the Narzissenkreuz", + "primo": "10", + "id": 80266 + }, + { + "achievement": "Limner, Dreamer, and Robotic Dog", + "description": "Discover the secret to be found within Elynas.", + "requirements": "Complete Limner, Dreamer, and Robotic Dog", + "primo": "10", + "id": 80267 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings2Extra.json b/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings2Extra.json new file mode 100644 index 00000000000..fd49dc00443 --- /dev/null +++ b/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings2Extra.json @@ -0,0 +1,138 @@ +[ + { + "achievement": "Continental Explorer: Land of Harmonious Springs (II)", + "description": "Light up the maps in the following areas of Fontaine: Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "5", + "id": 80272 + }, + { + "achievement": "Font of All Waters (II)", + "description": "Unlock all Teleport Waypoints in the following areas in Fontaine: Liffey Region and Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "5", + "id": 80273 + }, + { + "achievement": "Sanctuary Pilgrim: Land of Harmonious Springs (II)", + "description": "Unlock all the Shrine of Depths in the following areas in Fontaine: Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "10", + "id": 80274 + }, + { + "achievement": "Tidal Guide (II)", + "description": "Follow 3 Seelie in Liffey Region and Fontaine Research Institute of Kinetic Energy Engineering Region to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80275 + }, + { + "achievement": "Tidal Guide (II)", + "description": "Follow 6 Seelie in Liffey Region and Fontaine Research Institute of Kinetic Energy Engineering Region to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80275 + }, + { + "achievement": "Tidal Guide (II)", + "description": "Follow 9 Seelie in Liffey Region and Fontaine Research Institute of Kinetic Energy Engineering Region to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80275 + }, + { + "achievement": "Waveriding Treasure Hunter (II)", + "description": "Open 60 treasure chests in the Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "5", + "id": 80278 + }, + { + "achievement": "Waveriding Treasure Hunter (II)", + "description": "Open 120 treasure chests in the Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "10", + "id": 80278 + }, + { + "achievement": "Waveriding Treasure Hunter (II)", + "description": "Open 200 treasure chests in the Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "20", + "id": 80278 + }, + { + "achievement": "Waveriding Adventurer (II)", + "description": "Complete 3 Open World Time Trial Challenges in the Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "5", + "id": 80281 + }, + { + "achievement": "Waveriding Adventurer (II)", + "description": "Complete 6 Open World Time Trial Challenges in the Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "10", + "id": 80281 + }, + { + "achievement": "Waveriding Adventurer (II)", + "description": "Complete 12 Open World Time Trial Challenges in the Liffey Region and the Fontaine Research Institute of Kinetic Energy Engineering Region.", + "requirements": "", + "primo": "20", + "id": 80281 + }, + { + "achievement": "There Is One Spectacle Grander Than the Sea, That Is the Sky", + "description": "Get Lanoire out of the Fortress of Meropide.", + "requirements": "Complete An Eye for an Eye", + "primo": "10", + "requirementQuestLink": "/wiki/An_Eye_for_an_Eye", + "steps": [ + "Leave the Fortress of Meropide", + "Talk to Lanoire", + "Defeat the Gardemeks\nWave 1: Suppression Specialist Mek - Ousia ×1 Recon Log Mek - Ousia ×2\nWave 2: Suppression Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1\nWave 3: Annihilation Specialist Mek - Ousia ×2", + "Wave 1: Suppression Specialist Mek - Ousia ×1 Recon Log Mek - Ousia ×2", + "Suppression Specialist Mek - Ousia ×1", + "Recon Log Mek - Ousia ×2", + "Wave 2: Suppression Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1", + "Suppression Specialist Mek - Ousia ×1", + "Annihilation Specialist Mek - Ousia ×1", + "Wave 3: Annihilation Specialist Mek - Ousia ×2", + "Defeat the Gardemeks\nWave 1: Assault Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1\nWave 2: Assault Specialist Mek - Ousia ×1 Suppression Specialist Mek - Ousia ×1", + "Wave 1: Assault Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1", + "Assault Specialist Mek - Ousia ×1", + "Annihilation Specialist Mek - Ousia ×1", + "Wave 2: Assault Specialist Mek - Ousia ×1 Suppression Specialist Mek - Ousia ×1", + "Assault Specialist Mek - Ousia ×1", + "Suppression Specialist Mek - Ousia ×1", + "Talk to Noailles", + "Talk to Monglane", + "Look for Caterpillar and Lanoire", + "Talk to Estienne", + "Talk to Caterpillar", + "Prepare to leave the Fortress of Meropide", + "Go to the abandoned production zone without being noticed", + "Use the searchlight to draw away the guards", + "Use the loudspeaker to draw away the guards", + "Operate the drive valve to open the passage leading to the Geode Mine Shaft", + "Go to the Geode Mine Shaft", + "Acquire the energy storage device and unlock the research terminal ahead (0/3)", + "Keep moving", + "Talk to Caterpillar", + "Defeat Noailles\nFile:Noailles (Enemy) Icon.pngFile:Noailles (Enemy) Icon.png Noailles — Just Desserts", + "File:Noailles (Enemy) Icon.pngFile:Noailles (Enemy) Icon.png Noailles — Just Desserts", + "Talk to Noailles", + "Leave the Fortress of Meropide" + ], + "id": 80284 + }, + { + "achievement": "This Ends Here", + "description": "Bear witness to the story of the Fontaine Research Institute of Kinetic Energy Engineering.", + "requirements": "Complete Fontaine Research Institute, Stagnating in the Rubble", + "primo": "10", + "id": 80285 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings3Extra.json b/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings3Extra.json new file mode 100644 index 00000000000..f70d39488fe --- /dev/null +++ b/data/EN/AchievementCategory/FontaineDanceOfTheDewWhiteSprings3Extra.json @@ -0,0 +1,102 @@ +[ + { + "achievement": "Continental Explorer: Land of Harmonious Springs (III)", + "description": "Light up the maps of the following areas in Fontaine: Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "5", + "id": 80286 + }, + { + "achievement": "Font of All Waters (III)", + "description": "Unlock all Teleport Waypoints in the following areas in Fontaine: Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "5", + "id": 80287 + }, + { + "achievement": "Sanctuary Pilgrim: Land of Harmonious Springs (III)", + "description": "Unlock all the Shrines of Depths in the following areas in Fontaine: Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "10", + "id": 80288 + }, + { + "achievement": "Tidal Guide (III)", + "description": "Follow 3 Seelie to their Seelie Courts in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "5", + "id": 80289 + }, + { + "achievement": "Tidal Guide (III)", + "description": "Follow 6 Seelie to their Seelie Courts in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "10", + "id": 80289 + }, + { + "achievement": "Tidal Guide (III)", + "description": "Follow 9 Seelie to their Seelie Courts in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "20", + "id": 80289 + }, + { + "achievement": "Waveriding Treasure Hunter (III)", + "description": "Open 40 treasure chests in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "5", + "id": 80292 + }, + { + "achievement": "Waveriding Treasure Hunter (III)", + "description": "Open 80 treasure chests in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "10", + "id": 80292 + }, + { + "achievement": "Waveriding Treasure Hunter (III)", + "description": "Open 160 treasure chests in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "20", + "id": 80292 + }, + { + "achievement": "Waveriding Adventurer (III)", + "description": "Complete a total of 3 Open World Time Trial Challenges in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "5", + "id": 80295 + }, + { + "achievement": "Waveriding Adventurer (III)", + "description": "Complete a total of 6 Open World Time Trial Challenges in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "10", + "id": 80295 + }, + { + "achievement": "Waveriding Adventurer (III)", + "description": "Complete a total of 9 Open World Time Trial Challenges in the Morte Region and Erinnyes Forest.", + "requirements": "", + "primo": "20", + "id": 80295 + }, + { + "achievement": "Semnai Sans Shadow", + "description": "Meet a mysterious fairy on Erinnyes.", + "requirements": "Complete The Wild Fairy of Erinnyes and open all of Pahsiv's treasures.", + "primo": "10", + "requirementQuestLink": "/wiki/The_Wild_Fairy_of_Erinnyes", + "steps": [], + "id": 80298 + }, + { + "achievement": "Narzissenkreuz Notes", + "description": "What left its name behind? What lies spread all over the valley? What reflects itself in the mirror-water? What symbolizes the lonely, world-saving sacrifice?", + "requirements": "Complete Rowboat's Wake", + "primo": "10", + "id": 80299 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/GeniusInvokationTCGExtra.json b/data/EN/AchievementCategory/GeniusInvokationTCGExtra.json new file mode 100644 index 00000000000..aad31af48a7 --- /dev/null +++ b/data/EN/AchievementCategory/GeniusInvokationTCGExtra.json @@ -0,0 +1,204 @@ +[ + { + "achievement": "Visible, Yet Invisible", + "description": "Get the TCG Player's Manual and become an officially recognized TCG player.", + "requirements": "Complete Come Try Genius Invokation TCG!.", + "primo": "5", + "requirementQuestLink": "/wiki/Come_Try_Genius_Invokation_TCG!", + "steps": [ + "Go to Mondstadt's alchemy store", + "Go to The Cat's Tail", + "Talk to Margaret", + "Go to the empty table to learn the rules from Diona", + "Learn the rules from Diona", + "Talk to Diona", + "Have a Genius Invokation TCG duel with Sucrose", + "Talk to Sucrose", + "Talk to Shuyun", + "Go to Margaret and Claim the Casket of Tomes", + "Find a player and have a duel", + "Talk to Swan", + "Return to The Cat's Tail", + "Go to the duel room", + "Have a Genius Invokation TCG duel with Fischl", + "Talk to Fischl", + "Talk to Shuyun" + ], + "id": 80192 + }, + { + "achievement": "Win-Loss Ratio", + "description": "Reach Player Lv.10.", + "requirements": "", + "primo": "10", + "id": 80193 + }, + { + "achievement": "Legendary High Roller", + "description": "Obtain 10000 Lucky Coins in total", + "requirements": "", + "primo": "5", + "id": 80218 + }, + { + "achievement": "Legendary High Roller", + "description": "Obtain 70000 Lucky Coins in total", + "requirements": "", + "primo": "10", + "id": 80218 + }, + { + "achievement": "Legendary High Roller", + "description": "Obtain 150000 Lucky Coins in total", + "requirements": "", + "primo": "20", + "id": 80218 + }, + { + "achievement": "A Riotous Response", + "description": "Cause a total of 30 Elemental Reactions in victorious matches.", + "requirements": "", + "primo": "5", + "id": 80197 + }, + { + "achievement": "A Riotous Response", + "description": "Cause a total of 150 Elemental Reactions in victorious matches.", + "requirements": "", + "primo": "10", + "id": 80197 + }, + { + "achievement": "A Riotous Response", + "description": "Cause a total of 300 Elemental Reactions in victorious matches.", + "requirements": "", + "primo": "20", + "id": 80197 + }, + { + "achievement": "Miniaturized Dice-Shaker", + "description": "Deal 8 or more points of damage in one single action a total of 1 time(s) in victorious games.", + "requirements": "", + "primo": "5", + "id": 80221 + }, + { + "achievement": "Miniaturized Dice-Shaker", + "description": "Deal 8 or more points of damage in one single action a total of 5 time(s) in victorious games.", + "requirements": "", + "primo": "10", + "id": 80221 + }, + { + "achievement": "Miniaturized Dice-Shaker", + "description": "Deal 8 or more points of damage in one single action a total of 10 time(s) in victorious games.", + "requirements": "", + "primo": "20", + "id": 80221 + }, + { + "achievement": "Victory at Hand", + "description": "Play a total of 60 Action Cards in victorious matches.", + "requirements": "", + "primo": "5", + "id": 80203 + }, + { + "achievement": "Victory at Hand", + "description": "Play a total of 300 Action Cards in victorious matches.", + "requirements": "", + "primo": "10", + "id": 80203 + }, + { + "achievement": "Victory at Hand", + "description": "Play a total of 600 Action Cards in victorious matches.", + "requirements": "", + "primo": "20", + "id": 80203 + }, + { + "achievement": "\"Well, Let's See It, Partner...\"", + "description": "Play a total of 20 Summons in victorious matches.", + "requirements": "", + "primo": "5", + "id": 80206 + }, + { + "achievement": "\"Well, Let's See It, Partner...\"", + "description": "Play a total of 100 Summons in victorious matches.", + "requirements": "", + "primo": "10", + "id": 80206 + }, + { + "achievement": "\"Well, Let's See It, Partner...\"", + "description": "Play a total of 200 Summons in victorious matches.", + "requirements": "", + "primo": "20", + "id": 80206 + }, + { + "achievement": "Attack! Attack! Attack!", + "description": "Use 3 or more Elemental Bursts and achieve victory in a total of 1 match(es).", + "requirements": "", + "primo": "5", + "id": 80209 + }, + { + "achievement": "Attack! Attack! Attack!", + "description": "Use 3 or more Elemental Bursts and achieve victory in a total of 5 match(es).", + "requirements": "", + "primo": "10", + "id": 80209 + }, + { + "achievement": "Attack! Attack! Attack!", + "description": "Use 3 or more Elemental Bursts and achieve victory in a total of 10 match(es).", + "requirements": "", + "primo": "20", + "id": 80209 + }, + { + "achievement": "A Candle in the Wind?", + "description": "Withstand a total of 30 damage using shields or healing in victorious matches.", + "requirements": "", + "primo": "5", + "id": 80212 + }, + { + "achievement": "A Candle in the Wind?", + "description": "Withstand a total of 150 damage using shields or healing in victorious matches.", + "requirements": "", + "primo": "10", + "id": 80212 + }, + { + "achievement": "A Candle in the Wind?", + "description": "Withstand a total of 300 damage using shields or healing in victorious matches.", + "requirements": "", + "primo": "20", + "id": 80212 + }, + { + "achievement": "Chaos Divided", + "description": "Defeat 2 or more Character Cards from the opponent's deck in one single action a total of 1 time(s) in victorious games.", + "requirements": "", + "primo": "5", + "id": 80215 + }, + { + "achievement": "Chaos Divided", + "description": "Defeat 2 or more Character Cards from the opponent's deck in one single action a total of 5 time(s) in victorious games.", + "requirements": "", + "primo": "10", + "id": 80215 + }, + { + "achievement": "Chaos Divided", + "description": "Defeat 2 or more Character Cards from the opponent's deck in one single action a total of 10 time(s) in victorious games.", + "requirements": "", + "primo": "20", + "id": 80215 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ImaginariumTheaterTheFirstFolioExtra.json b/data/EN/AchievementCategory/ImaginariumTheaterTheFirstFolioExtra.json new file mode 100644 index 00000000000..0da5fc38774 --- /dev/null +++ b/data/EN/AchievementCategory/ImaginariumTheaterTheFirstFolioExtra.json @@ -0,0 +1,72 @@ +[ + { + "achievement": "Opening Night", + "description": "Complete Act 3 in the Imaginarium Theater on any difficulty.", + "requirements": "", + "primo": "5", + "id": 82210 + }, + { + "achievement": "Opening Night", + "description": "Complete Act 6 in the Imaginarium Theater on any difficulty.", + "requirements": "", + "primo": "10", + "id": 82210 + }, + { + "achievement": "Opening Night", + "description": "Complete Act 8 in the Imaginarium Theater on any difficulty.", + "requirements": "", + "primo": "20", + "id": 82210 + }, + { + "achievement": "Revue Synchronicity", + "description": "Complete an entire performance in the Imaginarium Theater after having invited a Supporting Cast character.", + "requirements": "", + "primo": "5", + "id": 82203 + }, + { + "achievement": "Fate's Unpredictable Favor", + "description": "Complete an entire performance in the Imaginarium Theater on any difficulty having selected at least 8 Mystery Cache events.", + "requirements": "", + "primo": "5", + "id": 82204 + }, + { + "achievement": "Reliable Narrator", + "description": "Complete an entire performance in the Imaginarium Theater on any difficulty having selected at least 8 Wondrous Boon or Brilliant Blessings events.", + "requirements": "", + "primo": "5", + "id": 82205 + }, + { + "achievement": "More Than Pearls and Gold", + "description": "Obtain a total of 3 Toy Medals.", + "requirements": "", + "primo": "5", + "id": 82206 + }, + { + "achievement": "More Than Pearls and Gold", + "description": "Obtain a total of 6 Toy Medals.", + "requirements": "", + "primo": "10", + "id": 82206 + }, + { + "achievement": "More Than Pearls and Gold", + "description": "Obtain a total of 9 Toy Medals.", + "requirements": "", + "primo": "20", + "id": 82206 + }, + { + "achievement": "The Uses of Enchantment", + "description": "Learn 3 total Thespian Tricks from Wolfy's Thespian Trove.", + "requirements": "", + "primo": "5", + "id": 82209 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/ImaginariumTheaterTheSecondFolioExtra.json b/data/EN/AchievementCategory/ImaginariumTheaterTheSecondFolioExtra.json new file mode 100644 index 00000000000..9f989c32e39 --- /dev/null +++ b/data/EN/AchievementCategory/ImaginariumTheaterTheSecondFolioExtra.json @@ -0,0 +1,51 @@ +[ + { + "achievement": "Dream Through The Canvas", + "description": "Complete the Envisaged Echoes challenge(s) for 1 character(s)", + "requirements": "", + "primo": "5", + "id": 82213 + }, + { + "achievement": "Dream Through The Canvas", + "description": "Complete the Envisaged Echoes challenge(s) for 3 character(s)", + "requirements": "", + "primo": "10", + "id": 82213 + }, + { + "achievement": "Dream Through The Canvas", + "description": "Complete the Envisaged Echoes challenge(s) for 5 character(s)", + "requirements": "", + "primo": "20", + "id": 82213 + }, + { + "achievement": "The Master Masterpiece", + "description": "Complete an entire Imaginarium Theater show in Visionary Mode.", + "requirements": "", + "primo": "10", + "id": 82216 + }, + { + "achievement": "When the Stars Shine", + "description": "Complete an entire show in the Imaginarium Theater having obtained 6 Stella.", + "requirements": "", + "primo": "5", + "id": 82217 + }, + { + "achievement": "When the Stars Shine", + "description": "Complete an entire show in the Imaginarium Theater having obtained 8 Stella.", + "requirements": "", + "primo": "10", + "id": 82217 + }, + { + "achievement": "When the Stars Shine", + "description": "Complete an entire show in the Imaginarium Theater having obtained 10 Stella.", + "requirements": "", + "primo": "20", + "id": 82217 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries1Extra.json b/data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries1Extra.json new file mode 100644 index 00000000000..9f03e012124 --- /dev/null +++ b/data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries1Extra.json @@ -0,0 +1,144 @@ +[ + { + "achievement": "Continental Explorer: Land of Surging Thunder (I)", + "description": "Light up the Narukami Island, Kannazuka, and Yashiori Island areas of the Inazuma map.", + "requirements": "", + "primo": "5", + "id": 80074 + }, + { + "achievement": "Thunderbolting Across the Land (I)", + "description": "Unlock all Teleport Waypoints in the Narukami Island, Kannazuka, and Yashiori Island areas of Inazuma.", + "requirements": "", + "primo": "5", + "id": 80075 + }, + { + "achievement": "Sanctuary Pilgrim: Inazuma Tenryou (I)", + "description": "Unlock all Shrines of Depths in the Narukami Island, Kannazuka, and Yashiori Island areas of Inazuma.", + "requirements": "", + "primo": "10", + "id": 80076 + }, + { + "achievement": "Eternal Thunder", + "description": "Upgrade the Statues of The Seven in Inazuma to their maximum level.", + "requirements": "", + "primo": "20", + "id": 80077 + }, + { + "achievement": "Divine Roots", + "description": "Reach the Max Level of Sacred Sakura's Favor.", + "requirements": "", + "primo": "20", + "id": 80078 + }, + { + "achievement": "Naku Weed Whacker (I)", + "description": "Follow 10 Electro Seelie on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80079 + }, + { + "achievement": "Naku Weed Whacker (I)", + "description": "Follow 20 Electro Seelie on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80079 + }, + { + "achievement": "Naku Weed Whacker (I)", + "description": "Follow 40 Electro Seelie on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80079 + }, + { + "achievement": "Lights Will Guide You Home (I)", + "description": "Follow 4 Seelie to their Seelie Courts on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80082 + }, + { + "achievement": "Lights Will Guide You Home (I)", + "description": "Follow 8 Seelie to their Seelie Courts on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80082 + }, + { + "achievement": "Lights Will Guide You Home (I)", + "description": "Follow 16 Seelie to their Seelie Courts on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80082 + }, + { + "achievement": "Lightning-Riding Treasure Hunter (I)", + "description": "Open 100 chests on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80085 + }, + { + "achievement": "Lightning-Riding Treasure Hunter (I)", + "description": "Open 200 chests on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80085 + }, + { + "achievement": "Lightning-Riding Treasure Hunter (I)", + "description": "Open 300 chests on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80085 + }, + { + "achievement": "Tatara Tales", + "description": "Resolve the Crisis at the Mikage Furnace.", + "requirements": "Complete Tatara Tales.", + "primo": "10", + "requirementQuestLink": "/wiki/Tatara_Tales", + "steps": [], + "id": 80089 + }, + { + "achievement": "Echo of Fury", + "description": "Complete \"Orobashi's Legacy.\"", + "requirements": "", + "primo": "10", + "id": 80090 + }, + { + "achievement": "Lightning-Riding Adventurer (I)", + "description": "Complete 6 Open World mechanism-activated Time Trial Challenges on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80093 + }, + { + "achievement": "Lightning-Riding Adventurer (I)", + "description": "Complete 12 Open World mechanism-activated Time Trial Challenges on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80093 + }, + { + "achievement": "Lightning-Riding Adventurer (I)", + "description": "Complete 24 Open World mechanism-activated Time Trial Challenges on Narukami Island, Kannazuka, and Yashiori Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80093 + }, + { + "achievement": "Spring Cleaning", + "description": "Complete the Sacred Sakura Cleansing Ritual.", + "requirements": "", + "primo": "10", + "id": 80088 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries2Extra.json b/data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries2Extra.json new file mode 100644 index 00000000000..d2b39d9c4b3 --- /dev/null +++ b/data/EN/AchievementCategory/InazumaTheIslandsOfThunderAndEternitySeries2Extra.json @@ -0,0 +1,107 @@ +[ + { + "achievement": "Continental Explorer: Land of Surging Thunder (II)", + "description": "Light up the Watatsumi Island and Seirai Island areas of the Inazuma map.", + "requirements": "", + "primo": "5", + "id": 80096 + }, + { + "achievement": "Thunderbolting Across the Land (II)", + "description": "Unlock all Teleport Waypoints in the Watatsumi Island and Seirai Island areas of Inazuma.", + "requirements": "", + "primo": "5", + "id": 80097 + }, + { + "achievement": "Sanctuary Pilgrim: Inazuma Tenryou (II)", + "description": "Unlock all Shrines of Depths in the Watatsumi Island and Seirai Island areas of the map.", + "requirements": "", + "primo": "10", + "id": 80098 + }, + { + "achievement": "Naku Weed Whacker (II)", + "description": "Follow 4 Electro Seelie on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80099 + }, + { + "achievement": "Naku Weed Whacker (II)", + "description": "Follow 8 Electro Seelie on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80099 + }, + { + "achievement": "Naku Weed Whacker (II)", + "description": "Follow 16 Electro Seelie on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80099 + }, + { + "achievement": "Lights Will Guide You Home (II)", + "description": "Follow 6 Seelie to their Seelie Courts on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80102 + }, + { + "achievement": "Lightning-Riding Treasure Hunter (II)", + "description": "Open 40 chests on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80105 + }, + { + "achievement": "Lightning-Riding Treasure Hunter (II)", + "description": "Open 80 chests on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80105 + }, + { + "achievement": "Lightning-Riding Treasure Hunter (II)", + "description": "Open 160 chests on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80105 + }, + { + "achievement": "Lightning-Riding Adventurer (II)", + "description": "Complete 6 Open World mechanism-activated Time Trial Challenges on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80110 + }, + { + "achievement": "Lightning-Riding Adventurer (II)", + "description": "Complete 12 Open World mechanism-activated Time Trial Challenges on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80110 + }, + { + "achievement": "Lightning-Riding Adventurer (II)", + "description": "Complete 24 Open World mechanism-activated Time Trial Challenges on Watatsumi Island and Seirai Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80110 + }, + { + "achievement": "Seirai Stormchasers", + "description": "Complete \"Seirai Stormchasers\"", + "requirements": "", + "primo": "10", + "id": 80108 + }, + { + "achievement": "The Same Moonlight", + "description": "Complete \"The Moon-Bathed Deep\"", + "requirements": "", + "primo": "10", + "id": 80109 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/LiyueTheHarborOfStoneAndContractsExtra.json b/data/EN/AchievementCategory/LiyueTheHarborOfStoneAndContractsExtra.json new file mode 100644 index 00000000000..ab096c125e9 --- /dev/null +++ b/data/EN/AchievementCategory/LiyueTheHarborOfStoneAndContractsExtra.json @@ -0,0 +1,93 @@ +[ + { + "achievement": "Continental Explorer: Liyue", + "description": "Light up the map in the following zones: Bishui Plain, Qiongji Estuary, Minlin, Lisha, Sea of Clouds.", + "requirements": "", + "primo": "5", + "id": 80043 + }, + { + "achievement": "Surveyor of Stone", + "description": "Unlock all Teleport Waypoints in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "5", + "id": 80044 + }, + { + "achievement": "Unmovable Mountain", + "description": "Upgrade the Statues of The Seven in Liyue to their maximum level.", + "requirements": "", + "primo": "20", + "id": 80045 + }, + { + "achievement": "Sanctuary Pilgrim: Liyue", + "description": "Unlock all the Shrines of Depths in Liyue.", + "requirements": "", + "primo": "10", + "id": 80046 + }, + { + "achievement": "Lithic Guide", + "description": "Follow 20 Seelie in Liyue to their Seelie Courts (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "5", + "id": 80047 + }, + { + "achievement": "Lithic Guide", + "description": "Follow 40 Seelie in Liyue to their Seelie Courts (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "10", + "id": 80047 + }, + { + "achievement": "Lithic Guide", + "description": "Follow 60 Seelie in Liyue to their Seelie Courts (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "20", + "id": 80047 + }, + { + "achievement": "Rock-Steady Treasure Hunter", + "description": "Open 200 chests in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "5", + "id": 80050 + }, + { + "achievement": "Rock-Steady Treasure Hunter", + "description": "Open 400 chests in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "10", + "id": 80050 + }, + { + "achievement": "Rock-Steady Treasure Hunter", + "description": "Open 800 chests in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "20", + "id": 80050 + }, + { + "achievement": "Rock-Steady Adventurer", + "description": "Complete 10 Open World mechanism-activated Time Trial Challenges in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "5", + "id": 80053 + }, + { + "achievement": "Rock-Steady Adventurer", + "description": "Complete 20 Open World mechanism-activated Time Trial Challenges in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "10", + "id": 80053 + }, + { + "achievement": "Rock-Steady Adventurer", + "description": "Complete 40 Open World mechanism-activated Time Trial Challenges in Liyue (The Chasm and Chenyu Vale are counted separately).", + "requirements": "", + "primo": "20", + "id": 80053 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MarksmanshipExtra.json b/data/EN/AchievementCategory/MarksmanshipExtra.json new file mode 100644 index 00000000000..de751cb49e7 --- /dev/null +++ b/data/EN/AchievementCategory/MarksmanshipExtra.json @@ -0,0 +1,23 @@ +[ + { + "achievement": "Nothing Special, Just Practice", + "description": "Hit a falcon mid-flight with your bow.", + "requirements": "", + "primo": "5", + "id": 82001 + }, + { + "achievement": "Master Sniper", + "description": "Strike an opponent's weak point from afar with an Aimed Shot.", + "requirements": "", + "primo": "5", + "id": 82002 + }, + { + "achievement": "Der Freischütz", + "description": "Strike an opponent's weak point from extremely far away with an Aimed Shot.", + "requirements": "", + "primo": "5", + "id": 82003 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MeetingsInOutrealmSeries1Extra.json b/data/EN/AchievementCategory/MeetingsInOutrealmSeries1Extra.json new file mode 100644 index 00000000000..255e7ccaaba --- /dev/null +++ b/data/EN/AchievementCategory/MeetingsInOutrealmSeries1Extra.json @@ -0,0 +1,93 @@ +[ + { + "achievement": "You Came, You Saw, We Co-Oped", + "description": "Complete Domains together with other players 5 times.", + "requirements": "", + "primo": "5", + "id": 86001 + }, + { + "achievement": "You Came, You Saw, We Co-Oped", + "description": "Complete Domains together with other players 20 times.", + "requirements": "", + "primo": "10", + "id": 86001 + }, + { + "achievement": "You Came, You Saw, We Co-Oped", + "description": "Complete Domains together with other players 100 times.", + "requirements": "", + "primo": "20", + "id": 86001 + }, + { + "achievement": "I Came, I Saw, I Conquered", + "description": "Collect 5 regional specialties in another player's world.", + "requirements": "", + "primo": "5", + "id": 86004 + }, + { + "achievement": "I Came, I Saw, I Conquered", + "description": "Collect 20 regional specialties in another player's world.", + "requirements": "", + "primo": "10", + "id": 86004 + }, + { + "achievement": "I Came, I Saw, I Conquered", + "description": "Collect 50 regional specialties in another player's world.", + "requirements": "", + "primo": "20", + "id": 86004 + }, + { + "achievement": "That's One Big Crystalfly", + "description": "Defeat an Anemo Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86007 + }, + { + "achievement": "...And Still Smiling!", + "description": "Defeat an Electro Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86008 + }, + { + "achievement": "You Have to Hit the Pillars", + "description": "Defeat a Geo Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86009 + }, + { + "achievement": "Just Me and You, the Sky So Blue, and Almost Getting Killed by a Cryo Regisvine", + "description": "Defeat a Cryo Regisvine in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86010 + }, + { + "achievement": "This Is Fine", + "description": "Defeat a Pyro Regisvine in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86011 + }, + { + "achievement": "A Fish Called Rhodeia", + "description": "Defeat an Oceanid in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86012 + }, + { + "achievement": "Wolf Pact", + "description": "Defeat the king of Wolvendom in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86013 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MeetingsInOutrealmSeries2Extra.json b/data/EN/AchievementCategory/MeetingsInOutrealmSeries2Extra.json new file mode 100644 index 00000000000..7ae7f1fe8b9 --- /dev/null +++ b/data/EN/AchievementCategory/MeetingsInOutrealmSeries2Extra.json @@ -0,0 +1,51 @@ +[ + { + "achievement": "A Delusion's Abilities Don't Decide a Battle's Outcome", + "description": "Defeat Childe in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86021 + }, + { + "achievement": "Moving Mountains", + "description": "Defeat a Primo Geovishap in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86015 + }, + { + "achievement": "Blast from the Past", + "description": "Defeat Azhdaha in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86016 + }, + { + "achievement": "Put on Ice", + "description": "Defeat a Cryo Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86017 + }, + { + "achievement": "No Strings Attached, Anymore", + "description": "Defeat a Maguu Kenki in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86018 + }, + { + "achievement": "Operation Bonfire", + "description": "Defeat a Pyro Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86019 + }, + { + "achievement": "The Not-So-Perpetual Mechanical Array", + "description": "Defeat a Perpetual Mechanical Array in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86020 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MeetingsInOutrealmSeries3Extra.json b/data/EN/AchievementCategory/MeetingsInOutrealmSeries3Extra.json new file mode 100644 index 00000000000..897d5d8ce04 --- /dev/null +++ b/data/EN/AchievementCategory/MeetingsInOutrealmSeries3Extra.json @@ -0,0 +1,58 @@ +[ + { + "achievement": "Our Hearts as One", + "description": "Defeat a Thunder Manifestation in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86022 + }, + { + "achievement": "Water, Basically", + "description": "Defeat a Hydro Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86023 + }, + { + "achievement": "Dashing Through the Snow... and the Flames", + "description": "Defeat Signora in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86024 + }, + { + "achievement": "The Whisperer in Darkness", + "description": "Defeat the Golden Wolflord in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86025 + }, + { + "achievement": "Brave the Lightning's Glow...", + "description": "Defeat the Raiden Shogun in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86026 + }, + { + "achievement": "Surpassing the Ancients' Wisdom", + "description": "Defeat the Ruin Serpent in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86027 + }, + { + "achievement": "I'm a Flexitarian", + "description": "Defeat a Jadeplume Terrorshroom in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86028 + }, + { + "achievement": "Electric Shock Hazard", + "description": "Defeat an Electro Regisvine in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86029 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MeetingsInOutrealmSeries4Extra.json b/data/EN/AchievementCategory/MeetingsInOutrealmSeries4Extra.json new file mode 100644 index 00000000000..97d56f1a4eb --- /dev/null +++ b/data/EN/AchievementCategory/MeetingsInOutrealmSeries4Extra.json @@ -0,0 +1,65 @@ +[ + { + "achievement": "End of the Eternal Return", + "description": "Defeat the Aeonblight Drake in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86030 + }, + { + "achievement": "Ever So Slightly Inferior", + "description": "Defeat the Algorithm of Semi-Intransient Matrix of Overseer Network in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86031 + }, + { + "achievement": "The Greenery Out of Space", + "description": "Defeat a Dendro Hypostasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86032 + }, + { + "achievement": "Dance Like You Want to Win!", + "description": "Defeat Shouki no Kami, the Prodigal in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86033 + }, + { + "achievement": "Desert-Dwellers' Rite of Passage", + "description": "Defeat the Setekh Wenut in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86034 + }, + { + "achievement": "Presumption of Guilt", + "description": "Defeat the Iniquitous Baptist in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86035 + }, + { + "achievement": "Proof of the Reed Sea Conqueror", + "description": "Defeat the Guardian of Apep's Oasis in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86036 + }, + { + "achievement": "The Power of Science is Staggering!", + "description": "Complete one form of the \"Icewind Suite\" challenge in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86037 + }, + { + "achievement": "A Successful Hunt", + "description": "Defeat the Emperor of Fire and Iron in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86038 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MeetingsInOutrealmSeries5Extra.json b/data/EN/AchievementCategory/MeetingsInOutrealmSeries5Extra.json new file mode 100644 index 00000000000..5c71b15860e --- /dev/null +++ b/data/EN/AchievementCategory/MeetingsInOutrealmSeries5Extra.json @@ -0,0 +1,65 @@ +[ + { + "achievement": "Do You Believe In \"Fields\"?", + "description": "Defeat an Experimental Field Generator in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86039 + }, + { + "achievement": "Pearl Diving", + "description": "Defeat a Millennial Pearl Seahorse in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86040 + }, + { + "achievement": "Virtual Star Embryology", + "description": "Defeat a Hydro Tulpa in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86041 + }, + { + "achievement": "From the Abyss's Heart I Stab At Thee", + "description": "Defeat an All-Devouring Narwhal in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86042 + }, + { + "achievement": "Walking on Water and Striding Through Clouds", + "description": "Defeat a Solitary Suanni in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86043 + }, + { + "achievement": "Sic Transit Gloria Mundi", + "description": "Defeat a Legatus Golem in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86044 + }, + { + "achievement": "The Dark Side of the Balemoon", + "description": "Defeat The Knave in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86045 + }, + { + "achievement": "Mountains Fall Apart", + "description": "Defeat a Gluttonous Yumkasaur Mountain King in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86046 + }, + { + "achievement": "\"Sic Semper Tyrannis\"", + "description": "Defeat a Goldflame Qucusaur Tyrant in Co-Op Mode.", + "requirements": "", + "primo": "10", + "id": 86047 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MemoriesOfTheHeartExtra.json b/data/EN/AchievementCategory/MemoriesOfTheHeartExtra.json new file mode 100644 index 00000000000..fff8c085a85 --- /dev/null +++ b/data/EN/AchievementCategory/MemoriesOfTheHeartExtra.json @@ -0,0 +1,942 @@ +[ + { + "achievement": "Fantastic Voyage: Prologue", + "description": "Complete \"Fantastic Voyage\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "1.4", + "primo": "20", + "id": 84026 + }, + { + "achievement": "Archaic Lord of Lightning and Blitz", + "description": "Witness the awesome meteorological power of Bennett's phenomenally bad luck.", + "requirements": "Complete Ad Astra...", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/What_Is_This,_a_Day_Trip%3F#Ad_Astra...", + "steps": [ + "Go to the \"dandelion meadow\"", + "Talk to Bennett", + "Accompany Bennett on a walk", + "Talk to Bennett", + "Open all the treasure chests (0/5)", + "Talk to Bennett", + "Accompany Bennett on a walk" + ], + "id": 84100 + }, + { + "achievement": "The Power of Luck", + "description": "Activate the mechanisms and obtain the treasure without making any mistakes.", + "requirements": "Successfully complete the mechanism puzzle in Expansive Eya.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Expansive_Eya", + "steps": [ + "Enter the ruins\nEnter Temple of the Wolf's Quest Domain: Deserted Ruins of Eya", + "Enter Temple of the Wolf's Quest Domain: Deserted Ruins of Eya", + "Talk to Bennett", + "Accompany Bennett and proceed onward", + "Talk to Bennett", + "Activate the mechanism", + "Talk to Bennett", + "Accompany Bennett and proceed onward", + "Talk to Bennett", + "Investigate the room with Bennett\nThere are three investigation spots", + "There are three investigation spots", + "Talk to Bennett", + "Wait for Bennett to unlock the gate mechanism", + "Solve the puzzle of the mechanism\nSolution: First activate the mechanism surrounded by three torches, then the one with one torch, then the one with two torches.", + "Solution: First activate the mechanism surrounded by three torches, then the one with one torch, then the one with two torches.", + "Help Bennett open the treasure chest" + ], + "id": 84101 + }, + { + "achievement": "Evil Is Banished", + "description": "Complete \"Signs of Evil\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "1.4", + "primo": "20", + "id": 84104 + }, + { + "achievement": "Behold, Mine Evil-Espying Eye!", + "description": "Correctly interpret all clues.", + "requirements": "Completely interpret all clues in On The Evil Spirits' Trail.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Exorcist%27s_Path#On_The_Evil_Spirits'_Trail", + "steps": [ + "Go to Wanwen Bookhouse and identify the clues", + "Go to the heretical ground mentioned in the clues", + "Proceed deeper within to investigate", + "Proceed onward and search for more clues", + "Defeat the attacking hilichurls Hilichurl ×3", + "Hilichurl ×3", + "Talk to Chongyun" + ], + "id": 84028 + }, + { + "achievement": "Red Hot Chili Popsicles", + "description": "Make a popsicle using the wrong recipe and provoke Chongyun's Pure-Yang spirit.", + "requirements": "Make popsicles out of Jueyun Chili and Slime Condensate in A Curious Mix.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Popsicles_and_Their_Curious_Uses#A_Curious_Mix", + "steps": [ + "Go to Wanmin Restaurant to help Chongyun restock on popsicles", + "Obtain the following step based on the branch you selected:\nA Cooling Mix: Look for Mist Flowers and Qingxin\nA Sweet Mix: Look for Valberries and Sunsettias\nA Curious Mix: Look for Jueyun Chili and Slime Condensate", + "A Cooling Mix: Look for Mist Flowers and Qingxin", + "A Sweet Mix: Look for Valberries and Sunsettias", + "A Curious Mix: Look for Jueyun Chili and Slime Condensate", + "Bring back the ingredients you prepared for Chongyun" + ], + "id": 84107 + }, + { + "achievement": "A Line That May Be Crossed", + "description": "Complete \"Wellspring of Healing\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "1.4", + "primo": "20", + "id": 84102 + }, + { + "achievement": "An Idol's Last Line of Defense", + "description": "Successfully persuade Albert and Barbara's other fans to leave.", + "requirements": "Complete Albert is Amenable To Reason and persuade Barbara's fans to leave in The Cat's Tail's Specialty.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Sudden_Shouting#Albert_is_Amenable_To_Reason", + "steps": [ + "Convince Albert to leave", + "Follow Albert", + "Talk to Albert" + ], + "id": 84108 + }, + { + "achievement": "Mondstadt's Spiciest Surprise", + "description": "Sample Barbara's Chilibrew.", + "requirements": "Complete Home-Made Chilibrew.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Home-Made_Chilibrew", + "steps": [], + "id": 84105 + }, + { + "achievement": "A Maid of Strength and Virtue", + "description": "Complete \"Chivalric Training\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "1.4", + "primo": "20", + "id": 84103 + }, + { + "achievement": "\"...For I Am Duty Bound\"", + "description": "Help Noelle discover the source of her strength.", + "requirements": "Complete Live Practice.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Live_Practice", + "steps": [ + "Look for slimes in Mondstadt's outskirts", + "Defeat the Geo Slimes\nComplete the challenge in 1 minute and 15 seconds.\nFailing this challenge has no consequence.", + "Complete the challenge in 1 minute and 15 seconds.", + "Failing this challenge has no consequence.", + "Look for the next training target", + "Defeat the Dendro Slimes\nComplete the challenge in 10 seconds.\nFailing this challenge has no consequence. The Dendro slimes will not despawn after the 10 seconds are up, but defeating them is not required for the next step.", + "Complete the challenge in 10 seconds.", + "Failing this challenge has no consequence. The Dendro slimes will not despawn after the 10 seconds are up, but defeating them is not required for the next step.", + "Look for the next training target", + "Defeat the Eye of the Storm\nComplete the challenge in 25 seconds.\nFailing this challenge has no consequence.", + "Complete the challenge in 25 seconds.", + "Failing this challenge has no consequence.", + "Talk to Noelle", + "Head to the nearby hilichurl camp", + "Defeat all the hilichurls", + "Talk to Henning" + ], + "id": 84106 + }, + { + "achievement": "A World Known Only Unto Roses", + "description": "Read Noelle's study notes.", + "requirements": "Read Noelle's study notes after completing The Almighty Maid and Her Impossible Task.", + "hidden": "Yes", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Gift_and_Intent#The_Almighty_Maid_and_Her_Impossible_Task", + "steps": [], + "id": 84109 + }, + { + "achievement": "Stress Relief", + "description": "Complete \"Knightly Exam Prep\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "1.5", + "primo": "20", + "id": 84110 + }, + { + "achievement": "Invulnerable Maid-Knight", + "description": "Listen to \"A Knight's Journey Through Liyue\" with Noelle.", + "requirements": "Complete A Knight's Journey Through Liyue.", + "hidden": "Yes", + "version": "1.5", + "primo": "5", + "requirementQuestLink": "/wiki/A_Knight%27s_Journey_Through_Liyue", + "steps": [ + "Head to the Third-Round Knockout", + "Head to the hilichurl camp in the city's outskirts", + "Help Iron Tongue Tian gather inspiration\nDefeat opponents Hilichurl Berserker ×2 Hilichurl Fighter ×3", + "Defeat opponents Hilichurl Berserker ×2 Hilichurl Fighter ×3", + "Hilichurl Berserker ×2", + "Hilichurl Fighter ×3", + "Talk to Iron Tongue Tian", + "Give a Chaos Device to Iron Tongue Tian", + "Return to Third-Round Knockout and listen to the story" + ], + "id": 84111 + }, + { + "achievement": "Mondstadt's Note-Taker General", + "description": "Read Noelle's study notes.", + "requirements": "Read Noelle's study notes at the end of Imperfect Examination.", + "hidden": "Yes", + "version": "1.5", + "primo": "5", + "requirementQuestLink": "/wiki/Imperfect_Examination", + "steps": [ + "Go to the Mondstadt Adventurers' Guild and find Katheryne", + "Go to the Angel's Share and find Cyrus", + "Talk to Cyrus", + "Give Cyrus the dish that meets his requirements", + "Go to Brightcrown Canyon", + "Talk to Cyrus", + "Fight the Ruin Guard\nDefeat opponent within 70 seconds\n Ruin Guard ×1", + "Defeat opponent within 70 seconds", + "Ruin Guard ×1", + "Ending Branch:\nImmaculate Examination\nImperfect Examination", + "Immaculate Examination", + "Imperfect Examination" + ], + "id": 84112 + }, + { + "achievement": "Diona Special, Stirred, Not Shaken", + "description": "Complete \"The Cat and the Cocktail\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "1.5", + "primo": "20", + "id": 84113 + }, + { + "achievement": "But There's a Catch...", + "description": "Help Diona find a special base drink.", + "requirements": "Complete The Shadow Over Dadaupa.", + "hidden": "Yes", + "version": "1.5", + "primo": "5", + "requirementQuestLink": "/wiki/The_Shadow_Over_Dadaupa", + "steps": [ + "Talk to Diona", + "Avoid the monsters and head deeper into Dadaupa Gorge" + ], + "id": 84114 + }, + { + "achievement": "Kitten Queen", + "description": "Bring all the cats back to The Cat's Tail.", + "requirements": "Complete When the Cats Come Home.", + "hidden": "Yes", + "version": "1.5", + "primo": "5", + "requirementQuestLink": "/wiki/To_Catch_a_Kitten#When_the_Cats_Come_Home", + "steps": [ + "Talk to Diona", + "Look for the kitty on Mondstadt's rooftops", + "Try to make conversation with Roger", + "Look for the kitty near the Blacksmith", + "Try to make conversation with Nelson", + "Look for the kitty near the Cathedral", + "Try to make conversation with Paisley", + "Return to The Cat's Tail" + ], + "id": 84115 + }, + { + "achievement": "Everyone's Happy", + "description": "Complete \"A Housekeeper's Daily Chores\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.2", + "primo": "20", + "id": 84116 + }, + { + "achievement": "Housekeeper Extraordinaire", + "description": "Complete the big cleanup within the time limit", + "requirements": "Complete Small-Scale Changes.", + "hidden": "Yes", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Small-Scale_Changes", + "steps": [ + "Advertise the housekeeping course to Hirano", + "Advertise the housekeeping course to Furuta", + "Complete the housekeeping tasks within the time limit\nHousekeeping Challenging: Plant-Watering (0/3)\nRemove the 6 weeds nearby, draw water with the bucket, and water the 3 plants within 60 seconds\nThoma will join the team as a trial character", + "Housekeeping Challenging: Plant-Watering (0/3)", + "Remove the 6 weeds nearby, draw water with the bucket, and water the 3 plants within 60 seconds", + "Thoma will join the team as a trial character", + "Make final preparations at the Yashiro Commission", + "Wait until the following day (08:00–24:00)", + "Go to the Yashiro Commission to take part in the housekeeping course" + ], + "id": 84117 + }, + { + "achievement": "From the Sea Never Returning", + "description": "Learn of Inu Shoushou's story together with Thoma", + "requirements": "Complete Those Who Can Never Return.", + "hidden": "Yes", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Ninken_by_the_Shore#Those_Who_Can_Never_Return", + "steps": [ + "Look for the ninken that has wandered off into the wild", + "Clear out the nearby monsters\nWave 1: Hilichurl Shooter ×2 Hilichurl Fighter ×2\nWave 2: Hilichurl Shooter ×2 Wooden Shieldwall Mitachurl ×1", + "Wave 1: Hilichurl Shooter ×2 Hilichurl Fighter ×2", + "Hilichurl Shooter ×2", + "Hilichurl Fighter ×2", + "Wave 2: Hilichurl Shooter ×2 Wooden Shieldwall Mitachurl ×1", + "Hilichurl Shooter ×2", + "Wooden Shieldwall Mitachurl ×1", + "Observe the ninken's responses", + "Go to the Yashiro Commission to ask about the ninken's master", + "Keep the ninken company with Thoma" + ], + "id": 84118 + }, + { + "achievement": "Taller by Half", + "description": "Complete \"Yoohoo Art: Seichou no Jutsu\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.2", + "primo": "20", + "id": 84119 + }, + { + "achievement": "Mujina-Class Ninja", + "description": "Obtain Sayu's highest rating during agility training.", + "requirements": "Complete the challenge in Twinjutsu within 30 seconds.", + "hidden": "Yes", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Operation_Substitution#Twinjutsu", + "steps": [ + "Go to the ninjutsu training ground", + "Pass through the obstacles and reach the goal as quickly as possible\nAvoid the obstacles and reach the goal within the time limit (90s)", + "Avoid the obstacles and reach the goal within the time limit (90s)", + "Talk to Sayu", + "Go to the live combat training ground", + "Defeat the slimes\nWave 1: Large Pyro Slime ×1 Hydro Slime ×2\nWave 2: Large Electro Slime ×1 Cryo Slime ×2\nThe rest of the party will be disabled during the fight. Only Sayu is available as a trial character.", + "Wave 1: Large Pyro Slime ×1 Hydro Slime ×2", + "Large Pyro Slime ×1", + "Hydro Slime ×2", + "Wave 2: Large Electro Slime ×1 Cryo Slime ×2", + "Large Electro Slime ×1", + "Cryo Slime ×2", + "The rest of the party will be disabled during the fight. Only Sayu is available as a trial character.", + "Talk to Sayu", + "Follow Sayu to her resting spot" + ], + "id": 84120 + }, + { + "achievement": "Dish Effect: Mobility Decreased", + "description": "You were unable to prevent Sayu's reckless consumption...", + "requirements": "Complete Hard Work Pays Off.", + "hidden": "Yes", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Bottleneck_Breaking#Hard_Work_Pays_Off", + "steps": [ + "Go to Kiminami Restaurant", + "Dine with Sayu\nAsk if she still wishes to continue. Go to Hard Work Pays Off.\nTell her that eating like this might have a negative effect. Go to Exercise Follows Eating.", + "Ask if she still wishes to continue. Go to Hard Work Pays Off.", + "Tell her that eating like this might have a negative effect. Go to Exercise Follows Eating." + ], + "id": 84121 + }, + { + "achievement": "General of Watatsumi", + "description": "Complete \"The Canine General's Special Operations\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.3", + "primo": "20", + "id": 84125 + }, + { + "achievement": "Changing Times", + "description": "Draw all fortune slips at the Grand Narukami Shrine.", + "requirements": "Select all fortune slips in Praying for Fortune.", + "hidden": "Yes", + "version": "2.3", + "primo": "5", + "requirementQuestLink": "/wiki/What_Shall_We_Do%3F#Praying_for_Fortune", + "steps": [ + "Seek solutions on Watatsumi Island", + "Go with Gorou to find Miwa", + "Follow Gorou to find the directives", + "Go to Yae Publishing House", + "Go to the Grand Narukami Shrine", + "Challenge Yae Miko again" + ], + "id": 84126 + }, + { + "achievement": "To Tell or Not to Tell, That Is the Question", + "description": "Discover Ms. Hina's true identity at the Yae Publishing House.", + "requirements": "Complete (Temporary) Secret-Keeper.", + "hidden": "Yes", + "version": "2.3", + "primo": "5", + "requirementQuestLink": "/wiki/Secret_Identity#(Temporary)_Secret-Keeper", + "steps": [ + "Go to Yae Publishing House and keep watch", + "Talk to the fan club members", + "Go back and look for Gorou", + "Go to Yae Publishing House with Gorou to deliver the replies" + ], + "id": 84127 + }, + { + "achievement": "Honorary Crux Member", + "description": "Complete \"When the Crux Shines Bright\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.3", + "primo": "20", + "id": 84122 + }, + { + "achievement": "Wine Unburdens", + "description": "Take part in the Qingce banquet with Beidou.", + "requirements": "Complete Honorary Villager.", + "hidden": "Yes", + "version": "2.3", + "primo": "5", + "requirementQuestLink": "/wiki/Qingce_Village_Treasure_Hunt#Honorary_Villager", + "steps": [ + "Go to Qingce Village", + "Go to Ren for a little conversation", + "Look for Changping and Defu" + ], + "id": 84123 + }, + { + "achievement": "Guyun Buyers' Club", + "description": "Find out the truth behind the deal Beidou's making.", + "requirements": "Complete A Strange Transaction.", + "hidden": "Yes", + "version": "2.3", + "primo": "5", + "requirementQuestLink": "/wiki/Beneath_the_Surface#A_Strange_Transaction", + "steps": [ + "Go to the small vessel that Beidou has prepared", + "Go to the Skirmisher Boats", + "Complete the boat handling challenge\nCollect Wavesplitter Insignias: 0/13\nThe challenge timer is 2 minutes.", + "Collect Wavesplitter Insignias: 0/13", + "The challenge timer is 2 minutes.", + "Talk to Beidou" + ], + "id": 84124 + }, + { + "achievement": "Megrez's Companion Star", + "description": "Complete \"The Jade Chamber's Returning Guest\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.4", + "primo": "20", + "id": 84128 + }, + { + "achievement": "You've Got to Have Reserves", + "description": "Fish? The more the merrier, of course!", + "requirements": "Collect four extra Plump Fish at the end of Open Resources, Thrifty Expenditure.", + "hidden": "Yes", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Starting_From_Zero#Open_Resources,_Thrifty_Expenditure", + "steps": [ + "Go to the wharf to search for abandoned goods", + "Sell the material to the merchant", + "Go out and search for treasure", + "Defeat the monsters and open the treasure chest Large Pyro Slime ×1 Pyro Slime ×1 Electro Slime ×2", + "Large Pyro Slime ×1", + "Pyro Slime ×1", + "Electro Slime ×2", + "Talk to Ningguang", + "Continue looking for chests", + "Defeat the monsters and open the treasure chest Rock Shieldwall Mitachurl ×1 Hilichurl Shooter ×1 Hilichurl ×2", + "Rock Shieldwall Mitachurl ×1", + "Hilichurl Shooter ×1", + "Hilichurl ×2", + "Talk to Ningguang", + "Look for the Weasel Thief's tracks", + "Check the hole that the Weasel Thief left behind", + "Find the Mora that the Weasel Thief was hiding", + "Talk to Ningguang", + "Catch fish by the river (0/3)", + "Grill the fish by the shore with Ningguang" + ], + "id": 84129 + }, + { + "achievement": "Overprotectiveness", + "description": "A single stone births a thousand ripples. It seems like Ningguang's day off is not to be.", + "requirements": "Complete Confrontation.", + "hidden": "Yes", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Endless_Smoke#Confrontation", + "steps": [ + "Go to Northland Bank", + "Leave the Northland Bank and talk to Ningguang", + "Follow Ningguang and observe your surroundings", + "Talk to Ningguang", + "Follow Ningguang and observe your surroundings carefully again", + "Talk to Ningguang", + "Continue following Ningguang and observing your surroundings", + "Talk to Ningguang", + "Find the person following you", + "Go back to Northland Bank for a confrontation" + ], + "id": 84130 + }, + { + "achievement": "The Lingering Song", + "description": "Complete \"A Song That Knows Grace\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.4", + "primo": "20", + "id": 84131 + }, + { + "achievement": "May This Moment Be Made to Last", + "description": "Take a commemorative photo with Yun Jin.", + "requirements": "Complete Commemorative Photo.", + "hidden": "Yes", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Half_a_Day%27s_Leisure#Commemorative_Photo", + "steps": [ + "Go to Chihu Rock", + "Talk to Yun Jin", + "Go to Chen the Sharp's snack stand", + "Talk to Yun Jin", + "Talk to Yun Jin\nTell Yun Jin that her offstage personality is the cuter one. Continue with the quest to Ending: Brought Together by Common Interests.\nTell Yun Jin that her onstage persona is more striking. This completes the quest with Ending: A Souvenir Without Sentiment is of Little Worth.", + "Tell Yun Jin that her offstage personality is the cuter one. Continue with the quest to Ending: Brought Together by Common Interests.", + "Tell Yun Jin that her onstage persona is more striking. This completes the quest with Ending: A Souvenir Without Sentiment is of Little Worth.", + "Take a photo of Yun Jin", + "Talk to Yun Jin", + "Go to Feiyun Slope to look for a suitable spot", + "Wait for Yun Jin to arrive" + ], + "id": 84132 + }, + { + "achievement": "A Strict Master Trains a Talented Pupil", + "description": "Complete the practice session without hitting a single blue scarecrow.", + "requirements": "Complete Meticulous Performance without hitting a single blue scarecrow.", + "hidden": "Yes", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/First_Glimpse_of_Meaning#Meticulous_Performance", + "steps": [ + "Wait for the next morning to meet up (06:00–08:00)", + "Go to the agreed-upon place for your lesson", + "Talk to Yun Jin", + "Head to the northern outskirts of Liyue Harbor", + "Talk to Yun Jin", + "Defeat the nearby opponents\nWave 1: Geo Slime ×2 Large Geo Slime ×1\nWave 2: Geovishap Hatchling ×2", + "Wave 1: Geo Slime ×2 Large Geo Slime ×1", + "Geo Slime ×2", + "Large Geo Slime ×1", + "Wave 2: Geovishap Hatchling ×2", + "Geovishap Hatchling ×2", + "Talk to Yun Jin", + "Break the red scarecrows", + "Talk to Yun Jin", + "Go to the stage that Yun Jin has set up", + "Talk to Yun Jin", + "Break all the red scarecrows while avoiding the blue ones\nThe party is locked to only the Traveler\nTime limit: 65 seconds", + "The party is locked to only the Traveler", + "Time limit: 65 seconds", + "Talk to Yun Jin" + ], + "id": 84133 + }, + { + "achievement": "Arataki Gang Chief Advisor", + "description": "Complete \"The Gang's Daily Deeds\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.7", + "primo": "20", + "id": 84134 + }, + { + "achievement": "One More Look!", + "description": "Gaze upon the glory that is Kuki Shinobu in a shrine maiden outfit.", + "requirements": "Complete The Day's Wages.", + "hidden": "Yes", + "version": "2.7", + "primo": "5", + "requirementQuestLink": "/wiki/Shrine_Maiden_for_a_Day#The_Day's_Wages", + "steps": [ + "Receive guests at the shrine", + "Continue receiving guests", + "Go to the entrance to receive guests", + "Collect materials required to make omamori (0/3)", + "Talk to Granny Asami", + "Talk to Yae Miko", + "Leave the shrine" + ], + "id": 84135 + }, + { + "achievement": "\"Upstairs...\"", + "description": "Be dissuaded before alerting Kujou Sara and Kuki Shinobu.", + "requirements": "Attempt to walk in the room at the second floor of Uyuu Restaurant after listening to Kujou Sara, Kuki Shinobu and Norika's conversation in Eavesdroppers.", + "hidden": "Yes", + "version": "2.7", + "primo": "5", + "requirementQuestLink": "/wiki/Key_Decision#Eavesdroppers", + "steps": [ + "Talk to Mamoru and the others", + "Go to the second floor of Uyuu Restaurant", + "Talk to Arataki Itto", + "Return to Uyuu Restaurant", + "Talk to the merchants near the street", + "Talk to Aoi, owner of Tsukomomono Groceries", + "Go to the next person you need to apologize to", + "Talk to the Arataki Gang Members" + ], + "id": 84136 + }, + { + "achievement": "You Thought We Were For Real, Eh?", + "description": "Complete \"Trap 'Em by Storm\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "2.8", + "primo": "20", + "id": 84137 + }, + { + "achievement": "An Ideal Detective Am I", + "description": "Correctly analyze the motives and the truth behind the crime the first time.", + "requirements": "Answer every question without guessing incorrectly during Long-Sealed Mystery.", + "hidden": "Yes", + "version": "2.8", + "primo": "5", + "requirementQuestLink": "/wiki/Long-Sealed_Mystery", + "steps": [ + "Go to Bantan Sango Detective Agency", + "Return to the Tenryou Commission", + "Talk to Owada", + "Talk to Heizou", + "Talk to Heizou", + "Talk to Heizou", + "Find a quiet place", + "Talk to Ryuuji", + "Wait until the following day (08:00–12:00)", + "Talk to Sango", + "Look for Ryuuji at Netsuke no Gen Crafts" + ], + "id": 84138 + }, + { + "achievement": "Sangonomiya Supplications", + "description": "Ask Gorou whether Kokomi knows about the happenings on Watatsumi Island.", + "requirements": "Talk to Gorou after questioning Todoroki at the end of The Missing Thing #Confrontation in Shikanoin Heizou's Hangout Event: Act I - Trap 'Em by Storm.", + "hidden": "Yes", + "version": "2.8", + "primo": "5", + "requirementQuestLink": "/wiki/The_Missing_Thing#Confrontation", + "steps": [ + "Investigate the goods at the camp (0/2)", + "Talk to Heizou", + "Go to Sangonomiya Shrine", + "Talk to Shibata", + "Go to a nearby location and talk to Heizou", + "Wait until night (20:00–24:00)", + "Head to Bourou Village", + "Follow Todoroki and Tokuda", + "Listen in on Todoroki and Tokuda's conversation", + "Investigate the goods (0/3)", + "Talk to Heizou", + "Go with Heizou to where the inmates are imprisoned", + "Talk to the inmates", + "Wait until the following day (08:00–12:00)", + "Question Todoroki", + "Go to a nearby location and talk to Heizou" + ], + "id": 84139 + }, + { + "achievement": "Optimal Solution", + "description": "Complete \"A Confounding Conundrum\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "3.5", + "primo": "20", + "id": 84140 + }, + { + "achievement": "To You in a Hundred Years", + "description": "Read all the letters sent to Faruzan.", + "requirements": "Read the three letters on the ground during Wanderings of a Lonesome Shadow — Thoughts That Wandered For a Century.", + "hidden": "Yes", + "version": "3.5", + "primo": "5", + "requirementQuestLink": "/wiki/Wanderings_of_a_Lonesome_Shadow#Thoughts_That_Wandered_For_a_Century", + "steps": [ + "Return to Pardis Dhyai", + "Find Tighnari", + "Enter Pardis Dhyai", + "Talk with Tighnari as you wait for the results", + "Go to the northeast of Hypostyle Desert", + "Go to the evacuation site", + "Ask the villagers for information (0/3)", + "Organize the gathered information with Faruzan", + "Go to the makeshift camp", + "Rest at the camp", + "Go to the evacuation site", + "Return to the temporary camp", + "Talk to Faruzan", + "Investigate the fallen Machine Wreckage", + "Talk to Faruzan", + "Return to Pardis Dhyai", + "Talk to Tighnari", + "Wait until one day later", + "Enter Pardis Dhyai", + "Talk to Faruzan" + ], + "id": 84141 + }, + { + "achievement": "Mechanics: From Beginner to...?", + "description": "Guess correctly the smallest number of moves it will take to solve a seven-layer Pagoda Stack.", + "requirements": "", + "hidden": "Yes", + "version": "3.5", + "primo": "5", + "id": 84142 + }, + { + "achievement": "The Name Is Layla", + "description": "Complete \"Ever Silent Stars\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "3.6", + "primo": "20", + "id": 84143 + }, + { + "achievement": "She's Already Tense", + "description": "Help Layla finish her thesis without causing her further anxiety.", + "requirements": "Complete Thesis Defense Practice with the lowest Layla's anxiety level possible.", + "hidden": "Yes", + "version": "3.6", + "primo": "5", + "requirementQuestLink": "/wiki/Thesis_Defense_Practice", + "steps": [ + "Go to the House of Daena to practice" + ], + "id": 84144 + }, + { + "achievement": "Secret of Seelie and the Star-Lit Sky", + "description": "Obtain the authentic letter of the Wisdom Seelie.", + "requirements": "Obtain the \"The Price to Pay and Its Returns\" ending in One Final Step in Layla's Hangout Event: Act I - Ever Silent Stars.", + "hidden": "Yes", + "version": "3.6", + "primo": "5", + "requirementQuestLink": "/wiki/One_Final_Step", + "steps": [ + "Look for the clues the Wisdom Seelie left behind", + "Look for the clues the Wisdom Seelie left behind", + "Go to the place shown in the picture" + ], + "id": 84145 + }, + { + "achievement": "Art and Life", + "description": "Complete \"The Pendulum of Weal and Woe\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "3.7", + "primo": "20", + "id": 84146 + }, + { + "achievement": "School Days", + "description": "Find the annotated books in the House of Daena.", + "requirements": "Read all three books in the House of Daena before following Kaveh to Port Ormos during The First Ideal — The Temple of Wisdom.", + "hidden": "Yes", + "version": "3.7", + "primo": "5", + "requirementQuestLink": "/wiki/The_First_Ideal#The_Temple_of_Wisdom", + "steps": [ + "Go to the House of Daena", + "Take a walk nearby", + "Talk to Kaveh and Alhaitham", + "Follow Kaveh to Port Ormos", + "Follow Kaveh to the desert", + "Clear out the nearby Primal Constructs Primal Construct: Reshaper ×2 Primal Construct: Prospector ×1", + "Primal Construct: Reshaper ×2", + "Primal Construct: Prospector ×1", + "Listen to Kaveh's thoughts" + ], + "id": 84147 + }, + { + "achievement": "An Architect's Romanticism", + "description": "Chat about the future with Kaveh in the desert.", + "requirements": "Complete The First Ideal.", + "hidden": "No", + "version": "3.7", + "primo": "5", + "requirementQuestLink": "/wiki/The_First_Ideal", + "steps": [ + "Go to the House of Daena", + "Take a walk nearby", + "Talk to Kaveh and Alhaitham", + "Follow Kaveh to Port Ormos", + "Follow Kaveh to the desert", + "Clear out the nearby Primal Constructs Primal Construct: Reshaper ×2 Primal Construct: Prospector ×1", + "Primal Construct: Reshaper ×2", + "Primal Construct: Prospector ×1", + "Listen to Kaveh's thoughts" + ], + "id": 84148 + }, + { + "achievement": "Make Merry", + "description": "Complete \"Shenanigans and Sweet Wine\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "3.8", + "primo": "20", + "id": 84149 + }, + { + "achievement": "Lucky Coin", + "description": "Participate in the wager set up by Kaeya.", + "requirements": "Complete Feathers Adrift in a Spring Breeze.", + "hidden": "Yes", + "version": "3.8", + "primo": "5", + "requirementQuestLink": "/wiki/Feathers_Adrift_in_a_Spring_Breeze", + "steps": [ + "Go to the Liyue Ministry of Civil Affairs", + "Stroll around Liyue Harbor with Kaeya", + "Admire the goods at Mingxing Jewelry", + "Go to The Jade Mystery and have a look", + "Go to Heyu Tea House to listen to the storyteller", + "Chat with everyone", + "Chat with everyone", + "Chat with everyone", + "Keep listening to the storyteller", + "Talk to Kaeya", + "Talk to Captain Wu", + "Wait till 8:00 – 12:00 the next day", + "Go to Yanshang Teahouse", + "Go upstairs to find Kaeya and put your plan into action", + "Have a chat with \"Mr. Bai\"", + "Follow the hostess to the side and explain", + "Talk with Captain Wu", + "Go to the seaside" + ], + "id": 84150 + }, + { + "achievement": "Shh... Listen!", + "description": "Listen to the voice coming from the confinement room.", + "requirements": "Interact with the Voice Behind the Door from the left inner-most door in the Knights of Favonius Headquarters during An Ordinary Day for the Knights of Favonius in An Ordinary Day for the Knights of Favonius.", + "hidden": "Yes", + "version": "3.8", + "primo": "5", + "requirementQuestLink": "/wiki/An_Ordinary_Day_for_the_Knights_of_Favonius", + "steps": [ + "Go to the Knights of Favonius Headquarters", + "Enter the Acting Grand Master's Office", + "Go to the entrance of the Knights of Favonius Headquarters" + ], + "id": 84151 + }, + { + "achievement": "Indicators of Fate", + "description": "Complete \"Checks & Cats\" and unlock all endings.", + "requirements": "", + "hidden": "No", + "version": "4.5", + "primo": "20", + "id": 84152 + }, + { + "achievement": "Speedrun", + "description": "Persuade Lynette to spend a leisurely, peaceful day with you.", + "requirements": "Obtain the \"Standby Mode\" ending in A Decision in Lynette's Hangout Event: Act I - Checks & Cats.", + "hidden": "Yes", + "version": "4.5", + "primo": "5", + "requirementQuestLink": "/wiki/A_Decision_(Hangout_Event)", + "steps": [ + "Go to the area near Hotel Debord", + "Talk to Lynette" + ], + "id": 84153 + }, + { + "achievement": "Decks & Detectives", + "description": "Have a peaceful tea party with Lynette after solving the smuggling case.", + "requirements": "Obtain the \"Adventurers, Investigators, and Cats\" ending in Closure in Lynette's Hangout Event: Act I - Checks & Cats.", + "hidden": "Yes", + "version": "4.5", + "primo": "5", + "requirementQuestLink": "/wiki/Closure", + "steps": [ + "Talk to Elodie", + "(If the player failed to disarm Elodie) Defeat all opponents Assault Specialist Mek - Ousia ×1 Recon Log Mek - Ousia ×2", + "Assault Specialist Mek - Ousia ×1", + "Recon Log Mek - Ousia ×2", + "Talk to Lynette and the others", + "\"Recharge\" with Lynette" + ], + "id": 84154 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MondstadtTheCityOfWindAndSongExtra.json b/data/EN/AchievementCategory/MondstadtTheCityOfWindAndSongExtra.json new file mode 100644 index 00000000000..ee2a2ca86be --- /dev/null +++ b/data/EN/AchievementCategory/MondstadtTheCityOfWindAndSongExtra.json @@ -0,0 +1,93 @@ +[ + { + "achievement": "Continental Explorer: Mondstadt", + "description": "Light up the entire Mondstadt map (excluding the Dragonspine area).", + "requirements": "", + "primo": "5", + "id": 80030 + }, + { + "achievement": "Brush of a Thousand Winds", + "description": "Unlock all Teleport Waypoints in Mondstadt (excludes the Dragonspine area).", + "requirements": "", + "primo": "5", + "id": 80031 + }, + { + "achievement": "Let the Wind Lead", + "description": "Upgrade the Statues of The Seven in Mondstadt to their maximum level.", + "requirements": "", + "primo": "20", + "id": 80032 + }, + { + "achievement": "Sanctuary Pilgrim: Mondstadt", + "description": "Unlock all the Shrines of Depths in Mondstadt.", + "requirements": "", + "primo": "10", + "id": 80033 + }, + { + "achievement": "Guiding Wind", + "description": "Follow 10 Seelie in Mondstadt to their Seelie Courts (excludes the Dragonspine area).", + "requirements": "", + "primo": "5", + "id": 80034 + }, + { + "achievement": "Guiding Wind", + "description": "Follow 20 Seelie in Mondstadt to their Seelie Courts (excludes the Dragonspine area).", + "requirements": "", + "primo": "10", + "id": 80034 + }, + { + "achievement": "Guiding Wind", + "description": "Follow 40 Seelie in Mondstadt to their Seelie Courts (excludes the Dragonspine area).", + "requirements": "", + "primo": "20", + "id": 80034 + }, + { + "achievement": "Wind-Chasing Treasure Hunter", + "description": "Open 100 chests in Mondstadt (excluding the Dragonspine area).", + "requirements": "", + "primo": "5", + "id": 80037 + }, + { + "achievement": "Wind-Chasing Treasure Hunter", + "description": "Open 200 chests in Mondstadt (excluding the Dragonspine area).", + "requirements": "", + "primo": "10", + "id": 80037 + }, + { + "achievement": "Wind-Chasing Treasure Hunter", + "description": "Open 400 chests in Mondstadt (excluding the Dragonspine area).", + "requirements": "", + "primo": "20", + "id": 80037 + }, + { + "achievement": "Wind-Chasing Adventurer", + "description": "Complete 5 Open World mechanism-activated Time Trial Challenges in Mondstadt (excludes the Dragonspine area).", + "requirements": "", + "primo": "5", + "id": 80040 + }, + { + "achievement": "Wind-Chasing Adventurer", + "description": "Complete 10 Open World mechanism-activated Time Trial Challenges in Mondstadt (excludes the Dragonspine area).", + "requirements": "", + "primo": "10", + "id": 80040 + }, + { + "achievement": "Wind-Chasing Adventurer", + "description": "Complete 15 Open World mechanism-activated Time Trial Challenges in Mondstadt (excludes the Dragonspine area).", + "requirements": "", + "primo": "20", + "id": 80040 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MortalTravailsSeries1Extra.json b/data/EN/AchievementCategory/MortalTravailsSeries1Extra.json new file mode 100644 index 00000000000..f574da2a993 --- /dev/null +++ b/data/EN/AchievementCategory/MortalTravailsSeries1Extra.json @@ -0,0 +1,44 @@ +[ + { + "achievement": "The Wind and The Star Traveler", + "description": "Blow seeds off a Dandelion using Anemo.", + "requirements": "", + "primo": "5", + "id": 80001 + }, + { + "achievement": "Of Mountains High", + "description": "Obtain the power of Geo.", + "requirements": "", + "primo": "5", + "id": 80002 + }, + { + "achievement": "The Voice of Flowing Water", + "description": "Collect the entire \"Heart of Clear Springs\" series.", + "requirements": "", + "primo": "5", + "id": 80003 + }, + { + "achievement": "The Divine Halberd Mocks the Heavens", + "description": "Collect the entire \"Legend of the Shattered Halberd\" series.", + "requirements": "", + "primo": "5", + "id": 80004 + }, + { + "achievement": "The Drunkard and the Wolf", + "description": "Collect the entire \"A Drunkard's Tale\" series.", + "requirements": "", + "primo": "5", + "id": 80005 + }, + { + "achievement": "Spring, White Horse and Moonlight", + "description": "Collect the entire \"Moonlit Bamboo Forest\" series.", + "requirements": "", + "primo": "5", + "id": 80006 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MortalTravailsSeries2Extra.json b/data/EN/AchievementCategory/MortalTravailsSeries2Extra.json new file mode 100644 index 00000000000..2c6900d1090 --- /dev/null +++ b/data/EN/AchievementCategory/MortalTravailsSeries2Extra.json @@ -0,0 +1,37 @@ +[ + { + "achievement": "Unlimited Power!", + "description": "Obtain the power of Electro.", + "requirements": "", + "primo": "5", + "id": 80069 + }, + { + "achievement": "Land of Dandelions", + "description": "Collect the entire \"The Fox in the Dandelion Sea\" series.", + "requirements": "", + "primo": "5", + "id": 80070 + }, + { + "achievement": "True Friendship Takes Sacrifice", + "description": "Collect the entire \"The Boar Princess\" series.", + "requirements": "", + "primo": "5", + "id": 80071 + }, + { + "achievement": "Eternal Youth", + "description": "Collect the entire \"Vera's Melancholy\" series.", + "requirements": "", + "primo": "5", + "id": 80072 + }, + { + "achievement": "Hilichurlian Studies Expert", + "description": "Collect the entire \"Hilichurl Cultural Customs\" series.", + "requirements": "", + "primo": "5", + "id": 80073 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MortalTravailsSeries3Extra.json b/data/EN/AchievementCategory/MortalTravailsSeries3Extra.json new file mode 100644 index 00000000000..185c36519e2 --- /dev/null +++ b/data/EN/AchievementCategory/MortalTravailsSeries3Extra.json @@ -0,0 +1,30 @@ +[ + { + "achievement": "The Essence of Flora", + "description": "Obtain the power of Dendro.", + "requirements": "", + "primo": "5", + "id": 80175 + }, + { + "achievement": "Reminiscence of Gurabad", + "description": "Collect the entire \"The Tale of Shiruyeh and Shirin\" series.", + "requirements": "", + "primo": "5", + "id": 80176 + }, + { + "achievement": "Bright as a Flame", + "description": "Collect the entire \"The Folio of Foliage\" series.", + "requirements": "", + "primo": "5", + "id": 80177 + }, + { + "achievement": "Farris' Journey", + "description": "Collect the entire \"Scroll of Streaming Song\" series.", + "requirements": "", + "primo": "5", + "id": 80178 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/MortalTravailsSeries4Extra.json b/data/EN/AchievementCategory/MortalTravailsSeries4Extra.json new file mode 100644 index 00000000000..b2f848add11 --- /dev/null +++ b/data/EN/AchievementCategory/MortalTravailsSeries4Extra.json @@ -0,0 +1,30 @@ +[ + { + "achievement": "Land of Fair Springs", + "description": "Obtain the power of Hydro.", + "requirements": "", + "primo": "5", + "id": 80268 + }, + { + "achievement": "Renart the Deceiver", + "description": "Collect the entire \"Fables de Fontaine\" series.", + "requirements": "", + "primo": "5", + "id": 80269 + }, + { + "achievement": "Robben versus Chesterton", + "description": "Collect the entire \"Robben versus Chesterton: Iridescent Brooch\" series.", + "requirements": "", + "primo": "5", + "id": 80270 + }, + { + "achievement": "Compendium of Misery", + "description": "Collect the entire \"The History of the Decline and Fall of Remuria\" series.", + "requirements": "", + "primo": "5", + "id": 80271 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/NatlanTheLandOfFireAndCompetition1Extra.json b/data/EN/AchievementCategory/NatlanTheLandOfFireAndCompetition1Extra.json new file mode 100644 index 00000000000..9bca68b5f4d --- /dev/null +++ b/data/EN/AchievementCategory/NatlanTheLandOfFireAndCompetition1Extra.json @@ -0,0 +1,142 @@ +[ + { + "achievement": "Continental Explorer: Pyre Plains (I)", + "description": "Light up the maps of the following areas in Natlan: Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "5", + "id": 80328 + }, + { + "achievement": "Scaling the Scorching Sacred Mountain (I)", + "description": "Unlock all Teleport Waypoints in the following areas in Natlan: Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "5", + "id": 80329 + }, + { + "achievement": "Sanctuary Pilgrim: Pyre Plains (I)", + "description": "Unlock all the Shrines of Depths in the following areas in Natlan: Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "10", + "id": 80330 + }, + { + "achievement": "Radiant As Fire", + "description": "Upgrade the Statues of The Seven in Natlan to their maximum level.", + "requirements": "", + "primo": "20", + "id": 80331 + }, + { + "achievement": "Offerings to the Night: Pyre Plains (I)", + "description": "Unlock all the seals on the secret spaces of the tribes in the following areas in Natlan: Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "10", + "id": 80346 + }, + { + "achievement": "The Firey Hue of the Scorching Sun", + "description": "Raise the Tablet of Tona in the Basin of Unnumbered Flames to the maximum level.", + "requirements": "", + "primo": "20", + "id": 80332 + }, + { + "achievement": "Monetoo Will Guide You Home (I)", + "description": "Follow 8 Monetoo and complete the graffiti in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "5", + "id": 80333 + }, + { + "achievement": "Monetoo Will Guide You Home (I)", + "description": "Follow 16 Monetoo and complete the graffiti in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "10", + "id": 80333 + }, + { + "achievement": "Monetoo Will Guide You Home (I)", + "description": "Follow 32 Monetoo and complete the graffiti in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "20", + "id": 80333 + }, + { + "achievement": "Ignited Treasure Hunter (I)", + "description": "Open 80 chests in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "5", + "id": 80336 + }, + { + "achievement": "Ignited Treasure Hunter (I)", + "description": "Open 160 chests in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "10", + "id": 80336 + }, + { + "achievement": "Ignited Treasure Hunter (I)", + "description": "Open 320 chests in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "20", + "id": 80336 + }, + { + "achievement": "Ignited Adventurer (I)", + "description": "Complete 3 Open World Time Trial Challenges in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "5", + "id": 80339 + }, + { + "achievement": "Ignited Adventurer (I)", + "description": "Complete 6 Open World Time Trial Challenges in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "10", + "id": 80339 + }, + { + "achievement": "Ignited Adventurer (I)", + "description": "Complete 12 Open World Time Trial Challenges in the Basin of Unnumbered Flames, Tequemecan Valley, Coatepec Mountain, and Toyac Springs.", + "requirements": "", + "primo": "20", + "id": 80339 + }, + { + "achievement": "Ancestral Reminiscence", + "description": "Helped Titu liberate the souls of the tribe's ancestors.", + "requirements": "Complete Peace to the Slumbering", + "primo": "10", + "requirementQuestLink": "/wiki/Peace_to_the_Slumbering", + "steps": [ + "Check the hole below", + "Touch the inscription", + "Follow the inscription", + "Find the inscription fragment(s)", + "Go to the sealed pillar", + "Unseal the inscription", + "Grant the warriors peace\nmissing enemy information", + "missing enemy information", + "Go to the sealed pillar", + "Listen to the whispers of Night", + "Talk to Titu" + ], + "id": 80342 + }, + { + "achievement": "Not All Treasure Is Silver and Gold", + "description": "Failed to find the \"panacea.\"", + "requirements": "Complete Seeker No Finding", + "primo": "10", + "id": 80343 + }, + { + "achievement": "Gold of the Sun, Together with his Blood", + "description": "Obtain the token needed for the pilgrimage to the volcano in the ruins of the Sage of the Stolen Flame.", + "requirements": "Complete Revelations from the Past", + "primo": "10", + "id": 80345 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/OlahSeries1Extra.json b/data/EN/AchievementCategory/OlahSeries1Extra.json new file mode 100644 index 00000000000..c44891fb5ce --- /dev/null +++ b/data/EN/AchievementCategory/OlahSeries1Extra.json @@ -0,0 +1,16 @@ +[ + { + "achievement": "...Odomu?", + "description": "Successfully conduct cultural exchange with the hilichurls in Language Exchange.", + "requirements": "", + "primo": "5", + "id": 84501 + }, + { + "achievement": "Yo dala?", + "description": "Successfully conduct cultural exchange with the hilichurls in \"Poetry Exchange.\"", + "requirements": "", + "primo": "5", + "id": 84502 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/RhapsodiaInTheAncientSeaExtra.json b/data/EN/AchievementCategory/RhapsodiaInTheAncientSeaExtra.json new file mode 100644 index 00000000000..e9eb2a42609 --- /dev/null +++ b/data/EN/AchievementCategory/RhapsodiaInTheAncientSeaExtra.json @@ -0,0 +1,93 @@ +[ + { + "achievement": "Mare Nostrum", + "description": "Light up the maps of the following areas in Fontaine: Nostoi Region.", + "requirements": "", + "primo": "5", + "id": 80313 + }, + { + "achievement": "Sumphonia Sine Fine", + "description": "Light up the maps of the following areas in Fontaine: Sea of Bygone Eras.", + "requirements": "", + "primo": "5", + "id": 80314 + }, + { + "achievement": "A Mari Usque Ad Mare", + "description": "Unlock all Teleport Waypoints in the Nostoi Region and the Sea of Bygone Eras in Fontaine.", + "requirements": "", + "primo": "5", + "id": 80315 + }, + { + "achievement": "Sanctuary Pilgrim: Rhapsodia in the Ancient Sea", + "description": "Unlock all Shrines of Depths in the Nostoi Region and the Sea of Bygone Eras in Fontaine.", + "requirements": "", + "primo": "10", + "id": 80316 + }, + { + "achievement": "Domus Aurea Guide", + "description": "Follow 6 Seelie in the Nostoi Region and Sea of Bygone Eras to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80317 + }, + { + "achievement": "Ancient Sea Treasure Hunter", + "description": "Open a total of 30 treasure chests in the Nostoi Region and Sea of Bygone Eras.", + "requirements": "", + "primo": "5", + "id": 80320 + }, + { + "achievement": "Ancient Sea Treasure Hunter", + "description": "Open a total of 60 treasure chests in the Nostoi Region and Sea of Bygone Eras.", + "requirements": "", + "primo": "10", + "id": 80320 + }, + { + "achievement": "Ancient Sea Treasure Hunter", + "description": "Open a total of 120 treasure chests in the Nostoi Region and Sea of Bygone Eras.", + "requirements": "", + "primo": "20", + "id": 80320 + }, + { + "achievement": "Ancient Sea Adventurer", + "description": "Complete a total of 6 Open World Time Trial Challenges in the Nostoi Region and Sea of Bygone Eras.", + "requirements": "", + "primo": "5", + "id": 80323 + }, + { + "achievement": "Ancient Sea Adventurer", + "description": "Complete a total of 12 Open World Time Trial Challenges in the Nostoi Region and Sea of Bygone Eras.", + "requirements": "", + "primo": "10", + "id": 80323 + }, + { + "achievement": "Ancient Sea Adventurer", + "description": "Complete a total of 24 Open World Time Trial Challenges in the Nostoi Region and Sea of Bygone Eras.", + "requirements": "", + "primo": "20", + "id": 80323 + }, + { + "achievement": "Echoes of the Grand Symphony", + "description": "Play all the melodies within the Ancient Autoharmonic Music Box.", + "requirements": "", + "primo": "10", + "id": 80326 + }, + { + "achievement": "Canticles of Harmony", + "description": "Complete \"Canticles of Harmony.\"", + "requirements": "Complete Fortune Plango Vulnera", + "primo": "10", + "id": 80327 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/SnezhnayaDoesNotBelieveInTearsSeries1Extra.json b/data/EN/AchievementCategory/SnezhnayaDoesNotBelieveInTearsSeries1Extra.json new file mode 100644 index 00000000000..bdf08e8485c --- /dev/null +++ b/data/EN/AchievementCategory/SnezhnayaDoesNotBelieveInTearsSeries1Extra.json @@ -0,0 +1,22 @@ +[ + { + "achievement": "Perfectionist", + "description": "Complete all of Tsarevich's commissions flawlessly in \"Reliable Helper.\"", + "requirements": "", + "primo": "5", + "id": 84503 + }, + { + "achievement": "Telling It How It Is", + "description": "Gather intelligence concerning Snezhnaya in \"Tales of Winter.\"", + "requirements": "Ask about the Fatui, Delusions, and the Tsaritsa during Tales of Winter.", + "primo": "5", + "requirementQuestLink": "/wiki/Tales_of_Winter", + "steps": [ + "Talk to Viktor", + "Collect Mitachurl Loot / Treasure Hoarder Loot / Ruin Guard Loot", + "Talk to Viktor" + ], + "id": 84504 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/StoneHarborsNostalgiaSeries1Extra.json b/data/EN/AchievementCategory/StoneHarborsNostalgiaSeries1Extra.json new file mode 100644 index 00000000000..1a24f4aa623 --- /dev/null +++ b/data/EN/AchievementCategory/StoneHarborsNostalgiaSeries1Extra.json @@ -0,0 +1,23 @@ +[ + { + "achievement": "Geo Archon Anecdotes", + "description": "Collect all the stories about Rex Lapis in the \"Geo Travel Diary.\"", + "requirements": "Give Musheng all four types of items relating to Liyue in \"Geo Travel Diary.\"", + "primo": "5", + "id": 84505 + }, + { + "achievement": "Friends, Travelers, Lend Me Your Ears...", + "description": "Finish listening to the tale of the Ring of Raining Blades in \"Cliffhanger.\"", + "requirements": "", + "primo": "5", + "id": 84506 + }, + { + "achievement": "Once Upon a Time...", + "description": "Finish listening to the tale of The Wrath of Haishan in \"Cliffhanger.\"", + "requirements": "", + "primo": "5", + "id": 84507 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/SumeruTheGildedDesertSeries1Extra.json b/data/EN/AchievementCategory/SumeruTheGildedDesertSeries1Extra.json new file mode 100644 index 00000000000..3debffb0aff --- /dev/null +++ b/data/EN/AchievementCategory/SumeruTheGildedDesertSeries1Extra.json @@ -0,0 +1,93 @@ +[ + { + "achievement": "Continental Explorer: Dune Dreams (I)", + "description": "Light up the maps of the following areas in Sumeru: Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "5", + "id": 80179 + }, + { + "achievement": "Over Sandstorms and Mirages (I)", + "description": "Unlock all Teleport Waypoints in the following areas in Sumeru: Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "5", + "id": 80180 + }, + { + "achievement": "Sanctuary Pilgrim: Dune Dreams (I)", + "description": "Unlock all the Shrines of Depths in the following areas in Sumeru: Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "10", + "id": 80181 + }, + { + "achievement": "The Desert Will Guide You Home (I)", + "description": "Follow 10 Seelie to their Seelie Courts in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "5", + "id": 80182 + }, + { + "achievement": "The Desert Will Guide You Home (I)", + "description": "Follow 20 Seelie to their Seelie Courts in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "10", + "id": 80182 + }, + { + "achievement": "The Desert Will Guide You Home (I)", + "description": "Follow 40 Seelie to their Seelie Courts in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "20", + "id": 80182 + }, + { + "achievement": "Quicksand Treasure Hunter (I)", + "description": "Open a total of 60 treasure chests in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "5", + "id": 80185 + }, + { + "achievement": "Quicksand Treasure Hunter (I)", + "description": "Open a total of 120 treasure chests in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "10", + "id": 80185 + }, + { + "achievement": "Quicksand Treasure Hunter (I)", + "description": "Open a total of 240 treasure chests in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "20", + "id": 80185 + }, + { + "achievement": "Quicksand Adventurer (I)", + "description": "Complete a total of 10 Open World Time Trial Challenges in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "5", + "id": 80188 + }, + { + "achievement": "Quicksand Adventurer (I)", + "description": "Complete a total of 20 Open World Time Trial Challenges in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "10", + "id": 80188 + }, + { + "achievement": "Quicksand Adventurer (I)", + "description": "Complete a total of 40 Open World Time Trial Challenges in Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh.", + "requirements": "", + "primo": "20", + "id": 80188 + }, + { + "achievement": "Slumber, the Brother Of...", + "description": "Complete \"Golden Slumber.\"", + "requirements": "", + "primo": "10", + "id": 80191 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/SumeruTheGildedDesertSeries2Extra.json b/data/EN/AchievementCategory/SumeruTheGildedDesertSeries2Extra.json new file mode 100644 index 00000000000..5e789d61274 --- /dev/null +++ b/data/EN/AchievementCategory/SumeruTheGildedDesertSeries2Extra.json @@ -0,0 +1,93 @@ +[ + { + "achievement": "Continental Explorer: Dune Dreams (II)", + "description": "Light up the maps of the following area in Sumeru: Desert of Hadramaveth.", + "requirements": "", + "primo": "5", + "id": 80224 + }, + { + "achievement": "Over Sandstorms and Mirages (II)", + "description": "Unlock all Teleport Waypoints in the following area in Sumeru: Desert of Hadramaveth.", + "requirements": "", + "primo": "5", + "id": 80225 + }, + { + "achievement": "Sanctuary Pilgrim: Dune Dreams (II)", + "description": "Unlock all the Shrines of Depths in the following area in Sumeru: Desert of Hadramaveth.", + "requirements": "", + "primo": "10", + "id": 80226 + }, + { + "achievement": "The Desert Will Guide You Home (II)", + "description": "Follow 4 Seelie in the Desert of Hadramaveth to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80228 + }, + { + "achievement": "The Desert Will Guide You Home (II)", + "description": "Follow 8 Seelie in the Desert of Hadramaveth to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80228 + }, + { + "achievement": "The Desert Will Guide You Home (II)", + "description": "Follow 16 Seelie in the Desert of Hadramaveth to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80228 + }, + { + "achievement": "Quicksand Treasure Hunter (II)", + "description": "Open 50 treasure chests in the Desert of Hadramaveth.", + "requirements": "", + "primo": "5", + "id": 80231 + }, + { + "achievement": "Quicksand Treasure Hunter (II)", + "description": "Open 100 treasure chests in the Desert of Hadramaveth.", + "requirements": "", + "primo": "10", + "id": 80231 + }, + { + "achievement": "Quicksand Treasure Hunter (II)", + "description": "Open 200 treasure chests in the Desert of Hadramaveth.", + "requirements": "", + "primo": "20", + "id": 80231 + }, + { + "achievement": "Quicksand Adventurer (II)", + "description": "Complete 7 Open World Time Trial Challenges in the Desert of Hadramaveth.", + "requirements": "", + "primo": "5", + "id": 80234 + }, + { + "achievement": "Quicksand Adventurer (II)", + "description": "Complete 14 Open World Time Trial Challenges in the Desert of Hadramaveth.", + "requirements": "", + "primo": "10", + "id": 80234 + }, + { + "achievement": "Quicksand Adventurer (II)", + "description": "Complete 28 Open World Time Trial Challenges in the Desert of Hadramaveth.", + "requirements": "", + "primo": "20", + "id": 80234 + }, + { + "achievement": "The Dirge of Bilqis", + "description": "Complete \"The Dirge of Bilqis.\"", + "requirements": "", + "primo": "10", + "id": 80227 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/SumeruTheRainforestOfLoreExtra.json b/data/EN/AchievementCategory/SumeruTheRainforestOfLoreExtra.json new file mode 100644 index 00000000000..dfd6bf93e0d --- /dev/null +++ b/data/EN/AchievementCategory/SumeruTheRainforestOfLoreExtra.json @@ -0,0 +1,107 @@ +[ + { + "achievement": "Continental Explorer: Sumeru Boscage", + "description": "Light up the maps of the following areas in Sumeru: Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "5", + "id": 80160 + }, + { + "achievement": "Forest Roamer", + "description": "Unlock all Teleport Waypoints in the following areas in Sumeru: Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "5", + "id": 80161 + }, + { + "achievement": "Sanctuary Pilgrim: Sumeru Boscage", + "description": "Unlock all the Shrines of Depths in the following areas in Sumeru: Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "10", + "id": 80162 + }, + { + "achievement": "Fluorescent Bloom", + "description": "Upgrade the Statues of The Seven in Sumeru to their maximum level.", + "requirements": "", + "primo": "20", + "id": 80163 + }, + { + "achievement": "Culmination of the Great Dream", + "description": "Reach the Max Level of the Tree of Dreams in Vanarana", + "requirements": "", + "primo": "20", + "id": 80164 + }, + { + "achievement": "Woodland Guide", + "description": "Follow a total of 10 Seelie to their Seelie Courts in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "5", + "id": 80165 + }, + { + "achievement": "Woodland Guide", + "description": "Follow a total of 20 Seelie to their Seelie Courts in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "10", + "id": 80165 + }, + { + "achievement": "Woodland Guide", + "description": "Follow a total of 40 Seelie to their Seelie Courts in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "20", + "id": 80165 + }, + { + "achievement": "Treasure Hunter of the Shimmering Woods", + "description": "Open a total of 100 treasure chests in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "5", + "id": 80168 + }, + { + "achievement": "Treasure Hunter of the Shimmering Woods", + "description": "Open a total of 200 treasure chests in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "10", + "id": 80168 + }, + { + "achievement": "Treasure Hunter of the Shimmering Woods", + "description": "Open a total of 400 treasure chests in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "20", + "id": 80168 + }, + { + "achievement": "Adventurer of the Shimmering Woods", + "description": "Complete a total of 10 Open World Time Trial Challenges in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "5", + "id": 80171 + }, + { + "achievement": "Adventurer of the Shimmering Woods", + "description": "Complete a total of 20 Open World Time Trial Challenges in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "10", + "id": 80171 + }, + { + "achievement": "Adventurer of the Shimmering Woods", + "description": "Complete a total of 40 Open World Time Trial Challenges in Avidya Forest, Lokapala Jungle, Ardravi Valley, Ashavan Realm, Vissudha Field, Lost Nursery, and Vanarana (Area).", + "requirements": "", + "primo": "20", + "id": 80171 + }, + { + "achievement": "The Forest Will Remember", + "description": "Complete \"Aranyaka.\"", + "requirements": "Complete \"Hello,\" \"Thank You,\" and the Final \"Goodbye\"", + "primo": "10", + "id": 80174 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/TeyvatFishingGuideSeries1Extra.json b/data/EN/AchievementCategory/TeyvatFishingGuideSeries1Extra.json new file mode 100644 index 00000000000..ce638605a93 --- /dev/null +++ b/data/EN/AchievementCategory/TeyvatFishingGuideSeries1Extra.json @@ -0,0 +1,86 @@ +[ + { + "achievement": "Amateurs Hammer Nails Into Hooks", + "description": "Catch your first fish.", + "requirements": "", + "primo": "5", + "id": 81131 + }, + { + "achievement": "\"Do you need a fishtank to go with that?\"", + "description": "Catch your first Ornamental Fish.", + "requirements": "", + "primo": "10", + "id": 81132 + }, + { + "achievement": "Yon Mirror'd Moon, Broken", + "description": "Catch a fish that only comes out at night for the first time.", + "requirements": "", + "primo": "5", + "id": 81133 + }, + { + "achievement": "Ding Ding Ding!", + "description": "Catch 100 fish successfully.", + "requirements": "", + "primo": "5", + "id": 81134 + }, + { + "achievement": "Ding Ding Ding!", + "description": "Catch 500 fish successfully.", + "requirements": "", + "primo": "10", + "id": 81134 + }, + { + "achievement": "Ding Ding Ding!", + "description": "Catch 2000 fish successfully.", + "requirements": "", + "primo": "20", + "id": 81134 + }, + { + "achievement": "\"Call Me Ishmael.\"", + "description": "Catch one fish in another player's world.", + "requirements": "", + "primo": "5", + "id": 81137 + }, + { + "achievement": "Fishy Motive", + "description": "Buy a fishing rod from the Fishing Association.", + "requirements": "", + "primo": "10", + "id": 81138 + }, + { + "achievement": "Into the Waters", + "description": "Successfully make 20 Bait.", + "requirements": "", + "primo": "5", + "id": 81139 + }, + { + "achievement": "A Right Proper Angler", + "description": "Unlock 20 fish Archive entries.", + "requirements": "", + "primo": "10", + "id": 81140 + }, + { + "achievement": "Intermission", + "description": "Catch a scattered page of a book while fishing in Inazuma.", + "requirements": "Catch Torn Page: Toki Alley Tales (V).", + "primo": "5", + "id": 81144 + }, + { + "achievement": "Stabilizer", + "description": "Catch fish successfully 10 times while always staying inside the Ideal Tension Zone.", + "requirements": "", + "primo": "5", + "id": 81143 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/TheArtOfAdventureExtra.json b/data/EN/AchievementCategory/TheArtOfAdventureExtra.json new file mode 100644 index 00000000000..529ff60d115 --- /dev/null +++ b/data/EN/AchievementCategory/TheArtOfAdventureExtra.json @@ -0,0 +1,51 @@ +[ + { + "achievement": "Taking Shape", + "description": "Forge a 4-star weapon.", + "requirements": "", + "primo": "10", + "id": 80007 + }, + { + "achievement": "Survival Expert", + "description": "Grasp how 10 different dishes are made.", + "requirements": "", + "primo": "5", + "id": 80008 + }, + { + "achievement": "Survival Expert", + "description": "Grasp how 20 different dishes are made.", + "requirements": "", + "primo": "10", + "id": 80008 + }, + { + "achievement": "Survival Expert", + "description": "Grasp how 40 different dishes are made.", + "requirements": "", + "primo": "20", + "id": 80008 + }, + { + "achievement": "Star Chef", + "description": "Master 10 Recipes.", + "requirements": "", + "primo": "5", + "id": 80011 + }, + { + "achievement": "Star Chef", + "description": "Master 20 Recipes.", + "requirements": "", + "primo": "10", + "id": 80011 + }, + { + "achievement": "Star Chef", + "description": "Master 40 Recipes.", + "requirements": "", + "primo": "20", + "id": 80011 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/TheChroniclesOfTheSeaOfFogExtra.json b/data/EN/AchievementCategory/TheChroniclesOfTheSeaOfFogExtra.json new file mode 100644 index 00000000000..aee9d220ec6 --- /dev/null +++ b/data/EN/AchievementCategory/TheChroniclesOfTheSeaOfFogExtra.json @@ -0,0 +1,135 @@ +[ + { + "achievement": "Continental Explorer: Tsurumi Island", + "description": "Light up the Tsurumi Island map.", + "requirements": "", + "primo": "5", + "id": 80113 + }, + { + "achievement": "Fog's Edge", + "description": "Unlock all Teleport Waypoints in Tsurumi Island.", + "requirements": "", + "primo": "5", + "id": 80114 + }, + { + "achievement": "Sanctuary Pilgrim: Tsurumi Island", + "description": "Unlock all Shrines of Depths on Tsurumi Island.", + "requirements": "", + "primo": "10", + "id": 80115 + }, + { + "achievement": "Flashes in the Night", + "description": "Follow 6 Electro Seelie on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80116 + }, + { + "achievement": "Foggy Guidance", + "description": "Follow 6 Seelie on Tsurumi Island to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80119 + }, + { + "achievement": "Lost Treasure Hunter", + "description": "Open 30 chests on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80120 + }, + { + "achievement": "Lost Treasure Hunter", + "description": "Open 60 chests on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80120 + }, + { + "achievement": "Lost Treasure Hunter", + "description": "Open 120 chests on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80120 + }, + { + "achievement": "Lost Adventurer", + "description": "Complete 4 Open World mechanism-activated Time Trial Challenges on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "5", + "id": 80123 + }, + { + "achievement": "Lost Adventurer", + "description": "Complete 8 Open World mechanism-activated Time Trial Challenges on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "10", + "id": 80123 + }, + { + "achievement": "Lost Adventurer", + "description": "Complete 12 Open World mechanism-activated Time Trial Challenges on Tsurumi Island in Inazuma.", + "requirements": "", + "primo": "20", + "id": 80123 + }, + { + "achievement": "Thunder Is Forever", + "description": "Complete a certain author's reference-gathering commission.", + "requirements": "Complete The Sun-Wheel and Mt. Kanna", + "primo": "10", + "requirementQuestLink": "/wiki/The_Sun-Wheel_and_Mt._Kanna", + "steps": [ + "Travel to Tsurumi Island\nApproach the marked location from Tsurumi Island's Statue of The Seven. Fog will prevent players from traveling into the heart of the island.", + "Approach the marked location from Tsurumi Island's Statue of The Seven. Fog will prevent players from traveling into the heart of the island.", + "Talk to Kama", + "Travel to Tsurumi Island\nPass through the large gate. This clears the red fog over Tsurumi Island and allows access to the Teleport Waypoints in the heart of the island.", + "Pass through the large gate. This clears the red fog over Tsurumi Island and allows access to the Teleport Waypoints in the heart of the island.", + "Go to Wakukau Shoal", + "Use the feather", + "Defeat opponents\nWave 1:\n Cryo Hilichurl Shooter ×1\n Electro Hilichurl Shooter ×1\n Wooden Shield Hilichurl Guard ×1\n Hilichurl Fighter ×1\nWave 2:\n Thunderhelm Lawachurl ×1", + "Wave 1:\n Cryo Hilichurl Shooter ×1\n Electro Hilichurl Shooter ×1\n Wooden Shield Hilichurl Guard ×1\n Hilichurl Fighter ×1", + "Cryo Hilichurl Shooter ×1", + "Electro Hilichurl Shooter ×1", + "Wooden Shield Hilichurl Guard ×1", + "Hilichurl Fighter ×1", + "Wave 2:\n Thunderhelm Lawachurl ×1", + "Thunderhelm Lawachurl ×1", + "Touch the feather that suddenly appeared", + "Go to Oina Beach", + "Use the feather", + "Defeat opponents\nWave 1:\n Ruin Cruiser ×1\n Ruin Destroyer ×1\nWave 2:\n Ruin Guard ×1", + "Wave 1:\n Ruin Cruiser ×1\n Ruin Destroyer ×1", + "Ruin Cruiser ×1", + "Ruin Destroyer ×1", + "Wave 2:\n Ruin Guard ×1", + "Ruin Guard ×1", + "Touch the feather", + "Go to the Autake Plains", + "Defeat opponents\nWave 1:\n Thundercraven Rifthound Whelp ×2\nWave 2:\n Thundercraven Rifthound ×1", + "Wave 1:\n Thundercraven Rifthound Whelp ×2", + "Thundercraven Rifthound Whelp ×2", + "Wave 2:\n Thundercraven Rifthound ×1", + "Thundercraven Rifthound ×1", + "Use the feather", + "Touch the feather", + "Go to Mt. Kanna", + "Investigate the altar", + "Defeat the Thunder Manifestation\n Thunder Manifestation — Coagulated Millennial Regret", + "Thunder Manifestation — Coagulated Millennial Regret", + "Use the feather", + "Touch the feather", + "Talk to Ruu", + "Go to Seirai Island", + "Return to Mt. Kanna", + "Investigate the altar", + "Talk to Ruu at the designated location", + "Report back to Sumida", + "Go to Kiminami Restaurant" + ], + "id": 80126 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/TheHerosJourneyExtra.json b/data/EN/AchievementCategory/TheHerosJourneyExtra.json new file mode 100644 index 00000000000..9fea4381903 --- /dev/null +++ b/data/EN/AchievementCategory/TheHerosJourneyExtra.json @@ -0,0 +1,114 @@ +[ + { + "achievement": "Onward and Upward", + "description": "Ascend a character to Phase 2 for the first time.", + "requirements": "", + "primo": "5", + "id": 80014 + }, + { + "achievement": "Onward and Upward", + "description": "Ascend a character to Phase 4 for the first time.", + "requirements": "", + "primo": "10", + "id": 80014 + }, + { + "achievement": "Onward and Upward", + "description": "Ascend a character to Phase 6 for the first time.", + "requirements": "", + "primo": "20", + "id": 80014 + }, + { + "achievement": "Re-Armed, Re-Forged", + "description": "Ascend a weapon to Phase 2.", + "requirements": "", + "primo": "5", + "id": 80017 + }, + { + "achievement": "Re-Armed, Re-Forged", + "description": "Ascend a weapon to Phase 4.", + "requirements": "", + "primo": "10", + "id": 80017 + }, + { + "achievement": "Re-Armed, Re-Forged", + "description": "Ascend a weapon to Phase 6.", + "requirements": "", + "primo": "20", + "id": 80017 + }, + { + "achievement": "Hitherto Unknown", + "description": "Reach Friendship 10 with 4 characters.", + "requirements": "", + "primo": "5", + "id": 80020 + }, + { + "achievement": "Hitherto Unknown", + "description": "Reach Friendship 10 with 8 characters.", + "requirements": "", + "primo": "10", + "id": 80020 + }, + { + "achievement": "Hitherto Unknown", + "description": "Reach Friendship 10 with 16 characters.", + "requirements": "", + "primo": "20", + "id": 80020 + }, + { + "achievement": "Bounty of the Earth", + "description": "Collect 200 rewards from blossoms of wealth or blossoms of revelation.", + "requirements": "Unlike the Battle Pass weekly mission, the rewards must be collected using Resin.", + "primo": "5", + "id": 80023 + }, + { + "achievement": "Bounty of the Earth", + "description": "Collect 400 rewards from blossoms of wealth or blossoms of revelation.", + "requirements": "Unlike the Battle Pass weekly mission, the rewards must be collected using Resin.", + "primo": "10", + "id": 80023 + }, + { + "achievement": "Bounty of the Earth", + "description": "Collect 800 rewards from blossoms of wealth or blossoms of revelation.", + "requirements": "Unlike the Battle Pass weekly mission, the rewards must be collected using Resin.", + "primo": "20", + "id": 80023 + }, + { + "achievement": "Hero's Gift", + "description": "Obtain a 4-star artifact.", + "requirements": "", + "primo": "5", + "id": 80026 + }, + { + "achievement": "Echoing Song", + "description": "Enhance a 4-star artifact to its highest level.", + "requirements": "", + "primo": "10", + "id": 80027 + }, + { + "achievement": "Legendary Treasure", + "description": "Obtain a 5-star artifact.", + "requirements": "", + "primo": "5", + "id": 80028 + }, + { + "achievement": "Sacred Canto", + "description": "Enhance a 5-star artifact to its highest level.", + "requirements": "", + "primo": "10", + "id": 80029 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/TheLightOfDayExtra.json b/data/EN/AchievementCategory/TheLightOfDayExtra.json new file mode 100644 index 00000000000..66a99599e49 --- /dev/null +++ b/data/EN/AchievementCategory/TheLightOfDayExtra.json @@ -0,0 +1,88 @@ +[ + { + "achievement": "\"...You Do Not Know the Night...\"", + "description": "Light up the Enkanomiya map.", + "requirements": "", + "primo": "5", + "id": 80130 + }, + { + "achievement": "The Highest Authority in the Land", + "description": "Unlock all Teleport Waypoints in Enkanomiya.", + "requirements": "", + "primo": "5", + "id": 80131 + }, + { + "achievement": "Phosphoros' Guidance", + "description": "Follow 6 Seelie in Enkanomiya to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80132 + }, + { + "achievement": "Phosphoros' Guidance", + "description": "Follow 15 Seelie in Enkanomiya to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80132 + }, + { + "achievement": "Phosphoros' Guidance", + "description": "Follow 30 Seelie in Enkanomiya to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80132 + }, + { + "achievement": "Hesperus' Boons", + "description": "Open 40 chests in Enkanomiya.", + "requirements": "", + "primo": "5", + "id": 80135 + }, + { + "achievement": "Hesperus' Boons", + "description": "Open 80 chests in Enkanomiya.", + "requirements": "", + "primo": "10", + "id": 80135 + }, + { + "achievement": "Hesperus' Boons", + "description": "Open 160 chests in Enkanomiya.", + "requirements": "", + "primo": "20", + "id": 80135 + }, + { + "achievement": "Kairos' Constancy", + "description": "Complete 3 Open World mechanism-activated Time Trial Challenges in Enkanomiya.", + "requirements": "", + "primo": "5", + "id": 80138 + }, + { + "achievement": "Kairos' Constancy", + "description": "Complete 6 Open World mechanism-activated Time Trial Challenges in Enkanomiya.", + "requirements": "", + "primo": "10", + "id": 80138 + }, + { + "achievement": "Kairos' Constancy", + "description": "Complete 12 Open World mechanism-activated Time Trial Challenges in Enkanomiya.", + "requirements": "", + "primo": "20", + "id": 80138 + }, + { + "achievement": "Fire Rat's Robe, Dragon-Head Pearl, Sacred Offering Bowl, and...", + "description": "Obtain the coral branch that Tsuyuko requested.", + "requirements": "Earned during part 3 of The Subterranean Trials of Drake and Serpent.", + "primo": "10", + "requirementQuestLink": "/wiki/The_Subterranean_Trials_of_Drake_and_Serpent", + "steps": [], + "id": 80141 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/VisitorsOnTheIcyMountainExtra.json b/data/EN/AchievementCategory/VisitorsOnTheIcyMountainExtra.json new file mode 100644 index 00000000000..d7a0b8409fb --- /dev/null +++ b/data/EN/AchievementCategory/VisitorsOnTheIcyMountainExtra.json @@ -0,0 +1,155 @@ +[ + { + "achievement": "Continental Explorer: Dragonspine", + "description": "Light up the Dragonspine map.", + "requirements": "", + "primo": "5", + "id": 80056 + }, + { + "achievement": "Peak Hopper", + "description": "Unlock all Teleport Waypoints in Dragonspine.", + "requirements": "", + "primo": "5", + "id": 80057 + }, + { + "achievement": "Seelie in the Snow", + "description": "Follow 5 Warming Seelie in Dragonspine to their Seelie Courts.", + "requirements": "", + "primo": "5", + "id": 80058 + }, + { + "achievement": "Seelie in the Snow", + "description": "Follow 10 Warming Seelie in Dragonspine to their Seelie Courts.", + "requirements": "", + "primo": "10", + "id": 80058 + }, + { + "achievement": "Seelie in the Snow", + "description": "Follow 20 Warming Seelie in Dragonspine to their Seelie Courts.", + "requirements": "", + "primo": "20", + "id": 80058 + }, + { + "achievement": "Mountain of Treasure", + "description": "Open 40 chests in Dragonspine.", + "requirements": "", + "primo": "5", + "id": 80061 + }, + { + "achievement": "Mountain of Treasure", + "description": "Open 80 chests in Dragonspine.", + "requirements": "", + "primo": "10", + "id": 80061 + }, + { + "achievement": "Mountain of Treasure", + "description": "Open 160 chests in Dragonspine.", + "requirements": "", + "primo": "20", + "id": 80061 + }, + { + "achievement": "Scarlet Sprouts", + "description": "Raise the Frostbearing Tree to Lv. 4.", + "requirements": "", + "primo": "5", + "id": 80064 + }, + { + "achievement": "Scarlet Sprouts", + "description": "Raise the Frostbearing Tree to Lv. 8.", + "requirements": "", + "primo": "10", + "id": 80064 + }, + { + "achievement": "Scarlet Sprouts", + "description": "Raise the Frostbearing Tree to Lv. 12.", + "requirements": "", + "primo": "20", + "id": 80064 + }, + { + "achievement": "Skyfrost Nail", + "description": "Raise the strange column.", + "requirements": "Earned during In the Mountains.", + "primo": "10", + "requirementQuestLink": "/wiki/In_the_Mountains", + "steps": [ + "Investigate the strange ice\nThe strange ice is located next to a Frostarm Lawachurl, near the first waypoint from Dragonspine Adventurer Camp.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb to unlock the Frostbearing Tree.", + "The strange ice is located next to a Frostarm Lawachurl, near the first waypoint from Dragonspine Adventurer Camp.", + "Use the nearby Scarlet Quartz on the ice four times to thaw it.", + "Activate the orb to unlock the Frostbearing Tree.", + "Continue upwards to investigate", + "Thaw all the shards out (1/3)\nEntombed City Outskirts (2nd waypoint south from Dawn Winery's Statue of The Seven)\nActivate the device and watch the Warming Seelie go to the 5 Cryo Totems.\nActivate the 5 totems in the same order using a Cryo character.\nOpen the Precious Chest and defeat the enemies that spawn afterward:\nWave 1: Ruin Guard ×2.\nWave 2: Ruin Grader.\nA snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.\nGlide down into the cavern. Guide the floating Warming Seelie to its garden.\nFree the 2nd Warming Seelie from the ice near the stele with Ancient Carvings.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice. Ruin Grader ×2 will spawn. The entrance near the Seelie will open up, leading to a passage with some Starsilver ores.\nStarglow Cavern (waypoint southwest of Peak of Vindagnyr domain)\nHead east from the waypoint, glide down, and continue east to the cavern with the strange ice.\nComplete the Time Trial Challenge at the bottom of the cavern. This consists of four waves that must be cleared in three minutes:\nWave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1\nWave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1\nWave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2\nWave 4: Cryo Abyss Mage ×3\nDuring this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice.", + "Entombed City Outskirts (2nd waypoint south from Dawn Winery's Statue of The Seven)\nActivate the device and watch the Warming Seelie go to the 5 Cryo Totems.\nActivate the 5 totems in the same order using a Cryo character.\nOpen the Precious Chest and defeat the enemies that spawn afterward:\nWave 1: Ruin Guard ×2.\nWave 2: Ruin Grader.\nA snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.\nGlide down into the cavern. Guide the floating Warming Seelie to its garden.\nFree the 2nd Warming Seelie from the ice near the stele with Ancient Carvings.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice. Ruin Grader ×2 will spawn. The entrance near the Seelie will open up, leading to a passage with some Starsilver ores.", + "Activate the device and watch the Warming Seelie go to the 5 Cryo Totems.", + "Activate the 5 totems in the same order using a Cryo character.", + "Open the Precious Chest and defeat the enemies that spawn afterward:\nWave 1: Ruin Guard ×2.\nWave 2: Ruin Grader.\nA snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.", + "Wave 1: Ruin Guard ×2.", + "Wave 2: Ruin Grader.", + "A snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.", + "Glide down into the cavern. Guide the floating Warming Seelie to its garden.", + "Free the 2nd Warming Seelie from the ice near the stele with Ancient Carvings.", + "Use the nearby Scarlet Quartz on the ice four times to thaw it.", + "Activate the orb after thawing the ice. Ruin Grader ×2 will spawn. The entrance near the Seelie will open up, leading to a passage with some Starsilver ores.", + "Starglow Cavern (waypoint southwest of Peak of Vindagnyr domain)\nHead east from the waypoint, glide down, and continue east to the cavern with the strange ice.\nComplete the Time Trial Challenge at the bottom of the cavern. This consists of four waves that must be cleared in three minutes:\nWave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1\nWave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1\nWave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2\nWave 4: Cryo Abyss Mage ×3\nDuring this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice.", + "Head east from the waypoint, glide down, and continue east to the cavern with the strange ice.", + "Complete the Time Trial Challenge at the bottom of the cavern. This consists of four waves that must be cleared in three minutes:\nWave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1\nWave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1\nWave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2\nWave 4: Cryo Abyss Mage ×3\nDuring this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.", + "Wave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1", + "Cryo Hilichurl Shooter ×2", + "Cryo Hilichurl Grenadier ×1", + "Wave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1", + "Cryo Hilichurl Shooter ×3", + "Cryo Samachurl ×1", + "Wave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2", + "Cryo Hilichurl Shooter ×2", + "Cryo Samachurl ×2", + "Wave 4: Cryo Abyss Mage ×3", + "During this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.", + "Use the nearby Scarlet Quartz on the ice four times to thaw it.", + "Activate the orb after thawing the ice.", + "Head for Dragonspine's summit\nGo to the Statue of The Seven and head south, then west.\nFollow the Warming Seelie at the hilichurl camp to reach the Skyfrost Nail subarea.", + "Go to the Statue of The Seven and head south, then west.", + "Follow the Warming Seelie at the hilichurl camp to reach the Skyfrost Nail subarea.", + "Thaw all the shards out again (3 shards)\nBreak the first shard\nFrom the Skyfrost Nail waypoint, break the Scarlet Quartz near an inactive Ruin Guard.\nGo further up the circular slope and use an archer to shoot the 1st glowing shard floating in the sky.\nBreak the second shard\nHead up the slope to a heat beacon in a field of ice grass.\nGo north and defeat the Frostarm Lawachurl. This Lawachurl will call in Cryo Hilichurl Shooters as reinforcements, all of whom will despawn when the Lawachurl is killed.\nBreak the Scarlet Quartz near the chest.\nGo back to the cliff near the heat beacon and shoot the 2nd shard floating in the sky.\nBreak the third shard\nFollow the Warming Seelie near the Lawachurl's chest up to an Anemo Totem.\nActivate the Anemo Totem, then glide up the wind current and use the wind rings to reach a hilichurl camp.\nBreak the Scarlet Quartz in the hilichurl camp.\nGlide down onto one of the floating platforms and shoot the 3rd shard. The player can also activate the other 2 orbs before shooting the 3rd shard if quick enough. Otherwise, shoot the 3rd shard first, then go back and glide down to activate all the orbs.\nActivate all the Orbs revealed by the broken shards.", + "Break the first shard\nFrom the Skyfrost Nail waypoint, break the Scarlet Quartz near an inactive Ruin Guard.\nGo further up the circular slope and use an archer to shoot the 1st glowing shard floating in the sky.", + "From the Skyfrost Nail waypoint, break the Scarlet Quartz near an inactive Ruin Guard.", + "Go further up the circular slope and use an archer to shoot the 1st glowing shard floating in the sky.", + "Break the second shard\nHead up the slope to a heat beacon in a field of ice grass.\nGo north and defeat the Frostarm Lawachurl. This Lawachurl will call in Cryo Hilichurl Shooters as reinforcements, all of whom will despawn when the Lawachurl is killed.\nBreak the Scarlet Quartz near the chest.\nGo back to the cliff near the heat beacon and shoot the 2nd shard floating in the sky.", + "Head up the slope to a heat beacon in a field of ice grass.", + "Go north and defeat the Frostarm Lawachurl. This Lawachurl will call in Cryo Hilichurl Shooters as reinforcements, all of whom will despawn when the Lawachurl is killed.", + "Break the Scarlet Quartz near the chest.", + "Go back to the cliff near the heat beacon and shoot the 2nd shard floating in the sky.", + "Break the third shard\nFollow the Warming Seelie near the Lawachurl's chest up to an Anemo Totem.\nActivate the Anemo Totem, then glide up the wind current and use the wind rings to reach a hilichurl camp.\nBreak the Scarlet Quartz in the hilichurl camp.\nGlide down onto one of the floating platforms and shoot the 3rd shard. The player can also activate the other 2 orbs before shooting the 3rd shard if quick enough. Otherwise, shoot the 3rd shard first, then go back and glide down to activate all the orbs.", + "Follow the Warming Seelie near the Lawachurl's chest up to an Anemo Totem.", + "Activate the Anemo Totem, then glide up the wind current and use the wind rings to reach a hilichurl camp.", + "Break the Scarlet Quartz in the hilichurl camp.", + "Glide down onto one of the floating platforms and shoot the 3rd shard. The player can also activate the other 2 orbs before shooting the 3rd shard if quick enough. Otherwise, shoot the 3rd shard first, then go back and glide down to activate all the orbs.", + "Activate all the Orbs revealed by the broken shards.", + "Investigate the area below\nOpen the Luxurious Chest with the red aura.\nThis will grant access to the Peak of Vindagnyr domain.\nThere are also 3 Precious Chests and 1 Exquisite Chest near the entrance of the domain.", + "Open the Luxurious Chest with the red aura.", + "This will grant access to the Peak of Vindagnyr domain.", + "There are also 3 Precious Chests and 1 Exquisite Chest near the entrance of the domain.", + "Report back to Iris\nThe Cryo Hypostasis will become available after this step.", + "The Cryo Hypostasis will become available after this step." + ], + "id": 80067 + }, + { + "achievement": "Dragonspear", + "description": "Make a weapon from a dragon's remains.", + "requirements": "Earned during The Festering Fang.", + "primo": "10", + "requirementQuestLink": "/wiki/The_Festering_Fang", + "steps": [], + "id": 80068 + } +] \ No newline at end of file diff --git a/data/EN/AchievementCategory/WondersOfTheWorldExtra.json b/data/EN/AchievementCategory/WondersOfTheWorldExtra.json new file mode 100644 index 00000000000..b759f2e2a88 --- /dev/null +++ b/data/EN/AchievementCategory/WondersOfTheWorldExtra.json @@ -0,0 +1,11093 @@ +[ + { + "achievement": "Tales of Monstrous Madness", + "description": "Collect the entire \"Toki Alley Tales\" series.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 80091 + }, + { + "achievement": "Zoo Tycoon", + "description": "Use the Omni-Ubiquity Net item to capture 1 wild animal.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "2.3", + "primo": "5", + "id": 80127 + }, + { + "achievement": "Zoo Tycoon", + "description": "Use the Omni-Ubiquity Net item to capture 30 wild animals.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "2.3", + "primo": "10", + "id": 80127 + }, + { + "achievement": "Zoo Tycoon", + "description": "Use the Omni-Ubiquity Net item to capture 100 wild animals.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "2.3", + "primo": "20", + "id": 80127 + }, + { + "achievement": "It's Yesterday Once More", + "description": "Activate 10 tunes in the Serenitea Pot using the Euphonium Unbound furnishing series.", + "requirements": "Collect and activate 10 Radiant Spincrystals.", + "hidden": "No", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 80142 + }, + { + "achievement": "It's Yesterday Once More", + "description": "Activate 30 tunes in the Serenitea Pot using the Euphonium Unbound furnishing series.", + "requirements": "Collect and activate 30 Radiant Spincrystals.", + "hidden": "No", + "type": "Exploration", + "version": "2.6", + "primo": "10", + "id": 80142 + }, + { + "achievement": "It's Yesterday Once More", + "description": "Activate 60 tunes in the Serenitea Pot using the Euphonium Unbound furnishing series.", + "requirements": "Collect and activate 60 Radiant Spincrystals.", + "hidden": "No", + "type": "Exploration", + "version": "2.6", + "primo": "20", + "id": 80142 + }, + { + "achievement": "Overlooking View", + "description": "Reach the very top of Qingyun Peak.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81000 + }, + { + "achievement": "The Remains of the Gale", + "description": "Reach the top of the tower in Stormterror's Lair.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81001 + }, + { + "achievement": "\"Seeds of Stories, Brought by the Wind...\"", + "description": "Reach the nameless island northeast of Mondstadt.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81002 + }, + { + "achievement": "Unswerving", + "description": "Open the chest in the middle of the heart-shaped rock formation.", + "requirements": "Requires two players (Co-Op) to stand in the heart for the chest to spawn.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81003 + }, + { + "achievement": "Initiating Warp Drive!", + "description": "Pass through the time tunnel in the skies of Cape Oath.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81004 + }, + { + "achievement": "Beloved of the Anemo Archon", + "description": "Take a seat in the hands of the God Statue in Mondstadt.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81005 + }, + { + "achievement": "The Best Sword in the Cemetery", + "description": "Unlock the Tri-Seal of the Sword Cemetery.", + "requirements": "Complete Break the Sword Cemetery Seal.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Break_the_Sword_Cemetery_Seal", + "steps": [ + "Explore and unlock the tri-seal\nThe village to the south requires you to fight a Wooden Shield Mitachurl. Defeat it to unlock a Precious chest and the Electro monument.\nThe village to the north requires you to fight a few rounds in an arena against slimes, samachurls, and a Wooden Shield Mitachurl. Defeat them to unlock the Cryo monument, 2 Exquisite chests, and 2 Common chests. You must defeat them all within 100 seconds.\nThe village to the east requires you to fight a Wooden Shield Mitachurl, an Anemo Samachurl, and a Cryo Abyss Mage. Defeat them to unlock a Precious chest and the Pyro monument.", + "The village to the south requires you to fight a Wooden Shield Mitachurl. Defeat it to unlock a Precious chest and the Electro monument.", + "The village to the north requires you to fight a few rounds in an arena against slimes, samachurls, and a Wooden Shield Mitachurl. Defeat them to unlock the Cryo monument, 2 Exquisite chests, and 2 Common chests. You must defeat them all within 100 seconds.", + "The village to the east requires you to fight a Wooden Shield Mitachurl, an Anemo Samachurl, and a Cryo Abyss Mage. Defeat them to unlock a Precious chest and the Pyro monument.", + "Obtain the treasure at the center of the Sword Cemetery\nThe Luxurious Chest contains a Northlander Claymore Billet, a 4-star artifact, and Mystic Enhancement Ore.", + "The Luxurious Chest contains a Northlander Claymore Billet, a 4-star artifact, and Mystic Enhancement Ore." + ], + "id": 81010 + }, + { + "achievement": "Hidden Palace of Guizang Formula", + "description": "Follow in the footsteps of immortals, and unlock the Domain's door.", + "requirements": "Unlock Hidden Palace of Guizang Formula.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81014 + }, + { + "achievement": "Cecilia Garden", + "description": "Return the Seelie to their rightful places and unlock the entrance to a Domain in Wolvendom.", + "requirements": "Unlock Cecilia Garden.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81015 + }, + { + "achievement": "Hidden Palace of Zhou Formula", + "description": "Follow the Seelie and light the torches to unlock the entrance to a domain in Wuwang Hill.", + "requirements": "Unlock Hidden Palace of Zhou Formula.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81016 + }, + { + "achievement": "\"If you put your heart into it...\"", + "description": "Cook 1 suspicious-tasting dish.", + "requirements": "Fail the cooking mini-game and produce a Suspicious-quality dish.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81017 + }, + { + "achievement": "\"...Anyone can be a gourmet.\"", + "description": "Cook 10 suspicious-tasting dishes.", + "requirements": "Fail the cooking mini-game and produce a Suspicious-quality dish 10 times.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81018 + }, + { + "achievement": "Boared to Death", + "description": "Be defeated by a wild boar.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 81019 + }, + { + "achievement": "Golden Gliding License", + "description": "Glide a long, long distance in one go.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 81020 + }, + { + "achievement": "It's the Same As Having Wings", + "description": "Glide continuously for over 80s.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 81021 + }, + { + "achievement": "Quick As Lightning", + "description": "Sprint continuously (or use an alternative sprint) for over 15s.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 81022 + }, + { + "achievement": "Friends the World Over", + "description": "Meet all sorts of people during your adventure.", + "requirements": "Achieve a total of 10,000 dialogue option interactions when speaking with NPCs.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.1", + "primo": "10", + "id": 81023 + }, + { + "achievement": "Megastar in Mondstadt", + "description": "Reach Reputation Lv. 8 in Mondstadt.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "20", + "id": 81024 + }, + { + "achievement": "Legend in Liyue", + "description": "Reach Reputation Lv. 8 in Liyue.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "20", + "id": 81025 + }, + { + "achievement": "Illustrious in Inazuma", + "description": "Reach Reputation Lv. 10 in Inazuma.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "20", + "id": 80092 + }, + { + "achievement": "QUEST CLEAR", + "description": "Complete 10 Bounties.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "5", + "id": 81026 + }, + { + "achievement": "QUEST CLEAR", + "description": "Complete 20 Bounties.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "10", + "id": 81026 + }, + { + "achievement": "QUEST CLEAR", + "description": "Complete 30 Bounties.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "20", + "id": 81026 + }, + { + "achievement": "Hero-in-Training", + "description": "Complete 10 Requests.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "5", + "id": 81029 + }, + { + "achievement": "Hero-in-Training", + "description": "Complete 20 Requests.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "10", + "id": 81029 + }, + { + "achievement": "Hero-in-Training", + "description": "Complete 30 Requests.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.1", + "primo": "20", + "id": 81029 + }, + { + "achievement": "QUEST FAILED", + "description": "Lost track of a Bounty target.", + "requirements": "Run out of time during a Bounty.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.1", + "primo": "5", + "id": 81032 + }, + { + "achievement": "The Bleak Midwinter", + "description": "Succumb to Sheer Cold...", + "requirements": "Get any party member knocked out from Sheer Cold.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "id": 81033 + }, + { + "achievement": "Priest, Princess, and Scribe", + "description": "Claim the treasure of the Entombed City.", + "requirements": "Complete Dragonspine's Last Trio.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/Dragonspine%27s_Last_Trio", + "steps": [ + "Find the following three boxes in any order:\nPrincess' Box: found in a Luxurious Chest obtained by clearing a challenge activated by the sword in the ground beneath a tree.\nLocationAdditional Context\nWave 1: Cryo Abyss Mage ×1\nWave 2: Cryo Abyss Mage ×1 Hydro Abyss Mage ×1\nPriest's Box: found in a Luxurious Chest on top of the dilapidated tower.\nLocationAdditional Context\nScribe's Box: found in a Luxurious Chest obtained from offering Cecilia ×3 at the Stone Monument.\nLocationAdditional Context", + "Princess' Box: found in a Luxurious Chest obtained by clearing a challenge activated by the sword in the ground beneath a tree.\nLocationAdditional Context\nWave 1: Cryo Abyss Mage ×1\nWave 2: Cryo Abyss Mage ×1 Hydro Abyss Mage ×1", + "Wave 1: Cryo Abyss Mage ×1", + "Cryo Abyss Mage ×1", + "Wave 2: Cryo Abyss Mage ×1 Hydro Abyss Mage ×1", + "Cryo Abyss Mage ×1", + "Hydro Abyss Mage ×1", + "Priest's Box: found in a Luxurious Chest on top of the dilapidated tower.\nLocationAdditional Context", + "Scribe's Box: found in a Luxurious Chest obtained from offering Cecilia ×3 at the Stone Monument.\nLocationAdditional Context", + "Open the Secret Room and obtain the treasure\nMost easily accessed by heading south from the Statue of The Seven in Dragonspine and gliding along the mountain.\nLocationAdditional Context" + ], + "id": 81034 + }, + { + "achievement": "Prodigal Son's Return", + "description": "Follow the path of one of the members of the long-lost investigation team to where they embarked on their journey home.", + "requirements": "Complete Ragged Records.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/Ragged_Records", + "steps": [], + "id": 81035 + }, + { + "achievement": "Snow-Stored History", + "description": "Discover the fate of a long-lost investigation team that once explored Dragonspine.", + "requirements": "Complete A Land Entombed.", + "hidden": "Yes", + "type": "Quest", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/A_Land_Entombed", + "steps": [], + "id": 81036 + }, + { + "achievement": "Glacial Steel", + "description": "Obtain an ancient weapon made of Starsilver.", + "requirements": "Complete Dragonspine's Glacial Secret.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/Dragonspine%27s_Glacial_Secret", + "steps": [ + "Activate all the following symbols in any order by interacting with their respectively numbered Ancient Carvings\nSymbols 1 to 4Symbols 5 to 8\nFound in the cave to the south and below Dragonspine's Statue of The Seven\nAncient Carvings' LocationAdditional Context\nFound atop Starglow Cavern, near a puzzle with a dormant Ruin Grader\nAncient Carvings' LocationAdditional Context\nFound in the cavern below the Cryo Hypostasis's arena, only accessible through an entrance near the Teleport Waypoint from the west, that is opened while completing In the Mountains\nAncient Carvings' LocationAdditional Context\nFound south of Wyrmrest Valley, next to a delapitated tower and a non-respawning Ruin Grader\nAncient Carvings' LocationAdditional Context\nFound right in front of the Peak of Vindagnyr Domain\nAncient Carvings' LocationAdditional Context\nFound under the Ancient Rime at the southwestern ruins (southwest of the Teleport Waypoint to Starglow Cavern), after removing the sheet of ice covering the area. (See also: A Land Entombed)\nAncient Carvings' LocationAdditional Context\nFound inside the Secret Room\nAncient Carvings' LocationAdditional Context\nFound northeast of the Frostbearing Tree\nAncient Carvings' LocationAdditional Context", + "Found in the cave to the south and below Dragonspine's Statue of The Seven\nAncient Carvings' LocationAdditional Context", + "Found atop Starglow Cavern, near a puzzle with a dormant Ruin Grader\nAncient Carvings' LocationAdditional Context", + "Found in the cavern below the Cryo Hypostasis's arena, only accessible through an entrance near the Teleport Waypoint from the west, that is opened while completing In the Mountains\nAncient Carvings' LocationAdditional Context", + "Found south of Wyrmrest Valley, next to a delapitated tower and a non-respawning Ruin Grader\nAncient Carvings' LocationAdditional Context", + "Found right in front of the Peak of Vindagnyr Domain\nAncient Carvings' LocationAdditional Context", + "Found under the Ancient Rime at the southwestern ruins (southwest of the Teleport Waypoint to Starglow Cavern), after removing the sheet of ice covering the area. (See also: A Land Entombed)\nAncient Carvings' LocationAdditional Context", + "Found inside the Secret Room\nAncient Carvings' LocationAdditional Context", + "Found northeast of the Frostbearing Tree\nAncient Carvings' LocationAdditional Context", + "Activate the contraption near the symbols to open the giant door", + "Light the 4 torches inside the room with Pyro", + "Obtain the Snow-Tombed Starsilver that spawns after the small cutscene\nThe chest behind it contains the weapon's Diagram: Memory of the Entombed City", + "The chest behind it contains the weapon's Diagram: Memory of the Entombed City" + ], + "id": 81037 + }, + { + "achievement": "Futile Endeavor", + "description": "Discover the remains of many ruin machines.", + "requirements": "Complete Cryptic Message in Dragonspine.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/Cryptic_Message_in_Dragonspine", + "steps": [], + "id": 81038 + }, + { + "achievement": "Untellable Tale", + "description": "Make an unexpected friend in an unexpected location.", + "requirements": "Complete The Foxes' Affection.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/The_Foxes%27_Affection", + "steps": [], + "id": 81039 + }, + { + "achievement": "Towering Achievement", + "description": "Reach the summit of Dragonspine.", + "requirements": "Collect the Crimson Agate at the summit of Dragonspine.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "id": 81040 + }, + { + "achievement": "Winter Wonderland", + "description": "Discover a Cryo Crystalfly beneath a snow pile.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "id": 81041 + }, + { + "achievement": "The Hunter Becomes the Hunted", + "description": "Be defeated by The Great Snowboar King.", + "requirements": "Get any party member knocked out by The Great Snowboar King.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "id": 81042 + }, + { + "achievement": "Chill Out!", + "description": "Defeat The Great Snowboar King while the latter is in berserker mode.", + "requirements": "Berserker mode is when his eyes glow red and have eye trails.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "id": 81043 + }, + { + "achievement": "Glutton for Goulash", + "description": "Learn to make Goulash.", + "requirements": "Obtained from Ah, Fresh Meat!.", + "hidden": "Yes", + "type": "Quest", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/Ah,_Fresh_Meat!", + "steps": [], + "id": 81044 + }, + { + "achievement": "Wrath of the Gods", + "description": "Get struck by lightning.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "id": 81045 + }, + { + "achievement": "Sky High", + "description": "Climb the Skyfrost Nail after it has been restored.", + "requirements": "Collect the Crimson Agate at the top of the Skyfrost Nail after completing In the Mountains.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/In_the_Mountains", + "steps": [ + "Investigate the strange ice\nThe strange ice is located next to a Frostarm Lawachurl, near the first waypoint from Dragonspine Adventurer Camp.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb to unlock the Frostbearing Tree.", + "The strange ice is located next to a Frostarm Lawachurl, near the first waypoint from Dragonspine Adventurer Camp.", + "Use the nearby Scarlet Quartz on the ice four times to thaw it.", + "Activate the orb to unlock the Frostbearing Tree.", + "Continue upwards to investigate", + "Thaw all the shards out (1/3)\nEntombed City Outskirts (2nd waypoint south from Dawn Winery's Statue of The Seven)\nActivate the device and watch the Warming Seelie go to the 5 Cryo Totems.\nActivate the 5 totems in the same order using a Cryo character.\nOpen the Precious Chest and defeat the enemies that spawn afterward:\nWave 1: Ruin Guard ×2.\nWave 2: Ruin Grader.\nA snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.\nGlide down into the cavern. Guide the floating Warming Seelie to its garden.\nFree the 2nd Warming Seelie from the ice near the stele with Ancient Carvings.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice. Ruin Grader ×2 will spawn. The entrance near the Seelie will open up, leading to a passage with some Starsilver ores.\nStarglow Cavern (waypoint southwest of Peak of Vindagnyr domain)\nHead east from the waypoint, glide down, and continue east to the cavern with the strange ice.\nComplete the Time Trial Challenge at the bottom of the cavern. This consists of four waves that must be cleared in three minutes:\nWave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1\nWave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1\nWave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2\nWave 4: Cryo Abyss Mage ×3\nDuring this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice.", + "Entombed City Outskirts (2nd waypoint south from Dawn Winery's Statue of The Seven)\nActivate the device and watch the Warming Seelie go to the 5 Cryo Totems.\nActivate the 5 totems in the same order using a Cryo character.\nOpen the Precious Chest and defeat the enemies that spawn afterward:\nWave 1: Ruin Guard ×2.\nWave 2: Ruin Grader.\nA snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.\nGlide down into the cavern. Guide the floating Warming Seelie to its garden.\nFree the 2nd Warming Seelie from the ice near the stele with Ancient Carvings.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice. Ruin Grader ×2 will spawn. The entrance near the Seelie will open up, leading to a passage with some Starsilver ores.", + "Activate the device and watch the Warming Seelie go to the 5 Cryo Totems.", + "Activate the 5 totems in the same order using a Cryo character.", + "Open the Precious Chest and defeat the enemies that spawn afterward:\nWave 1: Ruin Guard ×2.\nWave 2: Ruin Grader.\nA snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.", + "Wave 1: Ruin Guard ×2.", + "Wave 2: Ruin Grader.", + "A snowstorm begins at the start of the fight that accelerates Sheer Cold. During the fight, only 1 of the 4 Ruin Braziers will be active at any one time.", + "Glide down into the cavern. Guide the floating Warming Seelie to its garden.", + "Free the 2nd Warming Seelie from the ice near the stele with Ancient Carvings.", + "Use the nearby Scarlet Quartz on the ice four times to thaw it.", + "Activate the orb after thawing the ice. Ruin Grader ×2 will spawn. The entrance near the Seelie will open up, leading to a passage with some Starsilver ores.", + "Starglow Cavern (waypoint southwest of Peak of Vindagnyr domain)\nHead east from the waypoint, glide down, and continue east to the cavern with the strange ice.\nComplete the Time Trial Challenge at the bottom of the cavern. This consists of four waves that must be cleared in three minutes:\nWave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1\nWave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1\nWave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2\nWave 4: Cryo Abyss Mage ×3\nDuring this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.\nUse the nearby Scarlet Quartz on the ice four times to thaw it.\nActivate the orb after thawing the ice.", + "Head east from the waypoint, glide down, and continue east to the cavern with the strange ice.", + "Complete the Time Trial Challenge at the bottom of the cavern. This consists of four waves that must be cleared in three minutes:\nWave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1\nWave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1\nWave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2\nWave 4: Cryo Abyss Mage ×3\nDuring this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.", + "Wave 1: Cryo Hilichurl Shooter ×2 Cryo Hilichurl Grenadier ×1", + "Cryo Hilichurl Shooter ×2", + "Cryo Hilichurl Grenadier ×1", + "Wave 2: Cryo Hilichurl Shooter ×3 Cryo Samachurl ×1", + "Cryo Hilichurl Shooter ×3", + "Cryo Samachurl ×1", + "Wave 3: Cryo Hilichurl Shooter ×2 Cryo Samachurl ×2", + "Cryo Hilichurl Shooter ×2", + "Cryo Samachurl ×2", + "Wave 4: Cryo Abyss Mage ×3", + "During this challenge, icicles will continually fall from above. It is recommended to find the three Warming Seelies and guide them to the courts before attempting the challenge.", + "Use the nearby Scarlet Quartz on the ice four times to thaw it.", + "Activate the orb after thawing the ice.", + "Head for Dragonspine's summit\nGo to the Statue of The Seven and head south, then west.\nFollow the Warming Seelie at the hilichurl camp to reach the Skyfrost Nail subarea.", + "Go to the Statue of The Seven and head south, then west.", + "Follow the Warming Seelie at the hilichurl camp to reach the Skyfrost Nail subarea.", + "Thaw all the shards out again (3 shards)\nBreak the first shard\nFrom the Skyfrost Nail waypoint, break the Scarlet Quartz near an inactive Ruin Guard.\nGo further up the circular slope and use an archer to shoot the 1st glowing shard floating in the sky.\nBreak the second shard\nHead up the slope to a heat beacon in a field of ice grass.\nGo north and defeat the Frostarm Lawachurl. This Lawachurl will call in Cryo Hilichurl Shooters as reinforcements, all of whom will despawn when the Lawachurl is killed.\nBreak the Scarlet Quartz near the chest.\nGo back to the cliff near the heat beacon and shoot the 2nd shard floating in the sky.\nBreak the third shard\nFollow the Warming Seelie near the Lawachurl's chest up to an Anemo Totem.\nActivate the Anemo Totem, then glide up the wind current and use the wind rings to reach a hilichurl camp.\nBreak the Scarlet Quartz in the hilichurl camp.\nGlide down onto one of the floating platforms and shoot the 3rd shard. The player can also activate the other 2 orbs before shooting the 3rd shard if quick enough. Otherwise, shoot the 3rd shard first, then go back and glide down to activate all the orbs.\nActivate all the Orbs revealed by the broken shards.", + "Break the first shard\nFrom the Skyfrost Nail waypoint, break the Scarlet Quartz near an inactive Ruin Guard.\nGo further up the circular slope and use an archer to shoot the 1st glowing shard floating in the sky.", + "From the Skyfrost Nail waypoint, break the Scarlet Quartz near an inactive Ruin Guard.", + "Go further up the circular slope and use an archer to shoot the 1st glowing shard floating in the sky.", + "Break the second shard\nHead up the slope to a heat beacon in a field of ice grass.\nGo north and defeat the Frostarm Lawachurl. This Lawachurl will call in Cryo Hilichurl Shooters as reinforcements, all of whom will despawn when the Lawachurl is killed.\nBreak the Scarlet Quartz near the chest.\nGo back to the cliff near the heat beacon and shoot the 2nd shard floating in the sky.", + "Head up the slope to a heat beacon in a field of ice grass.", + "Go north and defeat the Frostarm Lawachurl. This Lawachurl will call in Cryo Hilichurl Shooters as reinforcements, all of whom will despawn when the Lawachurl is killed.", + "Break the Scarlet Quartz near the chest.", + "Go back to the cliff near the heat beacon and shoot the 2nd shard floating in the sky.", + "Break the third shard\nFollow the Warming Seelie near the Lawachurl's chest up to an Anemo Totem.\nActivate the Anemo Totem, then glide up the wind current and use the wind rings to reach a hilichurl camp.\nBreak the Scarlet Quartz in the hilichurl camp.\nGlide down onto one of the floating platforms and shoot the 3rd shard. The player can also activate the other 2 orbs before shooting the 3rd shard if quick enough. Otherwise, shoot the 3rd shard first, then go back and glide down to activate all the orbs.", + "Follow the Warming Seelie near the Lawachurl's chest up to an Anemo Totem.", + "Activate the Anemo Totem, then glide up the wind current and use the wind rings to reach a hilichurl camp.", + "Break the Scarlet Quartz in the hilichurl camp.", + "Glide down onto one of the floating platforms and shoot the 3rd shard. The player can also activate the other 2 orbs before shooting the 3rd shard if quick enough. Otherwise, shoot the 3rd shard first, then go back and glide down to activate all the orbs.", + "Activate all the Orbs revealed by the broken shards.", + "Investigate the area below\nOpen the Luxurious Chest with the red aura.\nThis will grant access to the Peak of Vindagnyr domain.\nThere are also 3 Precious Chests and 1 Exquisite Chest near the entrance of the domain.", + "Open the Luxurious Chest with the red aura.", + "This will grant access to the Peak of Vindagnyr domain.", + "There are also 3 Precious Chests and 1 Exquisite Chest near the entrance of the domain.", + "Report back to Iris\nThe Cryo Hypostasis will become available after this step.", + "The Cryo Hypostasis will become available after this step." + ], + "id": 81046 + }, + { + "achievement": "Transmutation Nuclide", + "description": "Use the Parametric Transformer to complete one material transmutation.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "1.3", + "primo": "5", + "id": 81047 + }, + { + "achievement": "...You could hear Paimon all along, couldn't you?", + "description": "Even Paimon gets tired sometimes.", + "requirements": "Adjust the dialogue volume in the audio settings until Paimon repeats herself four times.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.4", + "primo": "5", + "id": 81048 + }, + { + "achievement": "Yo-Ho-Ho, and a Bottle of Dandelion Wine", + "description": "Climb aboard your Waverider.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.6", + "primo": "5", + "id": 81074 + }, + { + "achievement": "Mighty and Illuminated Wave Rider", + "description": "Continuously sail your Waverider for a certain period of time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.6", + "primo": "5", + "id": 81075 + }, + { + "achievement": "Nice Boat!", + "description": "Switch Waveriders with another player.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.6", + "primo": "5", + "id": 81076 + }, + { + "achievement": "...And Her Name Is the Mary Celeste", + "description": "Suffer the destruction of your Waverider...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.6", + "primo": "5", + "id": 81077 + }, + { + "achievement": "Déjà Vu!", + "description": "Continuously sail your Waverider at high speeds for a certain period of time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.6", + "primo": "5", + "id": 81078 + }, + { + "achievement": "Yamada Go's Wooden Mallet", + "description": "See through the illusions of the Tanuki several times.", + "requirements": "Find 15 disguised Bake-Danukis.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81096 + }, + { + "achievement": "\"Kujirai Art, Temari Jutsu\"", + "description": "Play a game of Temari with Kujirai.", + "requirements": "After completing Temaria Game, unlock Temari in Co-op Mode by successfully completing three of Kid Kujirai's Temari challenges in one of his locations.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Temaria_Game", + "steps": [ + "Talk to Kid Kujirai", + "Find the Temari", + "Talk to Kid Kujirai" + ], + "id": 81097 + }, + { + "achievement": "Temari for Life", + "description": "Have another player join a game of Temari that you are hosting.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81098 + }, + { + "achievement": "Paimon's Lucky Day!", + "description": "Draw a \"Great Fortune\" fortune slip at the Grand Narukami Shrine.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81099 + }, + { + "achievement": "Just My Luck...", + "description": "Draw a \"Great Misfortune\" fortune slip at the Grand Narukami Shrine.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81100 + }, + { + "achievement": "Underground... Overrated?", + "description": "Sometimes, the real treasure is the things you learn along the way.", + "requirements": "Earned during The Farmer's Treasure.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Farmer%27s_Treasure", + "steps": [], + "id": 81104 + }, + { + "achievement": "SHUUMATSU GAIDEN", + "description": "Get caught up in the fight between the Shuumatsuban and the Fatui...", + "requirements": "Complete Gendou Ringo's Strange Fortune Slips.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Gendou_Ringo%27s_Strange_Fortune_Slips", + "steps": [], + "id": 81105 + }, + { + "achievement": "Iwakura Out", + "description": "Witness the end of the Iwakura Clan.", + "requirements": "Complete Iwakura Art's Downfall.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Iwakura_Art%27s_Downfall", + "steps": [ + "Defeat the following Iwakura Art's Disciples and Acting Instructors (in any order):\nDisciple Katayama Tatsumi: Iwakura Art Shoden in Serpent's Head, Yashiori Island\nLocationAdditional context\nDisciple Shimada Shichirouji: Iwakura Art Shoden in Fort Mumei, Yashiori Island\nLocationAdditional context\nDisciple Okazaki Kunihiko: Iwakura Art Shoden in Byakko Plain, Narukami Island\nLocationAdditional context\nActing Instructor Mifune Satoshi: Iwakura Art Okuden in Araumi, Narukami Island\nLocationAdditional context\nActing Instructor Tanba Tetsuo: Iwakura Art Okuden in Tatarasuna, Kannazuka\nLocationAdditional context", + "Disciple Katayama Tatsumi: Iwakura Art Shoden in Serpent's Head, Yashiori Island\nLocationAdditional context", + "Disciple Shimada Shichirouji: Iwakura Art Shoden in Fort Mumei, Yashiori Island\nLocationAdditional context", + "Disciple Okazaki Kunihiko: Iwakura Art Shoden in Byakko Plain, Narukami Island\nLocationAdditional context", + "Acting Instructor Mifune Satoshi: Iwakura Art Okuden in Araumi, Narukami Island\nLocationAdditional context", + "Acting Instructor Tanba Tetsuo: Iwakura Art Okuden in Tatarasuna, Kannazuka\nLocationAdditional context", + "Talk to Iwakura Mitsunari in Kujou Encampment, Kannazuka, and defeat him in combat.\nLocationAdditional context", + "Defeat Expelled Violet Oni: Yanagiha Arashi and Expelled Crimson Oni: Okazaki Toraemon in Byakko Plain, Narukami Island. They will appear only after Iwakura Mitsunari is killed.\nLocationAdditional context", + "(Optional) Plant the swords of the defeated Expelled Onis on the Blade Mound to get a Luxurious Chest and mark the end of the Iwakura Clan.", + "(Optional) Retrieve Hakuen Michimitsu Amenoma in The Serpent's Bowels, Enkanomiya and plant it on the Blade Mound." + ], + "id": 81106 + }, + { + "achievement": "Who Let the Dogs Out", + "description": "Set Toratarou free.", + "requirements": "Toratarou can be found caged in the southeast corner of Jinren Island, and freed with a Metal Key.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81108 + }, + { + "achievement": "You Can't Help Your Feelings", + "description": "Help Hiromi resolve his angst.", + "requirements": "Complete Hiromi's Watch.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Hiromi%27s_Watch", + "steps": [ + "Go to the north of Narukami Island to find traces of Shun", + "Go to Jueyun Karst to search for Sun Yu and Little Que'er", + "Go to Mt. Hulao to search for traces of \"Big Sis\"", + "Talk to \"Big Sis\"", + "Rescue Yan'er", + "Go back and find Hiromi" + ], + "id": 81109 + }, + { + "achievement": "They Shall Not Grow Old", + "description": "Pay your respects to the deceased.", + "requirements": "Complete Pay Your Respects.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Pay_Your_Respects", + "steps": [], + "id": 81111 + }, + { + "achievement": "Oh, the Humanity!", + "description": "Witness the fate of the Samurai.", + "requirements": "Complete the second part of Fate of a Fighter.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Fate_of_a_Fighter", + "steps": [], + "id": 81112 + }, + { + "achievement": "A Hollow Soul", + "description": "Find Washizu's lost possessions.", + "requirements": "Complete Sinister Instruction.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Sinister_Instruction", + "steps": [ + "Defeat the maddened samurai\nWashizu will drop the Incomplete Notes and Tattered Paper quest items", + "Washizu will drop the Incomplete Notes and Tattered Paper quest items", + "Find Washizu's lost possessions in Higi Village\nThe chest containing his possessions is buried between two unlit torches, in the backyard formed by the cliff and the two houses northwest of Higi Village's central tree.\nThe Incomplete Register can also be found in the same backyard opposite his possessions, on the wooden \"porch\" sticking into the backyard from the nearest house.", + "The chest containing his possessions is buried between two unlit torches, in the backyard formed by the cliff and the two houses northwest of Higi Village's central tree.", + "The Incomplete Register can also be found in the same backyard opposite his possessions, on the wooden \"porch\" sticking into the backyard from the nearest house." + ], + "id": 81113 + }, + { + "achievement": "Rise and Shrine", + "description": "Find all the shrines on Yashiori Island.", + "requirements": "Complete Shrines of Yashiori Island.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Shrines_of_Yashiori_Island", + "steps": [], + "id": 81114 + }, + { + "achievement": "...And I Would Walk 3,000 More", + "description": "Find Chouji on Tatarasuna and Narukami Island.", + "requirements": "Complete Chouji's Travels.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Chouji%27s_Travels", + "steps": [ + "Talk to Chouji in Jakotsu Mine, Yashiori Island\nIn the abandoned village in Jakostu Mine.\nChouji's first locationAdditional Context", + "Give Crystal Marrow ×12", + "Talk to Chouji in Tatarasuna, Kannazuka\nMidway between the Statue of The Seven and the eastern Teleport Waypoint, next to an Exquisite Chest.\nChouji's second locationAdditional Context", + "Talk to Chouji in Inazuma City, Narukami Island, next to a Precious Chest\nAt the big red shrine in Inazuma City.\nChouji's third locationAdditional Context" + ], + "id": 81115 + }, + { + "achievement": "A Doctor's Odyssey", + "description": "Find out what happened to Yasumoto.", + "requirements": "Complete Yasumoto's Last Notes.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Yasumoto%27s_Last_Notes", + "steps": [ + "Put Naku Weed ×12 in the basket in front of Yasumoto's house once a day for 3 days\nAn Exquisite Chest will appear the following day the first 2 times this is done\nBasket's LocationAdditional Context", + "An Exquisite Chest will appear the following day the first 2 times this is done", + "On the fourth day no chest will appear, and the following notes need to be collected:\nPharmacist's Notebook (I): On top of some crates in the small campsite, to the north-west of the Fort Fujitou waypoint.\nLocationAdditional context\nPharmacist's Notebook (II): On top of a rock, just before the shrine.\nLocationAdditional context\nPharmacist's Notebook (III): Directly east of Yasumoto's house and south-east of the Fort Fujitou waypoint.\nLocationAdditional context", + "Pharmacist's Notebook (I): On top of some crates in the small campsite, to the north-west of the Fort Fujitou waypoint.\nLocationAdditional context", + "Pharmacist's Notebook (II): On top of a rock, just before the shrine.\nLocationAdditional context", + "Pharmacist's Notebook (III): Directly east of Yasumoto's house and south-east of the Fort Fujitou waypoint.\nLocationAdditional context", + "(Optional) Go to the following location to obtain Yasumoto's treasure\nA Luxurious Chest will appear near the southernmost Teleport Waypoint on Yashiori Island, next to a bamboo basket with Naku Weed.\nMap locationAdditional context", + "A Luxurious Chest will appear near the southernmost Teleport Waypoint on Yashiori Island, next to a bamboo basket with Naku Weed." + ], + "id": 81116 + }, + { + "achievement": "Knock Knock", + "description": "Disable the containment dome surrounding the Mikage Furnace.", + "requirements": "Earned during Tatara Tales (Quest).", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Tatara_Tales_(Quest)", + "steps": [], + "id": 81117 + }, + { + "achievement": "Kannazuka Battle Plan", + "description": "Defeat the revived Electro Hypostasis.", + "requirements": "Earned during Sakura Arborism.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Sakura_Arborism", + "steps": [], + "id": 81118 + }, + { + "achievement": "Why We Fight", + "description": "Help Masanori return to his senses.", + "requirements": "Complete Dreams of Sword Art.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Dreams_of_Sword_Art", + "steps": [], + "id": 81119 + }, + { + "achievement": "Oowazamono", + "description": "Defeat Masanori with ease.", + "requirements": "Defeat Masanori within 30 seconds.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81120 + }, + { + "achievement": "Second Blooming", + "description": "Obtain Hanayama Kaoru's gift.", + "requirements": "Complete Hanayama Kaoru's Flowery Plan.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Hanayama_Kaoru%27s_Flowery_Plan", + "steps": [], + "id": 81121 + }, + { + "achievement": "Thank You, Come Again", + "description": "Obtain the grand prize from Takashi's chests.", + "requirements": "Obtain the Hamayumi diagram from Takashi's chests.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81122 + }, + { + "achievement": "Shocking... Positively Shocking", + "description": "Get struck down by Balethunder...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81123 + }, + { + "achievement": "Jackpot", + "description": "Use the Kamuijima Cannon to reveal a treasure trove.", + "requirements": "Fire the southern-most cannon in the Kannazuka region towards the Shakkei Pavilion domain, with an elevation of 2 notches.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81124 + }, + { + "achievement": "Blade of Tatara", + "description": "Obtain the diagram of a certain weapon from the past.", + "requirements": "Obtain the Katsuragikiri Nagamasa diagram from The Arsenal.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 81125 + }, + { + "achievement": "Rest in Peace", + "description": "End the wrath of 10 deceased samurai.", + "requirements": "Complete Put Them To Rest.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Put_Them_To_Rest", + "steps": [], + "id": 81130 + }, + { + "achievement": "\"That's What They Call a Getaway!\"", + "description": "Allow a struggling fish to get off the hook.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81141 + }, + { + "achievement": "\"Oh, so That's How You Fish...\"", + "description": "Scare the fish away when casting your rod.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81142 + }, + { + "achievement": "As You Wish", + "description": "Have your fortune told 5 times by Granny Komaki while obtaining an ideal result.", + "requirements": "Complete Komaki's Spiritherb Fortune.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Komaki%27s_Spiritherb_Fortune", + "steps": [], + "id": 81150 + }, + { + "achievement": "A Mermaid's Tale", + "description": "Help Kumi with her problem.", + "requirements": "Complete Solitary Sea-Beast.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Solitary_Sea-Beast", + "steps": [ + "Talk to Kumi", + "Give Kumi three Sakura Blooms", + "Head to the Hilichurl camp in the west", + "Rescue Anisa\nWave 1: Electro Samachurl ×1 Rock Shield Hilichurl Guard ×2 Electro Hilichurl Grenadier ×1\nWave 2: Blazing Axe Mitachurl ×1 Hilichurl Grenadier ×2", + "Wave 1: Electro Samachurl ×1 Rock Shield Hilichurl Guard ×2 Electro Hilichurl Grenadier ×1", + "Electro Samachurl ×1", + "Rock Shield Hilichurl Guard ×2", + "Electro Hilichurl Grenadier ×1", + "Wave 2: Blazing Axe Mitachurl ×1 Hilichurl Grenadier ×2", + "Blazing Axe Mitachurl ×1", + "Hilichurl Grenadier ×2", + "Talk to Anisa", + "Solve the puzzle of the Watatsumi statue\nActivate the one Hydro and two Electro Monuments nearby.\nComplete the Light-Up Tile Puzzle by lighting up all the tiles without walking over it twice or going off the tiles.\nThe Mysterious Pillar can be activated before starting the puzzle or in the midst of the puzzle.\nCompleting the puzzle gives an Exquisite Chest.", + "Activate the one Hydro and two Electro Monuments nearby.", + "Complete the Light-Up Tile Puzzle by lighting up all the tiles without walking over it twice or going off the tiles.", + "The Mysterious Pillar can be activated before starting the puzzle or in the midst of the puzzle.", + "Completing the puzzle gives an Exquisite Chest.", + "Talk to Anisa", + "Talk to Kumi" + ], + "id": 81151 + }, + { + "achievement": "A Distant Sea Shepherd's Treasure", + "description": "Gain the most valued treasure of a great pirate from the ramblings of drunkards.", + "requirements": "Complete Rinzou's Treasure.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Rinzou%27s_Treasure", + "steps": [ + "Read the Treasure Hoarder's Notes", + "(Optional) Find all 8 Treasure Marks", + "Defeat the Treasure Hoarders and obtain Rinzou's Letter", + "Go back to the Treasure Hoarder's Notes and obtain Rinzou's Signet" + ], + "id": 81152 + }, + { + "achievement": "Long John Silver", + "description": "Find all of Rinzou's buried treasure.", + "requirements": "Check all marked spots during Rinzou's Treasure.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Rinzou%27s_Treasure", + "steps": [ + "Read the Treasure Hoarder's Notes", + "(Optional) Find all 8 Treasure Marks", + "Defeat the Treasure Hoarders and obtain Rinzou's Letter", + "Go back to the Treasure Hoarder's Notes and obtain Rinzou's Signet" + ], + "id": 81153 + }, + { + "achievement": "Today, This Seal — Tomorrow, Watatsumi Island!", + "description": "Break the seal over the Electro Archon's shrine.", + "requirements": "Activate the four Electro Elemental Monuments around the rundown shrine on the eastmost islet of Watatsumi Island, in the order shown when interacting with the nearby Mysterious Pillar.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81154 + }, + { + "achievement": "Palace in a Pool", + "description": "Unlock \"Palace in a Pool\"", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81155 + }, + { + "achievement": "The Stranding of the Beagle", + "description": "Explore Watatsumi Island, following in the footsteps of an unknown researcher.", + "requirements": "Earned during Researcher's Notes.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Researcher%27s_Notes", + "steps": [], + "id": 81156 + }, + { + "achievement": "\"I am a cat named Neko.\"", + "description": "Meet Neko, the \"Provisional Head Priestess of the Asase Shrine.\"", + "requirements": "Earned during Seirai Stormchasers: Part I.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Seirai_Stormchasers:_Part_I", + "steps": [], + "id": 81157 + }, + { + "achievement": "Cat in the Clouds", + "description": "Witness a \"good thing\" come lately together with Neko, the \"Provisional Head Priestess of the Asase Shrine.\"", + "requirements": "Complete Neko Is a Cat: A \"Good Turn\" Comes Late.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Neko_Is_a_Cat:_A_%22Good_Turn%22_Comes_Late", + "steps": [ + "Start the quest by talking to Neko", + "Talk to Ooshima Junpei" + ], + "id": 81158 + }, + { + "achievement": "A Cat's Gift", + "description": "Feed the kittens on Seirai Island and gain their affection.", + "requirements": "Complete The Cat's Affection.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Cat%27s_Affection", + "steps": [], + "id": 81159 + }, + { + "achievement": "It Has to Be Treasure", + "description": "\"I already told you, it's just a picture!\"", + "requirements": "Complete Relics of Seirai.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Relics_of_Seirai", + "steps": [ + "Rescue the person surrounded by monsters Hilichurl ×3", + "Hilichurl ×3", + "Talk to Fujiwara Toshiko", + "Activate the mechanism\nPull the lever next to Fujiwara to start.", + "Pull the lever next to Fujiwara to start.", + "Check and activate the mechanism\nStep on the 3 panels in the order indicated by Fujiwara Toshiko's Treasure Map. You can read the map again in Quest Item tab of your inventory. Take note of the 3 symbols in Inazuma Language.\nFacing the lever, step on the 3 panels from left to right.", + "Step on the 3 panels in the order indicated by Fujiwara Toshiko's Treasure Map. You can read the map again in Quest Item tab of your inventory. Take note of the 3 symbols in Inazuma Language.", + "Facing the lever, step on the 3 panels from left to right.", + "Enter the basement", + "Activate the mechanism\nPull the lever next to Fujiwara to start.\nFacing the chest, start from the bottom-right panel.\nWalk over all the panels to the top-right panel.\nWalk over all the panels to the top-left panel.\nWalk over all the panels to the bottom-left panel.\nWalk over 2 panels to the right.\nWalk over 1 panel to the top.\nWalk over 1 panel to the left.", + "Pull the lever next to Fujiwara to start.", + "Facing the chest, start from the bottom-right panel.", + "Walk over all the panels to the top-right panel.", + "Walk over all the panels to the top-left panel.", + "Walk over all the panels to the bottom-left panel.", + "Walk over 2 panels to the right.", + "Walk over 1 panel to the top.", + "Walk over 1 panel to the left.", + "Activate the mechanism again\nPull the lever next to Fujiwara to start.\nFacing the chest, start from the bottom-left panel.\nWalk over all the panels to the top-left panel.\nWalk over 2 panels to the right.\nWalk over 1 panel to the bottom.\nWalk over 1 panel to the left.\nWalk over 1 panel to the bottom.\nWalk over all the panels to the bottom-right panel.\nWalk over all the panels to the top-right panel.", + "Pull the lever next to Fujiwara to start.", + "Facing the chest, start from the bottom-left panel.", + "Walk over all the panels to the top-left panel.", + "Walk over 2 panels to the right.", + "Walk over 1 panel to the bottom.", + "Walk over 1 panel to the left.", + "Walk over 1 panel to the bottom.", + "Walk over all the panels to the bottom-right panel.", + "Walk over all the panels to the top-right panel.", + "Wait for Fujiwara Toshiko to open the chest", + "Talk to Fujiwara Toshiko", + "Catch up with Fujiwara Toshiko", + "Follow Fujiwara Toshiko to the camp", + "Defeat the ambushing Treasure Hoarders Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Gravedigger ×1", + "Treasure Hoarders: Electro Potioneer ×1", + "Treasure Hoarders: Pyro Potioneer ×1", + "Treasure Hoarders: Handyman ×1", + "Treasure Hoarders: Gravedigger ×1", + "Follow Fujiwara Toshiko to the camp", + "Defeat the Masterless Samurai Nobushi: Hitsukeban ×1 Nobushi: Kikouban ×1 Kairagi: Fiery Might ×1", + "Nobushi: Hitsukeban ×1", + "Nobushi: Kikouban ×1", + "Kairagi: Fiery Might ×1", + "Follow Fujiwara Toshiko to the camp", + "Defeat the ambushing Fatui Fatui Pyroslinger Bracer ×1 Fatui Anemoboxer Vanguard ×1 Fatui Cryogunner Legionnaire ×1", + "Fatui Pyroslinger Bracer ×1", + "Fatui Anemoboxer Vanguard ×1", + "Fatui Cryogunner Legionnaire ×1", + "Follow Fujiwara Toshiko to the camp", + "Talk to Fujiwara Toshiko" + ], + "id": 81160 + }, + { + "achievement": "On the Other Side of Homesickness", + "description": "Help Oda Tarou take four pictures of Seirai Island.", + "requirements": "Complete Reminiscence of Seirai.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Reminiscence_of_Seirai", + "steps": [ + "Ask the adventurers some questions", + "Ask Oda Tarou some questions", + "Go to Seirai Island and take pictures (0/4)", + "Take the pictures back to Oda Tarou" + ], + "id": 81161 + }, + { + "achievement": "This and That...", + "description": "... Try connecting them?", + "requirements": "Complete both Light-Up Tile Puzzles in \"Seiraimaru.\"", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81162 + }, + { + "achievement": "Davy Jones' Locker", + "description": "Unlock all the mechanisms onboard the \"Seiraimaru.\"", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81163 + }, + { + "achievement": "Sea of Puzzles", + "description": "Unlock one series of mechanisms on Seirai Island", + "requirements": "Complete all 4 Light-Up Tile Puzzles around Seirai Island, does not count those inside \"Seiraimaru\"", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81164 + }, + { + "achievement": "Great Amakumo Peak", + "description": "Unlock the mechanism beneath Amakumo Peak", + "requirements": "Navigate the underground ruins underneath Amakumo Peak and reach the room with the Electroculus.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.1", + "primo": "5", + "id": 81165 + }, + { + "achievement": "Traverse the Fog Door", + "description": "Get used to Tsurumi Island's odd weather.", + "requirements": "Earned during A Particularly Particular Author.", + "hidden": "Yes", + "type": "Quest", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/A_Particularly_Particular_Author", + "steps": [ + "Talk to Katheryne at the Inazuma Adventurers' Guild", + "Talk to Sumida\nObtain Sumida's Letter", + "Obtain Sumida's Letter", + "Talk to Kama", + "Travel to Tsurumi Island", + "Talk to the mysterious young boy", + "Go to the destination and talk to Ruu", + "Touch the perch", + "Make an offering to the perch", + "Report back to Ruu", + "Go to the ceremonial site", + "Look for the priest", + "Find your way through the mist and make an offering at the Perches (0/3)\nSee below for the Perch Puzzles of Chirai Shrine, Shirikoro Peak, and Autake Plains", + "See below for the Perch Puzzles of Chirai Shrine, Shirikoro Peak, and Autake Plains", + "Return to the ceremonial site", + "Check the light\nObtain Maushiro", + "Obtain Maushiro", + "Talk to Kama and then return", + "Report back to Sumida" + ], + "id": 81167 + }, + { + "achievement": "Nihil Sub Caligine Novum", + "description": "Seems like you're back to square one...", + "requirements": "Earned during Octave of the Maushiro.", + "hidden": "Yes", + "type": "Quest", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Octave_of_the_Maushiro", + "steps": [], + "id": 81168 + }, + { + "achievement": "White's Illusion", + "description": "Encounter the illusions of the ancient past", + "requirements": "Talk to any ghost on Tsurumi Island after completing Through the Mists.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Through_the_Mists", + "steps": [], + "id": 81170 + }, + { + "achievement": "\"Lovely Sights, Further Than the Eye Can See\"", + "description": "Bid farewell to your boatman.", + "requirements": "Complete \"Boatman\"'s Task.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/%22Boatman%22%27s_Task", + "steps": [ + "Complete the following Hidden Exploration Objectives, in any order:\nTalk to \"Boatman\" repeatedly to obtain hints as to which Hidden Exploration Objectives are left\nA Gift To Shitoki, Wrapped In Conches\nAbe's Fungi Needs\nIpe's Fishing Advice\nKito And Kina's Request\nLighting Chise's Path\nNonno's Hide And Seek\nRero's Joke\nUna's Longing", + "A Gift To Shitoki, Wrapped In Conches", + "Abe's Fungi Needs", + "Ipe's Fishing Advice", + "Kito And Kina's Request", + "Lighting Chise's Path", + "Nonno's Hide And Seek", + "Rero's Joke", + "Una's Longing", + "Talk to \"Boatman\" and watch all of the Illusions in Tsurumi Island pass on, he is found close to Shirikoro Peak.\n\"Boatman\"'s locationAdditional Context" + ], + "id": 81171 + }, + { + "achievement": "A Tale of Two Cities", + "description": "Even Tsurumi Island seems to be built atop the wreckage of ancient ruins.", + "requirements": "Complete Opening Old Memories.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Opening_Old_Memories", + "steps": [], + "id": 81172 + }, + { + "achievement": "\"My Life as an Adventurer\"", + "description": "Help Roald to complete his adventure diary.", + "requirements": "Complete The Saga of Mr. Forgetful.", + "hidden": "Yes", + "type": "Quest", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/The_Saga_of_Mr._Forgetful", + "steps": [], + "id": 81173 + }, + { + "achievement": "Light Up the Fog", + "description": "Light up all the Stormstones on the Autake Plains.", + "requirements": "Complete Lighting Chise's Path.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Lighting_Chise%27s_Path", + "steps": [ + "Talk to Chise\nChise's location", + "Use Electro on all the Stormstones in Autake Plains to light them, in any order:", + "Talk to Chise" + ], + "id": 81174 + }, + { + "achievement": "\"P—Paimon ate it...\"", + "description": "Have the Maushiro that you got go missing.", + "requirements": "Complete A Particularly Particular Author.", + "hidden": "Yes", + "type": "Quest", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/A_Particularly_Particular_Author", + "steps": [ + "Talk to Katheryne at the Inazuma Adventurers' Guild", + "Talk to Sumida\nObtain Sumida's Letter", + "Obtain Sumida's Letter", + "Talk to Kama", + "Travel to Tsurumi Island", + "Talk to the mysterious young boy", + "Go to the destination and talk to Ruu", + "Touch the perch", + "Make an offering to the perch", + "Report back to Ruu", + "Go to the ceremonial site", + "Look for the priest", + "Find your way through the mist and make an offering at the Perches (0/3)\nSee below for the Perch Puzzles of Chirai Shrine, Shirikoro Peak, and Autake Plains", + "See below for the Perch Puzzles of Chirai Shrine, Shirikoro Peak, and Autake Plains", + "Return to the ceremonial site", + "Check the light\nObtain Maushiro", + "Obtain Maushiro", + "Talk to Kama and then return", + "Report back to Sumida" + ], + "id": 81175 + }, + { + "achievement": "Guessing Game", + "description": "From an even more distant past to the present day...", + "requirements": "Complete the Hidden Exploration Objective Tsurumi's Mountain Murals and complete the 3 torch puzzles in the underground of Shirikoro Peak.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "id": 81176 + }, + { + "achievement": "Thunderbird's Lineage", + "description": "Complete all the statue challenges.", + "requirements": "Complete 10 puzzles originating from Mysterious Carvings on Tsurumi Island.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "id": 81177 + }, + { + "achievement": "Seven Letters", + "description": "Try to decipher the Ishine Script.", + "requirements": "Complete Ishine Script Deciphering.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Ishine_Script_Deciphering", + "steps": [ + "Obtain the Stone Slates from the Mysterious Carvings' puzzles in these locations, in any order:\nWest Tsurumi Island\nFurther west of Wakukau Shoal's Teleport Waypoint.\nLocationAdditional context\nInside Mt. Kanna\nNorth of the tree stump.\nLocationAdditional context\nNorth of Shirikoro Peak\nAt the base of the ruins.\nLocationAdditional context\nSouth of Chirai Shrine\nBetween the shrine, Oina Beach, and Mt. Kanna.\nLocationAdditional context\nAt Shirikoro Peak\nAlong its inner walls.\nLocationAdditional context\nSoutheast of Moshiri Ceremonial Site\nAt the tip of the cliff.\nLocationAdditional context\nAt Chirai Shrine\nEast of the Teleport Waypoint.\nLocationAdditional context", + "West Tsurumi Island\nFurther west of Wakukau Shoal's Teleport Waypoint.\nLocationAdditional context", + "Further west of Wakukau Shoal's Teleport Waypoint.", + "Inside Mt. Kanna\nNorth of the tree stump.\nLocationAdditional context", + "North of the tree stump.", + "North of Shirikoro Peak\nAt the base of the ruins.\nLocationAdditional context", + "At the base of the ruins.", + "South of Chirai Shrine\nBetween the shrine, Oina Beach, and Mt. Kanna.\nLocationAdditional context", + "Between the shrine, Oina Beach, and Mt. Kanna.", + "At Shirikoro Peak\nAlong its inner walls.\nLocationAdditional context", + "Along its inner walls.", + "Southeast of Moshiri Ceremonial Site\nAt the tip of the cliff.\nLocationAdditional context", + "At the tip of the cliff.", + "At Chirai Shrine\nEast of the Teleport Waypoint.\nLocationAdditional context", + "East of the Teleport Waypoint.", + "Insert the Stone Slates in the stone carvings around the room in the ruins underground Chirai Shrine\nLocationAdditional context" + ], + "id": 81179 + }, + { + "achievement": "Moshiri Kara", + "description": "Unlock Moshiri Kara.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.2", + "primo": "5", + "id": 81180 + }, + { + "achievement": "Across the Misty River", + "description": "You finally reach the far side of the Sea of Fog...", + "requirements": "Earned during The Sun-Wheel and Mt. Kanna.", + "hidden": "Yes", + "type": "Quest", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/The_Sun-Wheel_and_Mt._Kanna", + "steps": [ + "Travel to Tsurumi Island\nApproach the marked location from Tsurumi Island's Statue of The Seven. Fog will prevent players from traveling into the heart of the island.", + "Approach the marked location from Tsurumi Island's Statue of The Seven. Fog will prevent players from traveling into the heart of the island.", + "Talk to Kama", + "Travel to Tsurumi Island\nPass through the large gate. This clears the red fog over Tsurumi Island and allows access to the Teleport Waypoints in the heart of the island.", + "Pass through the large gate. This clears the red fog over Tsurumi Island and allows access to the Teleport Waypoints in the heart of the island.", + "Go to Wakukau Shoal", + "Use the feather", + "Defeat opponents\nWave 1:\n Cryo Hilichurl Shooter ×1\n Electro Hilichurl Shooter ×1\n Wooden Shield Hilichurl Guard ×1\n Hilichurl Fighter ×1\nWave 2:\n Thunderhelm Lawachurl ×1", + "Wave 1:\n Cryo Hilichurl Shooter ×1\n Electro Hilichurl Shooter ×1\n Wooden Shield Hilichurl Guard ×1\n Hilichurl Fighter ×1", + "Cryo Hilichurl Shooter ×1", + "Electro Hilichurl Shooter ×1", + "Wooden Shield Hilichurl Guard ×1", + "Hilichurl Fighter ×1", + "Wave 2:\n Thunderhelm Lawachurl ×1", + "Thunderhelm Lawachurl ×1", + "Touch the feather that suddenly appeared", + "Go to Oina Beach", + "Use the feather", + "Defeat opponents\nWave 1:\n Ruin Cruiser ×1\n Ruin Destroyer ×1\nWave 2:\n Ruin Guard ×1", + "Wave 1:\n Ruin Cruiser ×1\n Ruin Destroyer ×1", + "Ruin Cruiser ×1", + "Ruin Destroyer ×1", + "Wave 2:\n Ruin Guard ×1", + "Ruin Guard ×1", + "Touch the feather", + "Go to the Autake Plains", + "Defeat opponents\nWave 1:\n Thundercraven Rifthound Whelp ×2\nWave 2:\n Thundercraven Rifthound ×1", + "Wave 1:\n Thundercraven Rifthound Whelp ×2", + "Thundercraven Rifthound Whelp ×2", + "Wave 2:\n Thundercraven Rifthound ×1", + "Thundercraven Rifthound ×1", + "Use the feather", + "Touch the feather", + "Go to Mt. Kanna", + "Investigate the altar", + "Defeat the Thunder Manifestation\n Thunder Manifestation — Coagulated Millennial Regret", + "Thunder Manifestation — Coagulated Millennial Regret", + "Use the feather", + "Touch the feather", + "Talk to Ruu", + "Go to Seirai Island", + "Return to Mt. Kanna", + "Investigate the altar", + "Talk to Ruu at the designated location", + "Report back to Sumida", + "Go to Kiminami Restaurant" + ], + "id": 81181 + }, + { + "achievement": "\"Not Flyin' Away This Time!\"", + "description": "Use the Omni-Ubiquity Net item to capture 1 Crystalfly.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.3", + "primo": "5", + "id": 81182 + }, + { + "achievement": "The Net Closes In", + "description": "Use the Omni-Ubiquity Net item to capture 1 Finch.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.3", + "primo": "5", + "id": 81183 + }, + { + "achievement": "N-Thousand Leagues Under the Sea", + "description": "Enter Enkanomiya.", + "requirements": "Complete The Still Water's Flow.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Still_Water%27s_Flow", + "steps": [ + "Talk to Tsuyuko", + "Talk to Tsuyuko at the altar", + "Look for the remaining Key Sigils (0/2)\nFin of Watatsumi:\n Ruin Defender ×2\n Ruin Scout ×2\nHeart of Watatsumi:\n Fatui Skirmisher - Hydrogunner Legionnaire ×2\n Mirror Maiden ×1\nThe Key Sigil can be picked up without fighting the enemies.", + "Fin of Watatsumi:\n Ruin Defender ×2\n Ruin Scout ×2", + "Ruin Defender ×2", + "Ruin Scout ×2", + "Heart of Watatsumi:\n Fatui Skirmisher - Hydrogunner Legionnaire ×2\n Mirror Maiden ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×2", + "Mirror Maiden ×1", + "The Key Sigil can be picked up without fighting the enemies.", + "Follow Tsuyuko's instructions and activate all the altars (0/2)", + "Talk to Tsuyuko", + "Descend into Enkanomiya", + "Investigate the cavern\nUpon completion of this step, the southernmost Teleport Waypoint in Enkanomiya is unlocked.", + "Upon completion of this step, the southernmost Teleport Waypoint in Enkanomiya is unlocked." + ], + "id": 81184 + }, + { + "achievement": "Flowing Sunfire, Also Known as Marishi", + "description": "Unlock the secret at the Sunfire Gate.", + "requirements": "Earned during The Entrance to Tokoyo.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Entrance_to_Tokoyo", + "steps": [ + "Go deeper into the cave", + "Go to the building up ahead", + "Investigate the nearby area and search for clues (0/5)\nThe clues are seals in the shape of Key Sigils.", + "The clues are seals in the shape of Key Sigils.", + "Investigate the mechanism and activate the gate", + "Examine the great gate and look for a way to progress", + "Investigate the hidden path", + "Go to the door", + "Use the Key of the Moon-Bathed Deep to open the door", + "Open the door" + ], + "id": 81185 + }, + { + "achievement": "Of Sun and Moon", + "description": "Switch between Whitenight and Evernight once.", + "requirements": "Earned during The Subterranean Trials of Drake and Serpent.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Subterranean_Trials_of_Drake_and_Serpent", + "steps": [], + "id": 81186 + }, + { + "achievement": "\"Extensive And Meticulous\"", + "description": "Receive the Jibashiri's acknowledgment.", + "requirements": "Complete Yachimatahiko's Trial.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Yachimatahiko%27s_Trial", + "steps": [ + "Go to The Emanant Skylight", + "Investigate the water in the pool during Evernight\nStep is completed upon reaching the Time Tunnel, even if the player does not go through it", + "Step is completed upon reaching the Time Tunnel, even if the player does not go through it", + "Talk to the afterimage in front of the seal", + "Release all the Flames of the High Gate (0/4)", + "Talk to Uda" + ], + "id": 81187 + }, + { + "achievement": "\"The Eel in Winter Sought\"", + "description": "Receive the Jibashiri's acknowledgment.", + "requirements": "Complete Yachimatahime's Trial.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Yachimatahime%27s_Trial", + "steps": [ + "Go to The Emanant Skylight", + "Investigate the water in the pool during Evernight\nStep is completed upon reaching the Time Tunnel, even if the player does not go through it", + "Step is completed upon reaching the Time Tunnel, even if the player does not go through it", + "Talk to the afterimage in front of the seal", + "Release all the Flames of the High Gate (0/4)", + "Talk to Eki" + ], + "id": 81188 + }, + { + "achievement": "\"Unmatched Throughout Tokoyo\"", + "description": "Receive the Jibashiri's acknowledgment.", + "requirements": "Complete Kunado's Trial.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Kunado%27s_Trial", + "steps": [ + "Go to The Emanant Skylight", + "Investigate the water in the pool during Evernight\nStep is completed upon reaching the Time Tunnel, even if the player does not go through it", + "Step is completed upon reaching the Time Tunnel, even if the player does not go through it", + "Talk to the afterimage in front of the seal", + "Release all the Flames of the High Gate (0/4)\nSwitch back to Evernight if not already done so\nEnemies will appear after lighting the four torches\nWave 1: Thundercraven Rifthound Whelp ×4\nWave 2: Hydro Abyss Mage ×1 Cryo Abyss Mage ×1 Electro Abyss Mage ×1\nWave 3: Primordial Bathysmal Vishap Hatchling ×1 Rimebiter Bathysmal Vishap Hatchling ×1\nWave 4: Abyss Herald: Wicked Torrents ×1\nAfter defeating the enemies, climb each statue and interact with it to disperse the seal", + "Switch back to Evernight if not already done so", + "Enemies will appear after lighting the four torches\nWave 1: Thundercraven Rifthound Whelp ×4\nWave 2: Hydro Abyss Mage ×1 Cryo Abyss Mage ×1 Electro Abyss Mage ×1\nWave 3: Primordial Bathysmal Vishap Hatchling ×1 Rimebiter Bathysmal Vishap Hatchling ×1\nWave 4: Abyss Herald: Wicked Torrents ×1", + "Wave 1: Thundercraven Rifthound Whelp ×4", + "Thundercraven Rifthound Whelp ×4", + "Wave 2: Hydro Abyss Mage ×1 Cryo Abyss Mage ×1 Electro Abyss Mage ×1", + "Hydro Abyss Mage ×1", + "Cryo Abyss Mage ×1", + "Electro Abyss Mage ×1", + "Wave 3: Primordial Bathysmal Vishap Hatchling ×1 Rimebiter Bathysmal Vishap Hatchling ×1", + "Primordial Bathysmal Vishap Hatchling ×1", + "Rimebiter Bathysmal Vishap Hatchling ×1", + "Wave 4: Abyss Herald: Wicked Torrents ×1", + "Abyss Herald: Wicked Torrents ×1", + "After defeating the enemies, climb each statue and interact with it to disperse the seal", + "Talk to Daimon" + ], + "id": 81189 + }, + { + "achievement": "\"Maybe Get Yourself a More Social Hobby...\"", + "description": "Complete Date's labyrinth challenge.", + "requirements": "Earned during Date's Challenge.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Date%27s_Challenge", + "steps": [ + "Talk to the afterimage", + "Obtain Date's other Medal of Recognition", + "Talk to Date's afterimage", + "Open Date's secret room and obtain the treasure", + "Obtain \"Hydrological Studies in Byakuyakoku\"" + ], + "id": 81191 + }, + { + "achievement": "\"If Tokoyo Ookami Knew of This...\"", + "description": "Return all the library books, and...", + "requirements": "Complete Collection of Dragons and Snakes.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Collection_of_Dragons_and_Snakes", + "steps": [ + "Speak to the afterimage within the library", + "Collect the five lost books (0/5)", + "Show the books to Ema", + "Return the books to their shelves", + "Investigate the picture frame that has changed" + ], + "id": 81192 + }, + { + "achievement": "\"What Difference Does This Make?\"", + "description": "Sit at every single special spot.", + "requirements": "Complete Reading Kabayama's Lanterns.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Reading_Kabayama%27s_Lanterns", + "steps": [], + "id": 81193 + }, + { + "achievement": "The Children of God Shall Dance", + "description": "Speak to all the Phaethon afterimages.", + "requirements": "Complete Sunchildren Hide and Seek.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Sunchildren_Hide_and_Seek", + "steps": [ + "Find and talk to each of the 7 Sunchildren, in any order:\nIon\nIon's locationAdditional context\nIsumenasu\nIsumenasu's locationAdditional contextIsumenasu is behind a barrier. To bring down the barrier, do the following:\nClimb around the room to get Evernight energy from the Place of Essence Worship.\nClimb up to the Day-Night Mechanism and switch to Whitenight.\nGlide down into the room and hit the Triangular Mechanism once.\nClimb back up to the Day-Night Mechanism and switch to Evernight.\nGlide down into the room and talk to Isumenasu.\nOrupeusu\nOrupeusu's locationAdditional context\nPiramumon\nPiramumon's locationAdditional context\nRikoru\nRikoru's locationAdditional context\nRisutaiosu\nRisutaiosu's locationAdditional context\nSurepio\nSurepio's locationAdditional context", + "Ion\nIon's locationAdditional context", + "Isumenasu\nIsumenasu's locationAdditional contextIsumenasu is behind a barrier. To bring down the barrier, do the following:\nClimb around the room to get Evernight energy from the Place of Essence Worship.\nClimb up to the Day-Night Mechanism and switch to Whitenight.\nGlide down into the room and hit the Triangular Mechanism once.\nClimb back up to the Day-Night Mechanism and switch to Evernight.\nGlide down into the room and talk to Isumenasu.", + "Climb around the room to get Evernight energy from the Place of Essence Worship.", + "Climb up to the Day-Night Mechanism and switch to Whitenight.", + "Glide down into the room and hit the Triangular Mechanism once.", + "Climb back up to the Day-Night Mechanism and switch to Evernight.", + "Glide down into the room and talk to Isumenasu.", + "Orupeusu\nOrupeusu's locationAdditional context", + "Piramumon\nPiramumon's locationAdditional context", + "Rikoru\nRikoru's locationAdditional context", + "Risutaiosu\nRisutaiosu's locationAdditional context", + "Surepio\nSurepio's locationAdditional context" + ], + "id": 81194 + }, + { + "achievement": "Light and Dark, Dusk and Dawn", + "description": "Head to the top of the Dainichi Mikoshi.", + "requirements": "Earned during Hyperion's Dirge.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Hyperion%27s_Dirge_(Quest)", + "steps": [ + "Find and offer up the objects in which Aberaku nested his thoughts (0/3)", + "Reach the top of Dainichi Mikoshi\nUse the Phase Gate that appears in the hidden room after submitting the offerings to reach the top.", + "Use the Phase Gate that appears in the hidden room after submitting the offerings to reach the top.", + "Speak to Aberaku" + ], + "id": 81195 + }, + { + "achievement": "Step Right Up!", + "description": "Complete the archery challenge.", + "requirements": "Complete Akashi's Archery Challenge.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Akashi%27s_Archery_Challenge", + "steps": [ + "Talk to Akashi", + "Stand in the golden beam and use a Bow to hit the blue dome to the northwest", + "Talk to Akashi again to spawn a Precious Chest" + ], + "id": 81196 + }, + { + "achievement": "The Ill-Starred Legacy of Iwakura", + "description": "Return the blade of the Iwakura Master.", + "requirements": "Complete the final optional objective of Iwakura Art's Downfall.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Iwakura_Art%27s_Downfall", + "steps": [ + "Defeat the following Iwakura Art's Disciples and Acting Instructors (in any order):\nDisciple Katayama Tatsumi: Iwakura Art Shoden in Serpent's Head, Yashiori Island\nLocationAdditional context\nDisciple Shimada Shichirouji: Iwakura Art Shoden in Fort Mumei, Yashiori Island\nLocationAdditional context\nDisciple Okazaki Kunihiko: Iwakura Art Shoden in Byakko Plain, Narukami Island\nLocationAdditional context\nActing Instructor Mifune Satoshi: Iwakura Art Okuden in Araumi, Narukami Island\nLocationAdditional context\nActing Instructor Tanba Tetsuo: Iwakura Art Okuden in Tatarasuna, Kannazuka\nLocationAdditional context", + "Disciple Katayama Tatsumi: Iwakura Art Shoden in Serpent's Head, Yashiori Island\nLocationAdditional context", + "Disciple Shimada Shichirouji: Iwakura Art Shoden in Fort Mumei, Yashiori Island\nLocationAdditional context", + "Disciple Okazaki Kunihiko: Iwakura Art Shoden in Byakko Plain, Narukami Island\nLocationAdditional context", + "Acting Instructor Mifune Satoshi: Iwakura Art Okuden in Araumi, Narukami Island\nLocationAdditional context", + "Acting Instructor Tanba Tetsuo: Iwakura Art Okuden in Tatarasuna, Kannazuka\nLocationAdditional context", + "Talk to Iwakura Mitsunari in Kujou Encampment, Kannazuka, and defeat him in combat.\nLocationAdditional context", + "Defeat Expelled Violet Oni: Yanagiha Arashi and Expelled Crimson Oni: Okazaki Toraemon in Byakko Plain, Narukami Island. They will appear only after Iwakura Mitsunari is killed.\nLocationAdditional context", + "(Optional) Plant the swords of the defeated Expelled Onis on the Blade Mound to get a Luxurious Chest and mark the end of the Iwakura Clan.", + "(Optional) Retrieve Hakuen Michimitsu Amenoma in The Serpent's Bowels, Enkanomiya and plant it on the Blade Mound." + ], + "id": 81197 + }, + { + "achievement": "One Key for Each Lock", + "description": "Find all the Key Sigils.", + "requirements": "Collect all 59 Key Sigils found in Enkanomiya.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.4", + "primo": "10", + "id": 81198 + }, + { + "achievement": "The Lost Valley", + "description": "Unlock The Lost Valley.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81199 + }, + { + "achievement": "The Chasm Mining Records", + "description": "Read all text fragments related to mining in The Chasm.", + "requirements": "Complete Find The Chasm Mining Records.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81200 + }, + { + "achievement": "People of the Valley of Life", + "description": "Find the shriveled seed and do not eat it rashly.", + "requirements": "Complete Seed from the Valley of Life.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Seed_from_the_Valley_of_Life", + "steps": [ + "Use Elemental Sight to find three \"small, shiny buds\" on the roots, and interact with them", + "Activate the three Elemental Monuments (Anemo, Geo, Electro)", + "Open the Exquisite Chest" + ], + "id": 81201 + }, + { + "achievement": "CREDE TENEBRIS", + "description": "Open the secret chamber in the ruins.", + "requirements": "Complete Locked Gate in the Nameless Ruins.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Locked_Gate_in_the_Nameless_Ruins", + "steps": [], + "id": 81202 + }, + { + "achievement": "The Nine-Word Rumor", + "description": "Find all the secret messages.", + "requirements": "Complete Secret Messages in The Chasm.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Secret_Messages_in_The_Chasm", + "steps": [], + "id": 81203 + }, + { + "achievement": "Den of Thieves", + "description": "Find the Treasure Hoarder stash.", + "requirements": "Complete Lumenspar in the Den of Thieves.", + "hidden": "No", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Lumenspar_in_the_Den_of_Thieves", + "steps": [ + "Obtain the two Treasure Map Fragments\nFragment 1: In a treasure hoarder camp in the Ad-Hoc Main Tunnel of The Chasm: Underground Mines.\nFragment's locationAdditional Context\nFragment 2: Located in a treasure hoarder camp in Lumberpick Valley (involved the World Quest Undetected Infiltration).\nFragment's locationAdditional Context", + "Fragment 1: In a treasure hoarder camp in the Ad-Hoc Main Tunnel of The Chasm: Underground Mines.\nFragment's locationAdditional Context", + "Fragment 2: Located in a treasure hoarder camp in Lumberpick Valley (involved the World Quest Undetected Infiltration).\nFragment's locationAdditional Context", + "Go to the location indicated by the Treasure Hoarders' Treasure Map", + "Defeat the Treasure Hoarders and use Pyro on the straw mat under the tent to reveal a trapdoor", + "Enter the trapdoor under the tent", + "Obtain the Lumenspar and open the gate" + ], + "id": 81204 + }, + { + "achievement": "Ding Ding Ding, We Have a Winner! Again!", + "description": "Get three treasure chests and pass Old Chou's treasure hunt game.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81205 + }, + { + "achievement": "Of the Human Heart Many Essays Written", + "description": "Complete all ecological surveys and gain the recommendation letter from Khedive.", + "requirements": "Complete Paleontological Investigation in The Chasm, Mycological Investigation in The Chasm, and Hydrological Investigation in The Chasm.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Paleontological_Investigation_in_The_Chasm", + "steps": [ + "Take pictures of more fossils", + "Give the fossil pictures to Khedive" + ], + "id": 81206 + }, + { + "achievement": "If Not Us, Then Who?", + "description": "Collect the letters of the Fatui in The Chasm.", + "requirements": "Complete Fatui Action Logs.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Fatui_Action_Logs", + "steps": [], + "id": 81207 + }, + { + "achievement": "Maintain Safety Distance", + "description": "Use the Safe Blasting Mechanism 2156 to clear the path ahead.", + "requirements": "Earned during The Heavenly Stone's Debris.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Heavenly_Stone%27s_Debris", + "steps": [ + "Tell Jinwu about what happened", + "Look for the two keys to the gunpowder storehouse (0/2)\nStorehouse Security Key No. 1: The southern key is in a pot on top of a water-filtration device.\nStorehouse Security Key No. 2: The northern key is in a dig spot near the tent. Digging will reveal a barrel. Hitting the barrel will damage the player and reveal the key. A shield or a ranged attack can be used to avoid damage.\nNear the tent is a passage that allows the player to move up to the surface where there will be a Luxurious Chest and a gate. Opening the gate will grant the Wonders of the World achievement \"All We Need Is Some Firewood and Some Vinegar...\" After moving up, the player can use the passage again to move back down to where they were before.", + "Storehouse Security Key No. 1: The southern key is in a pot on top of a water-filtration device.", + "Storehouse Security Key No. 2: The northern key is in a dig spot near the tent. Digging will reveal a barrel. Hitting the barrel will damage the player and reveal the key. A shield or a ranged attack can be used to avoid damage.\nNear the tent is a passage that allows the player to move up to the surface where there will be a Luxurious Chest and a gate. Opening the gate will grant the Wonders of the World achievement \"All We Need Is Some Firewood and Some Vinegar...\" After moving up, the player can use the passage again to move back down to where they were before.", + "Near the tent is a passage that allows the player to move up to the surface where there will be a Luxurious Chest and a gate. Opening the gate will grant the Wonders of the World achievement \"All We Need Is Some Firewood and Some Vinegar...\" After moving up, the player can use the passage again to move back down to where they were before.", + "Go to open the door to the gunpowder storehouse", + "Look for a cannonball", + "Bring the cannonball back to the camp", + "Make 3 Special Unmoving Essential Oils\nEach oil requires Cor Lapis ×2 and Frog ×2.", + "Each oil requires Cor Lapis ×2 and Frog ×2.", + "Give the Special Unmoving Essential Oils to Clitopho", + "Finish assembling the cannonball\nCompletion of this step reveals the map areas for The Serpent's Cave and Underground Waterway.", + "Completion of this step reveals the map areas for The Serpent's Cave and Underground Waterway.", + "Read the Signaling Guide", + "Release the safety on the cannon's breech\nThis step can be completed as soon as the Main Mining Area becomes available during Chasm Spelunkers.\nNear the Teleport Waypoint, there is a spot where the player can observe the locations of the lamps.\nActivating a lamp will make it pulse at a certain frequency (speed). The lamp will be in the \"low frequency\" setting when first activated. After activating the lamp, the player can toggle it between these two settings: \"low frequency\" and \"high frequency\".\nThere are three lamps that must be set in this configuration: \"Low lamp post, high-frequency flicker.\" \"Middle lamp post, low-frequency flicker.\" \"High lamp post, low-frequency flicker.\".\nWhen the frequencies have all been correctly set, the lamps will emit a steady glow and can no longer be interacted with.", + "This step can be completed as soon as the Main Mining Area becomes available during Chasm Spelunkers.", + "Near the Teleport Waypoint, there is a spot where the player can observe the locations of the lamps.", + "Activating a lamp will make it pulse at a certain frequency (speed). The lamp will be in the \"low frequency\" setting when first activated. After activating the lamp, the player can toggle it between these two settings: \"low frequency\" and \"high frequency\".", + "There are three lamps that must be set in this configuration: \"Low lamp post, high-frequency flicker.\" \"Middle lamp post, low-frequency flicker.\" \"High lamp post, low-frequency flicker.\".", + "When the frequencies have all been correctly set, the lamps will emit a steady glow and can no longer be interacted with.", + "Load the cannonball in together with Zhiqiong", + "Use the great cannon to destroy the sealing rocks\nCannon alignment: left once, down twice.\nCompleting this step grants the Wonders of the World achievement Maintain Safety Distance.", + "Cannon alignment: left once, down twice.", + "Completing this step grants the Wonders of the World achievement Maintain Safety Distance.", + "Go further in", + "Talk to Zhiqiong\nCompletion of this step reveals part of the map area for Stony Halls.", + "Completion of this step reveals part of the map area for Stony Halls.", + "Activate the mechanism (0/3)\nThe player must upgrade their Lumenstone Adjuvant to at least level 2 to complete this step.\nUse the Lumenstone Adjuvant next to the Oozing Concretions, not next to the mechanisms.\nAt the west mechanism, the following enemy must be defeated:\n Shadowy Husk: Standard Bearer ×1\nEach mechanism requires 3 energy from the Lumenstone Adjuvant in order to recharge. Concentrated Lumenstone Energy can be used to recharge the Lumenstone Adjuvant and is found throughout the area. There is also a Ruin Brazier near the south mechanism.", + "The player must upgrade their Lumenstone Adjuvant to at least level 2 to complete this step.", + "Use the Lumenstone Adjuvant next to the Oozing Concretions, not next to the mechanisms.", + "At the west mechanism, the following enemy must be defeated:\n Shadowy Husk: Standard Bearer ×1", + "Shadowy Husk: Standard Bearer ×1", + "Each mechanism requires 3 energy from the Lumenstone Adjuvant in order to recharge. Concentrated Lumenstone Energy can be used to recharge the Lumenstone Adjuvant and is found throughout the area. There is also a Ruin Brazier near the south mechanism.", + "Defeat the emerging monsters\n Abyss Herald: Wicked Torrents ×1\nCompleting this step unlocks access to Nameless Ruins and The Glowing Narrows.", + "Abyss Herald: Wicked Torrents ×1", + "Completing this step unlocks access to Nameless Ruins and The Glowing Narrows.", + "Talk to Zhiqiong" + ], + "id": 81208 + }, + { + "achievement": "Birth Pains of the Dark Fog", + "description": "Defeat the thing that emerged from the dark fog.", + "requirements": "Earned during Perils in the Dark.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Perils_in_the_Dark", + "steps": [ + "Take the path that leads deeper in", + "Examine the dark fog in front of you", + "Look for clues near the dark fog", + "Read the logs\nCompleting this step unlocks a portion of the map.\nNameless Ruins and the rest of Stony Halls are revealed on the map.", + "Completing this step unlocks a portion of the map.", + "Nameless Ruins and the rest of Stony Halls are revealed on the map.", + "Ring the two bells on either side of the ruins (0/2)\nSee Notes below for the puzzle solutions.", + "See Notes below for the puzzle solutions.", + "Approach the dark fog", + "Defeat the Abyss Lector Abyss Lector: Fathomless Flames ×1 (Egill) Abyss Lector: Violet Lightning ×1 (Agnarr)", + "Abyss Lector: Fathomless Flames ×1 (Egill)", + "Abyss Lector: Violet Lightning ×1 (Agnarr)", + "Pick up the object that the Abyss Lector left behind" + ], + "id": 81209 + }, + { + "achievement": "The Alchemistake", + "description": "Rescue Clitopho.", + "requirements": "Earned during Meeting New People... and Foiling Some Bandits.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Meeting_New_People..._and_Foiling_Some_Bandits", + "steps": [ + "Go to the campsite that has been occupied by Treasure Hoarders", + "Clear out the Treasure Hoarders in the miner's camp Treasure Hoarders: Crusher ×1 Treasure Hoarders: Pugilist ×1 Treasure Hoarders: Scout ×1 Treasure Hoarders: Pyro Potioneer ×1", + "Treasure Hoarders: Crusher ×1", + "Treasure Hoarders: Pugilist ×1", + "Treasure Hoarders: Scout ×1", + "Treasure Hoarders: Pyro Potioneer ×1", + "Save the person trapped in a cage by the Treasure Hoarders", + "Talk to Clitopho", + "Go to the second occupied camp", + "Clear the Treasure Hoarders from the miner's camp Treasure Hoarders: Crusher ×1 Treasure Hoarders: Pugilist ×1 Treasure Hoarders: Scout ×1 Treasure Hoarders: Electro Potioneer ×1", + "Treasure Hoarders: Crusher ×1", + "Treasure Hoarders: Pugilist ×1", + "Treasure Hoarders: Scout ×1", + "Treasure Hoarders: Electro Potioneer ×1", + "Examine the giant cannon in the depths of the tunnels", + "Go to the storehouse in which the cannonballs are stored", + "Talk to Zhiqiong" + ], + "id": 81210 + }, + { + "achievement": "Valor's Afterglow", + "description": "Where lies the true meaning of adventure?", + "requirements": "Read Zhiqiong's Letter after completing Valor's Afterglow: The Faint Light Remembered.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Valor%27s_Afterglow:_The_Faint_Light_Remembered", + "steps": [ + "Talk to Muning about Zhiqiong's departure" + ], + "id": 81211 + }, + { + "achievement": "Not for Long-Term Consumption", + "description": "Find Uncle He, the missing miner, in The Chasm.", + "requirements": "Earned during The Missing Miner.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Missing_Miner", + "steps": [], + "id": 81212 + }, + { + "achievement": "The Mushroom That Asks Too Much", + "description": "Complete Xamaran's commission in The Chasm.", + "requirements": "Complete Dimming Mushroom's Call for Help.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Dimming_Mushroom%27s_Call_for_Help", + "steps": [ + "Talk to Xamaran", + "Give Xamaran some of the Adjuvant's power\nThis costs 5 bars of the Lumenstone Adjuvant's power.", + "This costs 5 bars of the Lumenstone Adjuvant's power.", + "Talk to Xamaran", + "Help Xamaran clear the foul energy out\nUse the Lumenstone Adjuvant to clear 3 Oozing Concretions in the area.", + "Use the Lumenstone Adjuvant to clear 3 Oozing Concretions in the area.", + "Tell Xamaran that the foul energy has been cleansed", + "Help Xamaran's kin (0/5)\nEach recharge expends 1 bar of the Lumenstone Adjuvant's power.", + "Each recharge expends 1 bar of the Lumenstone Adjuvant's power.", + "Talk to Xamaran", + "Follow the water's flow and search for the source of the foul energy\nFollow the river upstream to reach the source", + "Follow the river upstream to reach the source", + "Use the Blessings of Wisdom on the source of the foul energy\n[Optional] Defeat enemies: Pyro Abyss Mage ×1 Hydro Abyss Mage ×1 Electro Abyss Mage ×1\nUse Lumenstone Adjuvant (2 bars) to remove the Oozing Concretion.\nInteract with the spot quickly to use the Blessings of Wisdom. A Precious Chest will appear.", + "[Optional] Defeat enemies: Pyro Abyss Mage ×1 Hydro Abyss Mage ×1 Electro Abyss Mage ×1", + "Pyro Abyss Mage ×1", + "Hydro Abyss Mage ×1", + "Electro Abyss Mage ×1", + "Use Lumenstone Adjuvant (2 bars) to remove the Oozing Concretion.", + "Interact with the spot quickly to use the Blessings of Wisdom. A Precious Chest will appear.", + "Tell Xamaran that the foul energy's source has been cleared out" + ], + "id": 81213 + }, + { + "achievement": "The Millelith Shall Never Be Moved", + "description": "Collect all the offerings the Millelith left behind and obtain the treasure.", + "requirements": "Complete The Millennial Mountains.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Millennial_Mountains", + "steps": [], + "id": 81214 + }, + { + "achievement": "Jack of No Trades", + "description": "Get to know the story of Tang Wuchou, hero of the cliffs.", + "requirements": "Complete A Cliff-Side Hero's Past.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/A_Cliff-Side_Hero%27s_Past", + "steps": [], + "id": 81215 + }, + { + "achievement": "Well Done, Stierlitz!", + "description": "Help Yanbo complete the Millelith's mission.", + "requirements": "Complete Undetected Infiltration.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Undetected_Infiltration", + "steps": [], + "id": 81216 + }, + { + "achievement": "Yet the Darkness Did Not Overcome It...", + "description": "Use the Lumenstone's Blooming Light to clear the crystallized darkness on an Oozing Concretion for the first time.", + "requirements": "Use the Lumenstone Adjuvant on an Oozing Concretion.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81217 + }, + { + "achievement": "\"...Smells Like Asphalt.\"", + "description": "Be brought down by the contaminants within the black mud for the first time.", + "requirements": "Get any party member knocked out from Dark Mud.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81218 + }, + { + "achievement": "\"All We Need Is Some Firewood and Some Vinegar...\"", + "description": "There is not just one secret path to the surface.", + "requirements": "Find the passageway between the Underground Mines and The Chasm and open the door.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81220 + }, + { + "achievement": "The Tome of Taliesin", + "description": "Obtain Taliesin's gift.", + "requirements": "Complete Tell a Tale for Taliesin.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Tell_a_Tale_for_Taliesin", + "steps": [], + "id": 81221 + }, + { + "achievement": "Light Up the Dark", + "description": "Send forth some light.", + "requirements": "Interact with the Lumenlamp in The Chasm: Underground Mines.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.6", + "primo": "5", + "id": 81222 + }, + { + "achievement": "Nature's Infinite Wit", + "description": "Reach Reputation Lv. 10 in Sumeru.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "3.0", + "primo": "20", + "id": 81223 + }, + { + "achievement": "For Meritorious Service", + "description": "Offer help to many Aranara in the forest.", + "requirements": "Help all 64 unnamed Aranara and open all of Araminali's chests.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81224 + }, + { + "achievement": "Portal of Marvels", + "description": "Truly step into \"the world of the Aranara\"...", + "requirements": "Earned during The World of Aranara.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_World_of_Aranara", + "steps": [ + "Talk to Paimon", + "Return to Vimara Village and talk to Amadhiah", + "Go to where Vanarana is\nObtain the Vintage Lyre", + "Obtain the Vintage Lyre", + "Enter Vanarana", + "Play the Rhythm of the Great Dream at the designated location\nEquip the Vintage Lyre and play the five notes shown on screen", + "Equip the Vintage Lyre and play the five notes shown on screen", + "Go through the \"arch\"", + "Complete the trial of the Phantasmal Seed", + "Collect Phantasmal Seeds\nParticles collected (0/15)\nCollecting a Phantasmal Seed will reset the timer to 90 seconds\nAn enemy hit will deduct the timer by 30 seconds", + "Particles collected (0/15)", + "Collecting a Phantasmal Seed will reset the timer to 90 seconds", + "An enemy hit will deduct the timer by 30 seconds", + "Follow the strange traces", + "Play the Rhythm of the Great Dream in front of the strange stone", + "Help the Aranara (0/3)", + "Go to the place that Arama mentioned", + "Eliminate the Vanagni threat\nWave 1: Pyro Whopperflower ×1\nWave 2: Pyro Whopperflower ×3", + "Wave 1: Pyro Whopperflower ×1", + "Wave 2: Pyro Whopperflower ×3", + "Return to Silapna", + "Play the Rhythm of the Great Dream in front of Silapna", + "Head to the house and talk to Araja" + ], + "id": 81225 + }, + { + "achievement": "Perched Between Dream and Reality", + "description": "Enter Vanarana in reality", + "requirements": "Earned during The World of Aranara.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_World_of_Aranara", + "steps": [ + "Talk to Paimon", + "Return to Vimara Village and talk to Amadhiah", + "Go to where Vanarana is\nObtain the Vintage Lyre", + "Obtain the Vintage Lyre", + "Enter Vanarana", + "Play the Rhythm of the Great Dream at the designated location\nEquip the Vintage Lyre and play the five notes shown on screen", + "Equip the Vintage Lyre and play the five notes shown on screen", + "Go through the \"arch\"", + "Complete the trial of the Phantasmal Seed", + "Collect Phantasmal Seeds\nParticles collected (0/15)\nCollecting a Phantasmal Seed will reset the timer to 90 seconds\nAn enemy hit will deduct the timer by 30 seconds", + "Particles collected (0/15)", + "Collecting a Phantasmal Seed will reset the timer to 90 seconds", + "An enemy hit will deduct the timer by 30 seconds", + "Follow the strange traces", + "Play the Rhythm of the Great Dream in front of the strange stone", + "Help the Aranara (0/3)", + "Go to the place that Arama mentioned", + "Eliminate the Vanagni threat\nWave 1: Pyro Whopperflower ×1\nWave 2: Pyro Whopperflower ×3", + "Wave 1: Pyro Whopperflower ×1", + "Wave 2: Pyro Whopperflower ×3", + "Return to Silapna", + "Play the Rhythm of the Great Dream in front of Silapna", + "Head to the house and talk to Araja" + ], + "id": 81226 + }, + { + "achievement": "Music of the Forest", + "description": "You seem to have the potential to be a \"song gatherer\"...", + "requirements": "Gather all of the Aranara's Songs.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "id": 81227 + }, + { + "achievement": "A Leisurely Journey", + "description": "One should not miss out on the scenery along the way.", + "requirements": "Complete the first ten entries of the Mysterious Clipboard.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81228 + }, + { + "achievement": "Glittering Melody", + "description": "...They will carry this melody for generation after generation.", + "requirements": "Earned during Festival Utsava.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Festival_Utsava", + "steps": [ + "Talk to Araja", + "Enjoy Festival Utsava with Aranara in the Vanarana in the dream", + "Talk to Arakavi", + "Play a melody by the stage", + "Look for Araja and Arama", + "Head to Araja's house to rest" + ], + "id": 81229 + }, + { + "achievement": "The Tale of the Forest", + "description": "Hear 5 tales of the forest from Aravinay.", + "requirements": "Purchase all 5 weapon blueprints from Aravinay.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81230 + }, + { + "achievement": "A Once-Emerald Nursery", + "description": "Enter the Vanarana of yesteryear.", + "requirements": "Complete For Fruits, Seeds, and Trees.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/For_Fruits,_Seeds,_and_Trees", + "steps": [ + "Meet up with Arama", + "Go to the Fane of Ashvattha", + "Talk to Arama\nThe player will be teleported into the Quest Domain For Fruits, Seeds, and Trees", + "The player will be teleported into the Quest Domain For Fruits, Seeds, and Trees", + "Clean up the Withering Zone\nWave 1: Thundercraven Rifthound Whelp ×6\nWave 2: Thundercraven Rifthound ×1 Rockfond Rifthound ×1", + "Wave 1: Thundercraven Rifthound Whelp ×6", + "Thundercraven Rifthound Whelp ×6", + "Wave 2: Thundercraven Rifthound ×1 Rockfond Rifthound ×1", + "Thundercraven Rifthound ×1", + "Rockfond Rifthound ×1", + "Investigate Ashvattha's Tree of Dreams", + "Go deep into the Fane of Ashvattha" + ], + "id": 81231 + }, + { + "achievement": "The End of Annihilation", + "description": "Defeated Marana's Avatar, and then...", + "requirements": "Complete For All Children Who Long for Life.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/For_All_Children_Who_Long_for_Life", + "steps": [ + "Go to the deepest part of the cave", + "Defeat Marana's Avatar\nFollow Arama to destroy the Withering Zone, then use Four-Leaf Sigils to move quickly, and attack Marana's Avatar. Repeat this process 2 more times.", + "Follow Arama to destroy the Withering Zone, then use Four-Leaf Sigils to move quickly, and attack Marana's Avatar. Repeat this process 2 more times.", + "Defeat the final enemy\nDestroy the inactive Marana's Avatar.\nRifthounds will keep spawning to attack. Focus on Marana's Avatar instead.", + "Destroy the inactive Marana's Avatar.", + "Rifthounds will keep spawning to attack. Focus on Marana's Avatar instead.", + "Talk to Arama", + "Play the Rhythm of the Great Dream" + ], + "id": 81232 + }, + { + "achievement": "Though to the Earth I May Return...", + "description": "...My Dreams and Desires Shall Not Adjourn.", + "requirements": "Approach the mural in Sand-Embraced Home after completing Aranyaka.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Aranyaka", + "steps": [], + "id": 81233 + }, + { + "achievement": "Ever an Outcast in the Forest", + "description": "Now it's all settled.", + "requirements": "Confront Trofin Snezhevich in The Bad Guy in Vimara Village.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Bad_Guy_in_Vimara_Village", + "steps": [ + "Talk to Alphonso in Vimara Village and pick the first dialogue option", + "Confront Alphonso at the designated location\nDepending on the option chosen, he will either be allowed to disappear from Vimara Village forever, or is killed in battle against the Traveler.", + "Depending on the option chosen, he will either be allowed to disappear from Vimara Village forever, or is killed in battle against the Traveler.", + "Collect Alphonso's Tattered Paper.\nIf Alphonso is killed, his Tattered Paper will automatically be added to the Inventory.\nIf Alphonso is allowed to leave Vimara Village forever, his Tattered Paper can instead be found in Old Vanarana, just east of the Statue of The Seven.", + "If Alphonso is killed, his Tattered Paper will automatically be added to the Inventory.", + "If Alphonso is allowed to leave Vimara Village forever, his Tattered Paper can instead be found in Old Vanarana, just east of the Statue of The Seven." + ], + "id": 81234 + }, + { + "achievement": "Master Chef: Vanarana", + "description": "Help Arapacati's brothers with their \"Supreme Delicacies.\"", + "requirements": "Complete A Delicacy for Nara.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Delicacy_for_Nara", + "steps": [ + "Report back to Arapacati" + ], + "id": 81235 + }, + { + "achievement": "Open Sesame!", + "description": "Use the secret code to enter the Fatui's hidden encampment", + "requirements": "Complete The Foolish Fatuus.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Foolish_Fatuus", + "steps": [], + "id": 81236 + }, + { + "achievement": "A Conversation with the Treasure Chest Owner", + "description": "Find the Aranara's \"Treasure Chest\"", + "requirements": "Complete Static Views, Part 2.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Static_Views,_Part_2", + "steps": [ + "Find the last place according to the vibration of the seed and the content of the picture\nTeleport to the underground Teleport Waypoint southeast of Vanarana.\nThe following messages will appear:\n\"The seed is quivering...\"\n\"The seed keeps shaking...\"\n\"The seed starts quaking...\"\nUsing the Vintage Lyre, activate the Claustroflora towards the northeast of the cave\nThis Claustroflora does not appear prior to receiving the quest\nEnter the entrance made by the disappearing wall", + "Teleport to the underground Teleport Waypoint southeast of Vanarana.\nThe following messages will appear:\n\"The seed is quivering...\"\n\"The seed keeps shaking...\"\n\"The seed starts quaking...\"", + "The following messages will appear:\n\"The seed is quivering...\"\n\"The seed keeps shaking...\"\n\"The seed starts quaking...\"", + "\"The seed is quivering...\"", + "\"The seed keeps shaking...\"", + "\"The seed starts quaking...\"", + "Using the Vintage Lyre, activate the Claustroflora towards the northeast of the cave\nThis Claustroflora does not appear prior to receiving the quest\nEnter the entrance made by the disappearing wall", + "This Claustroflora does not appear prior to receiving the quest", + "Enter the entrance made by the disappearing wall", + "Talk to the Aranara" + ], + "id": 81237 + }, + { + "achievement": "Vamadha-Go-Round", + "description": "Turn every Vamadha that holds a hidden treasure chest.", + "requirements": "Open two chests inside Vamadha.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81238 + }, + { + "achievement": "In the Name of Anfortas", + "description": "Visit the place where the heroes met their end.", + "requirements": "Complete Cryptic Message in Sumeru.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Cryptic_Message_in_Sumeru", + "steps": [ + "Collect 15 Lost Energy Blocks\nEach Damaged Ruin Guard has 1 Lost Energy Block nearby, so another 10 blocks are needed", + "Each Damaged Ruin Guard has 1 Lost Energy Block nearby, so another 10 blocks are needed", + "Activate the Dendrogranum-Locked Rock near one of the Damaged Ruin Guards to reveal a non-hostile Ruin Scout", + "Follow the Ruin Scout\nSome Fungi will spawn on the path that the Ruin Scout follows. Defeating them is optional", + "Some Fungi will spawn on the path that the Ruin Scout follows. Defeating them is optional", + "Defeat the hostile Ruin Sentinels that spawn near the Damaged Ruin Guard\nAfter defeating the Ruin Sentinels, an Exquisite Chest will spawn", + "After defeating the Ruin Sentinels, an Exquisite Chest will spawn", + "Place three Lost Energy Blocks into the Damaged Ruin Guard\nThe Ruin Guard's name will change to Records: Code \"[Name]\"", + "The Ruin Guard's name will change to Records: Code \"[Name]\"", + "Interact with the Ruin Guard. (Optional)", + "Repeat Steps 2 to 6 for the other four Damaged Ruin Guards\nAll Lost Energy Blocks will be removed from the inventory once the fifth Damaged Ruin Guard is done", + "All Lost Energy Blocks will be removed from the inventory once the fifth Damaged Ruin Guard is done" + ], + "id": 81239 + }, + { + "achievement": "Call of the Nameless City", + "description": "Quiet the mysterious parchment.", + "requirements": "Complete Oracle Parchment, for the End of Death.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Oracle_Parchment,_for_the_End_of_Death", + "steps": [ + "Complete the following in any order:\nTime Trial Challenge near the Ruin Golem's outstretched hand, collect 8 particles in 100 seconds.\nTime Trial Challenge locationAdditional context\nTime Trial Challenge on the eastern cliff, defeat three Ruin Sentinels in 60 seconds.\nTime Trial Challenge locationAdditional context\nFishing at the Devantaka Mountain Fishing Point, may take several catches.\nFishing Point location", + "Time Trial Challenge near the Ruin Golem's outstretched hand, collect 8 particles in 100 seconds.\nTime Trial Challenge locationAdditional context", + "Time Trial Challenge on the eastern cliff, defeat three Ruin Sentinels in 60 seconds.\nTime Trial Challenge locationAdditional context", + "Fishing at the Devantaka Mountain Fishing Point, may take several catches.\nFishing Point location", + "Solve the final puzzle in the waterside cave under the Ruin Golem. (Area is unlocked after completing Vimana Agama: Jazari's Chapter.)\nLight the torches in counter-clockwise order, starting with the torch on top of the stone bricks.\nFinal puzzle locationAdditional context", + "Light the torches in counter-clockwise order, starting with the torch on top of the stone bricks.\nFinal puzzle locationAdditional context" + ], + "id": 81240 + }, + { + "achievement": "Walking with Water and Wind", + "description": "Complete \"Until Vana is Healed.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "id": 81241 + }, + { + "achievement": "...Let Me Fade With Memory", + "description": "Complete \"Vimana Agama.\"", + "requirements": "Complete Vimana Agama: Dev Delver Chapter.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "10", + "requirementQuestLink": "/wiki/Vimana_Agama:_Dev_Delver_Chapter", + "steps": [ + "Leave the Ruin Golem", + "Check the area that was hit", + "Enter the underground ruins", + "Investigate the underground ruins", + "Continue exploring", + "Defeat the Abyss Mages at the three locations (0/3)\nThe first location consist of:\n Cryo Abyss Mage x1\n Pyro Abyss Mage x1\nThe second location consist of:\n Electro Abyss Mage x1\n Hydro Abyss Mage x1\nThe final location consist of:\n Cryo Abyss Mage x1\n Electro Abyss Mage x1", + "The first location consist of:\n Cryo Abyss Mage x1\n Pyro Abyss Mage x1", + "Cryo Abyss Mage x1", + "Pyro Abyss Mage x1", + "The second location consist of:\n Electro Abyss Mage x1\n Hydro Abyss Mage x1", + "Electro Abyss Mage x1", + "Hydro Abyss Mage x1", + "The final location consist of:\n Cryo Abyss Mage x1\n Electro Abyss Mage x1", + "Cryo Abyss Mage x1", + "Electro Abyss Mage x1", + "Head to the core to shut it down", + "Defeat the Abyss Lector: Violet Lightning\n The Blazing Thunder of the Dark Depths - The Thing From Below", + "The Blazing Thunder of the Dark Depths - The Thing From Below", + "Shut down the extraction device", + "Leave the underground ruins", + "Talk to Ararycan" + ], + "id": 81242 + }, + { + "achievement": "Now Let Time Resume", + "description": "Complete Aradasha's unfinished business.", + "requirements": "Clear all Stone Pillar Seals in Sumeru.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81243 + }, + { + "achievement": "Please Play Safely", + "description": "Play with the Aranara in the forest.", + "requirements": "Play all 12 minigames with named Aranara scattered around Sumeru and open their reward chests", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81244 + }, + { + "achievement": "Eternal Sustenance", + "description": "Go with Varsha to visit the Aranara nursery in real life.", + "requirements": "Complete Giving Flowers.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Giving_Flowers", + "steps": [ + "Go to Vanarana's garden with Varsha\nThe garden required for this quest is located in the \"real\" Vanarana.", + "The garden required for this quest is located in the \"real\" Vanarana.", + "Talk to Varsha" + ], + "id": 81245 + }, + { + "achievement": "When the Dreams Bloom", + "description": "Have the Viparyas bloom throughout the Aranara nursery.", + "requirements": "Complete The Viparyas of Vanarana.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Viparyas_of_Vanarana", + "steps": [ + "Complete the puzzles of all 12 Nurseries\nSee the Teyvat Interactive Map for specific locations.", + "See the Teyvat Interactive Map for specific locations.", + "Plant the Vasmrti in the garden in Vanarana\nEntrance locationEntrance additional contextGarden locationGarden additional Context", + "Wait until the next daily reset, and talk to Arakara and Aranakula" + ], + "id": 81246 + }, + { + "achievement": "A Walnut Tree Amidst the Gardens", + "description": "Ask Khayyam about the lost memories.", + "requirements": "Complete Khayyam's Final Words.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Khayyam%27s_Final_Words", + "steps": [ + "Change the time to the next in-game day after completing World Quest Memory's Final Chapter.", + "Talk to Khayyam near his camp in Mawtiyima Forest.\nStart locationAdditional context" + ], + "id": 81247 + }, + { + "achievement": "Sumeru Monster Ecology Survey", + "description": "Complete your task of protecting those who dwell in the forests.", + "requirements": "Complete A Short Encounter with a Rare Bird and Where Are the Fierce Creatures?", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Short_Encounter_with_a_Rare_Bird", + "steps": [ + "Talk to the Forest Ranger", + "Hunt Dusk Birds in the south of Apam Woods", + "Defeat the Eremites Eremite Crossbow ×1 Eremite Ravenbeak Halberdier ×2 Eremite Sword-Dancer ×1", + "Eremite Crossbow ×1", + "Eremite Ravenbeak Halberdier ×2", + "Eremite Sword-Dancer ×1", + "Talk to Shefket", + "Hunt Dusk Birds in the north of Apam Woods", + "Talk to the Eremites", + "Hunt Dusk Birds on the mountains east of Apam Woods", + "Talk to Shefket", + "Fight the Treasure Hoarders\nWave 1: Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Hydro Potioneer ×1 Treasure Hoarders: Crusher ×1 Treasure Hoarders: Seaman ×2\nWave 2: Treasure Hoarders: Marksman ×4\nWave 3: Treasure Hoarders: Crusher ×1 Treasure Hoarders: Seaman ×1 Treasure Hoarders: Handyman ×1", + "Wave 1: Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Hydro Potioneer ×1 Treasure Hoarders: Crusher ×1 Treasure Hoarders: Seaman ×2", + "Treasure Hoarders: Pyro Potioneer ×1", + "Treasure Hoarders: Hydro Potioneer ×1", + "Treasure Hoarders: Crusher ×1", + "Treasure Hoarders: Seaman ×2", + "Wave 2: Treasure Hoarders: Marksman ×4", + "Treasure Hoarders: Marksman ×4", + "Wave 3: Treasure Hoarders: Crusher ×1 Treasure Hoarders: Seaman ×1 Treasure Hoarders: Handyman ×1", + "Treasure Hoarders: Crusher ×1", + "Treasure Hoarders: Seaman ×1", + "Treasure Hoarders: Handyman ×1", + "Talk to Orhan" + ], + "id": 81248 + }, + { + "achievement": "As the Lion Searched for Courage...", + "description": "Find Arashakun's lost \"courage.\"", + "requirements": "Complete Courage Is in the Heart", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Courage_Is_in_the_Heart", + "steps": [ + "Defeat the hilichurls by the house\nObtain Florescent Talisman", + "Obtain Florescent Talisman", + "Talk to Paimon", + "Enter the Aranara house", + "Search the Aranara house for clues\nRead Inconsistently-Written Notes", + "Read Inconsistently-Written Notes", + "Find Arashakun in the cave\nThe cave is found by following the road in front of the house east down the hill, then turning north. It is guarded by two Hilichurl Archers and a Hilichurl Berserker.", + "The cave is found by following the road in front of the house east down the hill, then turning north. It is guarded by two Hilichurl Archers and a Hilichurl Berserker.", + "Defeat the monsters besieging the Aranara Hydro Slime ×1", + "Hydro Slime ×1", + "Talk to the Aranara", + "Give the talisman back to Arashakun", + "Talk to Arashakun", + "Go to the Furry Mask Demon King's camp", + "Defeat the Furry Mask Demon King\nFirst wave: Hilichurl ×3\nSecond wave:\n Furry Mask Demon King: Hilichurl All Along", + "First wave: Hilichurl ×3", + "Hilichurl ×3", + "Second wave:\n Furry Mask Demon King: Hilichurl All Along", + "Furry Mask Demon King: Hilichurl All Along", + "Talk to Arashakun" + ], + "id": 81249 + }, + { + "achievement": "Summit of Wisdom", + "description": "Reach the highest point in Sumeru City.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81250 + }, + { + "achievement": "Explorer", + "description": "Use Catalyze reactions to recover what should have been lost.", + "requirements": "Apply Electro on Tri-Lakshana Creature to reveal certain hidden things.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81251 + }, + { + "achievement": "The Jasmines Whisper, the Pomegranates Are Glad", + "description": "Complete \"Agnihotra Sutra.\"", + "requirements": "Complete The Final Chapter.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "10", + "requirementQuestLink": "/wiki/The_Final_Chapter", + "steps": [ + "Go to the Mawtiyima Forest", + "Talk to the Aranara", + "Go with Aranaga to look for the Yajna Grass", + "Talk to Aranaga", + "Use the Kusava to break the seal on the Yajna Grass (0/3)\nUse the Kusava to raise the platform. For the northern seal, you must remove the barrier first by using the Dendrogranum and making Charged Attacks at the floating objects.", + "Use the Kusava to raise the platform. For the northern seal, you must remove the barrier first by using the Dendrogranum and making Charged Attacks at the floating objects.", + "Pick the Yajna Grass", + "Talk to Aranaga", + "Return to Aranaga's little garden", + "Talk to Aranaga", + "Wait until the moon hangs high in the sky (23:00 – 01:00)", + "Perform the Arahaoma ritual", + "Talk to the Aranara", + "Go to Jamikayomars and offer the elixir", + "Talk to the Aranara", + "Go to Mawtiyima", + "Reach Mawtiyima", + "Talk to the Aranara", + "Clean up the pollution caused by The Withering (0/3)\nFollow the greenish pink Seelie to the polluted areas in the northeast, northwest, and then south.\nAt each polluted area, you must activate two seals to restore the Dendrogranum.\nUse the Kusava to destroy plant-eroded stones (green), repair the seals (yellow), or raise platforms (red). You can change the color by pressing E key (PC).\nUse the restored Dendrogranum and make a Charged Attack at the polluted flower.", + "Follow the greenish pink Seelie to the polluted areas in the northeast, northwest, and then south.", + "At each polluted area, you must activate two seals to restore the Dendrogranum.", + "Use the Kusava to destroy plant-eroded stones (green), repair the seals (yellow), or raise platforms (red). You can change the color by pressing E key (PC).", + "Use the restored Dendrogranum and make a Charged Attack at the polluted flower.", + "Go and clear the last Withering Zone", + "Defeat the mutated Fungi\n Grounded Hydroshroom — Gamal\n Winged Cryoshroom — Alap\n Winged Dendroshroom — Bet\n Floating Hydro Fungus ×2\n Whirling Cryo Fungus ×2\n Floating Dendro Fungus ×1", + "Grounded Hydroshroom — Gamal", + "Winged Cryoshroom — Alap", + "Winged Dendroshroom — Bet", + "Floating Hydro Fungus ×2", + "Whirling Cryo Fungus ×2", + "Floating Dendro Fungus ×1", + "Clean up the last Withering Zone", + "Talk to the Aranara" + ], + "id": 81252 + }, + { + "achievement": "Swift as the Wind", + "description": "Activate three wind currents in Mawtiyima Forest.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81253 + }, + { + "achievement": "The Rule of Three", + "description": "Find three lost musical scores and obtain three Vasoma Fruits.", + "requirements": "Complete The Rhythm that Leads to the Gloomy Path, The Rhythm that Nurtures the Sprout, and The Rhythm that Reveals the Beastly Trail.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Rhythm_that_Leads_to_the_Gloomy_Path", + "steps": [ + "Head to the designated location to look for clues about Ashvattha's Concourses", + "Talk to Arama", + "Observe the Sumeru Roses to find the hidden song", + "Play the music according to the pattern of the roses", + "Talk to Arama and Arayasa\nYou can now use the Vintage Lyre to activate Gloomy Paths.", + "You can now use the Vintage Lyre to activate Gloomy Paths.", + "Head to the designated location", + "Unlock the road ahead using the Rhythm of the Gloomy Path", + "Enter the Gloomy Path in the woods", + "Clean up the Withering Zone\nThe Dendrograna can be found by going through the other Gloomy Paths in the Withering Zone.", + "The Dendrograna can be found by going through the other Gloomy Paths in the Withering Zone.", + "Investigate the trees inside Ashvattha's Concourse", + "Talk to Arama", + "Talk to Arama and enter the Vasara Tree's dream\nYou will enter the quest domain The Rhythm that Leads to the Gloomy Path. If you leave before completing the quest, you must redo the entire domain from the start.\nA bow user is recommended to shoot floating targets.", + "You will enter the quest domain The Rhythm that Leads to the Gloomy Path. If you leave before completing the quest, you must redo the entire domain from the start.", + "A bow user is recommended to shoot floating targets.", + "Explore the dream of the Vasara Tree", + "Investigate the Vasara Tree", + "Talk to Arama" + ], + "id": 81254 + }, + { + "achievement": "The Bitter Fruit of Dreams", + "description": "Use Kusava for the first time.", + "requirements": "Successfully use the \"Kusava\" gadget during Agnihotra Sutra.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Agnihotra_Sutra", + "steps": [], + "id": 81255 + }, + { + "achievement": "The Rain Seeps Into the Soil", + "description": "Complete \"Varuna Gatha.\"", + "requirements": "Complete A Prayer for Rain on the Fecund Land.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "10", + "requirementQuestLink": "/wiki/A_Prayer_for_Rain_on_the_Fecund_Land", + "steps": [ + "Head to the rest stop", + "Talk to Arapandu", + "Head near the Varunastra", + "Head to the underground space", + "Head into the depths\nThere is an unmarked Teleport Waypoint along the way.", + "There is an unmarked Teleport Waypoint along the way.", + "Clear the spores", + "Defeat the Fungi\n Disturbed Fungus — Bad Bug Plaguing the Varuna Contraption", + "Disturbed Fungus — Bad Bug Plaguing the Varuna Contraption", + "Defeat the Fungi", + "Talk to Arapandu" + ], + "id": 81256 + }, + { + "achievement": "They Enter the Flow", + "description": "Use your Kamera to capture the moment when the Varunastra starts up.", + "requirements": "Use Photo Mode to take a picture of the Varunastra at 00:00 or 12:00.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81257 + }, + { + "achievement": "Weather Control Activated", + "description": "Control the Varuna Contraption to change the weather in Apam Woods.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81258 + }, + { + "achievement": "Oh, Frabjous Day!", + "description": "Find the secret treasure by following the clues in the chests.", + "requirements": "Complete Buried Chests in Ashavan Realm.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Buried_Chests_in_Ashavan_Realm", + "steps": [ + "Open the 9 buried Exquisite Chests around Ashavan Realm\nChest 1:\nChest 1 LocationAdditional Context\nChest 2:\nChest 2 LocationAdditional Context\nChest 3:\nChest 3 LocationAdditional Context\nChest 4:\nChest 4 LocationAdditional Context\nChest 5:\nChest 5 LocationAdditional Context\nChest 6:\nChest 6 LocationAdditional Context\nChest 7:\nChest 7 LocationAdditional Context\nChest 8:\nChest 8 LocationAdditional Context\nChest 9:\nChest 9 LocationAdditional Context", + "Chest 1:\nChest 1 LocationAdditional Context", + "Chest 2:\nChest 2 LocationAdditional Context", + "Chest 3:\nChest 3 LocationAdditional Context", + "Chest 4:\nChest 4 LocationAdditional Context", + "Chest 5:\nChest 5 LocationAdditional Context", + "Chest 6:\nChest 6 LocationAdditional Context", + "Chest 7:\nChest 7 LocationAdditional Context", + "Chest 8:\nChest 8 LocationAdditional Context", + "Chest 9:\nChest 9 LocationAdditional Context", + "Go to the location indicated on the Treasure Map in a Box\nLocationAdditional Context", + "Read the note that was underneath the chest", + "Go to the location indicated by the note\nLocationAdditional Context" + ], + "id": 81259 + }, + { + "achievement": "Kara's Child", + "description": "Drift freely in the forest.", + "requirements": "Use a Four-Leaf Sigil.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 81260 + }, + { + "achievement": "The Lengthy Reunion", + "description": "Follow the Sumpter Beast that has lost its owner until it finishes its journey.", + "requirements": "Complete Even Beasts Get Homesick.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Even_Beasts_Get_Homesick", + "steps": [ + "Find the Sumpter Beast southeast of the Visshuda Field Statue of The Seven\nSumpter Beast's locationAdditional context", + "Follow the Sumpter Beast along the path until it reaches its destination in Ashavan Realm\nPathAdditional context for destination", + "Defeat the Sumpter Beast's owner Eremite Crossbow ×1\nSpawns on the hill in front of the Sumpter Beast's destination\nAdditional context", + "Eremite Crossbow ×1", + "Spawns on the hill in front of the Sumpter Beast's destination", + "Open the Exquisite Chest\nExquisite Chest" + ], + "id": 81261 + }, + { + "achievement": "\"I've Got It! I've Got It!\"", + "description": "Find and solve a series of riddles in Sumeru City.", + "requirements": "Complete Drusus' Riddles.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Drusus%27_Riddles", + "steps": [ + "Interact with the bulletin board outside the Adventurers' Guild in Sumeru\nFirst Riddle: \"In the light of alternating day cycles, one can see the homeward figure of the lighthouse on the bridge.\"\nSolution: Below where the morning shadow of the lighthouse in Sumeru City's harbor meets the bridge section at the docks.", + "First Riddle: \"In the light of alternating day cycles, one can see the homeward figure of the lighthouse on the bridge.\"", + "Solution: Below where the morning shadow of the lighthouse in Sumeru City's harbor meets the bridge section at the docks.", + "Find the first Riddle Note in a floating crate beneath the docks\nLocationAdditional Context\nSecond Riddle: \"A mirror not made of glass reflects every drama.\"\nSolution: In the reflective water basin around the fountain in front of the Zubayr Theatre at the Grand Bazaar.", + "Second Riddle: \"A mirror not made of glass reflects every drama.\"", + "Solution: In the reflective water basin around the fountain in front of the Zubayr Theatre at the Grand Bazaar.", + "Find the second Riddle Note in a floating crate in the fountain of the Grand Bazaar\nLocationAdditional ContextAdditional Context\nThird Riddle: \"The sole path to knowledge.\"\nSolution: Below the bridge in the antechamber of the Akademiya's library which one has to cross to access it.", + "Third Riddle: \"The sole path to knowledge.\"", + "Solution: Below the bridge in the antechamber of the Akademiya's library which one has to cross to access it.", + "Find the third Riddle Note in an Exquisite Chest underneath the walkway in the House of Daena\nAdditional Context\nFourth Riddle: \"The flowers in the pond are blooming, with watery pearls there lingering.\"\nSolution: Near the blooming lotus flowers in the pond of the gardens on the Akademiya's upper levels.", + "Fourth Riddle: \"The flowers in the pond are blooming, with watery pearls there lingering.\"", + "Solution: Near the blooming lotus flowers in the pond of the gardens on the Akademiya's upper levels.", + "Find the fourth Riddle Note in a floating crate in the Razan Garden\nLocationAdditional ContextFurther Context\nFifth Riddle: \"Please go to the front door of the Temple of Knowledge at noon.\"\nSolution: Meet Drusus around noon on the terrace in front of the Sanctuary of Surasthana at the top of the tree.", + "Fifth Riddle: \"Please go to the front door of the Temple of Knowledge at noon.\"", + "Solution: Meet Drusus around noon on the terrace in front of the Sanctuary of Surasthana at the top of the tree.", + "Speak to Drusus at 10:00 – 14:00 outside the Sanctuary of Surasthana\nLocationAdditional Context" + ], + "id": 81262 + }, + { + "achievement": "Song of Night and Dawn", + "description": "...We shall meet each other somewhere in the future.", + "requirements": "Complete Marana's Last Struggle.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Marana%27s_Last_Struggle", + "steps": [ + "Put off the \"wicked flames\" from the altars in the following locations\nDefeating the Pyro Abyss Mages is optional\nLocations of the altars", + "Defeating the Pyro Abyss Mages is optional", + "Defeat the Abyss Lector, Servant of Flame\nLocation of the Abyss Lector" + ], + "id": 81263 + }, + { + "achievement": "Close Encounters of the Which Kind?", + "description": "An unusual \"friend\" has joined the archaeology team...", + "requirements": "Earned during Lost in the Sands.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Lost_in_the_Sands", + "steps": [], + "id": 81264 + }, + { + "achievement": "Exploration in the Desert", + "description": "The exploration in the desert has just begun.", + "requirements": "Complete Lost in the Sands.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Lost_in_the_Sands", + "steps": [], + "id": 81265 + }, + { + "achievement": "Thinking Like a Vahumana Scholar", + "description": "The ink bottle has a fearsome power.", + "requirements": "Complete An Introduction to Indoor Archaeology.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/An_Introduction_to_Indoor_Archaeology", + "steps": [ + "Go to the oasis", + "Go high up to look for Jebrael", + "Return to the campsite", + "Go to Khemenu Temple", + "Proceed deeper within Khemenu Temple", + "Explore the lower level of Khemenu Temple\nThis unlocks a Teleport Waypoint", + "This unlocks a Teleport Waypoint", + "Return to the previous room and look for clues", + "Try to unlock the rooms located deep within (0/2)", + "Ride the elevator", + "Enter the room located deep within" + ], + "id": 81266 + }, + { + "achievement": "Fata Morgana", + "description": "The way to the throne has finally been revealed.", + "requirements": "Earned during Dreams Beneath the Searing Sand.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Dreams_Beneath_the_Searing_Sand", + "steps": [ + "Return to the oasis", + "Defeat the Eremites\nWave 1: Eremite Linebreaker ×1 Eremite Ravenbeak Halberdier ×2\nWave 2: Eremite Stone Enchanter ×1", + "Wave 1: Eremite Linebreaker ×1 Eremite Ravenbeak Halberdier ×2", + "Eremite Linebreaker ×1", + "Eremite Ravenbeak Halberdier ×2", + "Wave 2: Eremite Stone Enchanter ×1", + "Eremite Stone Enchanter ×1", + "Talk to Nachtigal", + "Go to the next oasis", + "Talk to Jebrael", + "Talk to Tirzad", + "Go to Khaj-Nisut", + "Search for Khaj-Nisut", + "Go to the Eremites' camp", + "Talk to The Eremites", + "Defeat the Eremites\nWave 1: Eremite Daythunder ×1 Eremite Sunfrost ×1\nWave 2: Eremite Galehunter ×1 Eremite Ravenbeak Halberdier ×2", + "Wave 1: Eremite Daythunder ×1 Eremite Sunfrost ×1", + "Eremite Daythunder ×1", + "Eremite Sunfrost ×1", + "Wave 2: Eremite Galehunter ×1 Eremite Ravenbeak Halberdier ×2", + "Eremite Galehunter ×1", + "Eremite Ravenbeak Halberdier ×2", + "Talk to Jeht", + "Search for clues in the Eremites' camp", + "Report back to Jebrael on the discovered clues", + "Pass the three trials (0/3)", + "Find the way to Khaj-Nisut", + "Enter Khaj-Nisut", + "Continue exploring", + "Explore Khaj-Nisut's lower floor", + "Descend further", + "Activate Plinth(s) of the Secret Rites", + "Continue forward", + "Activate the mechanism in the center of the hall (0/3)", + "Go to Khaj-Nisut's upper floor", + "Operate Prism of Khaj-Nisut and try to reach Khaj-Nisut's upper floor", + "Defeat the opponents", + "Go to the upper floor", + "Continue exploring", + "Approach the throne", + "Defeat Samail's subordinates\nWave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1 Eremite Crossbow ×2\nWave 2: Eremite Daythunder ×1 Eremite Desert Clearwater ×1\nWave 3: Eremite Stone Enchanter ×1 Eremite Ravenbeak Halberdier ×1 Eremite Crossbow ×1", + "Wave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1 Eremite Crossbow ×2", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Geochanter Bracer ×1", + "Eremite Crossbow ×2", + "Wave 2: Eremite Daythunder ×1 Eremite Desert Clearwater ×1", + "Eremite Daythunder ×1", + "Eremite Desert Clearwater ×1", + "Wave 3: Eremite Stone Enchanter ×1 Eremite Ravenbeak Halberdier ×1 Eremite Crossbow ×1", + "Eremite Stone Enchanter ×1", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Crossbow ×1", + "Escape from Khaj-Nisut\nBegins a Time Trial Challenge. If the sea of consciousness touches the player before they reach the exit, the challenge restarts from the beginning.", + "Begins a Time Trial Challenge. If the sea of consciousness touches the player before they reach the exit, the challenge restarts from the beginning.", + "Return to Aaru Village" + ], + "id": 81267 + }, + { + "achievement": "Create, Swap, Store, and Use", + "description": "Even the key must first receive \"acknowledgment.\"", + "requirements": "Earned during The Secret of Al-Ahmar.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Secret_of_Al-Ahmar", + "steps": [ + "Enter the secret passage behind the mural", + "Ride the elevator", + "Go to the Mausoleum of King Deshret\nThis unlocks a Teleport Waypoint", + "This unlocks a Teleport Waypoint", + "Defeat the opponents Primal Construct: Repulsor ×1 Primal Construct: Prospector ×1", + "Primal Construct: Repulsor ×1", + "Primal Construct: Prospector ×1", + "Continue exploring", + "Try to open the sarcophagus (0/4)", + "Find the way to the upper floor", + "Go to the highest floor of the Mausoleum of King Deshret", + "Follow the archaeological team", + "Find the members of the archaeology team\nThis unlocks another Teleport Waypoint", + "This unlocks another Teleport Waypoint", + "Defeat the Fatui Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Find Benben", + "Proceed deeper within to find Benben\nThis unlocks yet another Teleport Waypoint", + "This unlocks yet another Teleport Waypoint", + "Go to the Fatui camp to search for clues", + "Defeat Samail and the Fatui\n Samail: \"The Twin Blades of Thutmose\"\n Fatui Pyro Agent ×2", + "Samail: \"The Twin Blades of Thutmose\"", + "Fatui Pyro Agent ×2", + "Proceed deeper within the ruins (0/2)", + "Investigate the room located deep within", + "Investigate the container at the center of the room", + "Defeat the Fatui", + "Track Benben down", + "Find your companions in the cave" + ], + "id": 81268 + }, + { + "achievement": "The Amazing Pyramid", + "description": "A small step towards hiding the truth.", + "requirements": "Complete The Secret of Al-Ahmar.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Secret_of_Al-Ahmar", + "steps": [ + "Enter the secret passage behind the mural", + "Ride the elevator", + "Go to the Mausoleum of King Deshret\nThis unlocks a Teleport Waypoint", + "This unlocks a Teleport Waypoint", + "Defeat the opponents Primal Construct: Repulsor ×1 Primal Construct: Prospector ×1", + "Primal Construct: Repulsor ×1", + "Primal Construct: Prospector ×1", + "Continue exploring", + "Try to open the sarcophagus (0/4)", + "Find the way to the upper floor", + "Go to the highest floor of the Mausoleum of King Deshret", + "Follow the archaeological team", + "Find the members of the archaeology team\nThis unlocks another Teleport Waypoint", + "This unlocks another Teleport Waypoint", + "Defeat the Fatui Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Find Benben", + "Proceed deeper within to find Benben\nThis unlocks yet another Teleport Waypoint", + "This unlocks yet another Teleport Waypoint", + "Go to the Fatui camp to search for clues", + "Defeat Samail and the Fatui\n Samail: \"The Twin Blades of Thutmose\"\n Fatui Pyro Agent ×2", + "Samail: \"The Twin Blades of Thutmose\"", + "Fatui Pyro Agent ×2", + "Proceed deeper within the ruins (0/2)", + "Investigate the room located deep within", + "Investigate the container at the center of the room", + "Defeat the Fatui", + "Track Benben down", + "Find your companions in the cave" + ], + "id": 81269 + }, + { + "achievement": "Walk Like King Deshret's People", + "description": "Obtain permission to go through many doors.", + "requirements": "Light up every sigil on the Scarlet Sand Slate.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81270 + }, + { + "achievement": "The Straight Path", + "description": "Head to the hidden compartment at the top of the Mausoleum of King Deshret.", + "requirements": "Earned during Dual Evidence.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Dual_Evidence", + "steps": [], + "id": 81271 + }, + { + "achievement": "The Path To Enlightenment", + "description": "No one knows how these great monuments were built or why they were lost to time.", + "requirements": "Earned during Dual Evidence.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Dual_Evidence", + "steps": [], + "id": 81272 + }, + { + "achievement": "Encore!", + "description": "Stand before King Deshret again in Khaj-Nisut.", + "requirements": "Return to the throne after completing Dreams Beneath the Searing Sand.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Dreams_Beneath_the_Searing_Sand", + "steps": [ + "Return to the oasis", + "Defeat the Eremites\nWave 1: Eremite Linebreaker ×1 Eremite Ravenbeak Halberdier ×2\nWave 2: Eremite Stone Enchanter ×1", + "Wave 1: Eremite Linebreaker ×1 Eremite Ravenbeak Halberdier ×2", + "Eremite Linebreaker ×1", + "Eremite Ravenbeak Halberdier ×2", + "Wave 2: Eremite Stone Enchanter ×1", + "Eremite Stone Enchanter ×1", + "Talk to Nachtigal", + "Go to the next oasis", + "Talk to Jebrael", + "Talk to Tirzad", + "Go to Khaj-Nisut", + "Search for Khaj-Nisut", + "Go to the Eremites' camp", + "Talk to The Eremites", + "Defeat the Eremites\nWave 1: Eremite Daythunder ×1 Eremite Sunfrost ×1\nWave 2: Eremite Galehunter ×1 Eremite Ravenbeak Halberdier ×2", + "Wave 1: Eremite Daythunder ×1 Eremite Sunfrost ×1", + "Eremite Daythunder ×1", + "Eremite Sunfrost ×1", + "Wave 2: Eremite Galehunter ×1 Eremite Ravenbeak Halberdier ×2", + "Eremite Galehunter ×1", + "Eremite Ravenbeak Halberdier ×2", + "Talk to Jeht", + "Search for clues in the Eremites' camp", + "Report back to Jebrael on the discovered clues", + "Pass the three trials (0/3)", + "Find the way to Khaj-Nisut", + "Enter Khaj-Nisut", + "Continue exploring", + "Explore Khaj-Nisut's lower floor", + "Descend further", + "Activate Plinth(s) of the Secret Rites", + "Continue forward", + "Activate the mechanism in the center of the hall (0/3)", + "Go to Khaj-Nisut's upper floor", + "Operate Prism of Khaj-Nisut and try to reach Khaj-Nisut's upper floor", + "Defeat the opponents", + "Go to the upper floor", + "Continue exploring", + "Approach the throne", + "Defeat Samail's subordinates\nWave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1 Eremite Crossbow ×2\nWave 2: Eremite Daythunder ×1 Eremite Desert Clearwater ×1\nWave 3: Eremite Stone Enchanter ×1 Eremite Ravenbeak Halberdier ×1 Eremite Crossbow ×1", + "Wave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1 Eremite Crossbow ×2", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Geochanter Bracer ×1", + "Eremite Crossbow ×2", + "Wave 2: Eremite Daythunder ×1 Eremite Desert Clearwater ×1", + "Eremite Daythunder ×1", + "Eremite Desert Clearwater ×1", + "Wave 3: Eremite Stone Enchanter ×1 Eremite Ravenbeak Halberdier ×1 Eremite Crossbow ×1", + "Eremite Stone Enchanter ×1", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Crossbow ×1", + "Escape from Khaj-Nisut\nBegins a Time Trial Challenge. If the sea of consciousness touches the player before they reach the exit, the challenge restarts from the beginning.", + "Begins a Time Trial Challenge. If the sea of consciousness touches the player before they reach the exit, the challenge restarts from the beginning.", + "Return to Aaru Village" + ], + "id": 81273 + }, + { + "achievement": "Reclining on Top of the World", + "description": "Complete Afratu's Dilemma.", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "10", + "id": 81274 + }, + { + "achievement": "What Does This Button Do?", + "description": "As long as you miss, it isn't a big deal.", + "requirements": "Operate the Ruin Golem.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81275 + }, + { + "achievement": "The Breakthrough", + "description": "Are all machines from Khaenri'ah this strange?", + "requirements": "Destroy the rocks using the Ruin Golem in the Valley of Dahri.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81276 + }, + { + "achievement": "What's the Password?", + "description": "Open the mysterious gate of the Lamb-Devourer Rock.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81277 + }, + { + "achievement": "The End of the Corridor", + "description": "Enter the most secret chamber at the bottom of the Mausoleum of King Deshret.", + "requirements": "Complete The Dead End and the Glinting Architects.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Dead_End_and_the_Glinting_Architects", + "steps": [ + "Defeat the Primal Constructs in the following locations in any order:\nKhaj-Nisut Primal Construct: Repulsor ×1 Primal Construct: Reshaper ×1 Primal Construct: Prospector ×1\nEnter the building, then go left and downstairs. After landing, Turn around and go downstairs to the room with Large Fan Blades.\nLocationAdditional context\nThe Mausoleum of King Deshret Primal Construct: Prospector ×2\nEnter the building via the main entrance, go straight until the first crossroads then drop down the open elevator shaft. This will not be available during the first time exploring the Mausoleum, and Paimon will comment as such:Paimon: Hmm, did Paimon recall wrongly? This path wasn't here when we came before...Paimon: Let's go find out!\nLocationAdditional context\nAbdju Pit Primal Construct: Repulsor ×1 Primal Construct: Reshaper ×1\nFollow the Guidance to Abdju Road using Scarlet Sand Slate until the room with a Seelie Court before the entrance. Take the elevator on the right, then take another elevator at the end of the passage.\nLocationAdditional context\nHypostyle Desert southernmost ruins Primal Construct: Reshaper ×1 Primal Construct: Prospector ×2\nEnter the ruins to the south of The Dune of Elusion and follow the path.\nLocationAdditional context\nSekhem Hall Primal Construct: Repulsor ×1 Primal Construct: Reshaper ×1\nTeleport to the southeast of The Mausoleum of King Deshret, activate the two Hydro Elemental Monuments to drain the floor, then go down.\nLocationAdditional context", + "Khaj-Nisut Primal Construct: Repulsor ×1 Primal Construct: Reshaper ×1 Primal Construct: Prospector ×1\nEnter the building, then go left and downstairs. After landing, Turn around and go downstairs to the room with Large Fan Blades.\nLocationAdditional context", + "Primal Construct: Repulsor ×1", + "Primal Construct: Reshaper ×1", + "Primal Construct: Prospector ×1", + "The Mausoleum of King Deshret Primal Construct: Prospector ×2\nEnter the building via the main entrance, go straight until the first crossroads then drop down the open elevator shaft. This will not be available during the first time exploring the Mausoleum, and Paimon will comment as such:Paimon: Hmm, did Paimon recall wrongly? This path wasn't here when we came before...Paimon: Let's go find out!\nLocationAdditional context", + "Primal Construct: Prospector ×2", + "Abdju Pit Primal Construct: Repulsor ×1 Primal Construct: Reshaper ×1\nFollow the Guidance to Abdju Road using Scarlet Sand Slate until the room with a Seelie Court before the entrance. Take the elevator on the right, then take another elevator at the end of the passage.\nLocationAdditional context", + "Primal Construct: Repulsor ×1", + "Primal Construct: Reshaper ×1", + "Hypostyle Desert southernmost ruins Primal Construct: Reshaper ×1 Primal Construct: Prospector ×2\nEnter the ruins to the south of The Dune of Elusion and follow the path.\nLocationAdditional context", + "Primal Construct: Reshaper ×1", + "Primal Construct: Prospector ×2", + "Sekhem Hall Primal Construct: Repulsor ×1 Primal Construct: Reshaper ×1\nTeleport to the southeast of The Mausoleum of King Deshret, activate the two Hydro Elemental Monuments to drain the floor, then go down.\nLocationAdditional context", + "Primal Construct: Repulsor ×1", + "Primal Construct: Reshaper ×1", + "Use the Glinting Components to unlock the door.\nLocated in the underground ruins west of The Mausoleum of King Deshret. To go there, teleport to the southwest of The Mausoleum of King Deshret, then enter the cave on the northwest.\nLocationAdditional context", + "Located in the underground ruins west of The Mausoleum of King Deshret. To go there, teleport to the southwest of The Mausoleum of King Deshret, then enter the cave on the northwest." + ], + "id": 81278 + }, + { + "achievement": "The King of Four Lands", + "description": "Find and unlock the secrets of all Transparent Ruins in the desert.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81280 + }, + { + "achievement": "Scarlet Reign's Great Red Sand", + "description": "Explore the three large Obelisks in the desert.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81281 + }, + { + "achievement": "Engraved", + "description": "Beauty and hope are the tenderest remembrance of the dead.", + "requirements": "Complete A Gifted Rose: Some People Never Fade Away.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/A_Gifted_Rose:_Some_People_Never_Fade_Away", + "steps": [ + "Use the power of Dendro to \"awaken\" the Golden Rose" + ], + "id": 81282 + }, + { + "achievement": "Before My Time", + "description": "People don't want to mention his name, nor do they want to remember his words or deeds.", + "requirements": "Complete Eleazar Hospital Notes.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Eleazar_Hospital_Notes", + "steps": [ + "Enter the hidden Eleazar Hospital underground section in Dar al-Shifa", + "Investigate the dust cloud left by a Masked Weasel (beside the spot Razak was at during the quest Cry From the Eleazar Hospital) to obtain Ancient Key.", + "Unlock the old cabinet at the top of the ladder in the floor above using the Ancient Key" + ], + "id": 81283 + }, + { + "achievement": "The Illusory City", + "description": "Experience your first mirage in the desert.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81284 + }, + { + "achievement": "How Do You Write The Excavation Report?", + "description": "Explore the ruins beneath the desert for the first time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81285 + }, + { + "achievement": "Drifting in the Wind", + "description": "Break the tumbleweed drifting in the desert.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81286 + }, + { + "achievement": "One Flew Over the Sick Men's Rest", + "description": "There was one survivor who got away.", + "requirements": "Complete Abbas' Escape.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Abbas%27_Escape", + "steps": [ + "Enter the underground area in Dar al-Shifa\nBreak open the Rock Pile underneath the Dendroculus to enter the area. A cutscene will play, which breaks your fall and immediately takes you to the bottom of the pit.", + "Break open the Rock Pile underneath the Dendroculus to enter the area. A cutscene will play, which breaks your fall and immediately takes you to the bottom of the pit.", + "Reach the exit to the oasis\nSeveral caverns are blocked by Rock Piles. Use Elemental Sight to spot them.", + "Several caverns are blocked by Rock Piles. Use Elemental Sight to spot them.", + "Interact with the Severely Eroded Hoe" + ], + "id": 81288 + }, + { + "achievement": "A Well-Trained Archaeologist", + "description": "Bring all the Primal Obelisks in the Hypostyle Desert, Land of Upper Setekh, and Land of Lower Setekh back to life.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81289 + }, + { + "achievement": "Beyond the Shadow of Time", + "description": "Touch every mysterious mural in the desert.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 81290 + }, + { + "achievement": "\"If They Had Known the Unseen...\"", + "description": "Liloupar frees herself of her contract with you, choosing to face her dark and distant destiny...", + "requirements": "Complete Memories of Gurabad.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/Memories_of_Gurabad", + "steps": [], + "id": 81291 + }, + { + "achievement": "\"It's Only an Eternity of Servitude!\"", + "description": "The Jinni Liloupar, who has slumbered for hundreds and thousands of years, enters into a pact with you.", + "requirements": "Earned during The Temple Where Sand Flows Like Tears.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Temple_Where_Sand_Flows_Like_Tears", + "steps": [ + "Go to the temple on the outskirts of Gurabad", + "Go to the temple's gate", + "Talk to Azariq", + "Activate the device and open the gate\nAttacking the sand pile will prompt the message, \"It seems that this sand pile cannot be removed in this manner...\"", + "Attacking the sand pile will prompt the message, \"It seems that this sand pile cannot be removed in this manner...\"", + "Go deeper into the temple", + "Activate the device within the temple", + "Touch the giant device at the temple's center", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for another exit", + "Search the temple", + "Find the activated machine", + "Scatter the dust around the sealing machine", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for a way back to the temple", + "Scatter the dust around the sealing machine", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for a way back to the temple", + "Scatter the dust around the sealing machine", + "Touch the giant device at the temple's center", + "Check on the situation outside the temple", + "Go to the ruins opposite the square", + "Open the gate", + "Search the temple ruins", + "Check the shining object", + "Talk to Jeht", + "Defeat the Primal Construct\n Anoushbord — Forgotten Mechanical Guardian", + "Anoushbord — Forgotten Mechanical Guardian", + "Check the shining object", + "Leave through the gap caused by the collapse", + "Continue onward", + "Talk to the messenger", + "Go through the Pairidaeza Canyon", + "Talk to the fellow who is up to no good", + "Defeat the Eremites Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×2", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Linebreaker ×2", + "Track your foe by following the footprints", + "Investigate the opposing Eremites' camp", + "Continue onward", + "Investigate the opposing Eremites' camp", + "Continue onward", + "Investigate the opposing Eremites' camp", + "Leave the canyon", + "Return to the tribal settlement and report to Babel", + "Talk with Azariq and Jeht" + ], + "id": 81292 + }, + { + "achievement": "The Nameless City's Past", + "description": "The murals within the temple of Gurabad speak of a glorious bygone age...", + "requirements": "Complete The Murals of Gurabad by unlocking all the Mysterious Stone Slates.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Murals_of_Gurabad", + "steps": [ + "Find the following:\n Mysterious Stone Slate (I) Mysterious Stone Slate (I)'s LocationAdditional context\n Mysterious Stone Slate (II) Mysterious Stone Slate (II)'s LocationAdditional context\n Mysterious Stone Slate (III) Mysterious Stone Slate (III)'s LocationAdditional context", + "Mysterious Stone Slate (I) Mysterious Stone Slate (I)'s LocationAdditional context", + "Mysterious Stone Slate (II) Mysterious Stone Slate (II)'s LocationAdditional context", + "Mysterious Stone Slate (III) Mysterious Stone Slate (III)'s LocationAdditional context", + "Open the first door (requires slates I, II & III).\nFirst door locationAdditional context", + "Find the following:\n Mysterious Stone Slate (IV) Mysterious Stone Slate (IV)'s LocationAdditional context\n Mysterious Stone Slate (V) Mysterious Stone Slate (V)'s LocationAdditional context\n Mysterious Stone Slate (VI) Mysterious Stone Slate (VI)'s LocationAdditional context", + "Mysterious Stone Slate (IV) Mysterious Stone Slate (IV)'s LocationAdditional context", + "Mysterious Stone Slate (V) Mysterious Stone Slate (V)'s LocationAdditional context", + "Mysterious Stone Slate (VI) Mysterious Stone Slate (VI)'s LocationAdditional context", + "Open the second door (requires slates IV, V & VI).\nSecond door locationAdditional context" + ], + "id": 81293 + }, + { + "achievement": "The Silent, Dreamless Paradise", + "description": "This is the mausoleum of the Goddess of Flowers. This is the long and dreamless slumber of a god...", + "requirements": "Earned during Dune-Entombed Fecundity: Part III.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/Dune-Entombed_Fecundity:_Part_III", + "steps": [ + "Return to the surface", + "Go to the pilot cabin", + "Drive the ancient machine to your destination", + "Go to your destination", + "Check on the condition of the machine's interior", + "Destroy the obstructing rocks (0/3)", + "Leave the pilot cabin", + "Defeat Azariq and his subordinates\n Azariq — Babel's Left Hand Eremite Linebreaker ×2 Eremite Axe Vanguard ×1 Eremite Ravenbeak Halberdier ×2", + "Azariq — Babel's Left Hand Eremite Linebreaker ×2 Eremite Axe Vanguard ×1 Eremite Ravenbeak Halberdier ×2", + "Eremite Linebreaker ×2", + "Eremite Axe Vanguard ×1", + "Eremite Ravenbeak Halberdier ×2", + "Escape the machine", + "Leave the machine", + "Confront Aderfi", + "Defeat Aderfi and the Fatui\n Aderfi — Conniving Smuggler Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Pyroslinger Bracer ×1 Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×2", + "Aderfi — Conniving Smuggler Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Pyroslinger Bracer ×1 Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×2", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Anemoboxer Vanguard ×1", + "Fatui Skirmisher - Geochanter Bracer ×2", + "Check the dropped items", + "Follow Liloupar's instructions and return to the machine's interior", + "Enter the tunnel alongside the inside of the machine", + "Go deeper into the tunnel", + "Proceed deeper", + "Remove the sand", + "Proceed deeper", + "Open the ancient gate", + "Keep exploring", + "Open the ancient gate", + "Keep exploring", + "Obtain Liloupar's fragment", + "Talk to Liloupar", + "Head into the depths", + "Activate the ancient mechanism", + "Activate the mechanism", + "Defeat the attracted monsters\nWave 1: Primal Construct: Reshaper ×2\nWave 2: Consecrated Flying Serpent ×1 Flying Serpent ×2", + "Wave 1: Primal Construct: Reshaper ×2", + "Primal Construct: Reshaper ×2", + "Wave 2: Consecrated Flying Serpent ×1 Flying Serpent ×2", + "Consecrated Flying Serpent ×1", + "Flying Serpent ×2", + "Go to the platform", + "Go to the Crystal Goblet of Al-Ahmar", + "Defeat Ferigees\nWave 1: Primal Construct: Reshaper ×1 Primal Construct: Repulsor ×1\nWave 2: Primal Construct: Prospector ×1 Primal Construct: Repulsor ×1\nWave 3: Algorithm of Semi-Intransient Matrix of Overseer Network ×1", + "Wave 1: Primal Construct: Reshaper ×1 Primal Construct: Repulsor ×1", + "Primal Construct: Reshaper ×1", + "Primal Construct: Repulsor ×1", + "Wave 2: Primal Construct: Prospector ×1 Primal Construct: Repulsor ×1", + "Primal Construct: Prospector ×1", + "Primal Construct: Repulsor ×1", + "Wave 3: Algorithm of Semi-Intransient Matrix of Overseer Network ×1", + "Algorithm of Semi-Intransient Matrix of Overseer Network ×1", + "Go to the center of the platform", + "Activate the elevator", + "Go to the Eternal Oasis" + ], + "id": 81295 + }, + { + "achievement": "\"...For She Shall Surely Requite.\"", + "description": "Will the evil-doers and their oracles have known of this day, when the avenger unleashes her righteous fury?", + "requirements": "Complete For Her Judgment Reaches to the Skies....", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/For_Her_Judgment_Reaches_to_the_Skies...", + "steps": [ + "Go to the location mentioned in the Fatui's documents", + "Look for Jeht", + "Chase the sounds to their source", + "Enter the Fatui hideout\nWave 1: Fatui Skirmisher - Anemoboxer Vanguard ×2\nWave 2: Fatui Skirmisher - Cryogunner Legionnaire ×1", + "Wave 1: Fatui Skirmisher - Anemoboxer Vanguard ×2", + "Wave 2: Fatui Skirmisher - Cryogunner Legionnaire ×1", + "Find the injured Jeht", + "Calm Jeht down\n Jeht — Rage Born of Betrayal ×1", + "Jeht — Rage Born of Betrayal ×1", + "Defeat the attacking assassin(s)\nWave 1: Nayram — Tanit Falcon ×1\nWave 2: Rezki — Tanit Falcon ×1", + "Wave 1: Nayram — Tanit Falcon ×1", + "Wave 2: Rezki — Tanit Falcon ×1", + "Talk to Jeht", + "Go and confront Babel", + "Defeat Babel and her underlings Eremite Ravenbeak Halberdier ×2 Babel — Tanit Matriarch ×1", + "Eremite Ravenbeak Halberdier ×2", + "Babel — Tanit Matriarch ×1", + "Defeat the forces of the Tanit tribe\nWave 1: Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×1 Eremite Sword-Dancer ×1\nWave 2: Eremite Linebreaker ×1 Eremite Sword-Dancer ×1\nWave 3: Eremite Crossbow ×1 Eremite Linebreaker ×1\nWave 4: Eremite Sword-Dancer ×1 Eremite Daythunder ×1\nWave 5: Eremite Ravenbeak Halberdier ×1 Eremite Sword-Dancer ×1\nWave 6: Eremite Sword-Dancer ×1\nWave 7: Eremite Sword-Dancer ×2 Eremite Axe Vanguard ×1 Yuften — Tanit Farmer ×1", + "Wave 1: Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×1 Eremite Sword-Dancer ×1", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Linebreaker ×1", + "Eremite Sword-Dancer ×1", + "Wave 2: Eremite Linebreaker ×1 Eremite Sword-Dancer ×1", + "Eremite Linebreaker ×1", + "Eremite Sword-Dancer ×1", + "Wave 3: Eremite Crossbow ×1 Eremite Linebreaker ×1", + "Eremite Crossbow ×1", + "Eremite Linebreaker ×1", + "Wave 4: Eremite Sword-Dancer ×1 Eremite Daythunder ×1", + "Eremite Sword-Dancer ×1", + "Eremite Daythunder ×1", + "Wave 5: Eremite Ravenbeak Halberdier ×1 Eremite Sword-Dancer ×1", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Sword-Dancer ×1", + "Wave 6: Eremite Sword-Dancer ×1", + "Eremite Sword-Dancer ×1", + "Wave 7: Eremite Sword-Dancer ×2 Eremite Axe Vanguard ×1 Yuften — Tanit Farmer ×1", + "Eremite Sword-Dancer ×2", + "Eremite Axe Vanguard ×1", + "Yuften — Tanit Farmer ×1", + "Catch up with Babel", + "Defeat Babel\n Babel — Tanit Matriarch ×1\nThe following enemies will infinitely respawn until Babel is defeated: Eremite Ravenbeak Halberdier ×1 Eremite Crossbow ×1", + "Babel — Tanit Matriarch ×1", + "The following enemies will infinitely respawn until Babel is defeated: Eremite Ravenbeak Halberdier ×1 Eremite Crossbow ×1", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Crossbow ×1", + "Follow Jeht out of this place" + ], + "id": 81296 + }, + { + "achievement": "La Luna Rossa", + "description": "Across this vast chessboard, what horrors have been enacted under the light of the blood-red moon?", + "requirements": "Complete Chessboard of Safhe Shatranj.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81297 + }, + { + "achievement": "Flat Out", + "description": "The blind Wenut crash across the desert, and yet even such reckless charges do sometimes yield results...", + "requirements": "Break a Weathered Rock with a Wenut attack.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81298 + }, + { + "achievement": "\"I Hate 'Em Myself!\"", + "description": "Be attacked by a Wenut for the first time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81299 + }, + { + "achievement": "Genesis of the Rift", + "description": "Discover the truth behind the destruction of the Eremite investigative expedition to Gurabad.", + "requirements": "Collect six \"Pathfinders' Log\" pages.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81300 + }, + { + "achievement": "Didn't Even Need a Manual...", + "description": "Revive Benben to its former state.", + "requirements": "Complete Rejoice With Me, for What Was Lost Is Now Found", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/Rejoice_With_Me,_for_What_Was_Lost_Is_Now_Found", + "steps": [ + "Look for clues in Aderfi's tent", + "Check on Benben", + "Investigate within the tent", + "View Letter", + "Head over to the designated location in the letter", + "Wait at the location of the secret meeting", + "Defeat the Fatui Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Electro Cicin Mage ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Electro Cicin Mage ×1", + "Talk to the Fatui negotiator", + "Go to the Fatui stronghold", + "Collect a certain number of Energy Transformation Capacitors", + "Return to Jeht's tent", + "Give the Energy Transformation Capacitors to Jeht", + "Fix Benben" + ], + "id": 81301 + }, + { + "achievement": "Hunter's Mercy", + "description": "Let Tadhla the Falcon choose her own fate...", + "requirements": "Complete The Fallen Falcon.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Fallen_Falcon", + "steps": [], + "id": 81302 + }, + { + "achievement": "On a Magic Carpet Ride", + "description": "This whole new world, this dazzling place I never knew!", + "requirements": "Complete the Time Trial Challenge located near the Teleport Waypoint in Ashavan Realm next to the Desert of Hadramaveth.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81303 + }, + { + "achievement": "\"Isn't Life Wondrous?\"", + "description": "The Wenut tunnel their palaces windingly, perhaps even intricately, since life always finds a way...", + "requirements": "Open five destructible passages in the Wenut Tunnels.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81304 + }, + { + "achievement": "The Ancient Orchard and Spring", + "description": "The terraced pools that once overflowed with spring water have now been filled with yellow sand...", + "requirements": "Complete every Cascade Pool puzzle.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81306 + }, + { + "achievement": "In Her Full Glory...", + "description": "The fuchsia Padisarahs bloom upon an empty throne, like the eternal smile of their mistress...", + "requirements": "Complete Memories of Pairidaeza.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/Memories_of_Pairidaeza", + "steps": [], + "id": 81307 + }, + { + "achievement": "\"...Shew the Kingdoms Thy Shame.\"", + "description": "Make the damaged chessboard re-emerge amidst the sands.", + "requirements": "Earned during The Temple Where Sand Flows Like Tears.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Temple_Where_Sand_Flows_Like_Tears", + "steps": [ + "Go to the temple on the outskirts of Gurabad", + "Go to the temple's gate", + "Talk to Azariq", + "Activate the device and open the gate\nAttacking the sand pile will prompt the message, \"It seems that this sand pile cannot be removed in this manner...\"", + "Attacking the sand pile will prompt the message, \"It seems that this sand pile cannot be removed in this manner...\"", + "Go deeper into the temple", + "Activate the device within the temple", + "Touch the giant device at the temple's center", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for another exit", + "Search the temple", + "Find the activated machine", + "Scatter the dust around the sealing machine", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for a way back to the temple", + "Scatter the dust around the sealing machine", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for a way back to the temple", + "Scatter the dust around the sealing machine", + "Touch the giant device at the temple's center", + "Check on the situation outside the temple", + "Go to the ruins opposite the square", + "Open the gate", + "Search the temple ruins", + "Check the shining object", + "Talk to Jeht", + "Defeat the Primal Construct\n Anoushbord — Forgotten Mechanical Guardian", + "Anoushbord — Forgotten Mechanical Guardian", + "Check the shining object", + "Leave through the gap caused by the collapse", + "Continue onward", + "Talk to the messenger", + "Go through the Pairidaeza Canyon", + "Talk to the fellow who is up to no good", + "Defeat the Eremites Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×2", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Linebreaker ×2", + "Track your foe by following the footprints", + "Investigate the opposing Eremites' camp", + "Continue onward", + "Investigate the opposing Eremites' camp", + "Continue onward", + "Investigate the opposing Eremites' camp", + "Leave the canyon", + "Return to the tribal settlement and report to Babel", + "Talk with Azariq and Jeht" + ], + "id": 81308 + }, + { + "achievement": "From Soil You Are, and to the Sand You Shall Return...", + "description": "Just like all who dwell in the desert...", + "requirements": "Earned during The Temple Where Sand Flows Like Tears.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Temple_Where_Sand_Flows_Like_Tears", + "steps": [ + "Go to the temple on the outskirts of Gurabad", + "Go to the temple's gate", + "Talk to Azariq", + "Activate the device and open the gate\nAttacking the sand pile will prompt the message, \"It seems that this sand pile cannot be removed in this manner...\"", + "Attacking the sand pile will prompt the message, \"It seems that this sand pile cannot be removed in this manner...\"", + "Go deeper into the temple", + "Activate the device within the temple", + "Touch the giant device at the temple's center", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for another exit", + "Search the temple", + "Find the activated machine", + "Scatter the dust around the sealing machine", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for a way back to the temple", + "Scatter the dust around the sealing machine", + "Open the gate", + "Activate the device and, in turn, another machine somewhere within the temple", + "Look for a way back to the temple", + "Scatter the dust around the sealing machine", + "Touch the giant device at the temple's center", + "Check on the situation outside the temple", + "Go to the ruins opposite the square", + "Open the gate", + "Search the temple ruins", + "Check the shining object", + "Talk to Jeht", + "Defeat the Primal Construct\n Anoushbord — Forgotten Mechanical Guardian", + "Anoushbord — Forgotten Mechanical Guardian", + "Check the shining object", + "Leave through the gap caused by the collapse", + "Continue onward", + "Talk to the messenger", + "Go through the Pairidaeza Canyon", + "Talk to the fellow who is up to no good", + "Defeat the Eremites Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×2", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Linebreaker ×2", + "Track your foe by following the footprints", + "Investigate the opposing Eremites' camp", + "Continue onward", + "Investigate the opposing Eremites' camp", + "Continue onward", + "Investigate the opposing Eremites' camp", + "Leave the canyon", + "Return to the tribal settlement and report to Babel", + "Talk with Azariq and Jeht" + ], + "id": 81309 + }, + { + "achievement": "The Perfect Sandstorm", + "description": "\"We're heading straight into meteorological hell.\"", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81310 + }, + { + "achievement": "The Loveless Tarantula", + "description": "\"I swear I'm gonna boil you down for axle grease!\"", + "requirements": "Earned during Dune-Entombed Fecundity: Part III.", + "hidden": "Yes", + "type": "Quest", + "version": "3.4", + "primo": "5", + "requirementQuestLink": "/wiki/Dune-Entombed_Fecundity:_Part_III", + "steps": [ + "Return to the surface", + "Go to the pilot cabin", + "Drive the ancient machine to your destination", + "Go to your destination", + "Check on the condition of the machine's interior", + "Destroy the obstructing rocks (0/3)", + "Leave the pilot cabin", + "Defeat Azariq and his subordinates\n Azariq — Babel's Left Hand Eremite Linebreaker ×2 Eremite Axe Vanguard ×1 Eremite Ravenbeak Halberdier ×2", + "Azariq — Babel's Left Hand Eremite Linebreaker ×2 Eremite Axe Vanguard ×1 Eremite Ravenbeak Halberdier ×2", + "Eremite Linebreaker ×2", + "Eremite Axe Vanguard ×1", + "Eremite Ravenbeak Halberdier ×2", + "Escape the machine", + "Leave the machine", + "Confront Aderfi", + "Defeat Aderfi and the Fatui\n Aderfi — Conniving Smuggler Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Pyroslinger Bracer ×1 Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×2", + "Aderfi — Conniving Smuggler Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Pyroslinger Bracer ×1 Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×2", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Anemoboxer Vanguard ×1", + "Fatui Skirmisher - Geochanter Bracer ×2", + "Check the dropped items", + "Follow Liloupar's instructions and return to the machine's interior", + "Enter the tunnel alongside the inside of the machine", + "Go deeper into the tunnel", + "Proceed deeper", + "Remove the sand", + "Proceed deeper", + "Open the ancient gate", + "Keep exploring", + "Open the ancient gate", + "Keep exploring", + "Obtain Liloupar's fragment", + "Talk to Liloupar", + "Head into the depths", + "Activate the ancient mechanism", + "Activate the mechanism", + "Defeat the attracted monsters\nWave 1: Primal Construct: Reshaper ×2\nWave 2: Consecrated Flying Serpent ×1 Flying Serpent ×2", + "Wave 1: Primal Construct: Reshaper ×2", + "Primal Construct: Reshaper ×2", + "Wave 2: Consecrated Flying Serpent ×1 Flying Serpent ×2", + "Consecrated Flying Serpent ×1", + "Flying Serpent ×2", + "Go to the platform", + "Go to the Crystal Goblet of Al-Ahmar", + "Defeat Ferigees\nWave 1: Primal Construct: Reshaper ×1 Primal Construct: Repulsor ×1\nWave 2: Primal Construct: Prospector ×1 Primal Construct: Repulsor ×1\nWave 3: Algorithm of Semi-Intransient Matrix of Overseer Network ×1", + "Wave 1: Primal Construct: Reshaper ×1 Primal Construct: Repulsor ×1", + "Primal Construct: Reshaper ×1", + "Primal Construct: Repulsor ×1", + "Wave 2: Primal Construct: Prospector ×1 Primal Construct: Repulsor ×1", + "Primal Construct: Prospector ×1", + "Primal Construct: Repulsor ×1", + "Wave 3: Algorithm of Semi-Intransient Matrix of Overseer Network ×1", + "Algorithm of Semi-Intransient Matrix of Overseer Network ×1", + "Go to the center of the platform", + "Activate the elevator", + "Go to the Eternal Oasis" + ], + "id": 81311 + }, + { + "achievement": "Parvezravan Khwarrah", + "description": "Bring all the Primal Obelisks in the Desert of Hadramaveth back to life.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81312 + }, + { + "achievement": "A Very Long Engagement", + "description": "Though destinies may be sundered, the pact lives on in slumber...", + "requirements": "Sit on each of the three chairs in The Orchard of Pairidaeza at the same time with 2 teammates in Co-Op Mode.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.4", + "primo": "5", + "id": 81313 + }, + { + "achievement": "Where the Light Touches", + "description": "Reach Vourukasha Oasis.", + "requirements": "Complete The Splendorous Sky That Day", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81314 + }, + { + "achievement": "Like a Morning Sun Coming Out of Gloomy Mountains", + "description": "Escort Mihir through her cleansing pilgrimage.", + "requirements": "Complete Asipattravana Itihasa", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81315 + }, + { + "achievement": "The Tree on the Hill", + "description": "Bring Rashnu back to the Vourukasha Oasis.", + "requirements": "Complete Awakening's Real Sound", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81316 + }, + { + "achievement": "Beneath the Fog", + "description": "Dispel the purple mist permeating Asipattravana Swamp.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81317 + }, + { + "achievement": "Hic Pulso", + "description": "Retrieve all five Korybantes.", + "requirements": "Earned during Awakening's Real Sound", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81318 + }, + { + "achievement": "Vyakarana of the Birds", + "description": "Sorush has obtained the Twin-Horned Chaplet with Zurvan as her witness...", + "requirements": "Earned during As the Khvarena's Light Shows", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81319 + }, + { + "achievement": "Behold My Righteous Strike!", + "description": "Use the Ruin Cannon to destroy the Golem's core.", + "requirements": "Earned during As the Khvarena's Light Shows: Nirodha", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81320 + }, + { + "achievement": "\"...Abandon All Hope, Ye Who Enter Here.\"", + "description": "Reach the end of the surface realms.", + "requirements": "Locate the Gate of Everlasting Mourning Viewpoint, which becomes available during World Quest As the Khvarena's Light Shows in Series Khvarena of Good and Evil.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "requirementQuestLink": "/wiki/As_the_Khvarena%27s_Light_Shows", + "steps": [ + "Talk to Zurvan", + "Go to Sunyata Lake", + "Let Sorush touch the Great Song of Khvarena", + "Talk to Nasejuna", + "Look for the Great Songs of Khvarena (0/3)", + "Find the final Great Song of Khvarena", + "Enter the ruins", + "Continue onward", + "Use the Farrwick to link the circuit and activate the left machine door", + "Look for the second Farrwick Blazing Axe Mitachurl ×1 Hilichurl Berserker ×1 Pyro Hilichurl Shooter ×1", + "Blazing Axe Mitachurl ×1", + "Hilichurl Berserker ×1", + "Pyro Hilichurl Shooter ×1", + "Talk to Nasejuna", + "Link the circuit and activate the right machine door", + "Go to the space on the right side", + "Talk to Nasejuna", + "Look for the third Farrwick Ruin Guard ×1 Ruin Defender ×2", + "Ruin Guard ×1", + "Ruin Defender ×2", + "Follow the path back to the control center", + "Talk to Nasejuna", + "Connect the three devices near the elevator", + "Activate the central control device", + "Go to the elevator", + "Take the elevator down\nWave 1: Ruin Cruiser ×1 Ruin Defender ×1 Ruin Destroyer ×1\nWave 2: Ruin Guard ×2\nWave 3: Ruin Grader ×2", + "Wave 1: Ruin Cruiser ×1 Ruin Defender ×1 Ruin Destroyer ×1", + "Ruin Cruiser ×1", + "Ruin Defender ×1", + "Ruin Destroyer ×1", + "Wave 2: Ruin Guard ×2", + "Ruin Guard ×2", + "Wave 3: Ruin Grader ×2", + "Ruin Grader ×2", + "Obtain the final Great Song of Khvarena", + "Defeat Nasejuna and the Abyss Herald Klingsor — \"Forsaker of the True Way\" ×1 Nasejuna ×1", + "Klingsor — \"Forsaker of the True Way\" ×1", + "Nasejuna ×1", + "Talk to Sorush" + ], + "id": 81321 + }, + { + "achievement": "Fabricator-General", + "description": "Activate the large elevator in the underground ruin workshop.", + "requirements": "Earned during As the Khvarena's Light Shows", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81322 + }, + { + "achievement": "Trial of Haft-Vádí", + "description": "You now wield the power of the Great Songs of Khvarena.", + "requirements": "Complete As the Khvarena's Light Shows", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81323 + }, + { + "achievement": "A Rope Over an Abyss", + "description": "Complete the Rite of Chinvat and clear a path through the dark hollow.", + "requirements": "Complete The Hymn of Tir Yazad (Part 1)", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81324 + }, + { + "achievement": "The Camel, the Lion, and the Child", + "description": "Obtain all Spenta Hearts from the tarnished Defiled Chambers.", + "requirements": "Earned during The Hymn of Tir Yazad (Part 2)", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81325 + }, + { + "achievement": "The Day of Tirgan", + "description": "Upon cleansing the abyss of heaven above, the power of Khvarena and Amrita radiates across the land.", + "requirements": "Earned during The Hymn of Tir Yazad (Part 2)", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81326 + }, + { + "achievement": "A Fascinating Journey", + "description": "Complete \"An Artist Adrift.\"", + "requirements": "", + "hidden": "No", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81327 + }, + { + "achievement": "\"This Mystery Is Solved!\"", + "description": "Complete \"Monumental Study\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81328 + }, + { + "achievement": "Homeward-Bound Spirits", + "description": "Complete \"Pale Fire.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81329 + }, + { + "achievement": "The Sea of Fertility", + "description": "All the ponds in the Vourukasha Oasis are now revitalized.", + "requirements": "Complete The Flowing Spring of Life.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Flowing_Spring_of_Life", + "steps": [ + "Talk to Sefana (optional)", + "Purify all Sunyata Flowers", + "Report to Sefana" + ], + "id": 81339 + }, + { + "achievement": "The Brave Shall Not Falter", + "description": "Pass all the trials set by Jarjar.", + "requirements": "Complete Lightcall Resonance", + "hidden": "Yes", + "type": "Quest", + "version": "3.6", + "primo": "5", + "id": 81331 + }, + { + "achievement": "Bifröst", + "description": "Complete all the \"Soul Bell\" challenges.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81332 + }, + { + "achievement": "Seven Dish Dance", + "description": "Complete all \"Percussive Prancing Mushroom\" challenges.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81333 + }, + { + "achievement": "Shining in the Mire", + "description": "Use the power of Khvarena to destroy the Gray Crystals for the first time.", + "requirements": "Use a Farrwick to dispel a Gray Crystal.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81334 + }, + { + "achievement": "When the Red Scarf Transforms Into a Bird in Flight...", + "description": "Make your first flight with Sorush.", + "requirements": "Activate the Sorush gadget.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81335 + }, + { + "achievement": "Soaring in the Skies of Sary-Ozek", + "description": "Keep Sorush in flight for a while.", + "requirements": "Keep Sorush in flight for 3 minutes.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81336 + }, + { + "achievement": "Whose Descendant Are You, and What's Your Name?", + "description": "Call upon the power of Khvarena with Sorush for the first time.", + "requirements": "Use the tap or hold skill of the Sorush gadget.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81337 + }, + { + "achievement": "Use the Force, Sorush", + "description": "Launch Nirodha Fruits with Sorush's help to melt 15 crystals condensed from Amrita.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.6", + "primo": "5", + "id": 81338 + }, + { + "achievement": "Angle Eraser", + "description": "Suppress the Beastly Rift using the power of the crystals.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81340 + }, + { + "achievement": "Core Cooling", + "description": "Cause the roiling lake to become placid once more.", + "requirements": "Complete Room Temperature, Please.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Room_Temperature,_Please", + "steps": [ + "Unlock the three Water Volume Detection Crystals around the lake\nOn the northern shore, apply Ousia to the machine\nMap locationAdditional Context\nOn the eastern shore, defeat the enemies Sternshield Crab ×1 Armored Crab ×3\nMap locationAdditional Context\nOn the western shore, burn the vines\nMap locationAdditional Context", + "On the northern shore, apply Ousia to the machine", + "On the eastern shore, defeat the enemies Sternshield Crab ×1 Armored Crab ×3", + "Sternshield Crab ×1", + "Armored Crab ×3", + "On the western shore, burn the vines", + "Condense the Hydrograna above the chest to activate all three Water Volume Detection Crystals\nMap locationAdditional Context", + "Enter the Phase Gate", + "Place a condensed Hydrograna on each of the pedestals near bonfires\nTo the left directly after entering the cave, with the Hydrograna in the Wooden Crate behind of the pedestal\nRoom Temperature, Please 5.pngMap locationAdditional Context\nTo the north of the cave's center, with the hydrograna hidden inside the Hydro Amber to the southwest of the pedestal\nRoom Temperature, Please 6.pngMap locationAdditional Context\nTo the south of the cave's center, with three hydrogranum hidden inside the Hydro Explosive Barrels behind the pedestal\nRoom Temperature, Please 7.pngMap locationAdditional Context", + "To the left directly after entering the cave, with the Hydrograna in the Wooden Crate behind of the pedestal", + "To the north of the cave's center, with the hydrograna hidden inside the Hydro Amber to the southwest of the pedestal", + "To the south of the cave's center, with three hydrogranum hidden inside the Hydro Explosive Barrels behind the pedestal", + "Activate the Hydro Elemental Monument in the center of the cave", + "Optional, defeat the Iron Viscount — Spin to Win", + "Claim the Precious Chest and exit through the current behind it or teleport back to the lake", + "Enter the now tempered lake to claim one Luxurious Chest, one Exquisite Chest, one Common Chest and one Hydroculus" + ], + "id": 81341 + }, + { + "achievement": "The White Ship", + "description": "\"She's sailing on the sea of dreams...\"", + "requirements": "Complete The Lone Phantom Sail", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81342 + }, + { + "achievement": "Truly Mouthwatering!", + "description": "Help Henri change his fate.", + "requirements": "Pick up the Mouthwatering Roast Chicken after completing Still Mouthwatering!", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Still_Mouthwatering!", + "steps": [ + "Talk to Henri" + ], + "id": 81362 + }, + { + "achievement": "Encyclopedia of Natural Philosophy", + "description": "Use the glass wall and an indecipherable book to discover the gathering place of an old society.", + "requirements": "Access the Narzissenkreuz Ordo", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81344 + }, + { + "achievement": "A Fontainian Message", + "description": "Have a friendly chat with Virgil.", + "requirements": "Complete A Fontainian Message", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81345 + }, + { + "achievement": "Nothing but a Hound Dog...", + "description": "Help Mamere fix Seymour.", + "requirements": "Fix Seymour in There Will Come Soft Rains", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81346 + }, + { + "achievement": "It's Fish, I Added Fish", + "description": "Taste the wonderful \"birthday cake\" with the Melusine.", + "requirements": "Complete Poissonous Cuisine", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81347 + }, + { + "achievement": "Welcome to Fontaine", + "description": "Complete a cruise on the aquabus.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81348 + }, + { + "achievement": "Sogno di Volare", + "description": "Complete a flight with the Antoine Roger Aircraft.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81349 + }, + { + "achievement": "Birth of the Modern Clock", + "description": "Help Puca find a way to \"use\" the ore.", + "requirements": "Complete Strange Stone Chronicle (Part 3)", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81350 + }, + { + "achievement": "Waterworld Future", + "description": "Gaze upon the \"water\" beneath the \"surface.\"", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81351 + }, + { + "achievement": "Aesthetics of Ugliness", + "description": "And thus does Fontaine take two steps further toward beauty.", + "requirements": "Complete Good Stuff, but Terrible Taste — Continued", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Good_Stuff,_but_Terrible_Taste_%E2%80%94_Continued", + "steps": [ + "Place the Hydro Elemental Monument again" + ], + "id": 81352 + }, + { + "achievement": "Like Tears in the Rain", + "description": "Find the impostor amidst the Hunter's Rays.", + "requirements": "Defeat the Underwater Survey Mek amidst the group of Hunter's Ray", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81353 + }, + { + "achievement": "Blubby, Chubby, Creative Evolution", + "description": "Accompany the small Blubberbeast as it grows big and strong.", + "requirements": "Complete The Blubberbeast's Affection.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Blubberbeast%27s_Affection", + "steps": [], + "id": 81368 + }, + { + "achievement": "These Are a Few of My...", + "description": "...Favorite Things.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81355 + }, + { + "achievement": "An Eye for an Eye", + "description": "Take care of those annoying Bullet Barnacles!", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81356 + }, + { + "achievement": "Do You Believe In Rapture?", + "description": "Help build a Blubberbeast paradise.", + "requirements": "Solve underwater puzzles with the assistance of Xenochromatic Blubberbeast to unlock a Luxurious Chest.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81357 + }, + { + "achievement": "Hardships Experienced...", + "description": "\"To obtain the holy blade that might defeat the demon king, the knight broke into the ancient city, sealed using magic...\"", + "requirements": "Complete The Story of \"the Princess\" and \"the Adventure Team\"", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Story_of_%22the_Princess%22_and_%22the_Adventure_Team%22", + "steps": [ + "Enter the bubble", + "Break the \"treasure\" seal (0/3) Bubbly Seahorse ×3 Bubbler Seahorse ×1", + "Bubbly Seahorse ×3", + "Bubbler Seahorse ×1", + "Obtain the treasure", + "Enter the tower", + "Defeat Narcissus's minions!\nWave 1: \"Villain\" — Divine King of Narcissus ×1\nWave 2: \"Villain\" — Divine King of Narcissus ×1\nWave 3: \"Villain\" ×2", + "Wave 1: \"Villain\" — Divine King of Narcissus ×1", + "Wave 2: \"Villain\" — Divine King of Narcissus ×1", + "Wave 3: \"Villain\" ×2", + "Talk to the Narzissenkreuz Adventure Team", + "Enter the bubble", + "Reach the top floor of the tower", + "Head to the unknown" + ], + "id": 81358 + }, + { + "achievement": "And After That...", + "description": "\"The knight defeated the demon king, saving the imprisoned princess. Light has returned to the kingdom...\"", + "requirements": "Complete Ann's Story", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81359 + }, + { + "achievement": "A Study in Sable", + "description": "Find a more... special subject of the Institute of Natural Philosophy's study.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81360 + }, + { + "achievement": "Twenty Thousand Leagues Under the Sea", + "description": "Go with the flow...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81361 + }, + { + "achievement": "Song of the Ancients", + "description": "Hear now the melody of ancient eons.", + "requirements": "Complete Echoes of the Ancient World.", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 81363 + }, + { + "achievement": "Ninianne of the Lake", + "description": "Defeat the local legend, Ninianne of the Lake.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81364 + }, + { + "achievement": "Vivianne of the Lake", + "description": "Defeat the local legend, Vivianne of the Lake.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81365 + }, + { + "achievement": "Fontaine Expects That Everyone Will Do Their Duty", + "description": "An item, returned to its rightful owner...", + "requirements": "Complete The Lone Phantom Sail & Kingdom Through the Looking-Glass", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81366 + }, + { + "achievement": "In Search of Frittered Time", + "description": "Reach Reputation Lv. 10 in Fontaine.", + "requirements": "", + "hidden": "No", + "type": "Exploration", + "version": "4.0", + "primo": "20", + "id": 81367 + }, + { + "achievement": "Ocean Circuit Judge", + "description": "Defeat the local legend, Ocean Circuit Judge.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81369 + }, + { + "achievement": "Iron Viscount", + "description": "Defeat the local legend, Iron Viscount.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81370 + }, + { + "achievement": "Dobharcu, Lord of the Hidden", + "description": "Defeat the local legend, Dobharcu, Lord of the Hidden.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81371 + }, + { + "achievement": "Fading Veteran", + "description": "Defeat the local legend, Fading Veteran.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81372 + }, + { + "achievement": "Swords of the Gorge", + "description": "Defeat the local legends, the Swords of the Gorge.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81373 + }, + { + "achievement": "The Fairy Knight Twins", + "description": "Defeat the local legends, The Fairy Knight Twins.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 81374 + }, + { + "achievement": "Consumer Society", + "description": "Buy as much as you like at the Rag and Bone Shop.", + "requirements": "Buy all items at the Rag and Bone Shop.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81375 + }, + { + "achievement": "When the Clock Strikes Midnight", + "description": "Discover Caterpillar's true identity.", + "requirements": "Earned during An Eye for an Eye.", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/An_Eye_for_an_Eye", + "steps": [ + "Leave the Fortress of Meropide", + "Talk to Lanoire", + "Defeat the Gardemeks\nWave 1: Suppression Specialist Mek - Ousia ×1 Recon Log Mek - Ousia ×2\nWave 2: Suppression Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1\nWave 3: Annihilation Specialist Mek - Ousia ×2", + "Wave 1: Suppression Specialist Mek - Ousia ×1 Recon Log Mek - Ousia ×2", + "Suppression Specialist Mek - Ousia ×1", + "Recon Log Mek - Ousia ×2", + "Wave 2: Suppression Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1", + "Suppression Specialist Mek - Ousia ×1", + "Annihilation Specialist Mek - Ousia ×1", + "Wave 3: Annihilation Specialist Mek - Ousia ×2", + "Defeat the Gardemeks\nWave 1: Assault Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1\nWave 2: Assault Specialist Mek - Ousia ×1 Suppression Specialist Mek - Ousia ×1", + "Wave 1: Assault Specialist Mek - Ousia ×1 Annihilation Specialist Mek - Ousia ×1", + "Assault Specialist Mek - Ousia ×1", + "Annihilation Specialist Mek - Ousia ×1", + "Wave 2: Assault Specialist Mek - Ousia ×1 Suppression Specialist Mek - Ousia ×1", + "Assault Specialist Mek - Ousia ×1", + "Suppression Specialist Mek - Ousia ×1", + "Talk to Noailles", + "Talk to Monglane", + "Look for Caterpillar and Lanoire", + "Talk to Estienne", + "Talk to Caterpillar", + "Prepare to leave the Fortress of Meropide", + "Go to the abandoned production zone without being noticed", + "Use the searchlight to draw away the guards", + "Use the loudspeaker to draw away the guards", + "Operate the drive valve to open the passage leading to the Geode Mine Shaft", + "Go to the Geode Mine Shaft", + "Acquire the energy storage device and unlock the research terminal ahead (0/3)", + "Keep moving", + "Talk to Caterpillar", + "Defeat Noailles\nFile:Noailles (Enemy) Icon.pngFile:Noailles (Enemy) Icon.png Noailles — Just Desserts", + "File:Noailles (Enemy) Icon.pngFile:Noailles (Enemy) Icon.png Noailles — Just Desserts", + "Talk to Noailles", + "Leave the Fortress of Meropide" + ], + "id": 81376 + }, + { + "achievement": "Non-Zero-Sum Game", + "description": "Complete the Coupon Cafeteria satisfaction survey.", + "requirements": "Complete Scenes from Life in Meropide: The Art of Negotiation.", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 81377 + }, + { + "achievement": "The Superfluous Man's Account", + "description": "Listen to Clynes's story.", + "requirements": "Complete Scenes from Life in Meropide: Memories.", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 81378 + }, + { + "achievement": "Les Quatre Coups", + "description": "Complete the \"Fruity Order\" and Blanche's story.", + "requirements": "Complete Villains", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 81379 + }, + { + "achievement": "What Lies at the End of the Rainbow...?", + "description": "Follow the light to where it ultimately leads.", + "requirements": "Complete Treacherous Light of the Depths", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 81380 + }, + { + "achievement": "Come on out, Mystery Ore! Grant my wish!", + "description": "Gather all seven mysterious yellow-green ores.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81381 + }, + { + "achievement": "Not So Strait Is the Gate", + "description": "Opened the door to a certain secret study.", + "requirements": "Use Arkhium Lumenite to open the door to Bravais' Hidden Study.", + "hidden": "No", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81382 + }, + { + "achievement": "The Remains of the Day", + "description": "Spent a lot of time cultivating aesthetics.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81383 + }, + { + "achievement": "The Calendar of the Future Is Longer Than the Diary of the Past", + "description": "We all have a bright future ahead of us...", + "requirements": "Read all six Cipher Letters", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81384 + }, + { + "achievement": "Break the Time Zone", + "description": "Pop the Thorny Cyst and purify the waters.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81385 + }, + { + "achievement": "The Forgotten Ream", + "description": "Help Broglie retrieve and organize all the hydrological monitoring data.", + "requirements": "Complete In Search of Lost Time", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/In_Search_of_Lost_Time", + "steps": [ + "Talk to Broglie", + "Go to the central processing station", + "Talk to Broglie", + "Enter the central processing station", + "Examine the central processing station", + "Examine the central processing station", + "Chase down the Fatui commander", + "Defeat the Fatui commander\n Malinovskyi — Quite Agile... For Some Reason ×1", + "Malinovskyi — Quite Agile... For Some Reason ×1", + "Chase down the Fatui commander", + "Defeat the Fatui again Malinovskyi — Quite Agile... For Some Reason ×1 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Malinovskyi — Quite Agile... For Some Reason ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Confront the Fatui commander" + ], + "id": 81386 + }, + { + "achievement": "While Motors Sleep...", + "description": "Discover the secret hidden within \"Kuisel's Clockwork Workshop.\"", + "requirements": "Complete Road to the Singularity", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/Road_to_the_Singularity", + "steps": [ + "Explore the mysterious building", + "Talk to the trapped person", + "Operate the Energy Transfer Terminal to open the cell", + "Talk to Kuisel", + "Work with Paimon to open the cell", + "Open the door that Kuisel exited from", + "Explore up ahead", + "Find a way to open the sealed door", + "Shut off all valves", + "Open the passage", + "Defeat the clockwork meka Assault Specialist Mek - Ousia ×1 Area Alert Mek - Ousia ×1 (optional)", + "Assault Specialist Mek - Ousia ×1", + "Area Alert Mek - Ousia ×1 (optional)", + "Take the lift and continue deeper", + "Continue exploring", + "Find a way to open the sealed door", + "Continue exploring", + "Defeat the clockwork meka New-Type Purification Mek O-90 ×1 (Pneuma) New-Type Purification Mek I-330 ×1 (Pneuma)", + "New-Type Purification Mek O-90 ×1 (Pneuma)", + "New-Type Purification Mek I-330 ×1 (Pneuma)", + "Find a way to open the sealed door", + "Continue exploring", + "Open the passage", + "Defeat the clockwork meka\nWave 1: Assault Specialist Mek - Ousia ×1 Suppression Specialist Mek - Ousia ×1\nWave 2: Assault Specialist Mek - Pneuma ×1 Suppression Specialist Mek - Pneuma ×1", + "Wave 1: Assault Specialist Mek - Ousia ×1 Suppression Specialist Mek - Ousia ×1", + "Assault Specialist Mek - Ousia ×1", + "Suppression Specialist Mek - Ousia ×1", + "Wave 2: Assault Specialist Mek - Pneuma ×1 Suppression Specialist Mek - Pneuma ×1", + "Assault Specialist Mek - Pneuma ×1", + "Suppression Specialist Mek - Pneuma ×1", + "Take the lift and continue deeper", + "Continue exploring", + "Talk to Kuisel", + "Defeat Coutrot Coutrot — \"Kuisel\"'s Other Side ×1 Assault Specialist Mek - Ousia ×2 (optional)", + "Coutrot — \"Kuisel\"'s Other Side ×1", + "Assault Specialist Mek - Ousia ×2 (optional)", + "Talk to Bricole" + ], + "id": 81387 + }, + { + "achievement": "The Worst! Fontaine's Eight Evil Clockwork Knights!", + "description": "Obtained the legacy of the \"imperfect\" clockwork meka.", + "requirements": "Use the Energy Concentrating Components to unlock the cell in Kuisel's Clockwork Workshop and open the Luxurious Chest inside.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81388 + }, + { + "achievement": "\"Automated Supercomputing Field Generator\"", + "description": "Defeat Local Legend: Automated Supercomputing Field Generator.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81389 + }, + { + "achievement": "Slam-Bang No-Holds Barred Meropide-Style Pankration", + "description": "Guide Poiret and Genevieve to victory in the recreational Pankration tournament.", + "requirements": "Complete Both Brains and Brawn.", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 81390 + }, + { + "achievement": "Undocumented Feature", + "description": "Trigger the hidden property of the machine when repairing the Initial Skill Sample No. 2.", + "requirements": "Complete Fireworks Atop a Meka.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/Fireworks_Atop_a_Meka", + "steps": [ + "Collect two Spur Gear C's and one Spur Gear T", + "Assemble the Spur Gears at the top of the large meka, this will spawn some unlit fireworks", + "Light the fireworks with any Pyro attack", + "Get down from the mechanism and watch the fireworks" + ], + "id": 81391 + }, + { + "achievement": "Le Scaphandre et le Pufferfruit", + "description": "Complete the advanced underwater training.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81392 + }, + { + "achievement": "\"Luachra the Brilliant\"", + "description": "Defeat the local legend, Luachra the Brilliant.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81393 + }, + { + "achievement": "Mired in Red Tape", + "description": "Complete the Fontaine Research Institute's \"final review.\"", + "requirements": "Obtained during Fontaine Research Institute, Stagnating in the Rubble", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 81395 + }, + { + "achievement": "Solitary Report", + "description": "Obtain Chronie's personally printed \"special report.\"", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81396 + }, + { + "achievement": "The Red Meanies' Revenge", + "description": "Removed all the Red Meanies and Mini Meanies from Bravais' Press Works.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81398 + }, + { + "achievement": "The Final Fonta Sea", + "description": "...a Font of Refreshment!", + "requirements": "Use the Full Pankration Fonta Cup 1 time.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81399 + }, + { + "achievement": "\"...What New Tide?\"", + "description": "Read all the fashion reading materials.", + "requirements": "Interact with all notes in the New Tide Anthology", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81400 + }, + { + "achievement": "A Perfect Yesterday", + "description": "The day that has passed cannot stay...", + "requirements": "Read the interactable Fontaine Research Institute of Kinetic Energy Engineering", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81401 + }, + { + "achievement": "Thanks For Your Patronage!", + "description": "Obtained a twice-lucky fortune slip.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81402 + }, + { + "achievement": "The Final Fonta Sea", + "description": "...a Font of Refreshment!", + "requirements": "Use the Full Pankration Fonta Cup 13 times.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81399 + }, + { + "achievement": "The Final Fonta Sea", + "description": "...a Font of Refreshment!", + "requirements": "Use the Full Pankration Fonta Cup 16 times.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81399 + }, + { + "achievement": "\"Yseut\"", + "description": "Defeat Local Legend: Yseut.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.1", + "primo": "5", + "id": 81405 + }, + { + "achievement": "Tomorrow, and Tomorrow, and Tomorrow", + "description": "Teach Pahsiv how to say goodbye.", + "requirements": "Submit all 6 Foggy Forest Branches to Pahsiv.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81406 + }, + { + "achievement": "Narzissenkreuz Notes: The Labyrinth", + "description": "\"What do you think of this world I have drawn for you?\"", + "requirements": "Submit all the Enigmatic Pages to the Book of Revealing.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81407 + }, + { + "achievement": "One Involved in the Matter", + "description": "Learn the secrets of the Narzissenkreuz Ordo and defeat Jakob.", + "requirements": "Complete Search in the Algae Sea.", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Search_in_the_Algae_Sea_(Quest)", + "steps": [ + "Talk to Caterpillar when you're ready", + "Collect more leads and gather your thoughts (0/3)", + "Head to the designated location", + "Stop Al and Jak, who have lost control", + "Enter the \"Bubble\"", + "Talk to Caterpillar when you're ready", + "Follow Caterpillar's directions to the specified location", + "Enter the Tower of Gestalt", + "Defeat Jakob\n Jakob — Narzissenkreuz Artificial Apostle", + "Jakob — Narzissenkreuz Artificial Apostle", + "Go to the lower level" + ], + "id": 81408 + }, + { + "achievement": "An Immortal Emperor in a Mundane Universe", + "description": "Defeat Narzissenkreuz.", + "requirements": "Complete Waking from the Great Dream", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Waking_from_the_Great_Dream", + "steps": [], + "id": 81409 + }, + { + "achievement": "Farewell, Mr. Eliphas", + "description": "Defeat Eliphas.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81411 + }, + { + "achievement": "Satisfactory Naval Force", + "description": "Obtain treasure through a fierce hail of naval cannonry.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81414 + }, + { + "achievement": "Space Force Cadet", + "description": "Hit every shot!", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81415 + }, + { + "achievement": "The Story Is Over, But...", + "description": "\"The adventure they call life still goes on.\"", + "requirements": "Complete Happy Birthday", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "id": 81417 + }, + { + "achievement": "I Fear'd the Fury of My Wind", + "description": "...Would Blight All Blossoms Fair and True.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81419 + }, + { + "achievement": "A Predictable Ending", + "description": "You help the Fontaine Research Institute get back on track...?", + "requirements": "Complete An Expected Lie", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/An_Expected_Lie", + "steps": [ + "Head to Nacker's hideout", + "Open the sealed door\nHit the switch to open the track (blue state). Use the Xenochromatic Ball Octopus' ability to operate the Track Assemblage and guide the crystal chunk to the fifth set of lights. Keep the crystal in place by hitting the switch again to close the track (orange state).", + "Hit the switch to open the track (blue state). Use the Xenochromatic Ball Octopus' ability to operate the Track Assemblage and guide the crystal chunk to the fifth set of lights. Keep the crystal in place by hitting the switch again to close the track (orange state).", + "Find Nacker", + "Defeat the incoming meka\n Server Type Gev03 — Arkhium Kinetic Field Generator (Local Legend variant; arkhe will not reactivate after being lost)", + "Server Type Gev03 — Arkhium Kinetic Field Generator (Local Legend variant; arkhe will not reactivate after being lost)", + "Defeat Nacker\n Nacker — The First Liar", + "Nacker — The First Liar", + "Talk to Chaussivert", + "Rejoin Lemarcq", + "Report back to the Fontaine Research Institute" + ], + "id": 81422 + }, + { + "achievement": "A World Yet to Be Disenchanted", + "description": "Give Mysterious Xenochromatic Crystals to the helmsman of the \"Rusty Rudder\" 3 times.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81423 + }, + { + "achievement": "À la volonté du peuple", + "description": "Obtain the promise of the Rainbow Rose.", + "requirements": "Find all chests from the 8 scattered treasure maps around Morte Region.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81424 + }, + { + "achievement": "Crow or Blackbird?", + "description": "It's a Pelican!", + "requirements": "Complete Questions and Answers", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Questions_and_Answers", + "steps": [ + "Wait until the following morning (08:00)", + "Go to The Steambird", + "Talk to Editor-in-Chief Euphrasie", + "Look for the newspaper's \"item\"", + "Talk to Kevin", + "Give useful items to the puppy to have a sniff\nSubmit \"Threatening Letter\" or \"Another Threatening Letter.\"", + "Submit \"Threatening Letter\" or \"Another Threatening Letter.\"", + "Open the chest", + "Go to the next location", + "Make the three stop attacking each other Treasure Hoarders: Pugilist ×1", + "Treasure Hoarders: Pugilist ×1", + "Talk to everyone", + "Open the chest", + "Talk to Rocher", + "Go to the next location", + "Defeat the Fatui Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Talk to Talochard", + "Chase down the Fatuus Baulande", + "Return to The Steambird", + "Talk to Editor-in-Chief Euphrasie\nSubmit \"Old Clockwork Locket\"", + "Submit \"Old Clockwork Locket\"", + "Go to Doctor Mosso's base", + "Go to Doctor Mosso's base from underwater", + "Enter Doctor Mosso's base", + "Look for research materials in the base", + "Repel the Fatui that suddenly appeared Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Repel the Fatui that suddenly appeared Fatui Skirmisher - Pyroslinger Bracer ×2 Fatui Pyro Agent ×2", + "Fatui Skirmisher - Pyroslinger Bracer ×2", + "Fatui Pyro Agent ×2", + "Use the cannon to repel the Fatui\nWave 1: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 2: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 3: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 4: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 5: Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Wave 1: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×2", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 2: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×2", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 3: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 4: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 5: Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Speak with the mysterious person who appeared", + "Get Curve's core", + "Place Curve's core into the control panel", + "Head to the safe room to shut off the self-destruct system", + "Shut off the self-destruct system", + "Go with the flow...", + "Talk to Talochard\nThe player is immediately teleported to Hotel Debord.", + "The player is immediately teleported to Hotel Debord.", + "Meet Editor-in-Chief Euphrasie in the city" + ], + "id": 81425 + }, + { + "achievement": "I Do Believe in Fairies", + "description": "Help Penny resolve her inner turmoil.", + "requirements": "Complete Free Verse", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Free_Verse", + "steps": [ + "Try to understand what Don Quijano and Nana are saying", + "Talk to Penny", + "Go underwater and see the \"children\"", + "Tell Penny about the situation", + "Discuss the situation with Don Quijano", + "Follow the \"children\"", + "Save the troublemaker", + "Follow the \"children\"", + "Save \"Bighead\"", + "Follow the \"children\"", + "Capture \"Lil' Rascal\"", + "Follow the \"children\"", + "Save \"Scaredy-Cat\"", + "Return to Penny's side", + "Enter the wave", + "Talk to Penny" + ], + "id": 81427 + }, + { + "achievement": "In the Language of Flowers, the Lumidouce Bell Means...?", + "description": "You discover a flower in a corner that no one has paid any mind.", + "requirements": "Pick up the Lumidouce Bell left by Talochard after completing Questions and Answers", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Questions_and_Answers", + "steps": [ + "Wait until the following morning (08:00)", + "Go to The Steambird", + "Talk to Editor-in-Chief Euphrasie", + "Look for the newspaper's \"item\"", + "Talk to Kevin", + "Give useful items to the puppy to have a sniff\nSubmit \"Threatening Letter\" or \"Another Threatening Letter.\"", + "Submit \"Threatening Letter\" or \"Another Threatening Letter.\"", + "Open the chest", + "Go to the next location", + "Make the three stop attacking each other Treasure Hoarders: Pugilist ×1", + "Treasure Hoarders: Pugilist ×1", + "Talk to everyone", + "Open the chest", + "Talk to Rocher", + "Go to the next location", + "Defeat the Fatui Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Talk to Talochard", + "Chase down the Fatuus Baulande", + "Return to The Steambird", + "Talk to Editor-in-Chief Euphrasie\nSubmit \"Old Clockwork Locket\"", + "Submit \"Old Clockwork Locket\"", + "Go to Doctor Mosso's base", + "Go to Doctor Mosso's base from underwater", + "Enter Doctor Mosso's base", + "Look for research materials in the base", + "Repel the Fatui that suddenly appeared Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Repel the Fatui that suddenly appeared Fatui Skirmisher - Pyroslinger Bracer ×2 Fatui Pyro Agent ×2", + "Fatui Skirmisher - Pyroslinger Bracer ×2", + "Fatui Pyro Agent ×2", + "Use the cannon to repel the Fatui\nWave 1: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 2: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 3: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 4: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 5: Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Wave 1: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×2", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 2: Fatui Skirmisher - Hydrogunner Legionnaire ×2 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×2", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 3: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 4: Fatui Skirmisher - Hydrogunner Legionnaire ×1 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 5: Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Speak with the mysterious person who appeared", + "Get Curve's core", + "Place Curve's core into the control panel", + "Head to the safe room to shut off the self-destruct system", + "Shut off the self-destruct system", + "Go with the flow...", + "Talk to Talochard\nThe player is immediately teleported to Hotel Debord.", + "The player is immediately teleported to Hotel Debord.", + "Meet Editor-in-Chief Euphrasie in the city" + ], + "id": 81428 + }, + { + "achievement": "Hope Is a Nice Word", + "description": "Witness new life spring forth in a certain ruin.", + "requirements": "Go back to \"The Real Annapausis\" after quests involving the location have ended.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81430 + }, + { + "achievement": "Even Caesar Could Not Buy This From Me", + "description": "Obtain the greatest artwork in this world.", + "requirements": "Pick up A Painting Left For You", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81431 + }, + { + "achievement": "Chassanion", + "description": "Defeat Local Legend: Chassanion.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81432 + }, + { + "achievement": "Mageblade Corrouge", + "description": "Defeat Local Legend: Mageblade Corrouge", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81433 + }, + { + "achievement": "Rocky Avildsen", + "description": "Defeat Local Legend: Rocky Avildsen.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81434 + }, + { + "achievement": "Liam", + "description": "Defeat Local Legend: Liam.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "id": 81435 + }, + { + "achievement": "Deianeira of Snezhevna", + "description": "Defeat Local Legend: Deianeira of Snezhevna", + "requirements": "Complete World Quest An Expected Lie for Deianeira to appear.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/An_Expected_Lie", + "steps": [ + "Head to Nacker's hideout", + "Open the sealed door\nHit the switch to open the track (blue state). Use the Xenochromatic Ball Octopus' ability to operate the Track Assemblage and guide the crystal chunk to the fifth set of lights. Keep the crystal in place by hitting the switch again to close the track (orange state).", + "Hit the switch to open the track (blue state). Use the Xenochromatic Ball Octopus' ability to operate the Track Assemblage and guide the crystal chunk to the fifth set of lights. Keep the crystal in place by hitting the switch again to close the track (orange state).", + "Find Nacker", + "Defeat the incoming meka\n Server Type Gev03 — Arkhium Kinetic Field Generator (Local Legend variant; arkhe will not reactivate after being lost)", + "Server Type Gev03 — Arkhium Kinetic Field Generator (Local Legend variant; arkhe will not reactivate after being lost)", + "Defeat Nacker\n Nacker — The First Liar", + "Nacker — The First Liar", + "Talk to Chaussivert", + "Rejoin Lemarcq", + "Report back to the Fontaine Research Institute" + ], + "id": 81436 + }, + { + "achievement": "A Human Drama", + "description": "Witness the story of the Leroy family.", + "requirements": "Complete Leroy: Beautiful Friends", + "hidden": "Yes", + "type": "Quest", + "version": "4.3", + "primo": "5", + "requirementQuestLink": "/wiki/Leroy:_Beautiful_Friends", + "steps": [], + "id": 81437 + }, + { + "achievement": "\"Rulers of the Chizhang Mountains\"", + "description": "Defeat Local Legend, Rulers of the Chizhang Mountains.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81438 + }, + { + "achievement": "The Supreme Secret", + "description": "Find the Guhua treasure.", + "requirements": "Complete Shrouded Vale, Hidden Hero", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Shrouded_Vale,_Hidden_Hero", + "steps": [ + "Keep moving", + "Talk to Paimon", + "Investigate the mechanism", + "Complete the trial\nWave 1: Hydro Slime ×1\nWave 2: Blazing Axe Mitachurl ×1 Hilichurl Fighter ×4\nWave 3: Anemo Hilichurl Rogue ×1 Hydro Samachurl ×2 Geo Samachurl ×1\nWave 4: Geovishap ×1 (Pyro) Geovishap ×1 (Electro)", + "Wave 1: Hydro Slime ×1", + "Hydro Slime ×1", + "Wave 2: Blazing Axe Mitachurl ×1 Hilichurl Fighter ×4", + "Blazing Axe Mitachurl ×1", + "Hilichurl Fighter ×4", + "Wave 3: Anemo Hilichurl Rogue ×1 Hydro Samachurl ×2 Geo Samachurl ×1", + "Anemo Hilichurl Rogue ×1", + "Hydro Samachurl ×2", + "Geo Samachurl ×1", + "Wave 4: Geovishap ×1 (Pyro) Geovishap ×1 (Electro)", + "Geovishap ×1 (Pyro)", + "Geovishap ×1 (Electro)", + "Keep moving", + "Investigate the ancient sword" + ], + "id": 81439 + }, + { + "achievement": "True Mastery of Spear and Sword", + "description": "Complete all the trials in Wangshan Hall.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81440 + }, + { + "achievement": "A Ruined Tale", + "description": "Solve the mystery left behind by the ancestors.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81441 + }, + { + "achievement": "Good as New", + "description": "Complete the restoration and reconstruction of six ruined areas.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81442 + }, + { + "achievement": "Break the Benighting", + "description": "Destroy the seven sources of the miasma.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81443 + }, + { + "achievement": "To Touch the Face of Heaven", + "description": "Use adeptal energy to temporarily break free from the earth's shackles.", + "requirements": "Complete step 1 in Qiaoying of the Sacred Mountain", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Qiaoying_of_the_Sacred_Mountain", + "steps": [ + "Use your adeptal energy to leave the domain", + "Go to Qiaoying Village", + "Go to the teamaking workshop", + "Join the conversation between Jin and Uncle Luo", + "Leave Qiaoying Village", + "Follow the golden carp", + "Solve the puzzle", + "Go to Yilong Wharf", + "Search for the Fontainian technician" + ], + "id": 81444 + }, + { + "achievement": "A Mere Rock...", + "description": "...Should nonetheless be placed with care.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81445 + }, + { + "achievement": "Tea I Am, Tea in a Cauldron", + "description": "Help Uncle Luo repair the tea cauldron in Qiaoying Village.", + "requirements": "Complete Threefold Expectations", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Threefold_Expectations", + "steps": [ + "Help Mountain adjust the three Monoliths (0/3)", + "Return to Qiaoying Village and look for Uncle Luo\nEnter the Quest Domain: Youwang Cauldron", + "Enter the Quest Domain: Youwang Cauldron", + "Clear out all of the elemental creatures that have accumulated within the teapot\nWave 1: Pyro Slime ×4\nWave 2: Anemo Slime ×3 Hydro Slime ×3\nWave 3: Anemo Slime ×3 Hydro Slime ×3\nWave 4: Eye of the Storm — Teapot's Mountain Mist\nThe following enemies spawn after the Eye of the Storm reaches approx. 80% health: Large Anemo Slime ×2 Large Hydro Slime ×2 Large Pyro Slime ×2\nThe following enemies spawn after the Eye of the Storm reaches approx. 30% health: Anemo Slime ×2 Hydro Slime ×2 Pyro Slime ×2", + "Wave 1: Pyro Slime ×4", + "Pyro Slime ×4", + "Wave 2: Anemo Slime ×3 Hydro Slime ×3", + "Anemo Slime ×3", + "Hydro Slime ×3", + "Wave 3: Anemo Slime ×3 Hydro Slime ×3", + "Anemo Slime ×3", + "Hydro Slime ×3", + "Wave 4: Eye of the Storm — Teapot's Mountain Mist\nThe following enemies spawn after the Eye of the Storm reaches approx. 80% health: Large Anemo Slime ×2 Large Hydro Slime ×2 Large Pyro Slime ×2\nThe following enemies spawn after the Eye of the Storm reaches approx. 30% health: Anemo Slime ×2 Hydro Slime ×2 Pyro Slime ×2", + "The following enemies spawn after the Eye of the Storm reaches approx. 80% health: Large Anemo Slime ×2 Large Hydro Slime ×2 Large Pyro Slime ×2", + "Large Anemo Slime ×2", + "Large Hydro Slime ×2", + "Large Pyro Slime ×2", + "The following enemies spawn after the Eye of the Storm reaches approx. 30% health: Anemo Slime ×2 Hydro Slime ×2 Pyro Slime ×2", + "Anemo Slime ×2", + "Hydro Slime ×2", + "Pyro Slime ×2" + ], + "id": 81446 + }, + { + "achievement": "When Comes Spring or Autumn?", + "description": "Behold the ancient tree, returned to life.", + "requirements": "Complete Silently the Butterfly Crosses the Valley", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "id": 81447 + }, + { + "achievement": "\"What About Sliced Meat Now?\"", + "description": "Find the habitat of the Venerable Jadestone Turtle.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81448 + }, + { + "achievement": "Long Days in the Realm Within", + "description": "Fill all the ancient teacups between Chenyu Vale's mountains and rivers.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81449 + }, + { + "achievement": "Cloud-Parting Carpfall", + "description": "Enter the long-sealed Carp's Rest with Lingyuan.", + "requirements": "Complete Chenyu's Blessings of Sunken Jade", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Chenyu%27s_Blessings_of_Sunken_Jade", + "steps": [], + "id": 81450 + }, + { + "achievement": "Five Blades Return to Wangshan", + "description": "Find all five \"lost swords of Guhua.\"", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81452 + }, + { + "achievement": "\"Wanna Learn? I'll Teach You!\"", + "description": "Defeat a special unofficial Guhua Clan disciple 3 times.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81454 + }, + { + "achievement": "The Mural Veil", + "description": "Witness four murals.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81455 + }, + { + "achievement": "Breaking Iron and Stone", + "description": "Help the Millelith investigate the Iron and Salt Gang's illegal trade activities.", + "requirements": "Complete The Dealing Sands", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Dealing_Sands", + "steps": [ + "Talk to Iron Dou'er", + "Go to the beach beneath the cliff", + "Participate in negotiations between the two parties", + "Defeat Johnnie Johnnie — Pinky Club's Pinky ×1 Treasure Hoarders: Marksman ×1", + "Johnnie — Pinky Club's Pinky ×1", + "Treasure Hoarders: Marksman ×1", + "Talk to Iron Ming", + "Defeat Iron Ming\n Iron Ming — Boss of the Iron and Salt Gang", + "Iron Ming — Boss of the Iron and Salt Gang", + "Talk to the Millelith" + ], + "id": 81457 + }, + { + "achievement": "Chenyu Vale Sights", + "description": "Obtain a limited-edition \"Our Chenyu Vale Trek\" commemorative photo album.", + "requirements": "Complete Our Chenyu Vale Trek", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Our_Chenyu_Vale_Trek", + "steps": [ + "Complete the Chenyu Vale scenic photography contest (0/4)\nTeatree Slope: Large Cryo Slime ×1 Hydro Slime ×3\nMt. Xuanlian:\n Hilichurl ×3", + "Teatree Slope: Large Cryo Slime ×1 Hydro Slime ×3", + "Large Cryo Slime ×1", + "Hydro Slime ×3", + "Mt. Xuanlian:\n Hilichurl ×3", + "Hilichurl ×3", + "Return to Hezhe Post", + "Talk to Fangju", + "Wait till 08:00 – 18:00 the next day", + "Visit the exhibition of selected works outside Hezhe Post" + ], + "id": 81458 + }, + { + "achievement": "Xiangjun's Dreams", + "description": "Discover the secret behind the Spiritscent Flower.", + "requirements": "Complete The Roaming Abode", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "id": 81459 + }, + { + "achievement": "Swift Acceptance", + "description": "You've learned quite a bit about raising Sumpter Beasts... But is this really useful?", + "requirements": "Complete Chili Con Cloudy", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Chili_Con_Cloudy", + "steps": [ + "Go to the Treasure Hoarder camp\nWave 1: Treasure Hoarders: Crusher ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Marksman ×1 Treasure Hoarders: Scout ×2\nWave 2: Treasure Hoarders: Seaman ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Marksman ×1 Treasure Hoarders: Scout ×1", + "Wave 1: Treasure Hoarders: Crusher ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Marksman ×1 Treasure Hoarders: Scout ×2", + "Treasure Hoarders: Crusher ×1", + "Treasure Hoarders: Handyman ×1", + "Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Scout ×2", + "Wave 2: Treasure Hoarders: Seaman ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Marksman ×1 Treasure Hoarders: Scout ×1", + "Treasure Hoarders: Seaman ×1", + "Treasure Hoarders: Handyman ×1", + "Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Scout ×1", + "Talk to Wenhua", + "Go back to Wenhua's camp", + "Talk to Wenhua", + "Watch Yunyun and Chili Pepper's competition", + "Check on Chili Pepper", + "Check on Yunyun" + ], + "id": 81460 + }, + { + "achievement": "Non-Hidden Backup Energy Source", + "description": "Restart the ruin machine in Chenyu Vale.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81461 + }, + { + "achievement": "At the Construction of the Endless Wall", + "description": "Find the items left behind by the Millelith.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81462 + }, + { + "achievement": "Up the Bishui", + "description": "Hear of the beauty of the Bishui River from boat-songs.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81463 + }, + { + "achievement": "The Carp Leaps, Heaven's Gates Open", + "description": "Witness the Golden Carp leap into the valley.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81465 + }, + { + "achievement": "Spirits Adrift, Alas, in Water", + "description": "Discover the secret of the Jademouth.", + "requirements": "Floating Jade, Treasure of Chenyu", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "id": 81466 + }, + { + "achievement": "\"Jade, O Jade, Grant Me My Wish...\"", + "description": "Retrieve the final Votive Rainjade.", + "requirements": "Complete Floating Jade, Treasure of Chenyu", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Floating_Jade,_Treasure_of_Chenyu", + "steps": [ + "Follow Little Mao", + "Try entering the waterfall", + "Explore the domain", + "Clean the mural", + "Talk to Little Mao", + "Go to the watchtower at Yilong Wharf", + "Board the bamboo raft and go to the Jademouth", + "Listen to stories of the past", + "Go to the Jademouth", + "Investigate the stone shrine (0/2)\nWave 1: Treasure Hoarders: Marksman ×1 Treasure Hoarders: Handyman ×2 Treasure Hoarders: Scout ×3\nWave 2: Treasure Hoarders: Gravedigger ×1 Treasure Hoarders: Marksman ×2 Treasure Hoarders: Scout ×2\nWave 3: Lousan ×1 Xi Xiao'er ×1\nThe following enemies will infinitely respawn on either side of the shrine until Lousan and Xi Xiao'er are defeated:\nSide 1: Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1\nSide 2: Treasure Hoarders: Hydro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1", + "Wave 1: Treasure Hoarders: Marksman ×1 Treasure Hoarders: Handyman ×2 Treasure Hoarders: Scout ×3", + "Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Handyman ×2", + "Treasure Hoarders: Scout ×3", + "Wave 2: Treasure Hoarders: Gravedigger ×1 Treasure Hoarders: Marksman ×2 Treasure Hoarders: Scout ×2", + "Treasure Hoarders: Gravedigger ×1", + "Treasure Hoarders: Marksman ×2", + "Treasure Hoarders: Scout ×2", + "Wave 3: Lousan ×1 Xi Xiao'er ×1\nThe following enemies will infinitely respawn on either side of the shrine until Lousan and Xi Xiao'er are defeated:\nSide 1: Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1\nSide 2: Treasure Hoarders: Hydro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1", + "Lousan ×1", + "Xi Xiao'er ×1", + "The following enemies will infinitely respawn on either side of the shrine until Lousan and Xi Xiao'er are defeated:\nSide 1: Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1\nSide 2: Treasure Hoarders: Hydro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1", + "Side 1: Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Electro Potioneer ×1", + "Treasure Hoarders: Pyro Potioneer ×1", + "Treasure Hoarders: Marksman ×1", + "Side 2: Treasure Hoarders: Hydro Potioneer ×1 Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Hydro Potioneer ×1", + "Treasure Hoarders: Pyro Potioneer ×1", + "Treasure Hoarders: Marksman ×1", + "Go back beneath the jade", + "Try using your adeptal energy...", + "Jump into the whirlpool", + "Follow the carp", + "Talk to the golden carp", + "Collect the scattered adeptal energy (0/4)\nBeast Lord path:\nWave 1: Hydro Mimic Squirrel ×2\nWave 2: Hydro Mimic Squirrel ×2\nWave 3: File:\"Beast Lord of Fuyu\" Icon.pngFile:\"Beast Lord of Fuyu\" Icon.png \"Beast Lord of Fuyu\" — A... Boar Created By Adeptal Power\nSeelie path:\nWave 1: Blazing Axe Mitachurl ×1 Hilichurl Fighter ×1 Hilichurl ×1\nWave 2: Hydro Hilichurl Rogue ×1 Electro Hilichurl Shooter ×1 Pyro Hilichurl Shooter ×1 Hilichurl Grenadier ×1", + "Beast Lord path:\nWave 1: Hydro Mimic Squirrel ×2\nWave 2: Hydro Mimic Squirrel ×2\nWave 3: File:\"Beast Lord of Fuyu\" Icon.pngFile:\"Beast Lord of Fuyu\" Icon.png \"Beast Lord of Fuyu\" — A... Boar Created By Adeptal Power", + "Wave 1: Hydro Mimic Squirrel ×2", + "Wave 2: Hydro Mimic Squirrel ×2", + "Wave 3: File:\"Beast Lord of Fuyu\" Icon.pngFile:\"Beast Lord of Fuyu\" Icon.png \"Beast Lord of Fuyu\" — A... Boar Created By Adeptal Power", + "Seelie path:\nWave 1: Blazing Axe Mitachurl ×1 Hilichurl Fighter ×1 Hilichurl ×1\nWave 2: Hydro Hilichurl Rogue ×1 Electro Hilichurl Shooter ×1 Pyro Hilichurl Shooter ×1 Hilichurl Grenadier ×1", + "Wave 1: Blazing Axe Mitachurl ×1 Hilichurl Fighter ×1 Hilichurl ×1", + "Blazing Axe Mitachurl ×1", + "Hilichurl Fighter ×1", + "Hilichurl ×1", + "Wave 2: Hydro Hilichurl Rogue ×1 Electro Hilichurl Shooter ×1 Pyro Hilichurl Shooter ×1 Hilichurl Grenadier ×1", + "Hydro Hilichurl Rogue ×1", + "Electro Hilichurl Shooter ×1", + "Pyro Hilichurl Shooter ×1", + "Hilichurl Grenadier ×1", + "Return to the Votive Rainjade", + "Talk to Little Mao", + "Head to the designated location" + ], + "id": 81467 + }, + { + "achievement": "As If Seen From Afar", + "description": "Ascend to the heavens with the dreams of the past.", + "requirements": "An Ancient Sacrifice of Sacred Brocade", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81468 + }, + { + "achievement": "Ancient Shaman-Song", + "description": "Witness the completion of the Rainjade Rite.", + "requirements": "An Ancient Sacrifice of Sacred Brocade", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "id": 81469 + }, + { + "achievement": "The Secluded Path", + "description": "Return to Carp's Rest.", + "requirements": "Complete The Cloud-Padded Path to the Chiwang Repose", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Cloud-Padded_Path_to_the_Chiwang_Repose", + "steps": [ + "Ascend the summit of Mt. Laixin", + "Speak to Lingyuan", + "Go to Carp's Rest", + "Enter Carp's Rest", + "Look for Fujin" + ], + "id": 81470 + }, + { + "achievement": "Secret Miracle", + "description": "Discover the secret of the jade in Mt. Laixin.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.4", + "primo": "5", + "id": 81471 + }, + { + "achievement": "Cineas", + "description": "Defeat Local Legend: Cineas", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81472 + }, + { + "achievement": "Vishap Corps Scylla", + "description": "Use the current that Scylla summons to reach a target point for the first time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81473 + }, + { + "achievement": "I Ask of Thee, Art Thou Mankind?", + "description": "Pick up a mysterious grimoire for the first time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81474 + }, + { + "achievement": "Loved by Books", + "description": "Use grimoires to activate all the mysterious bookshelves in the Faded Castle.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81475 + }, + { + "achievement": "\"The Flying Outlander\"", + "description": "Allow the lost score to once again see the light of day.", + "requirements": "Talk to Tailleferre after retrieving the Restored Score.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81476 + }, + { + "achievement": "What Do You Mean, You Hid Them?", + "description": "Collect the four treasures that Juliano left behind.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81477 + }, + { + "achievement": "Owner's Duty", + "description": "Bring Osse some fresh food.", + "requirements": "", + "hidden": "Yes", + "type": "", + "version": "4.6", + "primo": "5", + "id": 81478 + }, + { + "achievement": "The Tenth Muse", + "description": "Master the power of the Symphony.", + "requirements": "Complete The Shadow Over Petrichor", + "hidden": "Yes", + "type": "Quest", + "version": "4.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Shadow_Over_Petrichor", + "steps": [ + "Defeat the \"bandits\" Treasure Hoarders: Raptor ×1 (as Leader) Treasure Hoarders: Cryo Potioneer ×1 (as The Dude They Call \"Idiot\") Treasure Hoarders: Scout ×1", + "Treasure Hoarders: Raptor ×1 (as Leader)", + "Treasure Hoarders: Cryo Potioneer ×1 (as The Dude They Call \"Idiot\")", + "Treasure Hoarders: Scout ×1", + "Examine the chest carrying the \"treasure\"", + "Head to Petrichor", + "Explore the ruins in the mountain", + "Defeat the revived statue\n Praetorian Golem ×1", + "Praetorian Golem ×1", + "Talk to the talking cat", + "Follow Osse into the deep spring", + "Go to the underwater Faded Castle", + "Head to the Faded Castle", + "Obtain a fantastical music box" + ], + "id": 81479 + }, + { + "achievement": "Odyssey on the Wall", + "description": "Complete the stage performance in the Faded Castle.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81480 + }, + { + "achievement": "\"Go Tell the Citizens of the Capital...\"", + "description": "\"That here, obedient to our oaths, we lie eternal...\"", + "requirements": "Complete the trial in Caesareum Palace.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81481 + }, + { + "achievement": "Misteriosa Forma Del Tiempo", + "description": "Salute the sound of the bell.", + "requirements": "Ring the bell in Portus Anticus.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.6", + "primo": "5", + "id": 81482 + }, + { + "achievement": "Contra Mundum", + "description": "The king of vishaps, sealed for millennia, awakens...", + "requirements": "Break the three chains during The Last Day of Remuria", + "hidden": "Yes", + "type": "", + "version": "4.6", + "primo": "5", + "id": 81483 + }, + { + "achievement": "Omnes Viae Remam Ducunt", + "description": "Visit the static \"Eternal City.\"", + "requirements": "Complete The Last Day of Remuria", + "hidden": "Yes", + "type": "Quest", + "version": "4.6", + "primo": "5", + "id": 81484 + }, + { + "achievement": "Latecoming Diadochus", + "description": "His wish shall be yours to fulfill...", + "requirements": "Enter Domus Aurea during Fortune Plango Vulnera", + "hidden": "Yes", + "type": "", + "version": "4.6", + "primo": "5", + "requirementQuestLink": "/wiki/Fortune_Plango_Vulnera", + "steps": [ + "Release the Ichor to connect the aqueducts", + "Talk to Scylla", + "Play the symphony with Scylla", + "Continue onward", + "Defeat Boethius\n Boethius—\"The Immortal Sebastos's Second Coming\"", + "Boethius—\"The Immortal Sebastos's Second Coming\"", + "Defeat Boethius\n Boethius—\"Bleeding Idol\"", + "Boethius—\"Bleeding Idol\"", + "Defeat Boethius or Cassiodor\n Phobos—\"Discordant Symphony\"", + "Phobos—\"Discordant Symphony\"", + "Head to the upper level of \"Domus Aurea\"", + "Head to the \"podium\"", + "Start playing the harp" + ], + "id": 81485 + }, + { + "achievement": "Slow Homecoming", + "description": "Help Giustino return to his hometown.", + "requirements": "Complete Latecoming Homecoming.", + "hidden": "Yes", + "type": "Quest", + "version": "4.6", + "primo": "5", + "requirementQuestLink": "/wiki/Latecoming_Homecoming", + "steps": [ + "Talk to Giulietta", + "Find out where Giustino went", + "Follow Giovanni", + "Defeat the Agent\n Fatui Pyro Agent", + "Fatui Pyro Agent", + "Head to the designated location" + ], + "id": 81487 + }, + { + "achievement": "Dance! Dance! Dance!", + "description": "Watch the Drillbit Dance at the Children of Echoes.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81488 + }, + { + "achievement": "Whisper of the Heart", + "description": "Watch the improv band's performance at the People of the Springs", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81489 + }, + { + "achievement": "No Taking Without Permission!", + "description": "Return the obsidian idol to the ancestral altar of the Scions of the Canopy.", + "requirements": "To the Night, What is the Night's", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 81490 + }, + { + "achievement": "Hidden... Ahead", + "description": "Complete the trial of the Upper Sanctum, and make the floating islands reveal themselves.", + "requirements": "Complete Seeker No Finding", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Seeker_No_Finding", + "steps": [ + "Head to the Upper Sanctum", + "Head to the next floating island", + "Examine the Iridescent Inscription", + "Head to the last floating island", + "Examine the Iridescent Inscription", + "Explore the floating island", + "Investigate the giant stone tablet", + "Complete the trial", + "Head to the center of the Upper Sanctum", + "Go over to the stone tablet in the middle", + "Defeat the monsters that have been awakened\n Guardian Avatar of Lava\n Summoned Avatar of Lava\n Awakened Avatar of Lava", + "Guardian Avatar of Lava", + "Summoned Avatar of Lava", + "Awakened Avatar of Lava" + ], + "id": 81491 + }, + { + "achievement": "Like Floating Silk...", + "description": "Open the Spiritway leading to the Upper Sanctum.", + "requirements": "Complete Tracer No Tracing", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Tracer_No_Tracing", + "steps": [], + "id": 81492 + }, + { + "achievement": "\"Whoa! What a Twist!\"", + "description": "Why not just try and completely turn your train of thought around...", + "requirements": "Complete The Case of the Crafting Bench", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Case_of_the_Crafting_Bench", + "steps": [ + "Go to the clearing near the Stadium of the Sacred Flame", + "Talk to Sumac", + "Duel against SumacFile:Sumac (Enemy) Icon.pngFile:Sumac (Enemy) Icon.png Sumac — \"First Time Far From Home\" ×1", + "File:Sumac (Enemy) Icon.pngFile:Sumac (Enemy) Icon.png Sumac — \"First Time Far From Home\" ×1", + "Talk to Sumac", + "Go to the outdoor training area to collect testimony", + "Ask Ogun some questions", + "Talk to Ogun", + "Complete Ogun's challenge", + "Talk to Pampa", + "Complete Pampa's challenge", + "Talk to Pampa", + "Go to the People of the Springs to meet Anela", + "Ask Anela some questions", + "Complete Anela's challenge", + "Talk to Anela", + "Return to the Stadium of the Sacred Flame", + "Talk to Sumac", + "Go to the outdoor training area after two days", + "Go to the outdoor training area", + "Talk to Sumac", + "Submit the victims' testimonies to the judge", + "Keep listening", + "Submit the purchase invoice to the judge", + "Keep listening", + "Chase Tozan to the destination", + "Follow Tozan via his footprints", + "Talk to Tozan", + "Defeat the opponentsFile:Tozan (Enemy) Icon.pngFile:Tozan (Enemy) Icon.png Tozan ×1File:Tlalepa (Enemy) Icon.pngFile:Tlalepa (Enemy) Icon.png Tlalepa ×1", + "File:Tozan (Enemy) Icon.pngFile:Tozan (Enemy) Icon.png Tozan ×1", + "File:Tlalepa (Enemy) Icon.pngFile:Tlalepa (Enemy) Icon.png Tlalepa ×1", + "Talk to Tozan", + "Go to the Stadium of the Sacred Flame and report to the judge" + ], + "id": 81493 + }, + { + "achievement": "Okay, No More Corny Jokes...", + "description": "It's raining Shadow Pins...", + "requirements": "Complete Beneath the Crystal Rock", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Beneath_the_Crystal_Rock", + "steps": [], + "id": 81494 + }, + { + "achievement": "The Legend of the Legendary Heroes", + "description": "Prove the strength of your bond with your Saurian companion and earn the talisman of the Sage of Stolen Flame.", + "requirements": "Rite of the Bold", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 81496 + }, + { + "achievement": "O Red Sea, Part, and Clear a Path!", + "description": "Complete the trials of the Sage of Stolen Flame together with your Saurian companion, and open a path to the bottom of the lava.", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 81497 + }, + { + "achievement": "The Call of War", + "description": "Touch the totem of the Chamber of Night's Trial for the first time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81499 + }, + { + "achievement": "By Battle Be Settled...", + "description": "Complete the combat challenge of the Chamber of Night's Trial.", + "requirements": "", + "hidden": "Yes", + "type": "Combat", + "version": "5.0", + "primo": "5", + "id": 81500 + }, + { + "achievement": "Offering to Nothingness", + "description": "Collect all the Shattered Night Jade and combine it into the sacrificial \"Night Jade\" offering.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81501 + }, + { + "achievement": "Will This Really Work?", + "description": "Give the collected Iridescent Inscription Fragments to the researcher Chuno.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81502 + }, + { + "achievement": "Please Stay Your H... Feet", + "description": "Danger can come out of nowhere.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81503 + }, + { + "achievement": "\"Hot! HOT!\"", + "description": "Not a good place for a swim...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81504 + }, + { + "achievement": "Blessings Never Come in Pairs...", + "description": "But trouble always comes in threes.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81505 + }, + { + "achievement": "Farewell, Friend", + "description": "Thank you for accompanying us on our journey.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81506 + }, + { + "achievement": "A Final Kindness", + "description": "Share food with the Yumkasaurus blocking the way again.", + "requirements": "Complete Lies and Promises", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Lies_and_Promises", + "steps": [ + "Find a way to communicate with the Yumkasaurus", + "Feed the Yumkasaurus", + "Try talking to the Yumkasaurus", + "Get your Saurian companion to take away the treasure chest" + ], + "id": 81507 + }, + { + "achievement": "A New Hope", + "description": "Like a sprouting seed...", + "requirements": "After the completion of Waiting For Seeds to Sprout, return to the spot where the player planted the seed after one daily reset", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Waiting_For_Seeds_to_Sprout", + "steps": [ + "Plant the seed with your Saurian buddy", + "Infuse the seed with Phlogiston", + "Defeat the attracted Phlogiston Aphids", + "Re-infuse the seed with Phlogiston", + "Defeat the attracted monsters Eroding Avatar of Lava ×1 Pyro Slime ×2", + "Eroding Avatar of Lava ×1", + "Pyro Slime ×2" + ], + "id": 81508 + }, + { + "achievement": "...And Thanks for All the Fish!", + "description": "Thank you for your hospitality!", + "requirements": "Complete Feeling Like Fish Today!", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Feeling_Like_Fish_Today!", + "steps": [ + "Talk to your Saurian companion", + "Clean up the nearby waters\n Cryo Slime ×1", + "Cryo Slime ×1", + "Wait for Paimon to fish", + "Catch the fleeing fish", + "Bring the fish back to shore" + ], + "id": 81509 + }, + { + "achievement": "Into the Painting...", + "description": "Enter the world behind the mural.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81510 + }, + { + "achievement": "Dream Through The Web", + "description": "Catch messages from the night...", + "requirements": "Read all 4 Ancient Chronicle of the Dreamseeker Priest", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81511 + }, + { + "achievement": "Righteous Resistance", + "description": "Anyway, at least the evil machine has been shut down...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81512 + }, + { + "achievement": "\"For the Fairest\"", + "description": "Help the roots of the Flamegranate Tree absorb enough liquid phlogiston such that the Mountain King Flamegranates ripen.", + "requirements": "Complete Ripe For Trouble", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Ripe_For_Trouble", + "steps": [ + "Enter the cavern and look for Tisoc, who has gone missing", + "Explore the roots of the Flamegranate Tree", + "Break the solidified magma", + "Continue forward", + "Break the solidified magma", + "Go to the lower levels of the Flamegranate's roots", + "Find a way to increase the Liquid Phlogiston levels", + "Break the large solidified magma", + "Flee! Quickly!", + "Talk to Tisoc" + ], + "id": 81513 + }, + { + "achievement": "High-Speed Lifting", + "description": "Ride a Spiritway for the first time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81516 + }, + { + "achievement": "Only the Training Grounds Are Left?", + "description": "Arrive at the ancient, lost trial site...", + "requirements": "Unlock the Teleport Waypoint at Firethief's Secret Isle", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81518 + }, + { + "achievement": "\"Awaken! Night Head!\"", + "description": "...But nothing happened.", + "requirements": "Complete To Wish Upon a Star", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/To_Wish_Upon_a_Star", + "steps": [], + "id": 81519 + }, + { + "achievement": "Retrieve the Scattered, Escaping Colors", + "description": "Return the Monetoo back to where they belong.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81520 + }, + { + "achievement": "Maybe This is a Good Place to Camp?", + "description": "Enter a rest area through glowing ruin pillars for the second time...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81521 + }, + { + "achievement": "Six Crowns and Overnight Story", + "description": "Reach Reputation Lv. 4 with all the tribes of Natlan.", + "requirements": "", + "hidden": "No", + "type": "Reputation", + "version": "5.0", + "primo": "20", + "id": 81522 + }, + { + "achievement": "Only the Night Breeze Can Be Heard", + "description": "Defeat 4 opponents using Nightsoul-aligned attacks within 5s.", + "requirements": "", + "hidden": "Yes", + "type": "Combat", + "version": "5.0", + "primo": "5", + "id": 81523 + }, + { + "achievement": "Imperishable Night", + "description": "Enter the Nightsoul's Blessing state and maintain it for 18s.", + "requirements": "", + "hidden": "Yes", + "type": "Combat", + "version": "5.0", + "primo": "5", + "id": 81524 + }, + { + "achievement": "Seabird at Noon", + "description": "Help Pania solve the Flowcurrent Birds problem...", + "requirements": "Complete Come Back Home, Flowcurrent Birds", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81525 + }, + { + "achievement": "The Light on the Lake", + "description": "Witness the completion of the People of the Springs' great training arena... Will it actually be of any use...?", + "requirements": "Stride on Rainbows, Split the Waves", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 81526 + }, + { + "achievement": "...That Will Pierce the Heavens!", + "description": "Complete all the Warrior's Challenges of the Children of Echoes with the highest possible grade.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81527 + }, + { + "achievement": "Ring Finger - Dowsing Rope", + "description": "Complete all the Warrior's Challenges of the Scions of the Canopy with the highest possible grade.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81528 + }, + { + "achievement": "Gekkostate", + "description": "Complete all the Warrior's Challenges of the People of the Springs with the highest possible grade.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 81529 + }, + { + "achievement": "Juggernaut", + "description": "Crush all of a Geo Hypostasis' Rock Pillars of Revival before it can be revived.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.0", + "primo": "10", + "id": 82008 + }, + { + "achievement": "The PRISM Program", + "description": "Break all of an Electro Hypostasis' Revival Prisms before it can be revived.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.0", + "primo": "10", + "id": 82009 + }, + { + "achievement": "\"That's one big Crystalfly\"", + "description": "Absorb all of an Anemo Hypostasis' Wind Crystals before it can be revived.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.0", + "primo": "10", + "id": 82010 + }, + { + "achievement": "\"...Not indicative of final product\"", + "description": "Defeat an Anemo Hypostasis that has undergone 4 types of Elemental Conversions.", + "requirements": "Combine an Anemo Hypostasis' tornadoes with four elements and defeat it.", + "hidden": "Yes", + "type": "Boss", + "version": "1.0", + "primo": "10", + "id": 82012 + }, + { + "achievement": "The Bigger They Are...", + "description": "Paralyze a Ruin Guard by attacking its weak point.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 82013 + }, + { + "achievement": "Through Pass", + "description": "Knock a Pyro Slime out of the hands of a Hilichurl Grenadier.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 82014 + }, + { + "achievement": "Dolorous Stroke", + "description": "Defeat an opponent by Shattering the ice they are trapped in.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 82015 + }, + { + "achievement": "Hilichurl Champion", + "description": "Defeat a Stonehide Lawachurl before its Infused Form can expire.", + "requirements": "Defeat a Stonehide Lawachurl while its Geo Armor is still active.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 82017 + }, + { + "achievement": "Bon Appétit", + "description": "Have 4 party members in the Full state at the same time.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 82040 + }, + { + "achievement": "Purveyor of Punishment", + "description": "Deal over 5,000 CRIT DMG.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "id": 82041 + }, + { + "achievement": "Purveyor of Punishment", + "description": "Deal over 20,000 CRIT DMG.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 82041 + }, + { + "achievement": "Purveyor of Punishment", + "description": "Deal over 50,000 CRIT DMG.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "20", + "id": 82041 + }, + { + "achievement": "Fantastic Four", + "description": "Complete a Domain using 4 characters of the same Elemental Type.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "10", + "id": 82052 + }, + { + "achievement": "\"Take That, You Overblown Mist Flower!\"", + "description": "Defeat a Cryo Regisvine without destroying its corolla weak point.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.1", + "primo": "10", + "id": 82063 + }, + { + "achievement": "\"That Was Blooming Hot\"", + "description": "Defeat a Pyro Regisvine without destroying its corolla weak point.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.1", + "primo": "10", + "id": 82064 + }, + { + "achievement": "Outlander Vs. Outlander", + "description": "Defeat Childe without any party member being marked and then hit by his follow-up attack.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.1", + "primo": "10", + "id": 82065 + }, + { + "achievement": "Penalty", + "description": "There are places where one cannot simply dig Pyro Slimes out of the ground...", + "requirements": "Make a Hilichurl Grenadier attempt to dig out a Pyro Slime in the water.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.3", + "primo": "5", + "id": 82074 + }, + { + "achievement": "Force Field Erosion", + "description": "Destroy the Electro Hypostasis' barrier.", + "requirements": "Use Elemental Reactions to destroy the barrier created by the Electro Hypostasis.", + "hidden": "Yes", + "type": "Boss", + "version": "1.4", + "primo": "5", + "id": 82075 + }, + { + "achievement": "\"...Lizard-Spock\"", + "description": "Have one character get hit by all three parts of the rock-paper-scissors attack consecutively.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82076 + }, + { + "achievement": "A House Ill-Founded", + "description": "Cause the same Geo Hypostasis to fall three times by destroying the Basalt Column that it is on.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82077 + }, + { + "achievement": "None Stand Secure", + "description": "Force the Geo Hypostasis into its revival state without destroying any Basalt Columns.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82078 + }, + { + "achievement": "Back With the Wind", + "description": "Absorb at least 10 Elemental Orbs created by the Anemo Hypostasis in a single battle.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82079 + }, + { + "achievement": "Core Meltdown", + "description": "Destroy the Blazing Seed created by a Pyro Regisvine.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82080 + }, + { + "achievement": "Knockout", + "description": "Destroy a Cryo Regisvine's corolla weak point while it is performing its rotary spray attack.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82081 + }, + { + "achievement": "\"...Till Debt Do Us Part\"", + "description": "Defeat a Fatui Agent while they are in their stealth mode.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.3", + "primo": "5", + "id": 82082 + }, + { + "achievement": "\"Melting... Away...\"", + "description": "Defeat a Cryo Cicin Mage while all her Cryo Cicins are currently active.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.3", + "primo": "5", + "id": 82083 + }, + { + "achievement": "And You Call Yourself One of the Four Winds", + "description": "Defeat an Anemoboxer Vanguard after having triggered all of their Elemental Absorptions.", + "requirements": "Combine a Fatui Skirmisher - Anemoboxer Vanguard's shield with Pyro, Hydro, Electro, and Cryo before defeating it.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.3", + "primo": "5", + "id": 82084 + }, + { + "achievement": "Touch and Go", + "description": "Use a shield to counter a Geovishap's charging attack.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "1.3", + "primo": "5", + "id": 82085 + }, + { + "achievement": "Deflection!", + "description": "Use a shield to counter a Primo Geovishap's Primordial Shower attack.", + "requirements": "The shield cannot be Geo or a matching type to Primo Geovishap's element.", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82086 + }, + { + "achievement": "You Can Have Those Back!", + "description": "Use a shield of a matching type (or a Geo shield) to counter a Geovishap's Primordial Shower attack and deal immense DMG.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.3", + "primo": "5", + "id": 82087 + }, + { + "achievement": "Sternest of Souls", + "description": "Defeat Azhdaha in all its forms.", + "requirements": "Defeat Azhdaha in all 4 of its elemental combinations: Electro/Hydro, Cryo/Pyro, Cryo/Hydro, and Electro/Pyro.", + "hidden": "Yes", + "type": "Boss", + "version": "1.5", + "primo": "20", + "id": 82088 + }, + { + "achievement": "\"...A Single Night's Work\"", + "description": "Defeat a Cryo Hypostasis that is in a weakened state.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.5", + "primo": "5", + "id": 82089 + }, + { + "achievement": "\"Knee-Deep Snow...\"", + "description": "Defeat a Cryo Hypostasis that has revived three times.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "1.5", + "primo": "5", + "id": 82090 + }, + { + "achievement": "If I Run Fast Enough...", + "description": "Defeat a Maguu Kenki without being hit by its phantom's attacks.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "10", + "id": 82099 + }, + { + "achievement": "In This Solemn Matter Let No One Interfere!", + "description": "Defeat a Maguu Kenki without triggering its \"Oushi no Omote\" parry.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "5", + "id": 82100 + }, + { + "achievement": "Fine, I'll Do It Myself", + "description": "Defeat a Primo Geovishap without reflecting its Primordial Shower.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "5", + "id": 82101 + }, + { + "achievement": "Burned Yourself, Did You?", + "description": "Defeat a Pyro Hypostasis that has reignited twice.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "5", + "id": 82102 + }, + { + "achievement": "Smells like Animal Spirit!", + "description": "Defeat a Pyro Hypostasis after being hit by its mimetic 3-hit combo.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "5", + "id": 82103 + }, + { + "achievement": "Core Breakthrough", + "description": "Defeat a Perpetual Mechanical Array after paralyzing all 4 types of its Ruin Sentinels.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "10", + "id": 82104 + }, + { + "achievement": "Could All Uninvolved Machinery Please Leave Immediately?", + "description": "Defeat the Perpetual Mechanical Array without defeating any of its Ruin Sentinels.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.0", + "primo": "10", + "id": 82105 + }, + { + "achievement": "Fight Fire With Fire", + "description": "Defeat a Kairagi: Fiery Might while their weapon is infused with Pyro.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 82106 + }, + { + "achievement": "Ride the Lightning", + "description": "Defeat a Kairagi: Dancing Thunder while their weapon is infused with Electro.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "5", + "id": 82107 + }, + { + "achievement": "I Hear Thunder...", + "description": "Be struck by the lightning called down by a Crackling Axe Mitachurl...", + "requirements": "Be struck by a Crackling Axe Mitachurl's thunder attack.", + "hidden": "Yes", + "type": "Exploration", + "version": "2.0", + "primo": "10", + "id": 82108 + }, + { + "achievement": "Dry Clean", + "description": "Defeat the Hydro Hypostasis without destroying a single one of its Water Droplets (except when it is restoring HP.)", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.1", + "primo": "5", + "id": 82110 + }, + { + "achievement": "Bio-Oceanic Weapon", + "description": "Be hit by a certain animal created by the Hydro Hypostasis...", + "requirements": "Get hit by Hydro Hypostasis' \"Dolphin Dive\" attack.", + "hidden": "Yes", + "type": "Boss", + "version": "2.1", + "primo": "5", + "id": 82111 + }, + { + "achievement": "Love and Non-Communication", + "description": "Defeat a Thunder Manifestation without ever being locked onto.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.1", + "primo": "5", + "id": 82112 + }, + { + "achievement": "Thunder Fall", + "description": "Defeat a Thunder Manifestation while it is in flight.", + "requirements": "Defeat Thunder Manifestation while it is performing either \"Dive Bomb\" or \"Torrential Descent\".", + "hidden": "Yes", + "type": "Boss", + "version": "2.1", + "primo": "5", + "id": 82113 + }, + { + "achievement": "Icy Rivers, Crimson Witch", + "description": "Defeat Signora without destroying either her Hearts of Flame or Eyes of Frost.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.1", + "primo": "10", + "id": 82114 + }, + { + "achievement": "Inugami's End", + "description": "Destroy two Rifthound Skulls within a short time.", + "requirements": "Destroy the skulls created by the Golden Wolflord when it creates a shield.", + "hidden": "Yes", + "type": "Boss", + "version": "2.5", + "primo": "5", + "id": 82121 + }, + { + "achievement": "Hard Landing", + "description": "Bring a climbing Bathysmal Vishap down.", + "requirements": "Destroy a wall when one of the Coral Defenders is clinging onto it.", + "hidden": "Yes", + "type": "Boss", + "version": "2.5", + "primo": "5", + "id": 82122 + }, + { + "achievement": "Impeccable Judgment", + "description": "Only shoot down your real opponent...", + "requirements": "Attack only the real Magatsu Mitake Narukami no Mikoto when it creates its own copies. The real one sends X-shaped slashes at the player.", + "hidden": "Yes", + "type": "Boss", + "version": "2.5", + "primo": "5", + "id": 82123 + }, + { + "achievement": "Beware of Angry Dog", + "description": "Defeat a roaring Rifthound.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.5", + "primo": "5", + "id": 82124 + }, + { + "achievement": "Basically Harmless", + "description": "Defeat a Specter that has not accumulated any Fury.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "2.5", + "primo": "5", + "id": 82125 + }, + { + "achievement": "Overflowing Light", + "description": "Destroy 2 Oozing Concretions with 1 Blooming Light during a battle against the Ruin Serpent.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "2.6", + "primo": "5", + "id": 82127 + }, + { + "achievement": "\"Han Always Shoots First...\"", + "description": "...So don't bring a knife to a gunfight.", + "requirements": "Attack an Eremite Sword-Dancer with a projectile or lunging attack while he is taunting the player.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 82129 + }, + { + "achievement": "Opportunistic Gain", + "description": "Watch the infighting between the Fungi.", + "requirements": "Allow a Floating Hydro Fungus to trap a Fungus of a different type inside its bubble.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 82130 + }, + { + "achievement": "\"Get Over Here!\"", + "description": "Shoot down a flying Fungus.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "id": 82131 + }, + { + "achievement": "When Autumn and Dew Meet", + "description": "Let the Electro Regisvine perform its charged electrical collision.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "3.0", + "primo": "5", + "id": 82132 + }, + { + "achievement": "Three Strikes", + "description": "Witness the three powerful abilities used by the activated Jadeplume Terrorshroom.", + "requirements": "Activate the Jadeplume Terrorshroom with Electro, then witness its Feather Spreading, Furious Charge, and Rapid Pecks attacks.", + "hidden": "Yes", + "type": "Boss", + "version": "3.0", + "primo": "5", + "id": 82133 + }, + { + "achievement": "Stop It, Mr. Robot!", + "description": "Interrupt the charged attack of the Aeonblight Drake by attacking the core on its head.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "3.1", + "primo": "5", + "id": 82142 + }, + { + "achievement": "Nanomachines, Son!", + "description": "Defeat an activated Jadeplume Terrorshroom while it is unleashing a powerful skill...", + "requirements": "Defeat the Jadeplume Terrorshroom while it is performing the Feather Spreading, Furious Charge, or Rapid Pecks attack.", + "hidden": "Yes", + "type": "Boss", + "version": "3.1", + "primo": "5", + "id": 82143 + }, + { + "achievement": "Establishing a Beachhead", + "description": "Witness the overclocking impact of the Algorithm of Semi-Intransient Matrix of Overseer Network", + "requirements": "Allow the Algorithm of Semi-Intransient Matrix of Overseer Network to perform its Overclocked Attack.", + "hidden": "Yes", + "type": "Boss", + "version": "3.1", + "primo": "5", + "id": 82144 + }, + { + "achievement": "The Invisible Hand", + "description": "Defeat the Primal Construct without disabling its invisible state.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "3.1", + "primo": "5", + "id": 82145 + }, + { + "achievement": "The Marvelous Uses of Nitrogen Fixation", + "description": "During one Dendro Hypostasis challenge, cause three Restorative Piths to be in an Activated state simultaneously.", + "requirements": "Cause all three Restorative Piths to be in an activated state simultaneously.", + "hidden": "Yes", + "type": "Boss", + "version": "3.2", + "primo": "5", + "id": 82155 + }, + { + "achievement": "Records of the Fall", + "description": "Burn the Dendro Hypostasis' vine shell as it is performing a Plunging Attack.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "3.2", + "primo": "5", + "id": 82156 + }, + { + "achievement": "It All Comes Tumbling Down", + "description": "Use the Elemental Matrices to overload and paralyze Shouki no Kami.", + "requirements": "Paralyze the Everlasting Lord of Arcane Wisdom in Phase 1 by activating both Electro matrices.", + "hidden": "Yes", + "type": "Boss", + "version": "3.2", + "primo": "10", + "id": 82157 + }, + { + "achievement": "Causality of Birth and Extinction", + "description": "Even at the edge of obliteration, a comeback is still on the cards...", + "requirements": "Die to the Everlasting Lord of Arcane Wisdom's Setsuna Shoumetsu attack.", + "hidden": "Yes", + "type": "Boss", + "version": "3.2", + "primo": "10", + "id": 82158 + }, + { + "achievement": "He Who Controls the Spice...", + "description": "Use the Windbite Bullets to perform Swirl reactions and bring the Setekh Wenut in its floating form down.", + "requirements": "Destroy 2 Windbite Bullets in succession", + "hidden": "Yes", + "type": "Boss", + "version": "3.4", + "primo": "5", + "id": 82160 + }, + { + "achievement": "When You Say Nothing at All", + "description": "Destroy all Elemental Rings to paralyze the Iniquitous Baptist when it begins to channel its attack.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "3.6", + "primo": "5", + "id": 82168 + }, + { + "achievement": "The White Path Between Two Rivers", + "description": "Lose in the duel against the legendary Hunter's Ray...", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "-", + "id": 82175 + }, + { + "achievement": "Cell, Splinter", + "description": "Use Pneuma or Ousia attacks to interrupt the Breacher Primus's stress state.", + "requirements": "", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 82176 + }, + { + "achievement": "Too Hot to Handle!", + "description": "Constantly attempt to freeze Tainted Hydro Phantasms...", + "requirements": "Freeze a Tainted Hydro Phantasm for 8 seconds in total.", + "hidden": "Yes", + "type": "Exploration", + "version": "4.0", + "primo": "5", + "id": 82177 + }, + { + "achievement": "Funerary Storm", + "description": "Use a Pneuma attack to weaken the whirlwind Coppelia creates during the performance's climax.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "4.0", + "primo": "5", + "id": 82178 + }, + { + "achievement": "Icebound Oath", + "description": "Use an Ousia attack to remove the shield that Coppelius deploys during the performance's climax.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "4.0", + "primo": "5", + "id": 82180 + }, + { + "achievement": "The King Is Dead, Long Live the King!", + "description": "Interrupt the Emperor of Fire and Iron's Searing Coronation.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "4.0", + "primo": "5", + "id": 82179 + }, + { + "achievement": "Many-as-One", + "description": "Stop the Hydro Tulpa from absorbing Half-Tulpas twice in one challenge.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "4.2", + "primo": "5", + "id": 82187 + }, + { + "achievement": "The Hitchhiker's Guide to the Galaxy", + "description": "Enter the belly of the beast twice during a single challenge.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "4.2", + "primo": "10", + "id": 82188 + }, + { + "achievement": "A Pulse of Ice and Wind", + "description": "Search for the connection between Solitary Suanni and Cryo.", + "requirements": "Freeze the Solitary Suanni and remove the Frozen aura using Shatter.", + "hidden": "Yes", + "type": "Boss", + "version": "4.4", + "primo": "5", + "id": 82189 + }, + { + "achievement": "\"Beware of Remurians...\"", + "description": "\"...Even should they carry instruments.\"", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "4.6", + "primo": "5", + "id": 82190 + }, + { + "achievement": "The Same Mistakes", + "description": "\"Ranged combat is advantageous to us... Huh!?\"", + "requirements": "During the Knave's boss fight's first phase, get ranged attacks countered by her wing three times in a row.", + "hidden": "Yes", + "type": "Boss", + "version": "4.6", + "primo": "5", + "id": 82191 + }, + { + "achievement": "After the Feast", + "description": "Reach the other side of the blood-red banquet, with the baleful moon as your witness.", + "requirements": "Dodge the entirety of the \"Destruction Upon Destruction\" attack in a battle against The Knave", + "hidden": "Yes", + "type": "Boss", + "version": "4.6", + "primo": "10", + "id": 82192 + }, + { + "achievement": "Saurian-Hunting Black Arrow...", + "description": "Destroy the Goldflame Qucusaur Tyrant's Elemental shield while it is in the \"Goldflame\" state to make it fall out of the sky", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "5.0", + "primo": "5", + "id": 82250 + }, + { + "achievement": "Et tu, Dinobrute?", + "description": "Ignite the Flamegranate before the Gluttonous Yumkasaur Mountain King swallows it, causing the fruit to explode after being swallowed.", + "requirements": "", + "hidden": "Yes", + "type": "Boss", + "version": "5.0", + "primo": "5", + "id": 82251 + }, + { + "achievement": "The End of the Beginning", + "description": "Complete the Mondstadt Archon Quests.", + "requirements": "Complete Ending Note.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "20", + "requirementQuestLink": "/wiki/Ending_Note", + "steps": [ + "Meet Jean and Venti at the Cathedral", + "Give the Holy Lyre der Himmel to Barbara", + "Talk to Barbara", + "Find Venti at Windrise" + ], + "id": 84000 + }, + { + "achievement": "The Outlander Who Caught the Wind", + "description": "Complete \"The Outlander Who Caught the Wind.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "10", + "id": 84001 + }, + { + "achievement": "For a Tomorrow Without Tears", + "description": "Complete \"For a Tomorrow Without Tears.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "10", + "id": 84002 + }, + { + "achievement": "Song of the Dragon and Freedom", + "description": "Complete \"Song of the Dragon and Freedom.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "10", + "id": 84003 + }, + { + "achievement": "Let the Wind Lead", + "description": "Obtain the power of Anemo.", + "requirements": "Complete Unexpected Power.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Unexpected_Power", + "steps": [ + "Talk to Paimon", + "(TapTapText for touch screen/Press EPress EText for mouse and keyboard/PressPressText for controller) to unleash Elemental Skill", + "Defeat the slimes\n Pyro Slime ×1 will appear.", + "Pyro Slime ×1 will appear.", + "Hold Elemental Skill", + "Defeat the slimes\n Pyro Slime ×2 will appear.", + "Pyro Slime ×2 will appear.", + "Use Elemental Burst", + "Defeat the slimes\n Pyro Slime ×4 will appear.", + "Pyro Slime ×4 will appear." + ], + "id": 84004 + }, + { + "achievement": "...Or a New Storm?", + "description": "Banish the dragon attacking Mondstadt.", + "requirements": "Earned during Dragon Storm.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Dragon_Storm", + "steps": [ + "Fend off Stormterror\nThe player will be taken to an aerial battle where Stormterror needs to be shot down until his health falls to about 15-20%, and then the battle ends as he flees.", + "The player will be taken to an aerial battle where Stormterror needs to be shot down until his health falls to about 15-20%, and then the battle ends as he flees.", + "Go to the Knights of Favonius Headquarters" + ], + "id": 84005 + }, + { + "achievement": "Knighthood Excellence", + "description": "Become an Honorary Knight of Favonius.", + "requirements": "Complete Shadow Over Mondstadt.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Shadow_Over_Mondstadt", + "steps": [ + "Return to Mondstadt", + "Listen to Jean's conversation with the strange person", + "Return to the Knights of Favonius Headquarters with Jean", + "Talk to Jean" + ], + "id": 84006 + }, + { + "achievement": "Knights and Their Knotty Issues", + "description": "Fail to borrow the Holy Relic... but learn of the Knights' dilemma.", + "requirements": "Complete Wild Escape.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Wild_Escape", + "steps": [ + "Escape the Cathedral", + "Use the wind currents to get far away from the Cathedral\nIf players do not reach Angel's Share within the time limit, the quest resets to Step 1. Menus do not pause the game during this time.\nA Common Chest will spawn on one of the rooftops during the escape.\nThe time limit is long enough, it's possible to reach the Angel's Share within the time limit by running and dashing.", + "If players do not reach Angel's Share within the time limit, the quest resets to Step 1. Menus do not pause the game during this time.", + "A Common Chest will spawn on one of the rooftops during the escape.", + "The time limit is long enough, it's possible to reach the Angel's Share within the time limit by running and dashing.", + "Hide in the tavern", + "Talk to Diluc", + "Hide on the second floor of the tavern", + "Answer Diluc's questions" + ], + "id": 84007 + }, + { + "achievement": "Winds Change Their Course", + "description": "Be rescued by Dvalin.", + "requirements": "Complete A Long Shot.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Long_Shot", + "steps": [ + "Venture beyond the seal\nEnter Confront Stormterror's Quest Domain: Storming Terror\nThe battle is split into two parts for the two crystals Dvalin has on his back.", + "Enter Confront Stormterror's Quest Domain: Storming Terror", + "The battle is split into two parts for the two crystals Dvalin has on his back.", + "Ride the winds to defeat Dvalin\nThe party is fixed to the Traveler for this part, even if they are not in the party.", + "The party is fixed to the Traveler for this part, even if they are not in the party.", + "Defeat Dvalin\nVenti will be added to the party as a Trial Character", + "Venti will be added to the party as a Trial Character" + ], + "id": 84008 + }, + { + "achievement": "Of the Land Amidst Monoliths", + "description": "Complete \"Of the Land Amidst Monoliths\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "10", + "id": 84009 + }, + { + "achievement": "Farewell, Archaic Lord", + "description": "Complete \"Farewell, Archaic Lord.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "10", + "id": 84010 + }, + { + "achievement": "Outlandish Behavior", + "description": "Be rescued by an outsider at the \"tourist spot that locals don't go to.\"", + "requirements": "Complete Rite of Descension.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Rite_of_Descension", + "steps": [ + "Go to Liyue Harbor", + "Talk to the locals (0/3)\nTalk to Linlang, Guanhai, and Bolai", + "Talk to Linlang, Guanhai, and Bolai", + "Go to Yujing Terrace", + "Pray and make a wish at Yujing Terrace (0/2)", + "Join the crowd and wait for the Rite to begin", + "Talk to Paimon", + "Escape from the Millelith\nThis will involve another Stealth mission where the objective is to avoid being spotted by the NPCs.", + "This will involve another Stealth mission where the objective is to avoid being spotted by the NPCs.", + "Talk to Childe at the Northland Bank" + ], + "id": 84011 + }, + { + "achievement": "Silly-Billy Churlish Ghoul", + "description": "Agree to play with Dusky Ming.", + "requirements": "Complete Wangshu.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Wangshu", + "steps": [ + "Go to Wangshu Inn", + "Ask the boss lady about Xiao", + "Make a Delicious Satisfying Salad", + "Talk to the chef", + "Go to the kitchen", + "Tell Smiley Yanxiao about what happened", + "Seek help from Verr Goldet", + "Observe the painting", + "Find a place where you can see the whole Witness Sigil", + "Chase the ghost", + "Defeat the Ruin Hunter", + "Talk to Dusky Ming", + "Tell Smiley Yanxiao about what happened\nObtain Special Almond Tofu", + "Obtain Special Almond Tofu", + "Talk to Xiao" + ], + "id": 84012 + }, + { + "achievement": "That Smells Divine", + "description": "Figure out which perfume Rex Lapis is fond of.", + "requirements": "Complete Three Poignant Perfumes.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Three_Poignant_Perfumes", + "steps": [ + "Go and buy Silk Flowers", + "Seek Lan's advice", + "Seek Qiming's advice", + "Seek Ying'er's advice", + "Rendezvous with Ying'er", + "Fetch some water", + "Talk to Ying'er", + "Grind the Silk Flowers to extract the essence\nUse the Crafting Bench for this.", + "Use the Crafting Bench for this.", + "Give the Silk Flower Essence to Ying'er", + "Offer the perfumes to the Statue of the Seven [sic]" + ], + "id": 84013 + }, + { + "achievement": "It's Bigger on the Inside", + "description": "Clean Madame Ping's teapot.", + "requirements": "Complete The Realm Within.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Realm_Within", + "steps": [ + "Talk to Madame Ping", + "Touch Madame Ping's teapot", + "Search for the Cleansing Bell\nEnter the Quest Domain: The Realm Within (Domain)", + "Enter the Quest Domain: The Realm Within (Domain)", + "Put the perfume and Cleansing Bell in place" + ], + "id": 84014 + }, + { + "achievement": "Ticked, Tacked, and Towed", + "description": "Commission others to finish your work, unfettered by such things as Mora.", + "requirements": "Complete Downtown.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Downtown", + "steps": [ + "Talk with Granny Shan", + "Find the three workers (0/3)\nTalk to Tic, Tac, and Toe, then barter with them.", + "Talk to Tic, Tac, and Toe, then barter with them.", + "Talk to Childe" + ], + "id": 84015 + }, + { + "achievement": "Respecting Cultural Heritage", + "description": "You failed to find the Cocogoat... but manage to repair a mechanism.", + "requirements": "Earned during Guizhong.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Guizhong_(Quest)", + "steps": [ + "Go to Bubu Pharmacy", + "Find the source of the mystery voice", + "Look for the Guizhong Ballista", + "Inspect the Ballista", + "Retrieve spare parts from the military supply post\nGlide into the window to access the post at the marked location. Inside are multiple Common Chests, and the spare parts are in these chests.", + "Glide into the window to access the post at the marked location. Inside are multiple Common Chests, and the spare parts are in these chests.", + "Repair the Guizhong Ballista", + "Defeat the Treasure Hoarders Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Gravedigger ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Marksman ×1 Treasure Hoarders: Crusher ×2 Treasure Hoarders: Pyro Potioneer ×2 Treasure Hoarders: Scout ×5", + "Treasure Hoarders: Electro Potioneer ×1", + "Treasure Hoarders: Gravedigger ×1", + "Treasure Hoarders: Handyman ×1", + "Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Crusher ×2", + "Treasure Hoarders: Pyro Potioneer ×2", + "Treasure Hoarders: Scout ×5", + "Find Qiqi back at the Bubu Pharmacy", + "Put the Everlasting Incense in place" + ], + "id": 84016 + }, + { + "achievement": "The Long Goodbye", + "description": "Prepare everything necessary for the Rite of Parting.", + "requirements": "Complete Guizhong.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Guizhong_(Quest)", + "steps": [ + "Go to Bubu Pharmacy", + "Find the source of the mystery voice", + "Look for the Guizhong Ballista", + "Inspect the Ballista", + "Retrieve spare parts from the military supply post\nGlide into the window to access the post at the marked location. Inside are multiple Common Chests, and the spare parts are in these chests.", + "Glide into the window to access the post at the marked location. Inside are multiple Common Chests, and the spare parts are in these chests.", + "Repair the Guizhong Ballista", + "Defeat the Treasure Hoarders Treasure Hoarders: Electro Potioneer ×1 Treasure Hoarders: Gravedigger ×1 Treasure Hoarders: Handyman ×1 Treasure Hoarders: Marksman ×1 Treasure Hoarders: Crusher ×2 Treasure Hoarders: Pyro Potioneer ×2 Treasure Hoarders: Scout ×5", + "Treasure Hoarders: Electro Potioneer ×1", + "Treasure Hoarders: Gravedigger ×1", + "Treasure Hoarders: Handyman ×1", + "Treasure Hoarders: Marksman ×1", + "Treasure Hoarders: Crusher ×2", + "Treasure Hoarders: Pyro Potioneer ×2", + "Treasure Hoarders: Scout ×5", + "Find Qiqi back at the Bubu Pharmacy", + "Put the Everlasting Incense in place" + ], + "id": 84017 + }, + { + "achievement": "Icing on the Slime", + "description": "Create a box of lovely, jubbly Sugar-Frosted Slimes.", + "requirements": "Earned during Equilibrium.", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "requirementQuestLink": "/wiki/Equilibrium", + "steps": [ + "Look for the ingredients Paimon needs (0/3)\nNorthern spot at Dunyu Ruins:\nDefeat all enemies. (Obtain Cage Key after defeating the last Treasure Hoarder.)\nCollect the Extra-Sweet Sweet Flower from the pot near the cage.\nSouthern spot at Dunyu Ruins:\nKill the Hydro Slime at the southern side of the lake at Duyun Ruins. You will get Tasty Slime Condensate.", + "Northern spot at Dunyu Ruins:", + "Defeat all enemies. (Obtain Cage Key after defeating the last Treasure Hoarder.)", + "Collect the Extra-Sweet Sweet Flower from the pot near the cage.", + "Southern spot at Dunyu Ruins:", + "Kill the Hydro Slime at the southern side of the lake at Duyun Ruins. You will get Tasty Slime Condensate.", + "Open the cage", + "Talk to the person in the cage", + "Go to Mingxing Jewelry", + "Look for the guide to the Jade Chamber", + "Talk to Ningguang", + "Enter the Jade Chamber's premises", + "Talk to Ningguang", + "Pick a piece of \"paper snow\" from Jade Chamber Intel Wall" + ], + "id": 84018 + }, + { + "achievement": "Sky's the Limit", + "description": "Reach Liyue's \"mansion in the sky\".", + "requirements": "Earned during Equilibrium.", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "requirementQuestLink": "/wiki/Equilibrium", + "steps": [ + "Look for the ingredients Paimon needs (0/3)\nNorthern spot at Dunyu Ruins:\nDefeat all enemies. (Obtain Cage Key after defeating the last Treasure Hoarder.)\nCollect the Extra-Sweet Sweet Flower from the pot near the cage.\nSouthern spot at Dunyu Ruins:\nKill the Hydro Slime at the southern side of the lake at Duyun Ruins. You will get Tasty Slime Condensate.", + "Northern spot at Dunyu Ruins:", + "Defeat all enemies. (Obtain Cage Key after defeating the last Treasure Hoarder.)", + "Collect the Extra-Sweet Sweet Flower from the pot near the cage.", + "Southern spot at Dunyu Ruins:", + "Kill the Hydro Slime at the southern side of the lake at Duyun Ruins. You will get Tasty Slime Condensate.", + "Open the cage", + "Talk to the person in the cage", + "Go to Mingxing Jewelry", + "Look for the guide to the Jade Chamber", + "Talk to Ningguang", + "Enter the Jade Chamber's premises", + "Talk to Ningguang", + "Pick a piece of \"paper snow\" from Jade Chamber Intel Wall" + ], + "id": 84019 + }, + { + "achievement": "Lily Loves Music", + "description": "Sing a song of Mondstadt to the Glaze Lilies...", + "requirements": "Earned during Solitary Fragrance.", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "requirementQuestLink": "/wiki/Solitary_Fragrance", + "steps": [ + "Head to the location marked on the \"paper snow\"", + "Investigate the Fatui's research", + "Meet Zhongli at Dihua Marsh", + "Search for wild Glaze Lilies with Zhongli", + "Defeat the attacking monsters\n Cryo Whopperflower ×3\nYou acquire a Wild Glaze Lily", + "Cryo Whopperflower ×3", + "You acquire a Wild Glaze Lily", + "Head back towards Liyue Harbor", + "Ask around for news" + ], + "id": 84020 + }, + { + "achievement": "I'll Let You Off... This Time", + "description": "Defeat Childe.", + "requirements": "Complete Heart of Glaze.", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "requirementQuestLink": "/wiki/Heart_of_Glaze", + "steps": [ + "Go to the Golden House\nEnter the Quest Domain: Enter the Golden House", + "Enter the Quest Domain: Enter the Golden House", + "Examine the Exuvia", + "Duel Childe" + ], + "id": 84021 + }, + { + "achievement": "Derailed", + "description": "Defeat the Overlord of the Vortex.", + "requirements": "Complete Turning Point.", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "requirementQuestLink": "/wiki/Turning_Point", + "steps": [ + "Repel the ancient god together\nEnter the Quest Domain: Turning Point", + "Enter the Quest Domain: Turning Point", + "Protect the Guizhong Ballista\nEast Guizhong Ballista\nNorth Guizhong Ballista\nWest Guizhong Ballista\nThis step lasts for 6 minutes and 40 seconds.\nXiao, Ganyu and Madame Ping will provide buffs after Osial's first attack, increasing the player's speed, survivability and applying a powerful burst AoE attack respectively.", + "East Guizhong Ballista", + "North Guizhong Ballista", + "West Guizhong Ballista", + "This step lasts for 6 minutes and 40 seconds.", + "Xiao, Ganyu and Madame Ping will provide buffs after Osial's first attack, increasing the player's speed, survivability and applying a powerful burst AoE attack respectively." + ], + "id": 84022 + }, + { + "achievement": "Final Farewell", + "description": "Take part in the Rite of Parting.", + "requirements": "Complete The Fond Farewell.", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Fond_Farewell", + "steps": [ + "Look for Zhongli", + "Look for Zhongli at the Northland Bank", + "Leave Northland Bank", + "Follow the road up to Yujing Terrace (0/2)\nTalk to Big-Footed Dajiao and Wrench Wang (1/2)\nTalk to Uncle Gao and Uncle Sun (2/2)", + "Talk to Big-Footed Dajiao and Wrench Wang (1/2)", + "Talk to Uncle Gao and Uncle Sun (2/2)", + "Listen to the Millelith announcement", + "Go to the site of the Rite of Parting", + "Talk to the people taking part in the rite (0/3)", + "Look for Zhongli at the scene" + ], + "id": 84023 + }, + { + "achievement": "A New Star Approaches", + "description": "Complete \"A New Star Approaches\".", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.1", + "primo": "5", + "id": 84024 + }, + { + "achievement": "Pirates! Argh!", + "description": "Play a game of pirates with Little Lulu, Little Fei, and Little Meng.", + "requirements": "Complete all 3 variations of Pirate Invasion, in Liyue Harbor!", + "hidden": "No", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Pirate_Invasion,_in_Liyue_Harbor!", + "steps": [], + "id": 84508 + }, + { + "achievement": "A Nourishing Friendship", + "description": "Complete \"Fishing Jiangxue\" and \"Yanxiao's Dilemma.\"", + "requirements": "", + "hidden": "No", + "type": "Commission", + "version": "1.0", + "primo": "5", + "id": 84509 + }, + { + "achievement": "Love Is All Around", + "description": "In \"Good Sign,\" help Zhihua find 5 signs that romance is coming his way.", + "requirements": "See that Granny Shan has good business, leave the pigeons alone, leave the dogs alone, leave the cat and fish alone, and leave the leaves alone.", + "hidden": "No", + "type": "Commission", + "version": "1.0", + "primo": "5", + "id": 84510 + }, + { + "achievement": "For the Love of Godwin", + "description": "Finish \"Whispers in the Wind\" 5 times.", + "requirements": "", + "hidden": "No", + "type": "Commission", + "version": "1.0", + "primo": "5", + "id": 84512 + }, + { + "achievement": "Level Up", + "description": "Help Huai'an repair Wangshu Inn's broken bridge.", + "requirements": "Complete the 2nd part of Stairway to Wangshu.", + "hidden": "No", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Stairway_to_Wangshu", + "steps": [ + "Talk to Huai'an", + "Collect 5 wooden planks", + "Talk to Huai'an" + ], + "id": 84513 + }, + { + "achievement": "Beginner's Luck", + "description": "Select the highest-value jade on your first try.", + "requirements": "Can be earned during Diamond in the Rough...", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Diamond_in_the_Rough...", + "steps": [ + "Talk to Shitou", + "Choose a type of crude stone", + "Talk to Shitou" + ], + "id": 84514 + }, + { + "achievement": "Taking Responsibility for Your Actions", + "description": "Apologize to Timmie.", + "requirements": "Complete Sorry, Timmie!", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Sorry,_Timmie!", + "steps": [ + "Talk to Grace", + "Bring 3 Philanemo Mushrooms to Grace\nObtain Special Mondstadt Hash Brown", + "Obtain Special Mondstadt Hash Brown", + "Talk to Timmie" + ], + "id": 84515 + }, + { + "achievement": "Making Do", + "description": "Only bring materials for a training dummy to Herman.", + "requirements": "Destroy the dummy in The Limitations of an Adventurer.", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Limitations_of_an_Adventurer", + "steps": [ + "Talk to Herman", + "Clear out the monster camp\n Hilichurl Fighter ×2\n Wooden Shield Hilichurl Guard ×1\n Hydro Samachurl ×1\n Blazing Axe Mitachurl ×1", + "Hilichurl Fighter ×2", + "Wooden Shield Hilichurl Guard ×1", + "Hydro Samachurl ×1", + "Blazing Axe Mitachurl ×1", + "Obtain the wooden training dummy/Collect materials for training dummy\nIf the player \"Dig\"s up the training dummy, they will receive Intact Training Dummy.\nIf the player destroys the training dummy, they will receive Materials for Training Dummy. Bringing back the materials will grant the Wonders of the World achievement Making Do.", + "If the player \"Dig\"s up the training dummy, they will receive Intact Training Dummy.", + "If the player destroys the training dummy, they will receive Materials for Training Dummy. Bringing back the materials will grant the Wonders of the World achievement Making Do.", + "Talk to Herman" + ], + "id": 84516 + }, + { + "achievement": "\"Dear Daddy...\"", + "description": "Hear Timmie's story.", + "requirements": "Complete A Boy's Letter.", + "hidden": "Yes", + "type": "Commission", + "version": "1.2", + "primo": "5", + "requirementQuestLink": "/wiki/A_Boy%27s_Letter", + "steps": [ + "Talk to Draff", + "Talk to Grace", + "Talk to Timmie", + "Find three Dandelions", + "Give the Dandelions to Timmie", + "Give Timmie's letter to Draff" + ], + "id": 84518 + }, + { + "achievement": "Marvelous Medicine", + "description": "Cure Anna's illness.", + "requirements": "Complete Recuperating From a Severe Illness.", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Recuperating_From_a_Severe_Illness", + "steps": [ + "Talk to Anthony", + "Find Anna", + "Talk to Anthony" + ], + "id": 84519 + }, + { + "achievement": "In the Name of Favonius", + "description": "Witness Jilliana's tale.", + "requirements": "Complete Vile's version of A Surprise Gift.", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Surprise_Gift", + "steps": [ + "Talk to Rudolf" + ], + "id": 84520 + }, + { + "achievement": "Scholarly Pretensions", + "description": "Complete \"The Lost Relic\" and \"A Little Raid.\"", + "requirements": "", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "id": 84522 + }, + { + "achievement": "Poet Vs. Paycheck", + "description": "Complete So-called Work and receive Linling's poetry anthology.", + "requirements": "Complete So-Called Work.", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/So-Called_Work", + "steps": [ + "Talk to Linling", + "Talk to Nervous An\nObtain Goods Invoice.", + "Obtain Goods Invoice.", + "Talk to Linling", + "Review the goods on board the ship (0/3)\nThe ship is in the water quite a distance from the wharf, but it is possible to reach it by swimming. You can also glide from a nearby building or freeze the water to reach it.\nObtain Invoice of Goods Quantities.", + "The ship is in the water quite a distance from the wharf, but it is possible to reach it by swimming. You can also glide from a nearby building or freeze the water to reach it.", + "Obtain Invoice of Goods Quantities.", + "Talk to Linling" + ], + "id": 84523 + }, + { + "achievement": "All's Well That Ends Well", + "description": "Complete the quest \"For Old Time's Sake.\"", + "requirements": "", + "hidden": "Yes", + "type": "Commission", + "version": "1.1", + "primo": "5", + "id": 84524 + }, + { + "achievement": "This Novel Is Amazing!", + "description": "Steal a peek at Chang the Ninth's draft manuscript.", + "requirements": "Take a peek at the book in This Novel Is Amazing!", + "hidden": "No", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/This_Novel_Is_Amazing!", + "steps": [ + "Talk to Chang the Ninth", + "Take the book to Feiyun Commerce Guild", + "Give the book to Xu" + ], + "id": 84525 + }, + { + "achievement": "Open to Interpretation", + "description": "Ruin 4 signs of an imminent romance.", + "requirements": "In Good Sign, attack the pigeons, scare away the dogs, kill the fish and scare the cat, and burn or blow away the leaves.", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Good_Sign", + "steps": [ + "Talk to Zhihua", + "Look for signs", + "Report back to Zhihua" + ], + "id": 84526 + }, + { + "achievement": "Get Your Own Emergency Food!", + "description": "Consume the food during \"Food Delivery\"...?", + "requirements": "", + "hidden": "Yes", + "type": "Commission", + "version": "1.0", + "primo": "5", + "id": 84527 + }, + { + "achievement": "Hidden in Plain Sight", + "description": "Help Sango and Ryuuji solve the case.", + "requirements": "Complete Bantan Sango Case File: Case-Closing Time.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Bantan_Sango_Case_File:_Case-Closing_Time", + "steps": [ + "Talk to Sango", + "Go to the criminal's location", + "Defeat all the Treasure Hoarders Treasure Hoarders: Pugilist ×1 Treasure Hoarders: Seaman ×1 Treasure Hoarders: Cryo Potioneer ×1", + "Treasure Hoarders: Pugilist ×1", + "Treasure Hoarders: Seaman ×1", + "Treasure Hoarders: Cryo Potioneer ×1", + "Talk to Sango" + ], + "id": 84528 + }, + { + "achievement": "Is There But One Truth...?", + "description": "Witness Ryuuji's tale.", + "requirements": "Complete Bantan Sango Case File: Cleanup Work.", + "hidden": "Yes", + "type": "Commission", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/Bantan_Sango_Case_File:_Cleanup_Work", + "steps": [ + "Talk to Ryuuji", + "Talk to Amano and Andou", + "Talk to Owada", + "Follow Owada", + "Talk to Owada", + "Talk to Ryuuji" + ], + "id": 84529 + }, + { + "achievement": "Liyue Ichiban", + "description": "Heal Tang Wen with some delicious dishes.", + "requirements": "Complete Absolutely Unique Delicacy.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Absolutely_Unique_Delicacy", + "steps": [ + "Talk to Tang Wen", + "Ask for Li Xiao's opinion", + "Ask for Qiuyue's opinion\nAfter asking both, Traveler and Paimon must choose one among three dish options to give to Tang Wen", + "After asking both, Traveler and Paimon must choose one among three dish options to give to Tang Wen", + "Give the Delicious Jueyun Guoba/Bamboo Shoot Soup/Grilled Tiger Fish to Tang Wen" + ], + "id": 84530 + }, + { + "achievement": "Boom Shaka-Laka, More Boom-Shaka-Laka", + "description": "Consult Xiangling regarding special cooking methods", + "requirements": "Find Xiangling during The Gourmet Supremos: Breakthrough Thinking.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Gourmet_Supremos:_Breakthrough_Thinking", + "steps": [ + "Talk to Xudong", + "Go to Wanmin Restaurant\nTalk to Chef Mao", + "Talk to Chef Mao", + "Give the Jueyun Chili and Fowl to Chef Mao\nYou may instead talk to Xiangling who is near the waypoint southwest of Qingce Village for an alternate ending.\nXiangling will not appear unless you talk to Chef Mao in Step 2 above. However, you are not required to ask/mention about her during the conversation choices.", + "You may instead talk to Xiangling who is near the waypoint southwest of Qingce Village for an alternate ending.", + "Xiangling will not appear unless you talk to Chef Mao in Step 2 above. However, you are not required to ask/mention about her during the conversation choices.", + "Talk to Xudong" + ], + "id": 84531 + }, + { + "achievement": "Meal For Two", + "description": "Help both Xudong and Kamei Munehisa make a dish once.", + "requirements": "Let Xudong and Kamei Munehisa finish their dishes first once each in The Gourmet Supremos: Cook-Off. This does not require choosing both of their versions.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Gourmet_Supremos:_Cook-Off", + "steps": [ + "Talk to Xudong" + ], + "id": 84532 + }, + { + "achievement": "A Question of Diet", + "description": "Help Parvaneh proofread all the recipes.", + "requirements": "Answer all three questions correctly in The Gourmet Supremos: Foodie Quiz.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Gourmet_Supremos:_Foodie_Quiz", + "steps": [ + "Talk to Parvaneh\nShe can be found near the Adventurers' Guild in Inazuma City", + "She can be found near the Adventurers' Guild in Inazuma City" + ], + "id": 84533 + }, + { + "achievement": "Samurice", + "description": "Help Kamei Munehisa collect ingredients from the camps on either side.", + "requirements": "Clear both of the camps in The Gourmet Supremos: Extreme Cookery.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Gourmet_Supremos:_Extreme_Cookery", + "steps": [ + "Go to Chinju Forest", + "Talk to Kamei Munehisa", + "Follow Kamei Munehisa", + "Defeat all opponents in the encampment on the (left/right)\nLeft encampment opponents: Hilichurl ×2 Hydro Samachurl ×2 Wooden Shield Mitachurl ×1 Pyro Hilichurl Shooter ×1\nRight encampment opponents: Wooden Shield Hilichurl Guard ×3 Rock Shieldwall Mitachurl ×2", + "Left encampment opponents: Hilichurl ×2 Hydro Samachurl ×2 Wooden Shield Mitachurl ×1 Pyro Hilichurl Shooter ×1", + "Hilichurl ×2", + "Hydro Samachurl ×2", + "Wooden Shield Mitachurl ×1", + "Pyro Hilichurl Shooter ×1", + "Right encampment opponents: Wooden Shield Hilichurl Guard ×3 Rock Shieldwall Mitachurl ×2", + "Wooden Shield Hilichurl Guard ×3", + "Rock Shieldwall Mitachurl ×2", + "Look for the cooking ingredients in the encampment on the (left/right)", + "Give the cooking ingredients to Kamei Munehisa" + ], + "id": 84534 + }, + { + "achievement": "\"Sorry for the Trouble!\"", + "description": "Receive the complaint that Konda Densuke lodges in \"Post-Sale Service.\"", + "requirements": "Collect all 10 mushrooms during Post-Sale Service.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Post-Sale_Service", + "steps": [ + "Talk to Vahid", + "Talk to Konda Densuke", + "Pull out the Mushrooms in the field", + "Talk to Konda Densuke" + ], + "id": 84535 + }, + { + "achievement": "Samurai Gourmet", + "description": "Witness Kamei Munehisa's induction into the Gourmet Supremos.", + "requirements": "Complete The Gourmet Supremos: The Importance of Eating Well.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Gourmet_Supremos:_The_Importance_of_Eating_Well", + "steps": [ + "Talk to Parvaneh\nShe can be found near Inazuma's Adventurers' Guild.", + "She can be found near Inazuma's Adventurers' Guild.", + "Meet up with Xudong", + "Talk to Xudong", + "Search ahead", + "Defeat all opponents\n Rock Shield Hilichurl Guard ×2\n Hydro Samachurl ×1\n Blazing Axe Mitachurl ×1", + "Rock Shield Hilichurl Guard ×2", + "Hydro Samachurl ×1", + "Blazing Axe Mitachurl ×1", + "Talk to Julie", + "Look for traces of Kamei Munehisa up ahead\nHe can be seen attacked by the following enemies. Fend them off to proceed the quest.\n Nobushi: Hitsukeban ×3\n Kairagi: Fiery Might ×1", + "He can be seen attacked by the following enemies. Fend them off to proceed the quest.\n Nobushi: Hitsukeban ×3\n Kairagi: Fiery Might ×1", + "Nobushi: Hitsukeban ×3", + "Kairagi: Fiery Might ×1", + "Talk to Kamei Munehisa" + ], + "id": 84536 + }, + { + "achievement": "Hello...! Anyone in here...?", + "description": "Discover a secret passageway in Ritou.", + "requirements": "Start The Ritou Road by going through the passageway.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Ritou_Road", + "steps": [ + "Investigate the strange camp", + "Hide next to the camp", + "Observe Harrison", + "Defeat all the slimes\n Electro Slime ×3\n Large Electro Slime ×1\n Mutant Electro Slime ×1", + "Electro Slime ×3", + "Large Electro Slime ×1", + "Mutant Electro Slime ×1", + "Talk to Harrison" + ], + "id": 84537 + }, + { + "achievement": "Editorial Opinion", + "description": "Help Shigeru and Junkichi return to the right artist path.", + "requirements": "Complete This Novel... Seems Familiar? and This Novel Seems... Problematic?", + "hidden": "Yes", + "type": "Commission", + "version": "2.2", + "primo": "5", + "requirementQuestLink": "/wiki/This_Novel..._Seems_Familiar%3F", + "steps": [ + "Visit Shigeru and Junkichi", + "Collect three light novels that meet the requirements (0/3)\nInvestigate bookshelves at the Yae Publishing House for three quest items: The Sage Aetolia Will Die Tomorrow, Literature Club, The Honest Cat's Little Lie.", + "Investigate bookshelves at the Yae Publishing House for three quest items: The Sage Aetolia Will Die Tomorrow, Literature Club, The Honest Cat's Little Lie.", + "Show Shigeru the correct light novel\nThe correct light novel is Literature Club.", + "The correct light novel is Literature Club." + ], + "id": 84538 + }, + { + "achievement": "You Should Start A Doushin Dojo", + "description": "Help Asakura train 5 times.", + "requirements": "Complete World Quest \"Battle of Revenge\".\nComplete An Art to Be Honed and/or Ceaseless Training 5 times.", + "hidden": "Yes", + "type": "Commission", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/An_Art_to_Be_Honed", + "steps": [ + "Find Asakura, who issued the commission", + "Talk to Asakura", + "Finish training with Asakura" + ], + "id": 84539 + }, + { + "achievement": "Guess Who?", + "description": "Find out who Zhenyu really is.", + "requirements": "Earned during Yae Publishing House's Invitation.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Yae_Publishing_House%27s_Invitation", + "steps": [], + "id": 84540 + }, + { + "achievement": "Well, At Least It Ended", + "description": "Hear Junkichi out as he puts his story together.", + "requirements": "Complete Storytelling Method.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Storytelling_Method", + "steps": [ + "Talk to Junkichi", + "Get a feel for Junkichi's story\nDownstairs first room: Nobushi: Jintouban ×2\nUpstairs side room: Nobushi: Hitsukeban ×2\nDownstairs second room: Nobushi: Hitsukeban ×3 (plus an Electro Infusion Stone)\nTop floor room beyond the exit: Kairagi: Fiery Might ×1 Nobushi: Hitsukeban ×2\nThe enemies do not need to be defeated to progress.", + "Downstairs first room: Nobushi: Jintouban ×2", + "Upstairs side room: Nobushi: Hitsukeban ×2", + "Downstairs second room: Nobushi: Hitsukeban ×3 (plus an Electro Infusion Stone)", + "Top floor room beyond the exit: Kairagi: Fiery Might ×1 Nobushi: Hitsukeban ×2", + "Kairagi: Fiery Might ×1", + "Nobushi: Hitsukeban ×2", + "The enemies do not need to be defeated to progress.", + "Report to Junkichi" + ], + "id": 84541 + }, + { + "achievement": "Her and Her Cat", + "description": "Follow Neko up Mt. Yougou to find \"Hibiki\"'s trail.", + "requirements": "Complete The Narukami Trail.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Narukami_Trail", + "steps": [ + "Talk to Neko", + "Go near the Grand Narukami Shrine", + "Go to the Grand Narukami Shrine", + "Ask Inagi Hotomi for information", + "Leave with Neko", + "Return with Neko to Seirai Island" + ], + "id": 84542 + }, + { + "achievement": "Aha! What's on the Hook?", + "description": "Fish some strange things up with Kayvan...", + "requirements": "Complete Cost-Effective Hook.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Cost-Effective_Hook", + "steps": [ + "Talk to Helbet and Kayvan", + "Look for the materials that Kayvan needs (0/3)\nDefeat Whirling Pyro Fungus ×3", + "Defeat Whirling Pyro Fungus ×3", + "Give the bait materials to Kayvan", + "Look for the materials that Kayvan needs\nDefeat Stretchy Anemo Fungus ×3 and Winged Dendroshroom", + "Defeat Stretchy Anemo Fungus ×3 and Winged Dendroshroom", + "Give the bait materials to Kayvan", + "Defeat the attacking monsters Hydro Slime ×4", + "Hydro Slime ×4", + "Talk to Helbet and Kayvan", + "Look for the materials that Kayvan needs (0/3)\nDefeat the Pyro Whopperflower to obtain the Zaytun Peach northwest of Vimara Village", + "Defeat the Pyro Whopperflower to obtain the Zaytun Peach northwest of Vimara Village", + "Give the bait materials to Kayvan" + ], + "id": 84543 + }, + { + "achievement": "Kalimi's Fungus", + "description": "Watch Hatim make a killing on the exchange!", + "requirements": "Complete the Fortune version of Gold Devouring and Mora Gathering.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Gold_Devouring_and_Mora_Gathering", + "steps": [], + "id": 84544 + }, + { + "achievement": "When Wealth Comes A-Knockin'", + "description": "Give Hatim some Apple Cider.", + "requirements": "Complete the Bargain-Hunting version of Gold Devouring and Mora Gathering.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Gold_Devouring_and_Mora_Gathering", + "steps": [], + "id": 84545 + }, + { + "achievement": "Catch Me-ow if You Can!", + "description": "Help Sareh find all the little cats.", + "requirements": "Complete all three variations of Meow... Meow meow? Meow! Meow..", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Meow..._Meow_meow%3F_Meow!_Meow.", + "steps": [ + "Talk to Sareh", + "Confirm the cat's message with Sareh", + "Search for (Lale/Nargis/Rozan)", + "Report back to Sareh" + ], + "id": 84546 + }, + { + "achievement": "Principia Arithmetica", + "description": "Help Garcia perfect his machine.", + "requirements": "Complete Garcia's Paean: the Echo of Someone three times.", + "hidden": "Yes", + "type": "Commission", + "version": "3.6", + "primo": "5", + "requirementQuestLink": "/wiki/Garcia%27s_Paean:_the_Echo_of_Someone", + "steps": [ + "Talk to Garcia", + "Obtain Treasure Hoarders' insignias for Garcia", + "Talk to Garcia", + "Talk to Garcia" + ], + "id": 84547 + }, + { + "achievement": "\"It's My Job.\"", + "description": "Help Hanbei pick more mushrooms.", + "requirements": "Collect more than 5 fresh mushrooms during Attaché in Another Land.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Attach%C3%A9_in_Another_Land", + "steps": [ + "Talk to Hanbei", + "Go pick mushrooms", + "Pick mushrooms (0/5)", + "Bring the mushrooms to Hanbei", + "Talk to Hanbei" + ], + "id": 84548 + }, + { + "achievement": "Relaxation Therapy", + "description": "Fulfill the 3 patients' wishes.", + "requirements": "Complete each version of Doctor's Orders and do an additional favor for each patient.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Doctor%27s_Orders", + "steps": [], + "id": 84549 + }, + { + "achievement": "Up by the Roots", + "description": "Find and defeat the fleeing Whopperflower", + "requirements": "Complete the Whopperflower version of When Flowers Bloom, then follow the Whopperflower and defeat it.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/When_Flowers_Bloom_(Commission)", + "steps": [ + "Talk to Vardan and Gurgen", + "Wait until the following day (06:00 – 08:00)" + ], + "id": 84550 + }, + { + "achievement": "Date of Departure", + "description": "Receive Alexandra's letter...", + "requirements": "Obtain the Unsigned Note after completing The Price.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Price", + "steps": [ + "Talk to Paimon after getting the mysterious item", + "Investigate the usual place", + "Confront the Fatui", + "Investigate the ambush point", + "Investigate the call for help", + "Defeat the monsters Winged Dendroshroom ×1 Floating Dendro Fungus ×3", + "Winged Dendroshroom ×1", + "Floating Dendro Fungus ×3", + "Talk to Alexandra", + "Take Nika to The Eremites", + "Go back and check on Alexandra" + ], + "id": 84551 + }, + { + "achievement": "Don't Blame the Mora!", + "description": "Witness the Gourmet Supremos' adventures in Sumeru...", + "requirements": "Complete Gourmet Supremos: Within Our Duties.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Gourmet_Supremos:_Within_Our_Duties", + "steps": [ + "Go to Sumeru City", + "Go to the Akademiya with Parvaneh and the rest of the group", + "Go to the headquarters of the Corps of Thirty", + "Go to the Adventurers' Guild", + "Taste the local specialties in Sumeru", + "Wait until the following day (08:00 – 12:00)", + "Find Xudong at Akademiya", + "Talk to Kamei Munehisa", + "Defeat all monsters to get materials\nEnemies: Cryo Abyss Mage ×1 Crackling Axe Mitachurl ×1 Cryo Hilichurl Shooter ×2", + "Enemies: Cryo Abyss Mage ×1 Crackling Axe Mitachurl ×1 Cryo Hilichurl Shooter ×2", + "Cryo Abyss Mage ×1", + "Crackling Axe Mitachurl ×1", + "Cryo Hilichurl Shooter ×2", + "Report to Kamei Munehisa", + "Talk to Kamei Munehisa", + "Find Julie", + "Meet up with Xudong", + "Go to Vimara Village", + "Give the three servings of Fresh Fish to Parvaneh", + "Talk to Parvaneh", + "Go to Port Ormos", + "Give the two Potatoes to Parvaneh", + "Talk to Parvaneh", + "Go to Gilded Journey", + "Give the three Padisarah to Parvaneh", + "Talk to Parvaneh", + "Find Nète at the Akademiya" + ], + "id": 84552 + }, + { + "achievement": "The Sky is Vast; The Earth...", + "description": "Help Farghani perform measurements.", + "requirements": "Complete all 3 versions of To Measure the World!.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/To_Measure_the_World!", + "steps": [], + "id": 84553 + }, + { + "achievement": "Answer Time", + "description": "Witness Alrani's story in Sumeru.", + "requirements": "Complete The Path of Papers.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Path_of_Papers", + "steps": [], + "id": 84554 + }, + { + "achievement": "The Random Circumstances of a Rose's Blooming", + "description": "Help Collei tend to her Sumeru Rose.", + "requirements": "Complete For a Rose's Wellbeing.", + "hidden": "Yes", + "type": "Exploration", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/For_a_Rose%27s_Wellbeing", + "steps": [ + "Go inside Collei's house in Gandharva Ville and read the note placed on her table.\nStarting Location - MapStarting Location - Context", + "Get the pot with the Sumeru Rose located to the left of her table and place it outside, to the right of the entrance.", + "Go back inside and interact with the table to write a note for Collei.", + "Wait for the daily reset.", + "Go back to Collei's house and read the note she left on the table." + ], + "id": 84555 + }, + { + "achievement": "Where Have You Gone, My Dream?", + "description": "Witness the tale of Javi and the \"dream.\"", + "requirements": "Complete For a Dream I Tarry.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/For_a_Dream_I_Tarry", + "steps": [ + "Help Javi look for his \"dream\"", + "Give the \"dream\" to Javi", + "Collect Sumeru Rose Seeds (0/1)\nPurchase from Tubby or use Seed Dispensary.", + "Purchase from Tubby or use Seed Dispensary.", + "Talk to Ami" + ], + "id": 84556 + }, + { + "achievement": "Non-Obligatory Request", + "description": "Find all the items that Gulabgir made for his snakes.", + "requirements": "Find all three items in Project Baby.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Project_Baby", + "steps": [ + "Talk to Gulabgir", + "Go to the camp", + "Defeat all Fungi (In #Fungi Version only)\n Floating Hydro Fungus ×3", + "Floating Hydro Fungus ×3", + "Look for Gulabgir's pet snake food", + "Report back to Gulabgir" + ], + "id": 84557 + }, + { + "achievement": "The Ship Has It", + "description": "Help Rafiq test his ship's hull strength successfully.", + "requirements": "Complete the version of Problem Conversion: Loading Capacity after giving Rafiq 5 planks during Problem Conversion: Theory Reliability.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Problem_Conversion:_Loading_Capacity", + "steps": [ + "Talk to Rafiq", + "Collect heavy items (0/3)", + "Load the ship", + "Go back and talk to Rafiq" + ], + "id": 84558 + }, + { + "achievement": "What's the Matter?", + "description": "Enjoy three of Jafar's dishes.", + "requirements": "Complete all three versions of Eat and Learn.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Eat_and_Learn", + "steps": [ + "Talk to Jafar", + "Give the cooking ingredients to Jafar\nGive Jafar a Mint\nGive Jafar a Potato\nGive Jafar a Raw Meat", + "Give Jafar a Mint", + "Give Jafar a Potato", + "Give Jafar a Raw Meat" + ], + "id": 84559 + }, + { + "achievement": "Scholarly in Sumeru", + "description": "Answer 6 different questions correctly.", + "requirements": "Answer all 6 questions correctly in Akademiya Q&A.", + "hidden": "Yes", + "type": "Commission", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Akademiya_Q%26A", + "steps": [ + "Talk to Ziryab" + ], + "id": 84560 + }, + { + "achievement": "One Step Too Far", + "description": "Slip up in a race against Hilmi...", + "requirements": "Lose to Hilmi in a race during Run, Hilmi, Run!", + "hidden": "Yes", + "type": "Commission", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Run,_Hilmi,_Run!", + "steps": [ + "Talk to Ebeid", + "Participate in the racing competition", + "Talk to Hilmi" + ], + "id": 84561 + }, + { + "achievement": "Doctor's Handwriting", + "description": "Help Maruf make out the prescription correctly.", + "requirements": "Give the correct instructions to Maruf during Good Medicine Is Hard to Come By.", + "hidden": "Yes", + "type": "Commission", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Good_Medicine_Is_Hard_to_Come_By", + "steps": [ + "Talk to Maruf", + "Talk to Zakariya", + "Talk to Maruf" + ], + "id": 84562 + }, + { + "achievement": "A Lingering Fragrance", + "description": "Witness Nermin's tale.", + "requirements": "Complete Blooming Sands: Lasting Scent", + "hidden": "Yes", + "type": "Commission", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/Blooming_Sands:_Lasting_Scent", + "steps": [ + "Talk to Nermin", + "Talk to Azalai", + "Fetch a bucket of water", + "Report back to Nermin", + "Give Raef the perfume" + ], + "id": 84563 + }, + { + "achievement": "Swordseeker", + "description": "Witness the tale of Lan and the \"Unseen Razor.\"", + "requirements": "Complete the follow-up version of Where Is the Unseen Razor?.", + "hidden": "Yes", + "type": "Commission", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/Where_Is_the_Unseen_Razor%3F", + "steps": [], + "id": 84564 + }, + { + "achievement": "To Walk The Horizon...?", + "description": "Witness Sun Yu's tale.", + "requirements": "Complete The Day the Sword Departs.", + "hidden": "Yes", + "type": "Commission", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/The_Day_the_Sword_Departs", + "steps": [], + "id": 84565 + }, + { + "achievement": "Office on the Avenue", + "description": "Witness various miscellaneous matters in the Court of Fontaine.", + "requirements": "Complete all 3 versions of Tales From the Court.", + "hidden": "Yes", + "type": "Commission", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Tales_From_the_Court", + "steps": [], + "id": 84566 + }, + { + "achievement": "Not Your Average Joe", + "description": "Brew a special blend of coffee.", + "requirements": "Complete the special ingredient version of the commission Get a Drink at Least!", + "hidden": "Yes", + "type": "Commission", + "version": "4.0", + "primo": "5", + "id": 84567 + }, + { + "achievement": "Aesthetic Critique", + "description": "Listen to Depierris' theories regarding \"aesthetics.\"", + "requirements": "Complete Aesthetic Critique: Self-Critique", + "hidden": "Yes", + "type": "Commission", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Aesthetic_Critique:_Self-Critique", + "steps": [], + "id": 84568 + }, + { + "achievement": "Second Childhood", + "description": "Play with the kids, and witness their story.", + "requirements": "Complete the Fontaine Commission Their Childhood: City Caper", + "hidden": "Yes", + "type": "Commission", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Their_Childhood:_City_Caper", + "steps": [ + "Talk to Verut", + "Go to the plaza", + "Go to The Steambird", + "Talk to Louis", + "Bring the Bulle Fruit to Louis" + ], + "id": 84569 + }, + { + "achievement": "A Sudden Squall", + "description": "Witness Iaune's work travails.", + "requirements": "Complete A Certain Stamp", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 84570 + }, + { + "achievement": "New Inspiration! New Products!", + "description": "Help Heinry develop 3 new types of Fonta and try the \"experimental drink\" once.", + "requirements": "Complete Time to Drink", + "hidden": "Yes", + "type": "Commission", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/Time_to_Drink", + "steps": [ + "Talk to Heinry", + "Try the \"testing sample\"" + ], + "id": 84571 + }, + { + "achievement": "Who Tells You the Truth?", + "description": "Help Guijarro find new inspiration...?", + "requirements": "Complete Qiaoying, the Village of Many Tales", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "id": 84572 + }, + { + "achievement": "The Conformist", + "description": "Witness a certain story regarding light, shadow and hydrology...", + "requirements": "Complete Temporary Acclimatization", + "hidden": "Yes", + "type": "Quest", + "version": "4.4", + "primo": "5", + "requirementQuestLink": "/wiki/Temporary_Acclimatization", + "steps": [ + "Help Woliu set up the device (0/2)", + "Report back to Woliu", + "Go with Woliu", + "Defeat all the Treasure Hoarders\nSide 1: Treasure Hoarders: Pugilist ×1 Treasure Hoarders: Gravedigger ×1 Treasure Hoarders: Scout ×2\nSide 2: Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Scout ×2", + "Side 1: Treasure Hoarders: Pugilist ×1 Treasure Hoarders: Gravedigger ×1 Treasure Hoarders: Scout ×2", + "Treasure Hoarders: Pugilist ×1", + "Treasure Hoarders: Gravedigger ×1", + "Treasure Hoarders: Scout ×2", + "Side 2: Treasure Hoarders: Pyro Potioneer ×1 Treasure Hoarders: Scout ×2", + "Treasure Hoarders: Pyro Potioneer ×1", + "Treasure Hoarders: Scout ×2", + "Speak with the person who just escaped", + "Go to Qiaoying Village and look for Ms. Qiu" + ], + "id": 84573 + }, + { + "achievement": "In Those Ruins of Dreams...", + "description": "Witness the tale of the Daydream Club.", + "requirements": "Complete Daydreams Beyond Space and Time.", + "hidden": "Yes", + "type": "Quest", + "version": "4.6", + "primo": "5", + "requirementQuestLink": "/wiki/Daydreams_Beyond_Space_and_Time", + "steps": [ + "Talk to Garcia", + "Retrieve the phonograph (0/3)", + "Head to Remuria", + "Search for everyone's \"shadows\"", + "Fish out the statue", + "Return to Petrichor" + ], + "id": 84574 + }, + { + "achievement": "Saurian's Cradle", + "description": "Become friends with a little Yumkasaur.", + "requirements": "Choose to comfort the Yumkasaurus three times in How to Make Friends.", + "hidden": "Yes", + "type": "Commission", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/How_to_Make_Friends", + "steps": [ + "Help the troubled hunter" + ], + "id": 84575 + }, + { + "achievement": "Natlan Academic", + "description": "Answer all the questions correctly during a round of Keita's questioning", + "requirements": "Answer the 3 questions Correctly in the Natlan Commission Hmm? Natlan?", + "hidden": "Yes", + "type": "Commission", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Hmm%3F_Natlan%3F", + "steps": [ + "Talk to Keita" + ], + "id": 84576 + }, + { + "achievement": "\"Hora, Come Here—\"", + "description": "You've had a little too much fun with Hora...", + "requirements": "Play with Hora during Tending to a Tepetlisaurus: In Need of a Trim", + "hidden": "Yes", + "type": "Commission", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Tending_to_a_Tepetlisaurus:_In_Need_of_a_Trim", + "steps": [ + "Talk to Cazcal", + "Pet Hora" + ], + "id": 84578 + }, + { + "achievement": "Music Never Dies!", + "description": "Hand over the intact record to Milu Nui.", + "requirements": "Defeat all enemies without breaking any crates in the second version of the Natlan Commission Prophets of Pop.", + "hidden": "Yes", + "type": "Commission", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/Prophets_of_Pop", + "steps": [], + "id": 84579 + }, + { + "achievement": "Victory From the Flying Leaves", + "description": "Reach the destination within the time limit.", + "requirements": "Saurian Versus Mountain", + "hidden": "Yes", + "type": "Commission", + "version": "5.0", + "primo": "5", + "id": 84580 + }, + { + "achievement": "The Packages Returned", + "description": "Return all four packages to their owners.", + "requirements": "Return 4 lost Packages in Lost Packages Retrieval.", + "hidden": "Yes", + "type": "Exploration", + "version": "5.0", + "primo": "5", + "id": 84581 + }, + { + "achievement": "Inspiration Walk", + "description": "Help Zicheng gather Inspiration for peotry...?", + "requirements": "Complete the side task during Sharpshooter on Hand", + "hidden": "Yes", + "type": "Commission", + "version": "5.0", + "primo": "5", + "id": 84582 + }, + { + "achievement": "Citius, Altius, Fortius!", + "description": "Give a perfect training demonstration to Alem.", + "requirements": "", + "hidden": "Yes", + "type": "", + "version": "5.0", + "primo": "5", + "id": 84583 + }, + { + "achievement": "Nothing to Lose But Time", + "description": "Unlock the secrets of two sundials.", + "requirements": "Complete Time and Wind.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Time_and_Wind", + "steps": [], + "id": 85000 + }, + { + "achievement": "Interview With a Bygone God", + "description": "Hear the story of a bygone deity.", + "requirements": "Complete Treasure Lost, Treasure Found.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Treasure_Lost,_Treasure_Found_(Part_2)", + "steps": [ + "Talk to Soraya", + "Enter the ruin and search for a strange jade plate (0/4)\nObtain Traveler's Notes ×4", + "Obtain Traveler's Notes ×4", + "Talk to Soraya [Optional]", + "Find the final ruin", + "Start clue mechanism", + "Defeat the Ruin Guards\n Ruin Guard ×3", + "Ruin Guard ×3", + "Activate the mechanism", + "Collect the treasure", + "Talk to Soraya" + ], + "id": 85001 + }, + { + "achievement": "Crouching Dragon, Hidden Chi", + "description": "Learn about the tale of the Chi.", + "requirements": "Complete The Chi of Yore.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Chi_of_Yore", + "steps": [], + "id": 85002 + }, + { + "achievement": "Scourge of the Battlefield", + "description": "Fetch a good price for a treasure found in an ancient ruin...", + "requirements": "Complete Nine Pillars of Peace.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Nine_Pillars_of_Peace", + "steps": [], + "id": 85003 + }, + { + "achievement": "Shadow Over Luhua Pool", + "description": "Help Vermeer get the scenery of his dreams.", + "requirements": "Talk to Vermeer at the ruins after completing Luhua Landscape.", + "hidden": "Yes", + "type": "Exploration", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/Luhua_Landscape", + "steps": [], + "id": 85004 + }, + { + "achievement": "Ready Player Zero", + "description": "Play a simple game with Childish Jiang.", + "requirements": "Complete A Little Game.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Little_Game", + "steps": [], + "id": 85005 + }, + { + "achievement": "Trees Should Blend Their Roots and Shade, for That Is Where the Home Is Made", + "description": "Witness the story of Yuan Hong's household.", + "requirements": "Complete The Tree who Stands Alone.", + "hidden": "Yes", + "type": "Quest", + "version": "1.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Tree_who_Stands_Alone", + "steps": [], + "id": 85006 + }, + { + "achievement": "Gears of Destiny", + "description": "Complete Bough Keeper: Dainsleif.", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.3", + "primo": "5", + "id": 84025 + }, + { + "achievement": "The Bandit, the Lunatic, and the Pitch-Black Enigma", + "description": "Uncover the Grand Thief's fate.", + "requirements": "Earned during Involuntary Sacrifice.", + "hidden": "Yes", + "type": "Quest", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Involuntary_Sacrifice", + "steps": [ + "Go near the Adventurers' Guild Bulletin Board", + "Go to the ruins\nEnter the Quest Domain: Call of the Abyss", + "Enter the Quest Domain: Call of the Abyss", + "Follow the Treasure Hoarders", + "Check out the depths of the ruins", + "Flee the ruins", + "Negotiate with the Abyss Herald", + "Talk to the Abyss Herald", + "Leave the ruins" + ], + "id": 84029 + }, + { + "achievement": "Where Fate Comes to a Crossroads", + "description": "Escape the eerie ruins.", + "requirements": "Complete Involuntary Sacrifice.", + "hidden": "Yes", + "type": "Quest", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/Involuntary_Sacrifice", + "steps": [ + "Go near the Adventurers' Guild Bulletin Board", + "Go to the ruins\nEnter the Quest Domain: Call of the Abyss", + "Enter the Quest Domain: Call of the Abyss", + "Follow the Treasure Hoarders", + "Check out the depths of the ruins", + "Flee the ruins", + "Negotiate with the Abyss Herald", + "Talk to the Abyss Herald", + "Leave the ruins" + ], + "id": 84030 + }, + { + "achievement": "Sneering at the Power of the Gods", + "description": "Learn of the \"Loom of Fate\"...", + "requirements": "Complete A Herald Without Adherents.", + "hidden": "Yes", + "type": "Quest", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/A_Herald_Without_Adherents", + "steps": [ + "Talk to Dainsleif", + "Look for traces of the Abyss Order", + "Talk to Dainsleif", + "Look for traces of the Abyss Order", + "Talk to Dainsleif", + "Look for traces of the Abyss Order", + "Talk to Dainsleif", + "Defeat all opponents", + "Talk to Dainsleif" + ], + "id": 84031 + }, + { + "achievement": "Silence, You Raving Lunatic", + "description": "Defeat the Abyss Herald.", + "requirements": "Earned during A Soul Set Apart.", + "hidden": "Yes", + "type": "Quest", + "version": "1.4", + "primo": "5", + "requirementQuestLink": "/wiki/A_Soul_Set_Apart", + "steps": [ + "Talk to Dainsleif", + "Go to Stormterror's Lair", + "Enter the ruins again\nEnter the Quest Domain: Call of the Abyss", + "Enter the Quest Domain: Call of the Abyss", + "Search for the Defiled Statue", + "Defeat the Abyss Herald" + ], + "id": 84032 + }, + { + "achievement": "We Will Be Reunited", + "description": "Complete \"We Will Be Reunited.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.4", + "primo": "5", + "id": 84033 + }, + { + "achievement": "The Gathering Storm", + "description": "Earn the chance to go to Inazuma on board the Alcor.", + "requirements": "Earned during A Path Through the Storm.", + "hidden": "Yes", + "type": "Quest", + "version": "1.6", + "primo": "5", + "requirementQuestLink": "/wiki/A_Path_Through_the_Storm", + "steps": [ + "Take in the view outside of Liyue Harbor to collect your thoughts", + "Talk to Paimon", + "Ask Atsuko about how to travel to Inazuma", + "Go to the Alcor and meet with Beidou", + "Go to the tournament arena", + "Size up the other competitors (0/3)", + "Talk to Zhuhan, who is in charge of registration for The Crux Clash" + ], + "id": 84034 + }, + { + "achievement": "Ready, Fight!", + "description": "Earn your first victory in The Crux Clash.", + "requirements": "Earned during The Crux Clash.", + "hidden": "Yes", + "type": "Quest", + "version": "1.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Crux_Clash_(Quest)", + "steps": [ + "Talk to Zhuhan, who is in charge of registration for The Crux Clash", + "Take part in the tournament and win\nThe first opponent is Jinyou, who fights like a Treasure Hoarders: Scout", + "The first opponent is Jinyou, who fights like a Treasure Hoarders: Scout", + "Talk to Beidou and Kazuha", + "Talk to Zhuhan again and enter the next round", + "Win the semi-finals\nThe opponent is Rongshi, who fights like a Treasure Hoarders: Pugilist", + "The opponent is Rongshi, who fights like a Treasure Hoarders: Pugilist", + "Talk to Rongshi", + "Ask around for info about your final opponent", + "Continue asking around for more info about your final opponent", + "Ask Beidou and Kazuha about your final opponent", + "Follow Kazuha to a more peaceful location", + "Talk to Kazuha", + "Defeat the monsters to show Kazuha your elemental abilities\nWave 1:\n Pyro Slime ×2\n Large Pyro Slime ×1\nWave 2:\n Mutant Electro Slime ×1\n Large Electro Slime ×1\n Large Cryo Slime ×1\n Large Hydro Slime ×1", + "Wave 1:\n Pyro Slime ×2\n Large Pyro Slime ×1", + "Pyro Slime ×2", + "Large Pyro Slime ×1", + "Wave 2:\n Mutant Electro Slime ×1\n Large Electro Slime ×1\n Large Cryo Slime ×1\n Large Hydro Slime ×1", + "Mutant Electro Slime ×1", + "Large Electro Slime ×1", + "Large Cryo Slime ×1", + "Large Hydro Slime ×1", + "Talk to Kazuha" + ], + "id": 84035 + }, + { + "achievement": "Autumn Winds, Scarlet Leaves", + "description": "Complete \"Autumn Winds, Scarlet Leaves.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "1.6", + "primo": "10", + "id": 84036 + }, + { + "achievement": "Through the Storm", + "description": "Reach the Outsider Settlement.", + "requirements": "Complete Setting Sail.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Setting_Sail", + "steps": [ + "Ask Katheryne for information on going to Inazuma", + "Board the Alcor and find Beidou", + "Talk to Beidou", + "Go to Inazuma", + "Talk to your contact, Thoma" + ], + "id": 84037 + }, + { + "achievement": "Hiiragi Sanjuuro", + "description": "Escort the goods successfully and leave Ritou.", + "requirements": "Complete Ritou Escape Plan.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Ritou_Escape_Plan", + "steps": [ + "Try to leave Ritou", + "Go to the Kanjou Commissioner's Office to ask about a way to leave Ritou", + "Talk to Shinsuke of the Kanjou Commission", + "Leave the Kanjou Commissioner's Office\nObtain Lightly-Perfumed Letter", + "Obtain Lightly-Perfumed Letter", + "Meet Ms. Hiiragi at the appointed time (18:00 - 24:00)", + "Meet Hiiragi Chisato\nObtain A Love Letter(?)", + "Obtain A Love Letter(?)", + "Go to Ritou's borders to carry out Chisato's plan\nCo-Op Mode is locked until the escort is successful.", + "Co-Op Mode is locked until the escort is successful.", + "Escort the goods and leave Ritou" + ], + "id": 84038 + }, + { + "achievement": "The Aspirations of All", + "description": "Come into contact with the Statue of the Omnipresent God, the symbol of Eternity.", + "requirements": "Earned during Three Wishes.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Three_Wishes", + "steps": [ + "Go to Komore Teahouse", + "Enter Komore Teahouse", + "Go to the Statue of the Omnipresent God", + "Go to the Kamisato Estate" + ], + "id": 84039 + }, + { + "achievement": "The Princess Behind the Curtain", + "description": "Officially make the acquaintance of the young lady of the Kamisato Clan.", + "requirements": "Complete Three Wishes.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Three_Wishes", + "steps": [ + "Go to Komore Teahouse", + "Enter Komore Teahouse", + "Go to the Statue of the Omnipresent God", + "Go to the Kamisato Estate" + ], + "id": 84040 + }, + { + "achievement": "Omamori, Justice, Number One", + "description": "Complete the \"three small wishes.\"", + "requirements": "Earned during A Flower Blooms in a Prison.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Flower_Blooms_in_a_Prison", + "steps": [ + "Return to the Kamisato Estate to see Kamisato Ayaka", + "Go to Naganohara Fireworks", + "Go to the Police Station to help Master Masakatsu\nEnter the Quest Domain: Police Detention Center", + "Enter the Quest Domain: Police Detention Center", + "Find Master Masakatsu", + "Rescue Master Masakatsu", + "Leave the Police Station", + "Return to Komore Teahouse" + ], + "id": 84041 + }, + { + "achievement": "Jailhouse Fiesta", + "description": "Rescue Masakatsu successfully.", + "requirements": "Earned during A Flower Blooms in a Prison.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Flower_Blooms_in_a_Prison", + "steps": [ + "Return to the Kamisato Estate to see Kamisato Ayaka", + "Go to Naganohara Fireworks", + "Go to the Police Station to help Master Masakatsu\nEnter the Quest Domain: Police Detention Center", + "Enter the Quest Domain: Police Detention Center", + "Find Master Masakatsu", + "Rescue Master Masakatsu", + "Leave the Police Station", + "Return to Komore Teahouse" + ], + "id": 84042 + }, + { + "achievement": "To Brave the Lightning's Glow", + "description": "Become the target of the Vision Hunt Decree.", + "requirements": "Complete Amidst Stormy Judgment.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/Amidst_Stormy_Judgment", + "steps": [ + "Go to Komore Teahouse the following day", + "Go to the Vision Hunt Ceremony", + "Defeat the Raiden Shogun\nEnter the Quest Domain: Amidst Stormy Judgment\nThis is a scripted fight — after losing about 15-25% of her health, she will enact the Vision Hunt Decree, preventing the use of Elemental Skill and Elemental Burst except for the Traveler's. (This does not prematurely end existing effects from Skills and Bursts. All Normal Attack talents can still be used, including Catalyst users' Normal Attacks, which still deal elemental damage.) About a minute after this, she will begin divine punishment, ending the fight and entering a cutscene.\nThe icons for Elemental Skills and Bursts for every other character except the Traveler will be replaced with an icon of a thunderbolt inside of an Eye of Stormy Judgement surrounded by two purple chains that revolve around it.\nThe player must survive the fight until the Raiden Shogun administers divine punishment; suffering a party wipeout ends the fight normally, and the player will be teleported to outside the Komore Teahouse and must redo Steps 2 and 3.", + "Enter the Quest Domain: Amidst Stormy Judgment", + "This is a scripted fight — after losing about 15-25% of her health, she will enact the Vision Hunt Decree, preventing the use of Elemental Skill and Elemental Burst except for the Traveler's. (This does not prematurely end existing effects from Skills and Bursts. All Normal Attack talents can still be used, including Catalyst users' Normal Attacks, which still deal elemental damage.) About a minute after this, she will begin divine punishment, ending the fight and entering a cutscene.\nThe icons for Elemental Skills and Bursts for every other character except the Traveler will be replaced with an icon of a thunderbolt inside of an Eye of Stormy Judgement surrounded by two purple chains that revolve around it.", + "The icons for Elemental Skills and Bursts for every other character except the Traveler will be replaced with an icon of a thunderbolt inside of an Eye of Stormy Judgement surrounded by two purple chains that revolve around it.", + "The player must survive the fight until the Raiden Shogun administers divine punishment; suffering a party wipeout ends the fight normally, and the player will be teleported to outside the Komore Teahouse and must redo Steps 2 and 3." + ], + "id": 84043 + }, + { + "achievement": "Revolutionary Outlander", + "description": "Successfully join the resistance.", + "requirements": "Earned during In the Name of the Resistance.", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "5", + "requirementQuestLink": "/wiki/In_the_Name_of_the_Resistance", + "steps": [ + "Gather intel at Tatarasuna", + "Continue exploring", + "Hurry to the front line", + "Rescue the surrounded resistance soldier\n Yoriki Samurai ×2", + "Yoriki Samurai ×2", + "Talk with members of the resistance", + "Go and meet Gorou, the resistance general\nHe will be located in Fort Fujitou", + "He will be located in Fort Fujitou", + "Follow Teppei and help the wounded resistance soldiers", + "Give materials that can be used as medicine\nGive either 1 Wolfhook or 1 Onikabuto.", + "Give either 1 Wolfhook or 1 Onikabuto.", + "Follow Teppei and help the resistance", + "Demonstrate archery techniques to the resistance", + "Defeat the Shogunate Army squad attempting a sneak attack Shogunate Infantry ×3 Shogunate Infantry Captain ×2", + "Shogunate Infantry ×3", + "Shogunate Infantry Captain ×2", + "Collect nearby repair materials (0/1)\nIt will be labeled \"Plank and Rope\"", + "It will be labeled \"Plank and Rope\"", + "Repair the walls around the encampment", + "Go back and report the situation to Gorou", + "Go to the front lines\nThis will be in Nazuchi Beach", + "This will be in Nazuchi Beach", + "Defeat the Shogunate forces\nThe player will fight 3 rounds of combat against single soldiers.\nRound 1: Fujita Sanshirou — \"Spear Demon Fujita\"\nRound 2: Kayama Tadao — \"Bamboo-Breaking Tiger\"\nRound 3: Takasaka Izumi — \"Kujou's Right Hand\"", + "The player will fight 3 rounds of combat against single soldiers.", + "Round 1: Fujita Sanshirou — \"Spear Demon Fujita\"", + "Round 2: Kayama Tadao — \"Bamboo-Breaking Tiger\"", + "Round 3: Takasaka Izumi — \"Kujou's Right Hand\"" + ], + "id": 84044 + }, + { + "achievement": "The Immovable God and the Eternal Euthymia", + "description": "Complete \"The Immovable God and the Eternal Euthymia.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "10", + "id": 84045 + }, + { + "achievement": "Stillness, the Sublimation of Shadow", + "description": "Complete \"Stillness, the Sublimation of Shadow.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "2.0", + "primo": "10", + "id": 84046 + }, + { + "achievement": "SWORDFISH II", + "description": "Obtain the trust of the Swordfish II squad.", + "requirements": "Earned during Sword, Fish, Resistance.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Sword,_Fish,_Resistance", + "steps": [ + "Go to the agreed location and meet Teppei", + "Talk to Teppei", + "Go to the resistance camp\nA Waverider will appear by the docks.", + "A Waverider will appear by the docks.", + "Talk to Teppei", + "Go to Sangonomiya Shrine", + "Talk to Sangonomiya Kokomi", + "Go to where Swordfish II is stationed", + "Speak to the members of Swordfish II", + "Clear out the nearby monsters\n Nobushi: Jintouban ×3", + "Nobushi: Jintouban ×3", + "Speak to the members of Swordfish II", + "Go to the area threatened by monsters", + "Clear out the nearby monsters\n Nobushi: Kikouban ×3\n Kairagi: Fiery Might ×1\n Kairagi: Dancing Thunder ×1", + "Nobushi: Kikouban ×3", + "Kairagi: Fiery Might ×1", + "Kairagi: Dancing Thunder ×1", + "Speak to the members of Swordfish II", + "Return to headquarters and talk to Sangonomiya Kokomi", + "Talk to Teppei" + ], + "id": 84047 + }, + { + "achievement": "Though Their Wishes Be Like Morning Dew...", + "description": "Find the person behind the distribution of the Delusions.", + "requirements": "Complete Delusion.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Delusion_(Quest)", + "steps": [ + "Talk to Sangonomiya Kokomi", + "Search for the place where the Delusions are being made", + "Enter the Delusion Factory\nEnter the Quest Domain: Delusion Factory", + "Enter the Quest Domain: Delusion Factory", + "Look for the person running the factory" + ], + "id": 84048 + }, + { + "achievement": "Fantabulous Firework Fiesta", + "description": "Set off fireworks to distract the guards.", + "requirements": "Earned during Proof of Guilt.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Proof_of_Guilt", + "steps": [ + "Go to Chinju Forest", + "Find the helper who Yae Miko spoke of", + "Go to Komore Teahouse", + "Talk to Thoma", + "Go and enlist Yoimiya's help\nObtain Supersized Firework", + "Obtain Supersized Firework", + "Wait for midnight (00:00 – 05:00)", + "Go to the designated location near the Tenryou Commission Headquarters", + "Talk to Sayu", + "Set off fireworks to distract the guards", + "Flee the scene and return to Komore Teahouse\nThis is a timed challenge (60 seconds) involving Stealth. The timer does not stop while the game is paused.\nCo-Op Mode is disabled during the challenge.\nTeleportation is disabled during the challenge.", + "This is a timed challenge (60 seconds) involving Stealth. The timer does not stop while the game is paused.", + "Co-Op Mode is disabled during the challenge.", + "Teleportation is disabled during the challenge.", + "Talk to Kamisato Ayaka" + ], + "id": 84049 + }, + { + "achievement": "Duel Before the Throne", + "description": "Emerge victorious in the duel before the throne.", + "requirements": "Earned during Duel Before the Throne.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/Duel_Before_the_Throne", + "steps": [ + "Chase Kujou Sara to Tenshukaku\nEnter the Quest Domain: Narukami Island: Tenshukaku", + "Enter the Quest Domain: Narukami Island: Tenshukaku", + "Talk to Signora", + "Defeat Signora in a duel before the throne", + "Leave Tenshukaku" + ], + "id": 84050 + }, + { + "achievement": "Their Wishes", + "description": "Bring all the wishes upon the Statue of the Omnipresent God to fruition.", + "requirements": "Complete The Omnipresent God.", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Omnipresent_God", + "steps": [ + "Leave Tenshukaku", + "Clash of Rebels", + "Talk to the Raiden Shogun within the Plane of Euthymia\nEnter the Quest Domain: The Omnipresent God", + "Enter the Quest Domain: The Omnipresent God", + "Defeat the Electro Archon", + "Talk to the Raiden Shogun", + "Talk to Paimon" + ], + "id": 84051 + }, + { + "achievement": "Omnipresence Over Mortals", + "description": "Complete \"Omnipresence Over Mortals.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "2.1", + "primo": "10", + "id": 84052 + }, + { + "achievement": "\"All is Well\"", + "description": "Help Wang Ping'an renovate Pervases' temple.", + "requirements": "Complete Hereafter: Return to the Mountains.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Hereafter:_Return_to_the_Mountains", + "steps": [ + "Go back to the Pervases statue", + "Talk to Wang Ping'an", + "Offer incense to Pervases", + "Talk to Wang Ping'an" + ], + "id": 84053 + }, + { + "achievement": "Anna's Adventures", + "description": "Help Anna become an adventurer.", + "requirements": "Complete Anna the Adventurer!.", + "hidden": "Yes", + "type": "Commission", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Anna_the_Adventurer!", + "steps": [], + "id": 84054 + }, + { + "achievement": "Prelude to the Journey", + "description": "A young man is about to embark on a long journey...", + "requirements": "Complete The Little Pirate Goes Out to Sea.", + "hidden": "Yes", + "type": "Commission", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/The_Little_Pirate_Goes_Out_to_Sea", + "steps": [ + "Talk to Little Meng", + "Teach Little Meng how to cook", + "Give the (Jueyun Chili/Sweet Flower/Slime Condensate) to Little Meng" + ], + "id": 84055 + }, + { + "achievement": "Rise of the Jade Chamber", + "description": "Complete the reconstruction of the Jade Chamber.", + "requirements": "Earned during Where the Heart Finds Rest.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Where_the_Heart_Finds_Rest", + "steps": [ + "Give the Wonder Cores and Adepti Sigils to the secretary", + "Talk to Ningguang at the Jade Chamber", + "Defeat Beisht, \"The Avenger of the Vortex\"\nEnter the Quest Domain: Where the Heart Finds Rest", + "Enter the Quest Domain: Where the Heart Finds Rest", + "Speak to Ningguang", + "Head to the Jade Chamber to take part in the victory feast" + ], + "id": 84056 + }, + { + "achievement": "Majesty of the Deep", + "description": "Defeat Beisht, Avenger of the Vortex.", + "requirements": "Earned during Where the Heart Finds Rest.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Where_the_Heart_Finds_Rest", + "steps": [ + "Give the Wonder Cores and Adepti Sigils to the secretary", + "Talk to Ningguang at the Jade Chamber", + "Defeat Beisht, \"The Avenger of the Vortex\"\nEnter the Quest Domain: Where the Heart Finds Rest", + "Enter the Quest Domain: Where the Heart Finds Rest", + "Speak to Ningguang", + "Head to the Jade Chamber to take part in the victory feast" + ], + "id": 84057 + }, + { + "achievement": "A Former Dream", + "description": "Witness the truth of the village's history.", + "requirements": "Earned during Bygones Times Like Dust Passing.", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "5", + "requirementQuestLink": "/wiki/Bygones_Times_Like_Dust_Passing", + "steps": [ + "Go to the worksite to ask around for news", + "Ask Master Zhang about Wonder Cores\nIf Master Zhang has his normal dialogue, check the Quests window. Another quest nearby, such as Hereafter: The Trail of Pervases, may be blocking progression.", + "If Master Zhang has his normal dialogue, check the Quests window. Another quest nearby, such as Hereafter: The Trail of Pervases, may be blocking progression.", + "Go to the southwestern side of Mt. Tianheng", + "Use Visions to find the Starsplinter Iron (0/2)\nWith the exceptions of Venti and Zhongli, characters' Visions glow bright yellow and emit noise when near a Starsplinter Iron.\nThis includes Aloy who got a strange Vision despite being an outlander.\nNothing happens on characters who do not have a Vision on them (Traveler and Raiden Shogun).\nOne can be found in a straw hut in the south, and another can be found at the top of a rock pillar north of the straw hut.", + "With the exceptions of Venti and Zhongli, characters' Visions glow bright yellow and emit noise when near a Starsplinter Iron.\nThis includes Aloy who got a strange Vision despite being an outlander.", + "This includes Aloy who got a strange Vision despite being an outlander.", + "Nothing happens on characters who do not have a Vision on them (Traveler and Raiden Shogun).", + "One can be found in a straw hut in the south, and another can be found at the top of a rock pillar north of the straw hut.", + "Ask the old man for information about Subrosium", + "Search for records left behind in the village\nObtain Records of a Changing Village (near a Seelie court) and Ragged Notebook (inside the hut closest to the Seelie court).", + "Obtain Records of a Changing Village (near a Seelie court) and Ragged Notebook (inside the hut closest to the Seelie court).", + "Continue searching for record concerning ore\nObtain Mountainous Miscellany (inside a hut behind the hut with the Ragged Notebook)", + "Obtain Mountainous Miscellany (inside a hut behind the hut with the Ragged Notebook)", + "Talk to Shenhe", + "Go to the middle of the lake", + "Wait until evening (around 17:30)\nIf the quest does not proceed with a cut scene after waiting, check your Quests window. It could be locked by another quest, such as Hereafter: The Trail of Pervases.", + "If the quest does not proceed with a cut scene after waiting, check your Quests window. It could be locked by another quest, such as Hereafter: The Trail of Pervases.", + "Look for Subrosium", + "Give the two types of ore you found to Master Zhang" + ], + "id": 84058 + }, + { + "achievement": "The Crane Returns on the Wind", + "description": "Complete \"The Crane Returns on the Wind.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "2.4", + "primo": "10", + "id": 84059 + }, + { + "achievement": "When One Gazes Into the Abyss...", + "description": "Though you are reunited with Dain, the Abyss is watching...", + "requirements": "Complete In the Depths, an Unexpected Reunion.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/In_the_Depths,_an_Unexpected_Reunion", + "steps": [ + "Talk to Katheryne", + "Look for the miner who posted the commission at The Chasm", + "Enter The Chasm: Underground Mines\nA Teleport Waypoint will be unlocked at the designated location. Complete the World Quest The Heavenly Stone's Debris to light up the map.", + "A Teleport Waypoint will be unlocked at the designated location. Complete the World Quest The Heavenly Stone's Debris to light up the map." + ], + "id": 84060 + }, + { + "achievement": "The Beautiful and Damned", + "description": "Learn the secret behind the Black Serpent Knights and the hilichurls.", + "requirements": "Complete The Grave of the Guarded.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/The_Grave_of_the_Guarded", + "steps": [ + "Investigate the ruins ahead and find a path", + "Defeat the Black Serpent Knights\n Shadowy Husk: Line Breaker ×2", + "Shadowy Husk: Line Breaker ×2", + "Go to the entrance to the ruins\nCo-Op Mode is disabled during this step", + "Co-Op Mode is disabled during this step", + "Go to the lit room in the ruins", + "Defeat the Black Serpent Knights\n Shadowy Husk: Line Breaker ×1, Shadowy Husk: Defender ×1", + "Shadowy Husk: Line Breaker ×1, Shadowy Husk: Defender ×1", + "Continue investigating the ruins", + "Defeat the Black Serpent Knights\n Shadowy Husk: Line Breaker ×2, Shadowy Husk: Defender ×1", + "Shadowy Husk: Line Breaker ×2, Shadowy Husk: Defender ×1", + "Examine what the Black Serpent Knights were protecting", + "Go to the chamber at the center of the ruins' summit" + ], + "id": 84061 + }, + { + "achievement": "The Will to Live and the Depths of Lamentation", + "description": "Defeat the Abyss Herald.", + "requirements": "Complete Memories of Inteyvat.", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "5", + "requirementQuestLink": "/wiki/Memories_of_Inteyvat", + "steps": [ + "Go along the path that Halfdan has indicated", + "Follow the path and continue exploring", + "Head to the hilichurl camp", + "Look for clues in the hilichurl camp (0/4)\nCo-Op Mode disabled\nInvestigating the flower will skip any unread dialogue of the other clues.", + "Co-Op Mode disabled", + "Investigating the flower will skip any unread dialogue of the other clues.", + "Leave the hilichurl camp", + "Defeat the Abyss Herald\n Abyss Herald: Wicked Torrents ×1", + "Abyss Herald: Wicked Torrents ×1", + "Talk to Dainsleif" + ], + "id": 84062 + }, + { + "achievement": "May Glory Go With You", + "description": "Complete \"Requiem of the Echoing Depths\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "2.6", + "primo": "10", + "id": 84063 + }, + { + "achievement": "No Way Home", + "description": "Break through the obstacles and meet up with Xiao in \"Perilous Trail.\"", + "requirements": "Earned during Danger All Around.", + "hidden": "Yes", + "type": "Quest", + "version": "2.7", + "primo": "5", + "requirementQuestLink": "/wiki/Danger_All_Around", + "steps": [ + "Wait till the next day", + "Return to camp\nThis step only shows if the player is not in The Chasm's Bed when the quest starts.", + "This step only shows if the player is not in The Chasm's Bed when the quest starts.", + "Wait till the next day", + "Talk to everyone", + "Continue exploring\nEnter the Quest Domain: City of Hidden Runes", + "Enter the Quest Domain: City of Hidden Runes", + "Confirm the situation inside the Domain", + "Jump into the breach\nOnly the Traveler will be in the party", + "Only the Traveler will be in the party", + "Examine the mysterious door in front of you\nTalk to Arataki Itto", + "Talk to Arataki Itto", + "Enter the door", + "Escape from here\nInvestigate the glowing floor.", + "Investigate the glowing floor.", + "Talk to everyone (0/3)\nAt this step, Paimon will remain in the overworld and opening the Paimon Menu will not show Paimon while the player is in The Chasm's Bed.", + "At this step, Paimon will remain in the overworld and opening the Paimon Menu will not show Paimon while the player is in The Chasm's Bed.", + "Head to the place Yanfei mentioned", + "Try to make contact with Xiao\nDuring this step, Yanfei will follow the player around.\nAttempting to use the Quest Navigation function will say \"Follow the voice or use Elemental Sight to look for Xiao.\" However, the quest marker will still be present.", + "During this step, Yanfei will follow the player around.", + "Attempting to use the Quest Navigation function will say \"Follow the voice or use Elemental Sight to look for Xiao.\" However, the quest marker will still be present.", + "Talk to Xiao", + "Talk to Yelan", + "Talk to everyone (0/4)" + ], + "id": 84064 + }, + { + "achievement": "Layers of Fear", + "description": "Escape the mysterious space at the very bottom of The Chasm successfully.", + "requirements": "Earned during At Tunnel's End, Light.", + "hidden": "Yes", + "type": "Quest", + "version": "2.7", + "primo": "5", + "id": 84065 + }, + { + "achievement": "Of Heart and Soul", + "description": "Complete \"Perilous Trail.\"", + "requirements": "Complete At Tunnel's End, Light.", + "hidden": "Yes", + "type": "Quest", + "version": "2.7", + "primo": "10", + "requirementQuestLink": "/wiki/At_Tunnel%27s_End,_Light", + "steps": [ + "Talk to Yelan", + "Go back and meet up with the ones left behind", + "Go to the place Xiao mentioned", + "Talk to Xiao" + ], + "id": 84066 + }, + { + "achievement": "Voice of Akasha", + "description": "Hear the voice of divine wisdom.", + "requirements": "Earned during The Trail of the God of Wisdom.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Trail_of_the_God_of_Wisdom", + "steps": [ + "Go to Sumeru City", + "Visit Rohawi", + "Go to the Adventurers' Guild and ask Katheryne for help", + "Go to the Citadel of Regzar and look for Asfand", + "Catch up with Dunyarzad", + "Enter the tavern", + "Rest in the tavern for a while", + "Go to the Grand Bazaar", + "Go with Nilou to see the stage", + "Walk around the Grand Bazaar (0/5)", + "Go to the entrance of the Citadel of Regzar to wait for Dehya" + ], + "id": 84067 + }, + { + "achievement": "The Merchant and the Gate of Knowledge", + "description": "Meet Dori and purchase Canned Knowledge.", + "requirements": "Complete Lost in Prosperity.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Lost_in_Prosperity", + "steps": [ + "Go to Port Ormos", + "Ask a nearby merchant for information", + "Eavesdrop on the Akademiya students' conversation", + "Go to Djafar Tavern", + "Find a place to sit and wait for the Eremites to arrive", + "Get some information from the Eremites", + "Catch up with Alhaitham", + "Go with Alhaitham to a more secluded spot to continue your conversation", + "Meet up with Dori's contact\nChoose \"We want to buy some unripe Harra Fruits.\"", + "Choose \"We want to buy some unripe Harra Fruits.\"", + "Go to the warehouse with Raunak\nTo increase trust, answer with the following:\nCongratulations to you.\nDizziness with a side of tinnitus, please.\nPort Ormos style.", + "To increase trust, answer with the following:\nCongratulations to you.\nDizziness with a side of tinnitus, please.\nPort Ormos style.", + "Congratulations to you.", + "Dizziness with a side of tinnitus, please.", + "Port Ormos style.", + "Flee together with Raunak", + "Find the owner of the voice" + ], + "id": 84068 + }, + { + "achievement": "The House of Canned Time", + "description": "Use the Canned Knowledge to increase your combat strength.", + "requirements": "Earned during Ever So Close.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/Ever_So_Close", + "steps": [ + "Go to Wikala Funduq to look for Alhaitham", + "Go out into the wilds to test the Canned Knowledge", + "Initiate first combat test\nWave 1 Floating Hydro Fungus ×1 Whirling Cryo Fungus ×2\nWave 2 Floating Dendro Fungus ×1 Stretchy Pyro Fungus ×2", + "Wave 1 Floating Hydro Fungus ×1 Whirling Cryo Fungus ×2", + "Floating Hydro Fungus ×1", + "Whirling Cryo Fungus ×2", + "Wave 2 Floating Dendro Fungus ×1 Stretchy Pyro Fungus ×2", + "Floating Dendro Fungus ×1", + "Stretchy Pyro Fungus ×2", + "Talk to Alhaitham", + "Open your Inventory and use the Canned Knowledge", + "Initiate second combat test\nWave 1 Floating Dendro Fungus ×1 Floating Hydro Fungus ×1 Whirling Cryo Fungus ×2\nWave 2 Floating Dendro Fungus ×1 Floating Hydro Fungus ×1 Stretchy Pyro Fungus ×2", + "Wave 1 Floating Dendro Fungus ×1 Floating Hydro Fungus ×1 Whirling Cryo Fungus ×2", + "Floating Dendro Fungus ×1", + "Floating Hydro Fungus ×1", + "Whirling Cryo Fungus ×2", + "Wave 2 Floating Dendro Fungus ×1 Floating Hydro Fungus ×1 Stretchy Pyro Fungus ×2", + "Floating Dendro Fungus ×1", + "Floating Hydro Fungus ×1", + "Stretchy Pyro Fungus ×2", + "Talk to Alhaitham", + "Ask Alhaitham about the test results", + "Wait until 07:00 two days from now", + "Go ask Dori about the whereabouts of the Divine Knowledge Capsule", + "Inform Alhaitham", + "Go to the agreed location", + "Exchange \"pointed words\" with the members of Ayn Al-Ahmar\nWave 1\n Eremite Crossbow ×2\n 'Ayn Al-Ahmar' Tumart\nWave 2\n Eremite Ravenbeak Halberdier ×1\n Eremite Sword-Dancer ×1\n 'Ayn Al-Ahmar' Tariq", + "Wave 1\n Eremite Crossbow ×2\n 'Ayn Al-Ahmar' Tumart", + "Eremite Crossbow ×2", + "'Ayn Al-Ahmar' Tumart", + "Wave 2\n Eremite Ravenbeak Halberdier ×1\n Eremite Sword-Dancer ×1\n 'Ayn Al-Ahmar' Tariq", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Sword-Dancer ×1", + "'Ayn Al-Ahmar' Tariq" + ], + "id": 84069 + }, + { + "achievement": "Through Mists of Smoke and Forests Dark", + "description": "Complete \"Through Mists of Smoke and Forests Dark.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "10", + "id": 84070 + }, + { + "achievement": "The Flavor of Déjà Vu", + "description": "Pick the Sunsettia-flavored box of candy by yourself.", + "requirements": "Earned during The Arrival of the Sabzeruz Festival.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Arrival_of_the_Sabzeruz_Festival", + "steps": [ + "Talk to Paimon", + "Go to the appointed place and talk to Dunyarzad", + "Follow Dunyarzad", + "Talk to Dunyarzad", + "Follow Dunyarzad", + "Talk to Dunyarzad", + "Go to Lambad's Tavern", + "Leave Lambad's Tavern", + "Talk to Paimon" + ], + "id": 84071 + }, + { + "achievement": "Even Paimon Wouldn't Eat That!", + "description": "Eat a visibly terrible Coconut Charcoal Cake.", + "requirements": "Earned during The Arrival of the Sabzeruz Festival.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_Arrival_of_the_Sabzeruz_Festival", + "steps": [ + "Talk to Paimon", + "Go to the appointed place and talk to Dunyarzad", + "Follow Dunyarzad", + "Talk to Dunyarzad", + "Follow Dunyarzad", + "Talk to Dunyarzad", + "Go to Lambad's Tavern", + "Leave Lambad's Tavern", + "Talk to Paimon" + ], + "id": 84072 + }, + { + "achievement": "All Dreams Must End With an Awakening", + "description": "Wake from the Sabzeruz samsara.", + "requirements": "Earned during The End of the Sabzeruz Festival.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "5", + "requirementQuestLink": "/wiki/The_End_of_the_Sabzeruz_Festival", + "steps": [ + "Talk to Nahida", + "Talk to Farris, the Knight of Flowers", + "Return to the accommodation", + "Defeat all the ambushing Eremite members\nWave 1\n Eremite Crossbow ×1\n Eremite Linebreaker ×1\n Eremite Sword-Dancer ×1\nWave 2\n Eremite Crossbow ×1\n Eremite Ravenbeak Halberdier ×1", + "Wave 1\n Eremite Crossbow ×1\n Eremite Linebreaker ×1\n Eremite Sword-Dancer ×1", + "Eremite Crossbow ×1", + "Eremite Linebreaker ×1", + "Eremite Sword-Dancer ×1", + "Wave 2\n Eremite Crossbow ×1\n Eremite Ravenbeak Halberdier ×1", + "Eremite Crossbow ×1", + "Eremite Ravenbeak Halberdier ×1", + "Talk to \"Dunyarzad\"", + "Watch the Dance of Sabzeruz", + "Find Dunyarzad" + ], + "id": 84073 + }, + { + "achievement": "The Morn a Thousand Roses Brings", + "description": "Complete \"The Morn a Thousand Roses Brings.\"", + "requirements": "Complete The End of the Sabzeruz Festival.", + "hidden": "Yes", + "type": "Quest", + "version": "3.0", + "primo": "10", + "requirementQuestLink": "/wiki/The_End_of_the_Sabzeruz_Festival", + "steps": [ + "Talk to Nahida", + "Talk to Farris, the Knight of Flowers", + "Return to the accommodation", + "Defeat all the ambushing Eremite members\nWave 1\n Eremite Crossbow ×1\n Eremite Linebreaker ×1\n Eremite Sword-Dancer ×1\nWave 2\n Eremite Crossbow ×1\n Eremite Ravenbeak Halberdier ×1", + "Wave 1\n Eremite Crossbow ×1\n Eremite Linebreaker ×1\n Eremite Sword-Dancer ×1", + "Eremite Crossbow ×1", + "Eremite Linebreaker ×1", + "Eremite Sword-Dancer ×1", + "Wave 2\n Eremite Crossbow ×1\n Eremite Ravenbeak Halberdier ×1", + "Eremite Crossbow ×1", + "Eremite Ravenbeak Halberdier ×1", + "Talk to \"Dunyarzad\"", + "Watch the Dance of Sabzeruz", + "Find Dunyarzad" + ], + "id": 84074 + }, + { + "achievement": "The Soul Transposed", + "description": "Share senses with Nahida through possession using Akasha.", + "requirements": "Earned during Like a Triumphant Hero.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Like_a_Triumphant_Hero", + "steps": [ + "Talk to Katheryne in Sumeru City", + "Continue talking to Nahida somewhere else", + "Gather information as instructed by Nahida", + "Talk to Nahida", + "Wait until the following afternoon (12:00 – 18:00)", + "Go to the market and carry out Nahida's plan", + "Wait for Nahida to enter the inhabitant's consciousness and talk to Setaria", + "Follow Setaria", + "Wait for Nahida to enter the inhabitant's consciousness and talk to Setaria", + "Wait until the following night (19:00 - 24:00)", + "Meet up with Nahida", + "Go to the Akademiya", + "Sort out the information you have" + ], + "id": 84075 + }, + { + "achievement": "Triumph of the Imagination", + "description": "Be viewed as the savior of the world by the citizens controlled by Dottore.", + "requirements": "Complete Like a Triumphant Hero.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Like_a_Triumphant_Hero", + "steps": [ + "Talk to Katheryne in Sumeru City", + "Continue talking to Nahida somewhere else", + "Gather information as instructed by Nahida", + "Talk to Nahida", + "Wait until the following afternoon (12:00 – 18:00)", + "Go to the market and carry out Nahida's plan", + "Wait for Nahida to enter the inhabitant's consciousness and talk to Setaria", + "Follow Setaria", + "Wait for Nahida to enter the inhabitant's consciousness and talk to Setaria", + "Wait until the following night (19:00 - 24:00)", + "Meet up with Nahida", + "Go to the Akademiya", + "Sort out the information you have" + ], + "id": 84076 + }, + { + "achievement": "The God Gazes Back", + "description": "Witness Scaramouche's past after being connected to the \"divine consciousness.\"", + "requirements": "Complete The Gaze From a Certain God.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/The_Gaze_From_a_Certain_God", + "steps": [ + "Go to Gandharva Ville", + "Defeat the ambushing Eremites\nWave 1: Eremite Ravenbeak Halberdier ×2 Eremite Linebreaker ×1\nWave 2: Eremite Linebreaker ×2 Eremite Crossbow ×1\nWave 3: Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×1 Eremite Sword-Dancer ×1", + "Wave 1: Eremite Ravenbeak Halberdier ×2 Eremite Linebreaker ×1", + "Eremite Ravenbeak Halberdier ×2", + "Eremite Linebreaker ×1", + "Wave 2: Eremite Linebreaker ×2 Eremite Crossbow ×1", + "Eremite Linebreaker ×2", + "Eremite Crossbow ×1", + "Wave 3: Eremite Ravenbeak Halberdier ×1 Eremite Linebreaker ×1 Eremite Sword-Dancer ×1", + "Eremite Ravenbeak Halberdier ×1", + "Eremite Linebreaker ×1", + "Eremite Sword-Dancer ×1", + "Discuss the situation with Paimon", + "Find Tighnari", + "Go to Pardis Dhyai", + "Enter Pardis Dhyai", + "Talk to Tighnari" + ], + "id": 84077 + }, + { + "achievement": "Dreams, Emptiness, Deception", + "description": "Complete \"Dreams, Emptiness, Deception.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "10", + "id": 84078 + }, + { + "achievement": "Desert Raider", + "description": "Find the ancient temple beneath the flowing desert.", + "requirements": "Earned during Secret of the Scorching Desert.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Secret_of_the_Scorching_Desert", + "steps": [ + "Wait until the following morning (06:00 – 08:00)", + "Gather at the entrance to the village", + "Go to the agreed location", + "Enter the mysterious ruins\nEnter the Quest Domain: Mysterious Ruins", + "Enter the Quest Domain: Mysterious Ruins", + "Proceed deeper within the ruins", + "Go to the Eremites' hideout", + "Go back to the village chief's house" + ], + "id": 84079 + }, + { + "achievement": "When the Dark Sun Passes", + "description": "Understand the past through the final words of the priest of Deshret.", + "requirements": "Earned during Secret of the Scorching Desert.", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "5", + "requirementQuestLink": "/wiki/Secret_of_the_Scorching_Desert", + "steps": [ + "Wait until the following morning (06:00 – 08:00)", + "Gather at the entrance to the village", + "Go to the agreed location", + "Enter the mysterious ruins\nEnter the Quest Domain: Mysterious Ruins", + "Enter the Quest Domain: Mysterious Ruins", + "Proceed deeper within the ruins", + "Go to the Eremites' hideout", + "Go back to the village chief's house" + ], + "id": 84080 + }, + { + "achievement": "King Deshret and the Three Magi", + "description": "Complete \"King Deshret and the Three Magi.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.1", + "primo": "10", + "id": 84081 + }, + { + "achievement": "Eremitis ne credite", + "description": "Help Cyno get Rahman and his crew into Sumeru.", + "requirements": "Complete Through the Predawn Night.", + "hidden": "Yes", + "type": "Quest", + "version": "3.2", + "primo": "5", + "requirementQuestLink": "/wiki/Through_the_Predawn_Night", + "steps": [ + "Leave the village chief's house", + "Wait until the next day", + "Talk to Candace", + "Enter the village chief's house", + "Talk to Candace", + "Meet up with Alhaitham", + "Go to the Eremite base", + "Go to Caravan Ribat and meet up with Cyno", + "Talk to the soldiers stationed in Caravan Ribat", + "Wait until the appointed time (two days later)", + "Go to the east side of the desert", + "Help Cyno arrest the Eremites\nDefeat all enemies within 300 seconds\nWave 1: Eremite Axe Vanguard ×1 Eremite Sword-Dancer ×1 Eremite Crossbow ×1\nWave 2: Eremite Linebreaker ×2 Eremite Crossbow ×1\nWave 3: Eremite Crossbow ×2 Eremite Axe Vanguard ×1", + "Defeat all enemies within 300 seconds", + "Wave 1: Eremite Axe Vanguard ×1 Eremite Sword-Dancer ×1 Eremite Crossbow ×1", + "Eremite Axe Vanguard ×1", + "Eremite Sword-Dancer ×1", + "Eremite Crossbow ×1", + "Wave 2: Eremite Linebreaker ×2 Eremite Crossbow ×1", + "Eremite Linebreaker ×2", + "Eremite Crossbow ×1", + "Wave 3: Eremite Crossbow ×2 Eremite Axe Vanguard ×1", + "Eremite Crossbow ×2", + "Eremite Axe Vanguard ×1", + "Talk to Cyno" + ], + "id": 84082 + }, + { + "achievement": "Victory Road", + "description": "Finish the preparations required to put that plan into action.", + "requirements": "Complete As by a God's Side.", + "hidden": "Yes", + "type": "Quest", + "version": "3.2", + "primo": "5", + "requirementQuestLink": "/wiki/As_by_a_God%27s_Side", + "steps": [ + "Go to Caravan Ribat to meet up with Dehya", + "Find Tighnari at Pardis Dhyai", + "Talk to Dehya after leaving Pardis Dhyai", + "Track The Doctor down together with Dehya\nTeleporting or logging out during this step may reset to Step 2.", + "Teleporting or logging out during this step may reset to Step 2.", + "Talk to Dehya", + "Go to Port Ormos", + "Follow the Fatui soldiers\nThe Traveler will enter Stealth", + "The Traveler will enter Stealth", + "Hide yourself in Wikala Funduq", + "Return to Pardis Dhyai as quickly as possible", + "Defeat the attacking Fatui\nWave 1: Fatui Skirmisher - Pyroslinger Bracer ×1 Fatui Skirmisher - Geochanter Bracer ×1\nWave 2: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Pyroslinger Bracer ×1\nWave 3: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Pyro Agent ×1", + "Wave 1: Fatui Skirmisher - Pyroslinger Bracer ×1 Fatui Skirmisher - Geochanter Bracer ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Geochanter Bracer ×1", + "Wave 2: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Pyroslinger Bracer ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Pyroslinger Bracer ×1", + "Wave 3: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Pyro Agent ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Pyro Agent ×1", + "Talk to Tighnari", + "Check on Tighnari and Dehya", + "Go to where Haypasia is\nLeaving Pardis Dhyai before completing this step will reset to Step 9.", + "Leaving Pardis Dhyai before completing this step will reset to Step 9.", + "Wait until the agreed time (19:00 – 21:00)", + "Go to the Grand Bazaar" + ], + "id": 84083 + }, + { + "achievement": "The Longest Day", + "description": "Rescue a god on Jnagarbha Day.", + "requirements": "Complete Jnagarbha Day.", + "hidden": "Yes", + "type": "Quest", + "version": "3.2", + "primo": "5", + "requirementQuestLink": "/wiki/Jnagarbha_Day", + "steps": [ + "Wait till 08:00 – 12:00 the next day", + "Go to the Akademiya to meet up with Alhaitham", + "Enter the Akademiya together with Alhaitham", + "Enter the House of Daena", + "Hide for now and wait for an opportunity", + "Find a way to connect to Nahida's consciousness", + "Go to the Akademiya", + "Lure the Akademiya guards into the trap", + "Go to the Sanctuary of Surasthana" + ], + "id": 84084 + }, + { + "achievement": "...I'm Sorry, Sir, But You're Ineligible", + "description": "Prevent the birth of the \"forged god.\"", + "requirements": "Earned during Where the Boat of Consciousness Lies.", + "hidden": "Yes", + "type": "Quest", + "version": "3.2", + "primo": "5", + "requirementQuestLink": "/wiki/Where_the_Boat_of_Consciousness_Lies", + "steps": [ + "Wait till 16:00 and find Nahida in the Sanctuary of Surasthana", + "Talk to Nahida once you have made your preparations", + "Go through the passage and reach The Balladeer\nEnter the Quest Domain: Deus Foundry\nUpon exiting the elevator, the player will be teleported into the Quest Domain The Shrine of Shouki no Kami.", + "Enter the Quest Domain: Deus Foundry", + "Upon exiting the elevator, the player will be teleported into the Quest Domain The Shrine of Shouki no Kami.", + "Talk to The Balladeer", + "Defeat the Everlasting Lord of Arcane Wisdom", + "Enter Greater Lord Rukkhadevata's last memory\nThe player will be teleported into the Quest Domain The Greater Lord's Remaining Consciousness.", + "The player will be teleported into the Quest Domain The Greater Lord's Remaining Consciousness.", + "Talk to Nahida", + "Leave this place using the Boat of Consciousness", + "Reach the Irminsul from the past\nThe player will be teleported into the Quest Domain That Day Under Irminsul.", + "The player will be teleported into the Quest Domain That Day Under Irminsul.", + "Find the remaining consciousness of Greater Lord Rukkhadevata", + "Talk to Nahida", + "Talk to Paimon" + ], + "id": 84085 + }, + { + "achievement": "Akasha Pulses, the Kalpa Flame Rises", + "description": "Complete \"Akasha Pulses, the Kalpa Flame Rises.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.2", + "primo": "10", + "id": 84086 + }, + { + "achievement": "Mystery of Tatarasuna", + "description": "Investigate the memories of Tatarasuna's past within Irminsul.", + "requirements": "Earned during The Night-Bird Falls at the Curtain's Call.", + "hidden": "Yes", + "type": "Quest", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/The_Night-Bird_Falls_at_the_Curtain%27s_Call", + "steps": [ + "Go to the Sanctuary of Surasthana", + "Talk to the scholars by the road", + "Follow the figure you just saw", + "Talk to Nahida\nThe player will be teleported into the Quest Domain The Night-Bird Falls at the Curtain's Call", + "The player will be teleported into the Quest Domain The Night-Bird Falls at the Curtain's Call", + "Talk to The Balladeer", + "Follow The Balladeer", + "Continue exploring", + "Talk to The Balladeer", + "Wait for a while", + "Talk to Nahida[Note 1]" + ], + "id": 84087 + }, + { + "achievement": "Echoes of History", + "description": "Discover the consequences that have resulted from The Balladeer entering Irminsul.", + "requirements": "Complete A Dance of Destruction.", + "hidden": "Yes", + "type": "Quest", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/A_Dance_of_Destruction", + "steps": [ + "Talk to Amenoma Tougo", + "Go to the Yashiro Commission", + "Go to Tatarasuna to look for clues", + "Talk to Xavier" + ], + "id": 84088 + }, + { + "achievement": "Parinama: Fox, Cat, Bird, and Monster", + "description": "Solve Nahida's hidden riddle and discover The Balladeer's past.", + "requirements": "Earned during The Kabukimono's Finale.", + "hidden": "Yes", + "type": "Quest", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/The_Kabukimono%27s_Finale", + "steps": [ + "Return to the Sanctuary of Surasthana", + "Talk to Nahida", + "Take a walk around the Grand Bazaar to clear your head", + "Follow the person you just saw", + "Return to the Grocery Stall", + "Return to the Sanctuary of Surasthana", + "Talk to Nahida", + "Enter the memory\nEnter the Quest Domain: Reminiscent Drift", + "Enter the Quest Domain: Reminiscent Drift", + "Examine your environment", + "Keep exploring", + "View the memory", + "Keep exploring", + "Head towards the next memory\nWave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1\nWave 2: Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Wave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Geochanter Bracer ×1", + "Wave 2: Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Anemoboxer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Defeat the opponent(s)\nWave 1: Mirror Maiden ×1\nWave 2: Fatui Electro Cicin Mage ×1 Fatui Pyro Agent ×1", + "Wave 1: Mirror Maiden ×1", + "Mirror Maiden ×1", + "Wave 2: Fatui Electro Cicin Mage ×1 Fatui Pyro Agent ×1", + "Fatui Electro Cicin Mage ×1", + "Fatui Pyro Agent ×1", + "Head towards the next memory", + "Examine your environment", + "View the memory", + "Continue exploring", + "Defeat the opponent(s)\n Everlasting Lord of Arcane Wisdom — The Omen at Memory's End\nThe player is only required to defeat its first phase, with the Energy Blocks and Elemental Matrix mechanics disabled.", + "Everlasting Lord of Arcane Wisdom — The Omen at Memory's End\nThe player is only required to defeat its first phase, with the Energy Blocks and Elemental Matrix mechanics disabled.", + "The player is only required to defeat its first phase, with the Energy Blocks and Elemental Matrix mechanics disabled.", + "Talk to The Balladeer", + "Leave the memory" + ], + "id": 84089 + }, + { + "achievement": "Me, Myself, But Not I", + "description": "Defeat the Everlasting Lord of Arcane Wisdom within the memory.", + "requirements": "Complete The Kabukimono's Finale.", + "hidden": "Yes", + "type": "Quest", + "version": "3.3", + "primo": "5", + "requirementQuestLink": "/wiki/The_Kabukimono%27s_Finale", + "steps": [ + "Return to the Sanctuary of Surasthana", + "Talk to Nahida", + "Take a walk around the Grand Bazaar to clear your head", + "Follow the person you just saw", + "Return to the Grocery Stall", + "Return to the Sanctuary of Surasthana", + "Talk to Nahida", + "Enter the memory\nEnter the Quest Domain: Reminiscent Drift", + "Enter the Quest Domain: Reminiscent Drift", + "Examine your environment", + "Keep exploring", + "View the memory", + "Keep exploring", + "Head towards the next memory\nWave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1\nWave 2: Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Wave 1: Fatui Skirmisher - Electrohammer Vanguard ×1 Fatui Skirmisher - Geochanter Bracer ×1", + "Fatui Skirmisher - Electrohammer Vanguard ×1", + "Fatui Skirmisher - Geochanter Bracer ×1", + "Wave 2: Fatui Skirmisher - Anemoboxer Vanguard ×1 Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Fatui Skirmisher - Anemoboxer Vanguard ×1", + "Fatui Skirmisher - Hydrogunner Legionnaire ×1", + "Defeat the opponent(s)\nWave 1: Mirror Maiden ×1\nWave 2: Fatui Electro Cicin Mage ×1 Fatui Pyro Agent ×1", + "Wave 1: Mirror Maiden ×1", + "Mirror Maiden ×1", + "Wave 2: Fatui Electro Cicin Mage ×1 Fatui Pyro Agent ×1", + "Fatui Electro Cicin Mage ×1", + "Fatui Pyro Agent ×1", + "Head towards the next memory", + "Examine your environment", + "View the memory", + "Continue exploring", + "Defeat the opponent(s)\n Everlasting Lord of Arcane Wisdom — The Omen at Memory's End\nThe player is only required to defeat its first phase, with the Energy Blocks and Elemental Matrix mechanics disabled.", + "Everlasting Lord of Arcane Wisdom — The Omen at Memory's End\nThe player is only required to defeat its first phase, with the Energy Blocks and Elemental Matrix mechanics disabled.", + "The player is only required to defeat its first phase, with the Energy Blocks and Elemental Matrix mechanics disabled.", + "Talk to The Balladeer", + "Leave the memory" + ], + "id": 84090 + }, + { + "achievement": "Inversion of Genesis", + "description": "Complete \"Inversion of Genesis.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "3.3", + "primo": "10", + "id": 84091 + }, + { + "achievement": "Star-Crossed Night", + "description": "Recall memories related to your kin.", + "requirements": "Complete \"Destined Encounter.\"", + "hidden": "Yes", + "type": "Quest", + "version": "3.5", + "primo": "5", + "id": 84092 + }, + { + "achievement": "The Sickness Unto Near-Death", + "description": "Create the medicine that will bring hope.", + "requirements": "Earned during \"Fortune-Mocking Pedigree.\"", + "hidden": "Yes", + "type": "Quest", + "version": "3.5", + "primo": "5", + "id": 84093 + }, + { + "achievement": "The Far Side of Fate", + "description": "Witness the miracle granted by the \"Sinner.\"", + "requirements": "Complete \"A Lamenter at Fate's End.\"", + "hidden": "Yes", + "type": "Quest", + "version": "3.5", + "primo": "5", + "id": 84094 + }, + { + "achievement": "Caribert", + "description": "Complete \"Caribert.\"", + "requirements": "Complete \"Portended Fate.\"", + "hidden": "Yes", + "type": "Quest", + "version": "3.5", + "primo": "10", + "id": 84095 + }, + { + "achievement": "Like Water Disappearing Into Water", + "description": "Hear about the \"prophecy\" that has been circulating around Fontaine.", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 84096 + }, + { + "achievement": "A Detective in Action", + "description": "Investigate the truth of the incident as Lyney's \"attorney.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 84097 + }, + { + "achievement": "A Twist of Great Magic", + "description": "The Oratrice Mecanique d'Analyse Cardinale has delivered a verdict of not guilty.", + "requirements": "Complete Lies Cast Shadows Under Gathered Lights", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "requirementQuestLink": "/wiki/Lies_Cast_Shadows_Under_Gathered_Lights", + "steps": [ + "Talk to the Gardes", + "Look for clues inside the opera house (0/3)", + "Ask how Lyney's doing on his end", + "Search the underground passage for clues", + "Return to the surface", + "Wait until the trial on the following day (08:00 – 10:00)", + "Participate in the trial", + "Cross-examine Lyney", + "Continue taking part in the trial", + "Talk to Lyney", + "Leave the opera house" + ], + "id": 84098 + }, + { + "achievement": "Prelude of Blancheur and Noirceur", + "description": "Complete \"Prelude of Blancheur and Noirceur.\"", + "requirements": "Complete Prelude of Blancheur and Noirceur", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "10", + "id": 84099 + }, + { + "achievement": "Lennék én folyóvíz", + "description": "Hear the Oceanid's call and connect with her consciousness.", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 84300 + }, + { + "achievement": "Once Upon a Time in Fleuve Cendre", + "description": "Learn about Navia's father at the Spina di Rosula's stronghold.", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 84301 + }, + { + "achievement": "Tragedy Repeats Itself", + "description": "Reveal the truth behind the \"serial disappearances case.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "5", + "id": 84302 + }, + { + "achievement": "As Light Rain Falls Without Reason", + "description": "Complete \"As Light Rain Falls Without Reason.\"", + "requirements": "Complete As Light Rain Falls Without Reason", + "hidden": "Yes", + "type": "Quest", + "version": "4.0", + "primo": "10", + "id": 84303 + }, + { + "achievement": "Visitor to the \"Aquarium\"", + "description": "After completing all of the paperwork, go to the Fortress of Meropide.", + "requirements": "Complete A Tea Party Most Thorny.", + "hidden": "No", + "type": "Quest", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/A_Tea_Party_Most_Thorny", + "steps": [ + "Return to Spina di Rosula's base in the Court of Fontaine", + "Talk to Neuvillette", + "Go to Café Lutece", + "Find Neuvillette at the entrance to the Fortress of Meropide", + "Ride the lift and enter the Fortress of Meropide", + "Talk to Marette and complete the required procedures", + "Follow Deakin" + ], + "id": 84304 + }, + { + "achievement": "A Vision in a Dream", + "description": "See what Childe experienced from his perspective in a dream.", + "requirements": "Complete Fortress of Meropide.", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "5", + "requirementQuestLink": "/wiki/Fortress_of_Meropide_(Quest)", + "steps": [ + "Ride the lift", + "Go to the corners of the corridors", + "Talk to Wriothesley at the Coupon Cafeteria", + "Talk to Wriothesley at the Pankration Ring", + "Talk to Wriothesley at the dormitories", + "Go to the infirmary and talk to Wriothesley", + "Go to the Coupon Cafeteria to get some food", + "Return to the dormitories and talk to Fielding", + "Go to the production zone to talk to Grainville", + "Process widget [sic]", + "Take the widget", + "Give the products to Grainville", + "Keep looking for Lyney in the area", + "Keep looking for Lyney", + "Go to the Coupon Cafeteria to get some food", + "Return to the dormitories to rest" + ], + "id": 84305 + }, + { + "achievement": "Fortress Corner Society's Rules", + "description": "Investigated two of the \"hidden rules\" in the prison.", + "requirements": "Complete The Proscribed, Hidden in Plain Sight", + "hidden": "No", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 84306 + }, + { + "achievement": "To the Stars Shining in the Depths", + "description": "Complete \"To the Stars Shining in the Depths.\"", + "requirements": "Complete Lost in Deep Seas.", + "hidden": "Yes", + "type": "Quest", + "version": "4.1", + "primo": "10", + "requirementQuestLink": "/wiki/Lost_in_Deep_Seas", + "steps": [ + "Get up and talk to Paimon", + "Continue asking around for clues", + "Return and investigate again", + "Ask the trio that hangs out together often (0/3)", + "Ask the guard at the dormitories", + "Return to the dormitories and rest until night", + "Go to where the rumored pipes are", + "Enter the pipe", + "Return to the dormitories" + ], + "id": 84307 + }, + { + "achievement": "Le Déluge", + "description": "Freminet recalls what happened to him...", + "requirements": "Complete The Truth Shrouded in Shadow", + "hidden": "No", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 84308 + }, + { + "achievement": "The Secret of Blue Water", + "description": "Learn the history and secrets of the Fortress of Meropide.", + "requirements": "Complete Secret Keepers and Forbidden Zones", + "hidden": "No", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 84309 + }, + { + "achievement": "Out of the Aeons", + "description": "Learn of Neuvillette's true identity.", + "requirements": "Complete Calamitous Tread", + "hidden": "No", + "type": "Quest", + "version": "4.1", + "primo": "5", + "id": 84310 + }, + { + "achievement": "Cataclysm's Quickening", + "description": "Complete \"Cataclysm's Quickening.\"", + "requirements": "Complete A Moment's Respite", + "hidden": "No", + "type": "Quest", + "version": "4.1", + "primo": "10", + "id": 84311 + }, + { + "achievement": "The Gulls Once Wept", + "description": "Witness the Poisson disaster.", + "requirements": "Complete Deluge of Wrathful Waters", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Deluge_of_Wrathful_Waters", + "steps": [ + "Wait until the next day (08:00 – 12:00)", + "Return to the dormitories", + "Talk to the receptionist", + "Go to the office", + "Go to the Palais Mermonia", + "Go to Poisson", + "Look for Navia in Poisson", + "Continue looking for Navia", + "Go to the cemetery" + ], + "id": 84312 + }, + { + "achievement": "Love is Destructive", + "description": "Navia survives her encounter with Primordial Seawater", + "requirements": "Complete Meeting Is Also Parting", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "id": 84313 + }, + { + "achievement": "The Stage of Fate", + "description": "Lay a trap with your companions that will allow you to \"judge a god.\"", + "requirements": "Complete Hunters, Prophets", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "id": 84314 + }, + { + "achievement": "For a Better Tomorrow", + "description": "People rebuild their home.", + "requirements": "Talk to Charlotte in Archon Quest Finale in Chapter IV: Act V - Masquerade of the Guilty", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "5", + "requirementQuestLink": "/wiki/Finale", + "steps": [ + "Talk to Charlotte", + "Go to Poisson", + "Talk to Navia", + "Go to the Fortress of Meropide", + "Talk to Wriothesley", + "Head to Romaritime Harbor", + "Talk to Lyney and the others", + "Look for Neuvillette", + "Talk to Neuvillette" + ], + "id": 84315 + }, + { + "achievement": "Masquerade of the Guilty", + "description": "Complete \"Masquerade of the Guilty.\"", + "requirements": "Complete Finale", + "hidden": "Yes", + "type": "Quest", + "version": "4.2", + "primo": "10", + "id": 84316 + }, + { + "achievement": "The Town Where Only I Am Missing", + "description": "Investigate \"someone who only exists in people's memories.\"", + "requirements": "Complete Cold Case Commission", + "hidden": "Yes", + "type": "Quest", + "version": "4.7", + "primo": "5", + "id": 84317 + }, + { + "achievement": "Long-Awaited Moment", + "description": "Without your knowledge, Dainsleif crossed swords with your sibling...", + "requirements": "Complete Memories That Should Not Exist", + "hidden": "Yes", + "type": "Quest", + "version": "4.7", + "primo": "5", + "requirementQuestLink": "/wiki/Memories_That_Should_Not_Exist", + "steps": [ + "Return to Vimara Village", + "Talk to Dainsleif", + "Go to the place where the \"Field Tiller's Eye\" is hidden", + "Enter the place where the \"Field Tiller's Eye\" is hidden", + "Enter the depths of the ruin", + "Defeat the Abyss Herald\n Witness to Destiny's Inception — Vanguard of Newborn Fate", + "Witness to Destiny's Inception — Vanguard of Newborn Fate", + "Talk to Dainsleif" + ], + "id": 84318 + }, + { + "achievement": "The Proof of Existence", + "description": "Enter Caribert's \"realm of consciousness.\"", + "requirements": "Enter Caribert's realm of consciousness during World-Order Narration", + "hidden": "Yes", + "type": "Quest", + "version": "4.7", + "primo": "5", + "requirementQuestLink": "/wiki/World-Order_Narration", + "steps": [ + "Return to Vimara Village", + "Check on the hilichurl", + "Check on the hilichurl", + "Check on the hilichurl", + "Talk to Amadhiah", + "Talk to Bahram", + "Deduce your current situation", + "Go to the place Atossa once indicated", + "Enter the realm of consciousness", + "Talk to Caribert", + "Look for Atossa" + ], + "id": 84319 + }, + { + "achievement": "Bedtime Story", + "description": "Complete \"Bedtime Story.\"", + "requirements": "Complete World-Order Narration", + "hidden": "Yes", + "type": "Quest", + "version": "4.7", + "primo": "10", + "id": 84320 + }, + { + "achievement": "Land of Saurians", + "description": "Everything is incredibly distinctive.", + "requirements": "Natlan! A New Adventure", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 84321 + }, + { + "achievement": "Where All Glory Belongs", + "description": "When dreams collide, the most dazzling sparks ignite.", + "requirements": "Pilgrimage of the Return of the Sacred Flame", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 84322 + }, + { + "achievement": "Battlefield of Ice and Fire", + "description": "A great amount of strength is needed to support one's position.", + "requirements": "Complete A Decision", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "requirementQuestLink": "/wiki/A_Decision_(Archon_Quest)", + "steps": [ + "Wait until two days later", + "Take a walk around the People of the Springs", + "Go to the Stadium of the Sacred Flame", + "Go to the Speaker's Chamber to speak to Mavuika", + "Talk to Mavuika" + ], + "id": 84323 + }, + { + "achievement": "Reunion", + "description": "I will find you, no matter the distance.", + "requirements": "Into Eternal Night", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 84325 + }, + { + "achievement": "The Great Escape", + "description": "The boundaries trapping the path home are shattered, and light now pierces into the chaos of darkness.", + "requirements": "Into Eternal Night", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "5", + "id": 84324 + }, + { + "achievement": "Black Stone Under a White Stone", + "description": "Complete \"Black Stone Under a White Stone.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "10", + "id": 84326 + }, + { + "achievement": "Flowers Resplendent on the Sun-Scorched Sojourn", + "description": "Complete \"Flowers Resplendent on the Sun-Scorched Sojourn.\"", + "requirements": "", + "hidden": "Yes", + "type": "Quest", + "version": "5.0", + "primo": "10", + "id": 84327 + } +] \ No newline at end of file diff --git a/scripts/workflow/additional_achievement.ts b/scripts/workflow/additional_achievement.ts index ca93cb64450..7cbe9c90cde 100644 --- a/scripts/workflow/additional_achievement.ts +++ b/scripts/workflow/additional_achievement.ts @@ -134,51 +134,50 @@ const parseCategoryPage = async (url: string, category: string): Promise { const categories = await getAchievementCategories(); - console.log(categories); - // for (const category of categories) { - // const fullUrl = new URL(category.href, base_url).toString(); - // console.log(`Parsing category: ${category.text}`); - // const currentData = await readJsonFile( - // `./data/EN/AchievementCategory/${category.text}.json` - // ); - // if (currentData === undefined) { - // console.warn(`Warning: No data found for category: ${category.text}`); - // continue; - // } - // const achievementData: { id: number; name: string }[] = currentData.achievements.map( - // (achievement: { - // id: number; - // name: string; - // desc: string; - // reward: number; - // hidden: boolean; - // order: number; - // }) => { - // return { - // id: achievement.id, - // name: achievement.name - // }; - // } - // ); - - // const categoryData = await parseCategoryPage(fullUrl, category.text); - // categoryData.forEach((data) => { - // const found = achievementData.find( - // (a) => - // a.name.toLowerCase().replace(/[^a-z0-9]/g, '') === - // data.achievement.toLowerCase().replace(/[^a-z0-9]/g, '') - // ); - // if (found) { - // data.id = found.id; - // } else { - // console.warn(`Warning: Achievement not found: ${data.achievement}`); - // } - // }); - // await Bun.write( - // `./data/EN/AchievementCategory/${category.text}Extra.json`, - // JSON.stringify(categoryData, null, 2) - // ); - // } + for (const category of categories) { + const fullUrl = new URL(category.href, base_url).toString(); + console.log(`Parsing category: ${category.text}`); + const currentData = await readJsonFile( + `./data/EN/AchievementCategory/${category.text}.json` + ); + if (currentData === undefined) { + console.warn(`Warning: No data found for category: ${category.text}`); + continue; + } + const achievementData: { id: number; name: string }[] = currentData.achievements.map( + (achievement: { + id: number; + name: string; + desc: string; + reward: number; + hidden: boolean; + order: number; + }) => { + return { + id: achievement.id, + name: achievement.name + }; + } + ); + + const categoryData = await parseCategoryPage(fullUrl, category.text); + categoryData.forEach((data) => { + const found = achievementData.find( + (a) => + a.name.toLowerCase().replace(/[^a-z0-9]/g, '') === + data.achievement.toLowerCase().replace(/[^a-z0-9]/g, '') + ); + if (found) { + data.id = found.id; + } else { + console.warn(`Warning: Achievement not found: ${data.achievement}`); + } + }); + await Bun.write( + `./data/EN/AchievementCategory/${category.text}Extra.json`, + JSON.stringify(categoryData, null, 2) + ); + } }; main(); From 4a1d75d77fbe8c48b62db2a7966bec94d2edef8c Mon Sep 17 00:00:00 2001 From: Ludovic Date: Tue, 1 Oct 2024 12:25:33 +0200 Subject: [PATCH 4/4] added type --- schemas/AchievementExtraData.schema.json | 4 ++++ types/AchievementExtraData.ts | 14 ++++++++++++++ 2 files changed, 18 insertions(+) create mode 100644 schemas/AchievementExtraData.schema.json create mode 100644 types/AchievementExtraData.ts diff --git a/schemas/AchievementExtraData.schema.json b/schemas/AchievementExtraData.schema.json new file mode 100644 index 00000000000..145124eeaf0 --- /dev/null +++ b/schemas/AchievementExtraData.schema.json @@ -0,0 +1,4 @@ +{ + "$schema": "http://json-schema.org/draft-07/schema#", + "definitions": {} +} \ No newline at end of file diff --git a/types/AchievementExtraData.ts b/types/AchievementExtraData.ts new file mode 100644 index 00000000000..3599cf812ad --- /dev/null +++ b/types/AchievementExtraData.ts @@ -0,0 +1,14 @@ +type AchievementExtraData = { + achievement: string; + description: string; + requirements: string; + hidden?: string; + type?: string; + version?: string; + primo: string; + steps?: string[]; + id?: number; + requirementQuestLink?: string; +}[]; + +export { AchievementExtraData };