Compare commits

..

24 Commits

Author SHA1 Message Date
Hafiz
867a5caa17 task stat selection UI updates 2025-12-02 09:05:46 -06:00
Hafiz
c1faac5385 show selected attribute on component itself 2025-12-01 13:52:44 -06:00
Hafiz
451da628a0 remove empty lines 2025-12-01 13:25:56 -06:00
Hafiz
13cea0fad4 Stat allocation by task dropdown 2025-12-01 13:17:46 -06:00
Hafiz
fa44b7e915 Remove bold text on hover 2025-11-26 13:10:40 -06:00
Hafiz
c3c04dc109 Update stat allocation dropdown styling 2025-11-26 11:31:19 -06:00
Hafiz
2553cc3435 Fix hover dropdown padding & stat allocation chip always showing 2025-11-21 13:17:04 -06:00
Hafiz
eebb78a766 stat allocation UI tweaks
refactor allocation mode selection with selectList component & other UI tweaks
2025-11-19 12:48:56 -06:00
Hafiz
4648b8e60a tweak 2025-11-18 12:18:24 -06:00
Hafiz
d37faef5f8 stat feedback UI updates 2025-11-12 11:38:42 -06:00
Hafiz
6a8a9f7842 lint fixes 2025-11-07 14:09:41 -06:00
Hafiz
726c2c18b8 Assigned Stat 2025-11-07 14:07:43 -06:00
Hafiz
3a4f6363fe Stat allocation updates 2025-11-07 14:01:11 -06:00
Hafiz
9093dc4e20 Auto allocate UI fixes
- remove info icon in each dropdown option, and replace info below each option
- disable auto allocate dropdown instead of hiding it
- removed radio buttons drop auto allocate options dropdown
- Points available & auto allocate text share same baseline now
2025-10-27 13:22:02 -05:00
Hafiz
21fd83695a lint fixes 2025-10-21 14:59:16 -05:00
Hafiz
2c44c37a96 Fix auto allocation toggle alignment 2025-10-21 14:47:17 -05:00
Hafiz
f0adb85660 Remove duplicate string value, convert line endings 2025-10-21 14:43:03 -05:00
Hafiz
c80b94178b Merge branch 'fiz/stats-allocation' into qa/monkey 2025-10-21 14:29:38 -05:00
Hafiz
c85018a721 Live stat allocation & auto allocation implemented
- Update stat allocation UI/UX cont.
- Update stats live (versus pressing save)
- Dynamically show the distribute dropdown based on if auto allocate switch is enabled
2025-10-21 14:29:15 -05:00
Hafiz
26a65d778b Update styling of stat boxes & add stat allocation info 2025-10-21 13:13:36 -05:00
Hafiz
5bc4d7e99d Update order of views on Stats tab 2025-10-21 12:51:42 -05:00
Hafiz
20437c4188 Fixed cut off modal issues
- Fixed limited time banner being cut off on smaller devices
- Fixed Pin on purchase quest modal being cut off
2025-10-16 13:04:02 -05:00
Hafiz
e8c04e1109 Merge branch 'develop' into qa/monkey 2025-10-16 12:49:04 -05:00
Kalista Payne
65d5908898 fix(responsive): adjustments for small screens by @Hafizzle 2025-09-17 16:20:02 -05:00
226 changed files with 3406 additions and 4811 deletions

4
package-lock.json generated
View File

@@ -1,12 +1,12 @@
{
"name": "habitica",
"version": "5.42.0",
"version": "5.41.4",
"lockfileVersion": 3,
"requires": true,
"packages": {
"": {
"name": "habitica",
"version": "5.42.0",
"version": "5.41.4",
"hasInstallScript": true,
"dependencies": {
"@babel/core": "^7.22.10",

View File

@@ -1,7 +1,7 @@
{
"name": "habitica",
"description": "A habit tracker app which treats your goals like a Role Playing Game.",
"version": "5.42.0",
"version": "5.41.4",
"main": "./website/server/index.js",
"dependencies": {
"@babel/core": "^7.22.10",
@@ -105,8 +105,8 @@
"start": "node --watch ./website/server/index.js",
"start:simple": "node ./website/server/index.js",
"debug": "node --watch --inspect ./website/server/index.js",
"mongo:dev": "run-rs -v 7.0.23 -l ubuntu2214 --keep --dbpath mongodb-data --number 1 --quiet",
"mongo:test": "run-rs -v 7.0.23 -l ubuntu2214 --keep --dbpath mongodb-data-testing --number 1 --quiet",
"mongo:dev": "run-rs -v 7.0.23 -l ubuntu2204 --keep --dbpath mongodb-data --number 1 --quiet",
"mongo:test": "run-rs -v 7.0.23 -l ubuntu2204 --keep --dbpath mongodb-data-testing --number 1 --quiet",
"postinstall": "git config --global url.\"https://\".insteadOf git:// && gulp build && cd website/client && npm install",
"apidoc": "gulp apidoc",
"heroku-postbuild": ".heroku/report_deploy.sh"

View File

@@ -9,7 +9,7 @@ import {
import {
SPAM_MIN_EXEMPT_CONTRIB_LEVEL,
} from '../../../../../website/server/models/group';
import { MAX_MESSAGE_LENGTH, CHAT_FLAG_FROM_SHADOW_MUTE } from '../../../../../website/common/script/constants';
import { MAX_MESSAGE_LENGTH } from '../../../../../website/common/script/constants';
import * as email from '../../../../../website/server/libs/email';
describe('POST /chat', () => {
@@ -80,20 +80,17 @@ describe('POST /chat', () => {
member.updateOne({ 'flags.chatRevoked': false });
});
it('errors when chat privileges are revoked when sending a message to a private guild', async () => {
it('does not error when chat privileges are revoked when sending a message to a private guild', async () => {
await member.updateOne({
'flags.chatRevoked': true,
});
await expect(member.post(`/groups/${groupWithChat._id}/chat`, { message: testMessage }))
.to.eventually.be.rejected.and.eql({
code: 401,
error: 'NotAuthorized',
message: t('chatPrivilegesRevoked'),
});
const message = await member.post(`/groups/${groupWithChat._id}/chat`, { message: testMessage });
expect(message.message.id).to.exist;
});
it('errors when chat privileges are revoked when sending a message to a party', async () => {
it('does not error when chat privileges are revoked when sending a message to a party', async () => {
const { group, members } = await createAndPopulateGroup({
groupDetails: {
name: 'Party',
@@ -109,12 +106,9 @@ describe('POST /chat', () => {
'auth.timestamps.created': new Date('2022-01-01'),
});
await expect(privatePartyMemberWithChatsRevoked.post(`/groups/${group._id}/chat`, { message: testMessage }))
.to.eventually.be.rejected.and.eql({
code: 401,
error: 'NotAuthorized',
message: t('chatPrivilegesRevoked'),
});
const message = await privatePartyMemberWithChatsRevoked.post(`/groups/${group._id}/chat`, { message: testMessage });
expect(message.message.id).to.exist;
});
});
@@ -129,7 +123,7 @@ describe('POST /chat', () => {
member.updateOne({ 'flags.chatShadowMuted': false });
});
it('creates a chat with flagCount set when sending a message to a private guild', async () => {
it('creates a chat with zero flagCount when sending a message to a private guild', async () => {
await member.updateOne({
'flags.chatShadowMuted': true,
});
@@ -137,10 +131,10 @@ describe('POST /chat', () => {
const message = await member.post(`/groups/${groupWithChat._id}/chat`, { message: testMessage });
expect(message.message.id).to.exist;
expect(message.message.flagCount).to.eql(CHAT_FLAG_FROM_SHADOW_MUTE);
expect(message.message.flagCount).to.eql(0);
});
it('creates a chat with flagCount set when sending a message to a party', async () => {
it('creates a chat with zero flagCount when sending a message to a party', async () => {
const { group, members } = await createAndPopulateGroup({
groupDetails: {
name: 'Party',
@@ -159,7 +153,7 @@ describe('POST /chat', () => {
const message = await userWithChatShadowMuted.post(`/groups/${group._id}/chat`, { message: testMessage });
expect(message.message.id).to.exist;
expect(message.message.flagCount).to.eql(CHAT_FLAG_FROM_SHADOW_MUTE);
expect(message.message.flagCount).to.eql(0);
});
});

View File

@@ -61,24 +61,6 @@ describe('Post /groups/:groupId/invite', () => {
});
});
it('fakes sending an invite if user is shadow muted', async () => {
const inviterMuted = await inviter.updateOne({ 'flags.chatShadowMuted': true });
const userToInvite = await generateUser();
const response = await inviterMuted.post(`/groups/${group._id}/invite`, {
usernames: [userToInvite.auth.local.lowerCaseUsername],
});
expect(response).to.be.an('Array');
expect(response[0]).to.have.all.keys(['_id', 'id', 'name', 'inviter']);
expect(response[0]._id).to.be.a('String');
expect(response[0].id).to.eql(group._id);
expect(response[0].name).to.eql(groupName);
expect(response[0].inviter).to.eql(inviter._id);
await expect(userToInvite.get('/user'))
.to.eventually.not.have.nested.property('invitations.parties[0].id', group._id);
});
it('invites a user to a group by username', async () => {
const userToInvite = await generateUser();
@@ -227,24 +209,6 @@ describe('Post /groups/:groupId/invite', () => {
});
});
it('fakes sending an invite if user is shadow muted', async () => {
const inviterMuted = await inviter.updateOne({ 'flags.chatShadowMuted': true });
const userToInvite = await generateUser();
const response = await inviterMuted.post(`/groups/${group._id}/invite`, {
uuids: [userToInvite._id],
});
expect(response).to.be.an('Array');
expect(response[0]).to.have.all.keys(['_id', 'id', 'name', 'inviter']);
expect(response[0]._id).to.be.a('String');
expect(response[0].id).to.eql(group._id);
expect(response[0].name).to.eql(groupName);
expect(response[0].inviter).to.eql(inviter._id);
await expect(userToInvite.get('/user'))
.to.eventually.not.have.nested.property('invitations.parties[0].id', group._id);
});
it('invites a user to a group by uuid', async () => {
const userToInvite = await generateUser();
@@ -317,19 +281,6 @@ describe('Post /groups/:groupId/invite', () => {
});
});
it('fakes sending invite when inviter is shadow muted', async () => {
const inviterMuted = await inviter.updateOne({ 'flags.chatShadowMuted': true });
const res = await inviterMuted.post(`/groups/${group._id}/invite`, {
emails: [testInvite],
inviter: 'inviter name',
});
const updatedUser = await inviterMuted.sync();
expect(res).to.exist;
expect(updatedUser.invitesSent).to.eql(1);
});
it('returns an error when invite is missing an email', async () => {
await expect(inviter.post(`/groups/${group._id}/invite`, {
emails: [{ name: 'test' }],
@@ -454,19 +405,6 @@ describe('Post /groups/:groupId/invite', () => {
});
});
it('fakes sending an invite if user is shadow muted', async () => {
const inviterMuted = await inviter.updateOne({ 'flags.chatShadowMuted': true });
const newUser = await generateUser();
const invite = await inviterMuted.post(`/groups/${group._id}/invite`, {
uuids: [newUser._id],
emails: [{ name: 'test', email: 'test@habitica.com' }],
});
const invitedUser = await newUser.get('/user');
expect(invitedUser.invitations.parties[0]).to.not.exist;
expect(invite).to.exist;
});
it('invites users to a group by uuid and email', async () => {
const newUser = await generateUser();
const invite = await inviter.post(`/groups/${group._id}/invite`, {

View File

@@ -43,7 +43,7 @@ describe('POST /members/send-private-message', () => {
});
});
it('returns error when recipient has blocked the sender', async () => {
it('returns error when to user has blocked the sender', async () => {
const receiver = await generateUser({ 'inbox.blocks': [userToSendMessage._id] });
await expect(userToSendMessage.post('/members/send-private-message', {
@@ -56,7 +56,7 @@ describe('POST /members/send-private-message', () => {
});
});
it('returns error when sender has blocked recipient', async () => {
it('returns error when sender has blocked to user', async () => {
const receiver = await generateUser();
const sender = await generateUser({ 'inbox.blocks': [receiver._id] });
@@ -70,7 +70,7 @@ describe('POST /members/send-private-message', () => {
});
});
it('returns error when recipient has opted out of messaging', async () => {
it('returns error when to user has opted out of messaging', async () => {
const receiver = await generateUser({ 'inbox.optOut': true });
await expect(userToSendMessage.post('/members/send-private-message', {
@@ -174,7 +174,7 @@ describe('POST /members/send-private-message', () => {
expect(notification.data.excerpt).to.equal(messageExcerpt);
});
it('allows admin to send when recipient has blocked the admin', async () => {
it('allows admin to send when sender has blocked the admin', async () => {
userToSendMessage = await generateUser({
'permissions.moderator': true,
});
@@ -202,7 +202,7 @@ describe('POST /members/send-private-message', () => {
expect(sendersMessageInSendersInbox).to.exist;
});
it('allows admin to send when recipient has opted out of messaging', async () => {
it('allows admin to send when to user has opted out of messaging', async () => {
userToSendMessage = await generateUser({
'permissions.moderator': true,
});
@@ -229,58 +229,4 @@ describe('POST /members/send-private-message', () => {
expect(sendersMessageInReceiversInbox).to.exist;
expect(sendersMessageInSendersInbox).to.exist;
});
describe('sender is shadow muted', () => {
beforeEach(async () => {
userToSendMessage = await generateUser({
'flags.chatShadowMuted': true,
});
});
it('does not save the message in the receiver inbox', async () => {
const receiver = await generateUser();
const response = await userToSendMessage.post('/members/send-private-message', {
message: messageToSend,
toUserId: receiver._id,
});
expect(response.message.uuid).to.equal(receiver._id);
const updatedReceiver = await receiver.get('/user');
const updatedSender = await userToSendMessage.get('/user');
const sendersMessageInReceiversInbox = _.find(
updatedReceiver.inbox.messages,
message => message.uuid === userToSendMessage._id && message.text === messageToSend,
);
const sendersMessageInSendersInbox = _.find(
updatedSender.inbox.messages,
message => message.uuid === receiver._id && message.text === messageToSend,
);
expect(sendersMessageInReceiversInbox).to.not.exist;
expect(sendersMessageInSendersInbox).to.exist;
});
it('does not save the message message twice if recipient is sender', async () => {
const response = await userToSendMessage.post('/members/send-private-message', {
message: messageToSend,
toUserId: userToSendMessage._id,
});
expect(response.message.uuid).to.equal(userToSendMessage._id);
const updatedSender = await userToSendMessage.get('/user');
const sendersMessageInSendersInbox = _.find(
updatedSender.inbox.messages,
message => message.uuid === userToSendMessage._id && message.text === messageToSend,
);
expect(sendersMessageInSendersInbox).to.exist;
expect(Object.keys(updatedSender.inbox.messages).length).to.equal(1);
});
});
});

View File

@@ -1055,11 +1055,6 @@
width: 141px;
height: 147px;
}
.background_elegant_palace {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/background_elegant_palace.png');
width: 141px;
height: 147px;
}
.background_enchanted_music_room {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/background_enchanted_music_room.png');
width: 141px;
@@ -1756,11 +1751,6 @@
width: 141px;
height: 147px;
}
.background_nighttime_street_with_shops {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/background_nighttime_street_with_shops.png');
width: 141px;
height: 147px;
}
.background_ocean_sunrise {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/background_ocean_sunrise.png');
width: 141px;
@@ -2447,11 +2437,6 @@
width: 141px;
height: 147px;
}
.background_winter_desert_with_saguaros {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/background_winter_desert_with_saguaros.png');
width: 141px;
height: 147px;
}
.background_winter_fireworks {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/background_winter_fireworks.png');
width: 141px;
@@ -29470,11 +29455,6 @@
width: 60px;
height: 60px;
}
.back_armoire_harpsichord {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/back_armoire_harpsichord.png');
width: 114px;
height: 90px;
}
.body_armoire_clownsBowtie {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/body_armoire_clownsBowtie.png');
width: 114px;
@@ -29865,11 +29845,6 @@
width: 114px;
height: 90px;
}
.broad_armor_armoire_loneCowpokeOutfit {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_armoire_loneCowpokeOutfit.png');
width: 114px;
height: 90px;
}
.broad_armor_armoire_lunarArmor {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_armoire_lunarArmor.png');
width: 90px;
@@ -30505,11 +30480,6 @@
width: 114px;
height: 87px;
}
.head_armoire_loneCowpokeHat {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_armoire_loneCowpokeHat.png');
width: 114px;
height: 90px;
}
.head_armoire_lunarCrown {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_armoire_lunarCrown.png');
width: 90px;
@@ -30820,11 +30790,6 @@
width: 114px;
height: 90px;
}
.shield_armoire_doubleBass {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_armoire_doubleBass.png');
width: 114px;
height: 90px;
}
.shield_armoire_dragonTamerShield {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_armoire_dragonTamerShield.png');
width: 90px;
@@ -31030,11 +30995,6 @@
width: 90px;
height: 90px;
}
.shield_armoire_prettyPinkGiftBox {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_armoire_prettyPinkGiftBox.png');
width: 114px;
height: 90px;
}
.shield_armoire_ramHornShield {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_armoire_ramHornShield.png');
width: 90px;
@@ -31505,11 +31465,6 @@
width: 114px;
height: 90px;
}
.slim_armor_armoire_loneCowpokeOutfit {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_armoire_loneCowpokeOutfit.png');
width: 114px;
height: 90px;
}
.slim_armor_armoire_lunarArmor {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_armoire_lunarArmor.png');
width: 90px;
@@ -31805,11 +31760,6 @@
width: 114px;
height: 90px;
}
.weapon_armoire_bambooFlute {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_armoire_bambooFlute.png');
width: 114px;
height: 90px;
}
.weapon_armoire_barristerGavel {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_armoire_barristerGavel.png');
width: 90px;
@@ -32220,11 +32170,6 @@
width: 114px;
height: 90px;
}
.weapon_armoire_prettyPinkParasol {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_armoire_prettyPinkParasol.png');
width: 114px;
height: 90px;
}
.weapon_armoire_pushBroom {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_armoire_pushBroom.png');
width: 114px;
@@ -34115,46 +34060,6 @@
width: 90px;
height: 90px;
}
.back_mystery_202601 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/back_mystery_202601.png');
width: 114px;
height: 90px;
}
.back_mystery_202602 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/back_mystery_202602.png');
width: 114px;
height: 90px;
}
.broad_armor_mystery_202512 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_mystery_202512.png');
width: 114px;
height: 90px;
}
.head_mystery_202512 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_mystery_202512.png');
width: 114px;
height: 90px;
}
.head_mystery_202602 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_mystery_202602.png');
width: 114px;
height: 90px;
}
.slim_armor_mystery_202512 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_mystery_202512.png');
width: 114px;
height: 90px;
}
.weapon_mystery_202512 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_mystery_202512.png');
width: 114px;
height: 90px;
}
.weapon_mystery_202601 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_mystery_202601.png');
width: 114px;
height: 90px;
}
.back_mystery_201402 {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/back_mystery_201402.png');
width: 90px;
@@ -38735,26 +38640,6 @@
width: 114px;
height: 90px;
}
.broad_armor_special_winter2026Healer {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_special_winter2026Healer.png');
width: 114px;
height: 90px;
}
.broad_armor_special_winter2026Mage {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_special_winter2026Mage.png');
width: 114px;
height: 90px;
}
.broad_armor_special_winter2026Rogue {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_special_winter2026Rogue.png');
width: 117px;
height: 120px;
}
.broad_armor_special_winter2026Warrior {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_special_winter2026Warrior.png');
width: 114px;
height: 90px;
}
.broad_armor_special_yeti {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/broad_armor_special_yeti.png');
width: 90px;
@@ -39050,26 +38935,6 @@
width: 114px;
height: 90px;
}
.head_special_winter2026Healer {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_special_winter2026Healer.png');
width: 114px;
height: 90px;
}
.head_special_winter2026Mage {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_special_winter2026Mage.png');
width: 114px;
height: 90px;
}
.head_special_winter2026Rogue {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_special_winter2026Rogue.png');
width: 117px;
height: 120px;
}
.head_special_winter2026Warrior {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_special_winter2026Warrior.png');
width: 114px;
height: 90px;
}
.head_special_yeti {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/head_special_yeti.png');
width: 90px;
@@ -39250,21 +39115,6 @@
width: 114px;
height: 90px;
}
.shield_special_winter2026Healer {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_special_winter2026Healer.png');
width: 114px;
height: 90px;
}
.shield_special_winter2026Rogue {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_special_winter2026Rogue.png');
width: 117px;
height: 120px;
}
.shield_special_winter2026Warrior {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_special_winter2026Warrior.png');
width: 114px;
height: 90px;
}
.shield_special_yeti {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/shield_special_yeti.png');
width: 90px;
@@ -39505,26 +39355,6 @@
width: 114px;
height: 90px;
}
.slim_armor_special_winter2026Healer {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_special_winter2026Healer.png');
width: 114px;
height: 90px;
}
.slim_armor_special_winter2026Mage {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_special_winter2026Mage.png');
width: 114px;
height: 90px;
}
.slim_armor_special_winter2026Rogue {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_special_winter2026Rogue.png');
width: 117px;
height: 120px;
}
.slim_armor_special_winter2026Warrior {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_special_winter2026Warrior.png');
width: 114px;
height: 90px;
}
.slim_armor_special_yeti {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/slim_armor_special_yeti.png');
width: 90px;
@@ -39765,26 +39595,6 @@
width: 114px;
height: 90px;
}
.weapon_special_winter2026Healer {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_special_winter2026Healer.png');
width: 114px;
height: 90px;
}
.weapon_special_winter2026Mage {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_special_winter2026Mage.png');
width: 114px;
height: 90px;
}
.weapon_special_winter2026Rogue {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_special_winter2026Rogue.png');
width: 117px;
height: 120px;
}
.weapon_special_winter2026Warrior {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_special_winter2026Warrior.png');
width: 114px;
height: 90px;
}
.weapon_special_yeti {
background-image: url('https://habitica-assets.s3.amazonaws.com/mobileApp/images/weapon_special_yeti.png');
width: 90px;

View File

@@ -57,16 +57,12 @@
>
{{ $t('subUpdateCard') }}
</div>
<div v-if="!group.purchased.plan.dateTerminated">
<div class="small gray-50 mb-3" v-once>
{{ $t('groupPlanBillingFYIShort') }}
</div>
<div
class="btn btn-sm btn-danger"
@click="cancelSubscriptionConfirm({group: group})"
>
{{ $t('cancelGroupSub') }}
</div>
<div
v-if="!group.purchased.plan.dateTerminated"
class="btn btn-sm btn-danger"
@click="cancelSubscriptionConfirm({group: group})"
>
{{ $t('cancelGroupSub') }}
</div>
</div>
</div>

View File

@@ -328,8 +328,6 @@ export default {
alreadyReadNotification,
nextCron: null,
handledNotifications,
isInitialLoadComplete: false,
pendingRebirthNotification: null,
};
},
computed: {
@@ -455,18 +453,6 @@ export default {
return this.runYesterDailies();
},
async showPendingRebirthModal () {
if (this.pendingRebirthNotification) {
this.playSound('Achievement_Unlocked');
this.$root.$emit('bv::show::modal', 'rebirth');
await axios.post('/api/v4/notifications/read', {
notificationIds: [this.pendingRebirthNotification.id],
});
this.pendingRebirthNotification = null;
}
},
showDeathModal () {
this.playSound('Death');
this.$root.$emit('bv::show::modal', 'death');
@@ -675,18 +661,6 @@ export default {
this.showLevelUpNotifications(this.user.stats.lvl);
}
this.handleUserNotifications(this.user.notifications);
this.isInitialLoadComplete = true;
const hasRebirthConfirmationFlag = localStorage.getItem('show-rebirth-confirmation') === 'true';
if (hasRebirthConfirmationFlag) {
localStorage.removeItem('show-rebirth-confirmation');
this.playSound('Achievement_Unlocked');
this.$root.$emit('bv::show::modal', 'rebirth');
} else {
this.showPendingRebirthModal();
}
},
async handleUserNotifications (after) {
if (this.$store.state.isRunningYesterdailies) return;
@@ -726,15 +700,8 @@ export default {
this.$root.$emit('habitica:won-challenge', notification);
break;
case 'REBIRTH_ACHIEVEMENT':
if (localStorage.getItem('show-rebirth-confirmation') === 'true') {
markAsRead = false;
} else if (!this.isInitialLoadComplete) {
this.pendingRebirthNotification = notification;
markAsRead = false;
} else {
this.playSound('Achievement_Unlocked');
this.$root.$emit('bv::show::modal', 'rebirth');
}
this.playSound('Achievement_Unlocked');
this.$root.$emit('bv::show::modal', 'rebirth');
break;
case 'STREAK_ACHIEVEMENT':
this.text(`${this.$t('streaks')}: ${this.user.achievements.streak}`, () => {

View File

@@ -407,12 +407,6 @@
<div class="purple-bar my-auto"></div>
</div>
<div class="d-flex flex-column align-items-center mt-3">
<div
v-once
class="small gray-100 w-50 text-center mb-5"
>
{{ $t('subscriptionBillingFYI') }}
</div>
<div
v-once
class="svg-icon svg-gift-box mb-2"
@@ -637,7 +631,7 @@
background-color: $purple-400;
height: 1px;
width: 50%;
max-width: 417px;
max-width: 432px;
}
.purple-gradient {
@@ -660,12 +654,6 @@
margin-bottom: 16px;
}
.small {
font-size: 12px;
line-height: 1.67;
max-width: 874px;
}
.stats-card {
border-radius: 8px;
width: 192px;

View File

@@ -873,13 +873,8 @@ export default {
return;
}
if (this.genericPurchase) {
if (this.item.key === 'rebirth_orb') {
localStorage.setItem('show-rebirth-confirmation', 'true');
}
await this.makeGenericPurchase(this.item, 'buyModal', this.selectedAmountToBuy);
if (this.item.key !== 'rebirth_orb') {
await this.purchased(this.item.text);
}
await this.purchased(this.item.text);
}
}

View File

@@ -45,9 +45,6 @@
<p class="gray-200">
{{ $t('billedMonthly') }}
</p>
<small class="gray-200">
{{ $t('groupPlanBillingFYI') }}
</small>
</div>
<div class="top-right"></div>
<div class="d-flex justify-content-between align-items-middle w-100 gap-72 mb-100">
@@ -117,9 +114,6 @@
<p class="gray-200">
{{ $t('billedMonthly') }}
</p>
<small class="gray-200">
{{ $t('groupPlanBillingFYI') }}
</small>
</div>
<div class="bot-right"></div>
</div>
@@ -180,11 +174,6 @@
line-height: 28px;
}
small {
font-size: 12px;
line-height: 1.67;
}
// Major layout elements
.bottom-banner {

View File

@@ -382,6 +382,45 @@
</div>
</div>
</div>
<div
v-if="showStatAssignment"
class="stat-assignment option mt-3"
>
<div class="form-group row">
<label
v-once
class="col-12 mb-1"
>{{ $t('assignedStat') }}</label>
<div class="col-12">
<div class="stat-dropdown-container">
<select-list
:items="statOptions"
:value="task.attribute"
key-prop="key"
active-key-prop="key"
@select="task.attribute = $event.key"
>
<template #item="{ item, button }">
<div class="stat-option-content">
<span
class="stat-option-title"
:class="item.key"
>
{{ $t(item.label) }}
</span>
<span
v-if="!button"
class="stat-option-description"
>
{{ $t(item.description) }}
</span>
</div>
</template>
</select-list>
</div>
</div>
</div>
</div>
<div
v-if="task.type === 'habit' && !groupId"
class="option mt-3"
@@ -911,6 +950,87 @@
.streak-addon path {
fill: $gray-200;
}
.stat-dropdown-container {
.select-list {
.selectListItem {
margin-bottom: 0;
&:last-child {
margin-bottom: 0;
}
}
.selectListItem .dropdown-item {
padding: 8px 16px !important;
height: auto !important;
white-space: normal;
word-wrap: break-word;
&:hover,
&:focus {
background-color: rgba($purple-600, 0.25) !important;
}
}
.dropdown-toggle {
display: flex;
align-items: center;
.stat-option-content {
display: flex;
align-items: center;
.stat-option-title {
font-weight: normal;
color: $gray-50;
margin-bottom: 0;
}
}
}
}
.stat-option-content {
display: block;
width: 100%;
.stat-option-title {
display: block;
font-family: Roboto;
font-weight: 700;
font-size: 14px;
line-height: 1.71;
text-transform: capitalize;
margin-bottom: 4px;
&.str {
color: $maroon-100;
}
&.int {
color: $blue-50;
}
&.con {
color: $yellow-5;
}
&.per {
color: $purple-300;
}
}
.stat-option-description {
display: block;
font-family: Roboto;
font-weight: 400;
font-size: 12px;
line-height: 16px;
color: $gray-100;
margin-bottom: 0;
}
}
}
</style>
<style lang="scss" scoped>
@@ -1023,7 +1143,6 @@
.input-group-outer.disabled .input-group-text {
color: $gray-200;
}
</style>
<script>
@@ -1038,6 +1157,7 @@ import SelectMulti from './modal-controls/selectMulti';
import selectDifficulty from '@/components/tasks/modal-controls/selectDifficulty';
import selectTranslatedArray from '@/components/tasks/modal-controls/selectTranslatedArray';
import lockableLabel from '@/components/tasks/modal-controls/lockableLabel';
import selectList from '@/components/ui/selectList';
import syncTask from '../../mixins/syncTask';
@@ -1061,6 +1181,7 @@ export default {
selectTranslatedArray,
toggleCheckbox,
lockableLabel,
selectList,
},
directives: {
markdown: markdownDirective,
@@ -1094,6 +1215,12 @@ export default {
con: 'constitution',
per: 'perception',
},
statOptions: [
{ key: 'str', label: 'strength', description: 'strTaskText' },
{ key: 'int', label: 'intelligence', description: 'intTaskText' },
{ key: 'con', label: 'constitution', description: 'conTaskText' },
{ key: 'per', label: 'perception', description: 'perTaskText' },
],
calendarHighlights: { dates: [new Date()] },
};
},
@@ -1187,6 +1314,12 @@ export default {
selectedTags () {
return this.getTagsFor(this.task);
},
showStatAssignment () {
return this.task.type !== 'reward'
&& !this.groupId
&& this.user.preferences.automaticAllocation === true
&& this.user.preferences.allocationMode === 'taskbased';
},
},
watch: {
task () {

View File

@@ -12,7 +12,7 @@
<template #button-content>
<slot
name="item"
:item="selected || placeholder"
:item="selectedItem || placeholder"
:button="true"
>
<!-- Fallback content -->
@@ -134,6 +134,14 @@ export default {
}),
};
},
computed: {
selectedItem () {
if (this.activeKeyProp) {
return this.items.find(item => item[this.activeKeyProp] === this.selected);
}
return this.items.find(item => item === this.selected);
},
},
methods: {
getKeyProp (item) {
return this.keyProp ? item[this.keyProp] : item.key || item.identifier;

File diff suppressed because it is too large Load Diff

View File

@@ -1,5 +1,5 @@
{
"achievement": "Постижение",
"achievement": "Достижения",
"onwards": "Напред!",
"levelup": "Изпълнявайки целите си в истинския живот, Вие се качихте ниво и здравето Ви беше запълнено!",
"reachedLevel": "Достигнахте Ниво <%= level %>",
@@ -106,25 +106,5 @@
"achievementSeasonalSpecialist": "Сезонен експерт",
"achievementRedLetterDayText": "Са събрали всички Червени животни.",
"achievementSeeingRedModalText": "Събрали сте всички Червени любимци!",
"achievementSkeletonCrewText": "Събрали са всички Скелетни животни.",
"achievementVioletsAreBlueText": "Събра всички сини пет-ове Памучен бонбон.",
"achievementWildBlueYonderModalText": "Ти укроти всички маунт-ове Памучен бонбон синьо!",
"achievementWildBlueYonderText": "Укроти всички маунт-ове Памучен бонбон синьо.",
"achievementVioletsAreBlue": "Розите са червени, Теменужките са сини",
"achievementVioletsAreBlueModalText": "Ти събра (или колекционира) всички домашни любимци (или пет-ове) от серията Памучен бонбон синьо!",
"achievementWildBlueYonder": "Дивото синьо небе",
"achievementSeasonalSpecialistText": "Завърши всички сезонни куестове от пролетта и зимата: Лов на яйца (Egg Hunt), Дядо Коледа-ловец (Trapper Santa) и Намери мечето (Find the Cub)!",
"achievementSeasonalSpecialistModalText": "Вие завършихте всичките сезонни куестове!",
"achievementDomesticatedModalText": "Ти събра (или колекционира) всички опитомени домашни любимци (пет-ове)!",
"achievementDomesticatedText": "Излюпи (или Отгледа) всички стандартни цветове на опитомени домашни любимци (пет-ове): пор, морско свинче, петел, летящо прасе), плъх, заек, кон и крава!",
"achievementShadyCustomerText": "Събра всички пет-ове Сянка.",
"achievementShadyCustomerModalText": "Събра всички пет-ове Сянка.",
"achievementShadyCustomer": "Сенчест тип",
"achievementDomesticated": "И-Я–И–Я–ЙО",
"achievementZodiacZookeeper": "Пазител на Зодиака",
"achievementShadeOfItAll": "В сянката на света",
"achievementShadeOfItAllText": "Опитоми всички сенчести коне.",
"achievementZodiacZookeeperText": "Излюпи всички стандартни животни(базов цвят) от зодиака: Плъх, Крава, Заек, Змия, Овца, Маймуна, Кокошка, Вълк, Тигър, Летящо прасе, и Дракон!",
"achievementZodiacZookeeperModalText": "Събрахте всички животни от зодиака!",
"achievementBirdsOfAFeather": "От една порода"
"achievementSkeletonCrewText": "Събрали са всички Скелетни животни."
}

View File

@@ -921,12 +921,5 @@
"backgroundInsideForestWitchsCottageNotes": "Webe Zauber in der Hütte der Waldhexe.",
"backgroundCastleKeepWithBannersText": "Burghalle mit Bannern",
"backgroundCastleKeepWithBannersNotes": "Singe Geschichten von Heldentaten in einer Burghalle mit Bannern.",
"backgrounds112025": "SET 138: Veröffentlicht im November 2025",
"backgrounds122025": "SET 139: Veröffentlicht im Dezember 2025",
"backgroundNighttimeStreetWithShopsNotes": "Genieße das warme Leuchten einer Nächtlichen Straße mit Geschäften.",
"backgroundNighttimeStreetWithShopsText": "Nächtliche Straße mit Geschäften",
"backgrounds012026": "SET 140: Veröffentlicht im Januar 2026",
"backgrounds022026": "SET 141: Veröffentlicht im Februar 2026",
"backgroundElegantPalaceText": "Eleganter Palast",
"backgroundElegantPalaceNotes": "Bewundere die farbenfrohen Hallen eines Eleganten Palastes."
"backgrounds112025": "SET 138: Veröffentlicht im November 2025"
}

View File

@@ -3,7 +3,7 @@
"dontDespair": "Nicht verzweifeln!",
"deathPenaltyDetails": "Du hast ein Level, Dein Gold und ein Stück Ausrüstung verloren, aber Du kannst alles durch harte Arbeit wieder zurückbekommen! Viel Glück -- Du schaffst das.",
"refillHealthTryAgain": "Lebenspunkte wiederherstellen & Nochmal versuchen",
"dyingOftenTips": "Passiert das öfters? <a href='/static/faq#prevent-damage' target='_blank'>Hier gibt es einige Tipps!</a>",
"dyingOftenTips": "Passiert das öfters? <a href='https://habitica.fandom.com/wiki/Death_Mechanics#Strategies_for_Staying_Alive' target='_blank'>Hier gibt es einige Tipps!</a>",
"losingHealthWarning": "Vorsicht - Du verlierst Lebenspunkte!",
"losingHealthWarning2": "Lass Deine Lebenspunkte nicht auf null fallen! Sollte das passieren wirst Du ein Level, Dein Gold und einen Gegenstand Deiner Ausrüstung verlieren.",
"toRegainHealth": "Um Deine Lebenspunkte wiederherzustellen:",

View File

@@ -34,7 +34,7 @@
"faqQuestion29": "Wie kann ich HP wiederherstellen?",
"webFaqAnswer29": "Du kannst 15 HP wiederherstellen, indem du einen Gesundheitstrank in deiner Belohnungsspalte für 25 Gold kaufst. Außerdem erhältst du immer volle HP, wenn du auflevelst!",
"faqQuestion30": "Was passiert, wenn ich keine HP mehr habe?",
"webFaqAnswer30": "Wenn deine HP Null erreichen, verlierst du ein Level, dessen Attribut-Punkt, dein gesamtes Gold und ein Ausrüstungsstück, das du wieder kaufen kannst. Du kannst dich wieder aufbauen, indem du Aufgaben erledigst und dich wieder hochlevelst.",
"webFaqAnswer30": "Wenn deine HP Null erreichen, verlierst du eine Stufe, dein gesamtes Gold und ein Ausrüstungsstück, das du wieder kaufen kannst.",
"faqQuestion31": "Warum habe ich HP verloren, wenn ich mit einer nicht-negativen Aufgabe interagiere?",
"faqQuestion32": "Wie kann ich eine Klasse wählen?",
"faqQuestion33": "Was ist der blaue Balken, der nach Level 10 erscheint?",
@@ -243,7 +243,5 @@
"subscriptionDetail470": "Gruppenabonnentenvorteile verhalten sich genauso wie die eines wiederkehrenden 1-Monats-Abonnements. Du erhältst eine Mystische Sanduhr am Anfang jedes Monats und die Anzahl an Edelsteinen, die du jeden Monat auf dem Marktplatz kaufen kannst, wird sich erhöhen bis zu einem Limit von 50.",
"subscriptionPara3": "Wir hoffen, dass dieser neue Rhythmus besser vorhersagbar ist, mehr Zugang zur fantastischen Gegenstandauswahl im Laden des Zeitreisenden ermöglicht und noch mehr Motivation bietet, jeden Monat Fortschritte an deinen Aufgaben zu machen!",
"faqQuestion67": "Was sind die Klassen in Habitica?",
"webFaqAnswer67": "Klassen sind verschiedene Rollen, die dein Charakter spielen kann. Jede Klasse bietet ihre eigene Reihe von einzigartigen Vorteilen und Fähigkeiten beim Aufsteigen auf höhere Level. Diese Fähigkeiten können das Bearbeiten deiner Aufgaben ergänzen oder dabei helfen, deine Party beim Abschließen von Quests zu unterstützen.\n\nDeine Klasse bestimmt auch, welche Ausrüstung für dich in den Belohnungen, im Marktplatz und im Jahreszeitenmarkt zum Kauf erhältlich ist.\n\nHier ist eine Zusammenfassung jeder Klasse, um dir dabei zu helfen, diejenige zu wählen, welche am besten zu deinem Spielstil passt:\n#### **Krieger**\n* Die Krieger verursachen hohen Schaden bei Bossen und haben eine hohe Chance für kritische Treffer beim Abschließen von Aufgaben, was dich mit extra Erfahrung und Gold belohnt.\n* Stärke ist ihr primäres Attribut, welches den Schaden erhöht, den sie verursachen.\n* Ausdauer ist ihr sekundäres Attribut, welches den Schaden verringert, den sie erhalten.\n* Die Fähigkeiten der Krieger erhöhen die Ausdauer und Stärke der Gruppenmitglieder.\n* Erwäge, einen Krieger zu spielen, wenn du es liebst, Bosse zu bekämpfen und auch ein wenig Schutz möchtest, wenn du gelegentlich Aufgaben versäumst.\n#### **Heiler**\n* Die Heiler haben eine starke Verteidigung und können sich selbst, sowie Gruppenmitglieder, heilen.\n* Ausdauer ist ihr primäres Attribut, welches ihre Heilungen verstärkt und den Schaden, den sie erhalten, verringert.\n* Intelligenz ist ihr sekundäres Attribut, welches ihr Mana und ihre Erfahrung erhöht.\n* Die Fähigkeiten der Heiler bewirken, dass ihre Aufgaben weniger rot werden und erhöhen die Ausdauer der Gruppenmitglieder.\n* Erwäge, einen Heiler zu spielen, wenn du oft Aufgaben versäumst, und die Fähigkeit benötigst, dich selbst und deine Gruppenmitglieder zu heilen. Heiler erreichen schnell neue Level.\n#### **Magier**\n* Die Magier gewinnen schnell neue Level und viel Mana, und verursachen Schaden bei Bossen in Quests.\n* Intelligenz ist ihr primäres Attribut, welches ihr Mana und ihre Erfahrung erhöht.\n* Wahrnehmung ist ihr sekundäres Attribut, welches ihr gefundenes Gold und ihre gefundenen Gegenstände vermehrt.\n* Die Fähigkeiten der Magier bewirken, dass ihre Aufgaben Strähnen eingefroren werden, stellen das Mana ihrer Gruppenmitglieder wieder her, und erhöhen ihre Intelligenz.\n* Erwäge, einen Magier zu spielen, wenn du durch das schnelle Erreichen neuer Level und das Beisteuern von Schaden in Boss Quests motiviert wirst.\n#### **Schurke**\n* Die Schurken bekommen die meisten erbeuteten Gegenstände und das meiste Gold beim Erledigen von Aufgaben und haben eine höhere Chance, kritische Treffer zu erzielen, was ihnen noch mehr Erfahrung und Gold beschert.\n* Wahrnehmung ist ihr primäres Attribut, welches ihr gefundenes Gold und ihre gefundenen Gegenstände vermehrt.\n* Stärke ist ihr sekundäres Attribut, welches den Schaden erhöht, den sie verursachen.\n* Die Fähigkeiten der Schurken helfen ihnen, versäumten Tagesaufgaben auszuweichen, Gold zu klauen und die Wahrnehmung ihrer Gruppenmitglieder zu erhöhen.\n* Erwäge, einen Schurken zu spielen, wenn du durch Belohnungen sehr motiviert wirst.",
"faqQuestion68": "Wie kann ich den Verlust von HP verhindern?",
"webFaqAnswer68": "Wenn du häufig LP verlierst, probiere diese Tipps aus:\n\n Pausiere deine täglichen Aufgaben. Die Schaltfläche „Schaden pausieren“ in den Einstellungen verhindert, dass du HP für verpasste Aufgaben verlierst.\n Passe den Zeitplan deiner täglichen Aufgaben an. Indem du sie so einstellst, dass sie nie fällig sind, kannst du sie trotzdem abschließen und Belohnungen erhalten, ohne HP zu verlieren.\n Versuche, Klassenfertigkeiten einzusetzen:\n Schurken können „Schleichen“ einsetzen, um Schaden durch verpasste tägliche Aufgaben zu vermeiden.\n Krieger können „Gewaltschlag“ einsetzen, um die Röte einer täglichen Aufgabe zu verringern und so den erlittenen Schaden beim Verpassen zu reduzieren.\n Heiler können „Brennende Helle“ einsetzen, um die Röte einer täglichen Aufgabe zu verringern und so den erlittenen Schaden beim Verpassen zu reduzieren"
"webFaqAnswer67": "Klassen sind verschiedene Rollen, die dein Charakter spielen kann. Jede Klasse bietet ihre eigene Reihe von einzigartigen Vorteilen und Fähigkeiten beim Aufsteigen auf höhere Level. Diese Fähigkeiten können das Bearbeiten deiner Aufgaben ergänzen oder dabei helfen, deine Party beim Abschließen von Quests zu unterstützen.\n\nDeine Klasse bestimmt auch, welche Ausrüstung für dich in den Belohnungen, im Marktplatz und im Jahreszeitenmarkt zum Kauf erhältlich ist.\n\nHier ist eine Zusammenfassung jeder Klasse, um dir dabei zu helfen, diejenige zu wählen, welche am besten zu deinem Spielstil passt:\n#### **Krieger**\n* Die Krieger verursachen hohen Schaden bei Bossen und haben eine hohe Chance für kritische Treffer beim Abschließen von Aufgaben, was dich mit extra Erfahrung und Gold belohnt.\n* Stärke ist ihr primäres Attribut, welches den Schaden erhöht, den sie verursachen.\n* Ausdauer ist ihr sekundäres Attribut, welches den Schaden verringert, den sie erhalten.\n* Die Fähigkeiten der Krieger erhöhen die Ausdauer und Stärke der Gruppenmitglieder.\n* Erwäge, einen Krieger zu spielen, wenn du es liebst, Bosse zu bekämpfen und auch ein wenig Schutz möchtest, wenn du gelegentlich Aufgaben versäumst.\n#### **Heiler**\n* Die Heiler haben eine starke Verteidigung und können sich selbst, sowie Gruppenmitglieder, heilen.\n* Ausdauer ist ihr primäres Attribut, welches ihre Heilungen verstärkt und den Schaden, den sie erhalten, verringert.\n* Intelligenz ist ihr sekundäres Attribut, welches ihr Mana und ihre Erfahrung erhöht.\n* Die Fähigkeiten der Heiler bewirken, dass ihre Aufgaben weniger rot werden und erhöhen die Ausdauer der Gruppenmitglieder.\n* Erwäge, einen Heiler zu spielen, wenn du oft Aufgaben versäumst, und die Fähigkeit benötigst, dich selbst und deine Gruppenmitglieder zu heilen. Heiler erreichen schnell neue Level.\n#### **Magier**\n* Die Magier gewinnen schnell neue Level und viel Mana, und verursachen Schaden bei Bossen in Quests.\n* Intelligenz ist ihr primäres Attribut, welches ihr Mana und ihre Erfahrung erhöht.\n* Wahrnehmung ist ihr sekundäres Attribut, welches ihr gefundenes Gold und ihre gefundenen Gegenstände vermehrt.\n* Die Fähigkeiten der Magier bewirken, dass ihre Aufgaben Strähnen eingefroren werden, stellen das Mana ihrer Gruppenmitglieder wieder her, und erhöhen ihre Intelligenz.\n* Erwäge, einen Magier zu spielen, wenn du durch das schnelle Erreichen neuer Level und das Beisteuern von Schaden in Boss Quests motiviert wirst.\n#### **Schurke**\n* Die Schurken bekommen die meisten erbeuteten Gegenstände und das meiste Gold beim Erledigen von Aufgaben und haben eine höhere Chance, kritische Treffer zu erzielen, was ihnen noch mehr Erfahrung und Gold beschert.\n* Wahrnehmung ist ihr primäres Attribut, welches ihr gefundenes Gold und ihre gefundenen Gegenstände vermehrt.\n* Stärke ist ihr sekundäres Attribut, welches den Schaden erhöht, den sie verursachen.\n* Die Fähigkeiten der Schurken helfen ihnen, versäumten Tagesaufgaben auszuweichen, Gold zu klauen und die Wahrnehmung ihrer Gruppenmitglieder zu erhöhen.\n* Erwäge, einen Schurken zu spielen, wenn du durch Belohnungen sehr motiviert wirst."
}

View File

@@ -37,7 +37,7 @@
"marketing2Lead2Title": "Bekämpfe Monster in Quests",
"marketing2Lead2": "Nimm dich einer unserer hunderten von Quests mit einer Gruppe von Freunden an, um dich ins Getümmel zu stürzen. Die Monster der Quests bringen deine Verantwortlichkeit auf die Spitze. Wenn du vergisst, Zahnseide zu benutzen, schadet das allen!",
"marketing2Lead3Title": "Fordert einander heraus",
"marketing2Lead3": "Nimm an Herausforderungen teil, die von unserer Community erstellt wurden, und erhalte handverlesene Aufgabenlisten, die deinen Interessen und Zielen entsprechen. Gib dein Bestes, um den Edelsteinpreis zu gewinnen!",
"marketing2Lead3": "Nimm an Herausforderungen teil, die von unserer Community erstellt wurden und erhalte zusammengestellte Aufgabenlisten, die deinen Interessen und Zielen entsprechen. Gib dein Bestes dabei, um den Edelsteinpreis zu wetteifern, der dem Gewinner verliehen wird!",
"marketing3Header": "Weitere Möglichkeiten, Habitica zu nutzen",
"marketing3Lead1": "Du kannst Habitica auf deinem Android- oder iOS-Gerät nutzen, um Aufgaben überall abzuhaken. Schau dir unsere preisgekrönten Apps an, um einen neuen Ansatz zur Erledigung von Aufgaben zu finden.",
"marketing3Lead2Title": "Open-Source Community",
@@ -124,7 +124,7 @@
"passwordReset": "Wenn wir Deine E-Mail-Adresse oder Deinen Benutzernamen kennen, wurden Anweisungen zum Passwort-Zurücksetzen dorthin verschickt.",
"invalidLoginCredentialsLong": "Deine E-Mail-Adresse, deine Benutzername oder Passwort sind nicht korrekt. Bitte versuche es erneut oder wähle \"Passwort vergessen.\"",
"invalidCredentials": "Es gibt kein Konto, das diese Anmeldedaten verwendet.",
"accountSuspended": "Dieser Account \"<%= userId %>\", wurde gesperrt. Für weitere Informationen oder um Widerspruch einzulegen, sende bitte eine E-Mail an admin@habitica.com mit deinem Habitica-Benutzernamen oder User-ID.",
"accountSuspended": "Dieser Account, Benutzer-ID \"<%= userId %>\", wurde gesperrt wegen Verletzung der Community-Richtlinien (https://habitica.com/static/community-guidelines) oder der Allgemeinen Geschäftsbedingungen (https://habitica.com/static/terms). Für genauere Angaben oder um die Aufgebung der Sperre zu erbitten, kontaktiere bitte unseren Community Manager unter <%= communityManagerEmail %> oder bitte Deine Eltern oder Erziehungsberechtigten ihm zu schreiben. Bitte nenne Deine @Benutzer-ID in der E-Mail.",
"accountSuspendedTitle": "Dieser Account wurde suspendiert",
"unsupportedNetwork": "Dieses Netzwerk wird aktuell nicht unterstützt.",
"cantDetachSocial": "Der Account hat nur noch diese Authentifizierung, sie kann nicht getrennt werden.",
@@ -132,12 +132,12 @@
"invalidReqParams": "Ungültige Anfrageparameter.",
"memberIdRequired": "\"member\" muss eine gültige UUID sein.",
"heroIdRequired": "\"herold\" muss eine gültige UUID sein.",
"cannotFulfillReq": "Diese Mailadresse ist bereits in Gebrauch. Du kannst versuchen dich einzuloggen oder eine andere Mailadresse zur Registrierung verwenden. Wende dich an admin@habitica.com, falls du Hilfe benötigst.",
"cannotFulfillReq": "Bitte gib eine gültige E-Mail-Adresse ein. Schreibe eine E-Mail an admin@habitica.com, falls dieser Fehler weiterhin auftritt.",
"modelNotFound": "Diese Vorlage existiert nicht.",
"signUpWithSocial": "Mit <%= social %> fortfahren",
"loginWithSocial": "Mit <%= social %> anmelden",
"confirmPassword": "Passwort bestätigen",
"usernameLimitations": "Benutzernamen können jederzeit geändert werden. Sie müssen zwischen 1 und 20 Zeichen lang sein und dürfen nur Buchstaben von a bis z, Zahlen von 0 bis 9, Bindestriche und Unterstriche beinhalten.",
"usernameLimitations": "Benutzernamen können jederzeit geändert werden. Sie müssen zwischen 1 und 20 Zeichen lang sein und dürfen nur Buchstaben von A bis Z, Zahlen von 0 bis 9, Bindestriche und Unterstriche beinhalten.",
"usernamePlaceholder": "z.B., HabitRabbit",
"emailPlaceholder": "z.B., gryphon@beispiel.com",
"passwordPlaceholder": "z.B., ******************",

View File

@@ -140,7 +140,7 @@
"weaponSpecialFallRogueText": "Silberner Pflock",
"weaponSpecialFallRogueNotes": "Befördert Untote dauerhaft ins Jenseits. Notfalls auch gegen Werwölfe einsetzbar - Vielseitigkeit kann nie schaden. Erhöht Stärke um <%= str %>. Limitierte Ausgabe 2014 Herbstausrüstung.",
"weaponSpecialFallWarriorText": "Krabbige Klaue der Wissenschaft",
"weaponSpecialFallWarriorNotes": "Diese Krabbige Klaue ist technisch auf dem neusten Stand! Erhöht Stärke um <%= str %>. Limitierte Ausgabe 2014 Herbstausrüstung.",
"weaponSpecialFallWarriorNotes": "Diese Krabbige Klaue ist technisch auf dem neusten Stand! Erhöht Stärke um <%= str %>. Limitierte Ausgabe 2014 Sommerausrüstung.",
"weaponSpecialFallMageText": "Fliegender Besen",
"weaponSpecialFallMageNotes": "Dieser fliegende Besen ist schneller als ein Drache! Erhöht Intelligenz um <%= int %> und Wahrnehmung um <%= per %>. Limitierte Ausgabe 2014 Herbstausrüstung.",
"weaponSpecialFallHealerText": "Skarabäus-Zauberstab",
@@ -526,7 +526,7 @@
"armorSpecialFall2015RogueText": "Geflügelte Kampfrüstung",
"armorSpecialFall2015RogueNotes": "Flieg in den Kampf! Erhöht Wahrnehmung um <%= per %>. Limitierte Ausgabe 2015 Herbstausrüstung.",
"armorSpecialFall2015WarriorText": "Vogelscheuchenrüstung",
"armorSpecialFall2015WarriorNotes": "Zwar nur mit Stroh ausgestopft, ist diese Rüstung doch extrem rüstig! Erhöht Ausdauer um <%= con %>. Limitierte Ausgabe 2015 Herbstausrüstung.",
"armorSpecialFall2015WarriorNotes": "Obwohl sie nur mit Stroh ausgestopft ist, ist diese Rüstung extrem rüstig! Erhöht Ausdauer um <%= con %>. Limitierte Ausgabe 2015 Herbstausrüstung.",
"armorSpecialFall2015MageText": "Genähte Roben",
"armorSpecialFall2015MageNotes": "Jede Masche dieser Rüstung schimmert mit Zauberei. Erhöht Intelligenz um <%= int %>. Limitierte Ausgabe 2015 Herbstausrüstung.",
"armorSpecialFall2015HealerText": "Roben des Tränkebrauers",
@@ -1873,7 +1873,7 @@
"weaponSpecialFall2019WarriorText": "Krallen-Kriegsgabel",
"weaponSpecialFall2019RogueNotes": "Ob Du ein Orchester dirigierst oder eine Arie singst, dieses Hilfsmittel hält Deine Hände frei für dramatische Gesten! Erhöht Stärke um <%= str %>. Limitierte Ausgabe 2019 Herbstausrüstung.",
"weaponSpecialFall2019RogueText": "Notenständer",
"headSpecialFall2019RogueNotes": "Hast Du diese Kopfbedeckung in einer Auktion vermeintlich verwünschter Kostümstücke oder auf dem Speicher eines exzentrischen Großelternteils gefunden? Welchen Ursprungs auch immer, ihr Alter und ihre Abnutzung tragen zu Deiner mystischen Aura bei. Erhöht Wahrnehmung um <%= per %>. Limitierte Ausgabe 2019 Herbstausrüstung.",
"headSpecialFall2019RogueNotes": "Hast Du diese Kopfbedeckung in einer Auktion vermeintlich verwünschter Kostümstücke oder auf dem Speicher eines extentrischen Großelternteils gefunden? Welchen Ursprungs auch immer, ihr Alter und ihre Abnutzung tragen zu Deiner mystischen Aura bei. Erhöht Wahrnehmung um <%= per %>. Limitierte Ausgabe 2019 Herbstausrüstung.",
"headSpecialFall2019RogueText": "Antiker Opernhut",
"armorMystery201909Notes": "Deine robuste Außenschale ist schützend, aber es ist angeraten nach Eichhörnchen Ausschau zu halten... Gewährt keinen Attributionsbonus. Abonnentengegenstand, September 2019.",
"armorMystery201909Text": "Affabler Eichelanzug",
@@ -2409,7 +2409,7 @@
"weaponSpecialFall2021MageNotes": "Wissen sucht Wissen. Geformt aus Erinnerungen und Sehnsüchten giert diese furchteinflößende Hand nach mehr. Erhöht Intelligenz um <%= int %> und Wahrnehmung um <%= per %>. Limitierte Ausgabe 2021 Herbstausrüstung.",
"weaponSpecialFall2021HealerText": "Beschwörungszauberstab",
"headArmoireHeraldsCapNotes": "Dieser Herolds-Hut kommt mit einer flotten Feder. Erhöht Intelligenz um <%= int %>. Verzauberter Schrank: Herolds Set (Gegenstand 2 von 4).",
"armorSpecialFall2021RogueNotes": "Es hat einen Totenkopf, eine Ledertunika und Metallnieten! Großartig! Allerdings bietet es kein luftdichtes Siegel gegen Pampe! Erhöht Wahrnehmung um <%= per %>. Limitierte Ausgabe 2021 Herbstausrüstung.",
"armorSpecialFall2021RogueNotes": "Es hat einen Totenkopf, eine Ledertunika und Metallnieten! Großartig! Allerdings bietet es kein luftdichtes Siegel gegen Pampe! Erhöht Wahrnehmung um <%= per %>. Limitierte Ausgabe 2021 Herbstausrüstung.",
"armorSpecialFall2021WarriorText": "Formaler Wollanzug",
"armorSpecialFall2021WarriorNotes": "Ein atemberaubender Anzug, perfekt für die Überquerung von Brücken in stockdunkler Nacht. Erhöht Ausdauer um <%= con %>. Limiterte Ausgabe 2021, Herbstausrüstung.",
"armorSpecialFall2021MageText": "Robe der abgrundtiefen Finsternis",
@@ -3074,7 +3074,7 @@
"headSpecialFall2024RogueText": "Schwarze Katzenmaske",
"headSpecialFall2024HealerText": "Space Invader-Maske",
"headSpecialWinter2025HealerNotes": "Es ist nicht nötig, sie zu entwirren, da sie bereits die Form eines Hutes haben. Erhöht Intelligenz um <%= int %>. Limitierte Ausgabe Winterausrüstung 2024-2025.",
"headSpecialWinter2025MageText": "Aurora Kopfschmuck",
"headSpecialWinter2025MageText": "Aurorahut",
"headSpecialWinter2025MageNotes": "Dieser Hut ist mehr als nur ein schicker Fascinator, er lässt dich wie das Polarlicht selbst aussehen. Erhöht Wahrnehmung um <%= per %>. Limitierte Ausgabe Winterausrüstung 2024-2025.",
"headSpecialSummer2024MageText": "Seeanemonen-Hut",
"headSpecialSummer2024HealerText": "Seeschneckenhaus",

View File

@@ -96,7 +96,7 @@
"optional": "Optional",
"needsTextPlaceholder": "Gib Deine Nachricht hier ein.",
"leaderOnlyChallenges": "Nur die Gruppenleitung kann Herausforderungen erstellen",
"sendGift": "Geschenk schicken",
"sendGift": "Ein Geschenk schicken",
"inviteFriends": "Lade Freunde ein",
"inviteByEmail": "Lade per E-Mail ein",
"inviteMembersHowTo": "Leute einladen: mit einer gültigen E-Mailadresse oder der 36-stelligen Nutzer ID. Wenn eine E-Mailadresse noch nicht registriert ist, laden wir diejenigen nach Habitica ein.",
@@ -422,9 +422,5 @@
"readyToUpgrade": "Bereit zum Aufrüsten?",
"interestedLearningMore": "Willst du mehr erfahren?",
"checkGroupPlanFAQ": "Schau in die <a href='/static/faq#what-is-group-plan'>Gruppenpläne FAQ</a> um herauszufinden, wie du deine gemeinsamen Aufgaben optimal nutzen kannst.",
"messageCopiedToClipboard": "Nachricht in Zwischenablage kopiert.",
"groupTeacher": "Nutzung in der Bildung",
"groupParentChildren": "Nutzung mit der Familie",
"groupManager": "Nutzung für die Arbeit",
"groupFriends": "Nutzung mit Freunden"
"messageCopiedToClipboard": "Nachricht in Zwischenablage kopiert."
}

View File

@@ -234,18 +234,18 @@
"fall2023BogCreatureHealerSet": "Sumpf Kreatur (Heiler)",
"anniversaryGryphatricePrice": "Besitze es heute für <strong>$9.99</strong> oder <strong>60 Edelsteine</strong>",
"wantToPayWithMoneyText": "Willst du mit Stripe, Paypal oder Amazon bezahlen?",
"jubilantSuccess": "Du hast das <strong>Jubelnde Greifatrix</strong> erfolgreich gekauft!",
"jubilantSuccess": "Du hast das <strong>Jubilierende Greifatrix</strong> erfolgreich gekauft!",
"takeMeToStable": "Bring mich zum Stall",
"ownJubilantGryphatrice": "<strong>Du besitzt das Jubelnde Greifatrix!</strong> Besuche den Stall, um es auszurüsten!",
"ownJubilantGryphatrice": "<strong>Du besitzt das Jubilierende Greifatrix!</strong> Besuche den Stall, um es auszurüsten!",
"celebrateAnniversary": "Feiere Habiticas 10. Geburtstag mit untenstehenden Geschenken und exklusiven Gegenständen!",
"celebrateBirthday": "Feiere Habiticas 10. Geburtstag mit Geschenken und exklusiven Gegenständen!",
"jubilantGryphatricePromo": "Animiertes Jubelndes Greifatrix Haustier",
"jubilantGryphatricePromo": "Animiertes Jubilierender Greifatrix Haustier",
"limitedEdition": "Limitierte Ausgabe",
"anniversaryGryphatriceText": "Das seltene Jubelnde Greifatrix schließt sich den Geburtstagsfeiern an! Verpass nicht deine Chance, dieses exklusive animierte Haustier zu besitzen.",
"anniversaryGryphatriceText": "Das seltene Jubilierende Greifatrix schließt sich den Geburtstagsfeiern an! Verpass nicht deine Chance, dieses exklusive animierte Haustier zu besitzen.",
"buyNowMoneyButton": "Kaufe Jetzt für $9.99",
"buyNowGemsButton": "Kaufe Jetzt für 60 Edelsteine",
"wantToPayWithGemsText": "Willst du mit Edelsteinen bezahlen?",
"anniversaryLimitations": "Dies ist eine zeitlich begrenzte Aktion, die am 30. Januar um 8:00 AM ET (13:00 UTC) startet und am 8. Februar um 11:59 PM ET (04:59 UTC) endet. Die limitierte Ausgabe des Jubelnden Greifatrix und zehn magische Schlüpfelixiere werden in diesem Zeitraum zum Kauf angeboten. Die anderen Geschenke, die im Gratis Abschnitt aufgeführt sind, werden automatisch an alle Accounts geliefert, die in den 30 Tagen vor dem Tag aktiv waren, an dem das Geschenk versendet wird. Accounts, die nach dem Versenden der Geschenke erstellt sind, werden die Geschenke nicht beanspruchen können.",
"anniversaryLimitations": "Dies ist eine zeitlich begrenzte Aktion, die am 30. Januar um 8:00 AM ET (13:00 UTC) startet und am 8. Februar um 11:59 PM ET (04:59 UTC) endet. Die Limitierte Ausgabe des Jubilierenden Greifatrix und zehn Magische Schlüpfelixiere werden in diesem Zeitraum zum Kauf angeboten. Die anderen Geschenke, die im Gratis Abschnitt aufgeführt sind, werden automatisch an alle Accounts geliefert, die in den 30 Tagen vor dem Tag aktiv waren, an dem das Geschenk versendet wird. Accounts, die nach dem Versenden der Geschenke erstellt sind, werden die Geschenke nicht beanspruchen können.",
"plentyOfPotionsText": "Wir bringen 10 der beliebtesten Magischen Schlüpfelixiere der Community zurück. Geh rüber zum Marktplatz, um deine Sammlung zu vervollständigen!",
"visitTheMarketButton": "Besuche den Marktplatz",
"fourForFree": "Vier gratis",

View File

@@ -271,7 +271,5 @@
"privacyOverview": "Heutzutage scheint jedes Unternehmen von deinen Daten profitieren zu wollen. Das kann es schwierig machen, die richtige App zur Verbesserung deiner Gewohnheiten zu finden. Habitica verwendet Cookies, die Daten nur zur Leistungsanalyse, zur Bearbeitung von Supportanfragen und zur Bereitstellung des bestmöglichen gamifizierten Erlebnisses speichern. Du kannst dies jederzeit in deinen Kontoeinstellungen ändern.",
"privacySettingsOverview": "Habitica verwendet Cookies zur Leistungsanalyse, Bearbeitung von Supportanfragen und Bereitstellung des bestmöglichen gamifizierten Erlebnisses. Hierfür benötigen wir die folgenden Berechtigungen. Du kannst dies jederzeit in deinen Kontoeinstellungen ändern.",
"performanceAnalytics": "Leistung und Analyse",
"usedForSupport": "Diese werden verwendet, um Benutzererfahrung, Leistung und Dienste unserer Websites und Apps zu verbessern. Diese Daten werden von unserem Support-Team für die Bearbeitung von Anfragen und Fehlermeldungen verwendet.",
"gpcWarning": "<a href='<%= url %>' target='_blank'>GPC</a> ist aktiv. Wenn du unten Tracking aktivierst, überschreibt es dies und sendet Daten an unsere Analytics Partner.",
"gpcPlusAnalytics": "<a href='<%= url %>' target='_blank'>GPC</a> ist aktiv. Du hast Tracking und dem Senden von Daten an unsere Analytics Partner zugestimmt."
"usedForSupport": "Diese werden verwendet, um Benutzererfahrung, Leistung und Dienste unserer Websites und Apps zu verbessern. Diese Daten werden von unserem Support-Team für die Bearbeitung von Anfragen und Fehlermeldungen verwendet."
}

View File

@@ -1051,18 +1051,6 @@
"backgroundCastleKeepWithBannersText": "Castle Hall with Banners",
"backgroundCastleKeepWithBannersNotes": "Sing tales of heroic deeds in a Castle Hall with Banners.",
"backgrounds122025": "SET 139: Released December 2025",
"backgroundNighttimeStreetWithShopsText": "Nighttime Street with Shops",
"backgroundNighttimeStreetWithShopsNotes": "Enjoy the warm glow of a Nighttime Street with Shops.",
"backgrounds012026": "SET 140: Released January 2026",
"backgroundWinterDesertWithSaguarosText": "Winter Desert with Saguaros",
"backgroundWinterDesertWithSaguarosNotes": "Breathe the crisp air of a Winter Desert with Saguaros.",
"backgrounds022026": "SET 141: Released February 2026",
"backgroundElegantPalaceText": "Elegant Palace",
"backgroundElegantPalaceNotes": "Admire the colorful halls of an Elegant Palace.",
"timeTravelBackgrounds": "Steampunk Backgrounds",
"backgroundAirshipText": "Airship",
"backgroundAirshipNotes": "Become a sky sailor on board your very own Airship.",

View File

@@ -1,195 +1,204 @@
{
"communityGuidelinesWarning": "Please keep in mind that your Display Name, profile photo, and blurb must comply with the <a href='https://habitica.com/static/community-guidelines' target='_blank'>Community Guidelines</a> (e.g. no profanity, no adult topics, no insults, etc). If you have any questions about whether or not something is appropriate, feel free to email <%= hrefBlankCommunityManagerEmail %>!",
"profile": "Profile",
"avatar": "Customize Avatar",
"editAvatar": "Customize Avatar",
"noDescription": "This Habitican hasn't added a description.",
"noPhoto": "This Habitican hasn't added a photo.",
"other": "Other",
"fullName": "Full Name",
"displayName": "Display name",
"changeDisplayName": "Change Display Name",
"newDisplayName": "New Display Name",
"displayBlurbPlaceholder": "Please introduce yourself",
"photoUrl": "Photo Url",
"imageUrl": "Image Url",
"inventory": "Inventory",
"social": "Social",
"lvl": "Lvl",
"buffed": "Buffed",
"bodyBody": "Body",
"size": "Size",
"locked": "locked",
"shirts": "Shirts",
"shirt": "Shirt",
"specialShirts": "Special Shirts",
"skin": "Skin",
"skins": "Skins",
"color": "Color",
"hair": "Hair",
"bangs": "Bangs",
"glasses": "Glasses",
"hairSet1": "Hairstyle Set 1",
"hairSet2": "Hairstyle Set 2",
"hairSet3": "Hairstyle Set 3",
"beard": "Beard",
"mustache": "Mustache",
"titleFacialHair": "Facial Hair",
"titleHaircolor": "Hair Colors",
"titleHairbase": "Hair Styles",
"flower": "Flower",
"accent": "Accent",
"headband": "Headband",
"wheelchair": "Wheelchair",
"extra": "Extra",
"rainbowSkins": "Rainbow Skins",
"pastelSkins": "Pastel Skins",
"spookySkins": "Spooky Skins",
"supernaturalSkins": "Supernatural Skins",
"splashySkins": "Splashy Skins",
"winterySkins": "Wintery Skins",
"rainbowColors": "Rainbow Colors",
"shimmerColors": "Shimmer Colors",
"hauntedColors": "Haunted Colors",
"winteryColors": "Wintery Colors",
"equipment": "Equipment",
"equipmentBonus": "Equipment",
"classEquipBonus": "Class Bonus",
"battleGear": "Battle Gear",
"gear": "Gear",
"autoEquipBattleGear": "Auto-equip new gear",
"costume": "Costume",
"useCostume": "Use Costume",
"costumePopoverText": "Select \"Use Costume\" to equip items to your avatar without affecting the Stats from your Battle Gear! This means that you can dress up your avatar in whatever outfit you like while still having your best Battle Gear equipped.",
"autoEquipPopoverText": "Select this option to automatically equip gear as soon as you purchase it.",
"costumeDisabled": "You have disabled your costume.",
"gearAchievement": "You have earned the \"Ultimate Gear\" Achievement for upgrading to the maximum gear set for a class! You have attained the following complete sets:",
"gearAchievementNotification": "You have earned the \"Ultimate Gear\" Achievement for upgrading to the maximum gear set for a class!",
"moreGearAchievements": "To attain more Ultimate Gear badges, change classes on <a href='/user/settings/site' target='_blank'>the Settings &gt; Site page</a> and buy your new class's gear!",
"armoireUnlocked": "For more equipment, check out the <strong>Enchanted Armoire!</strong> Click on the Enchanted Armoire Reward for a random chance at special Equipment! It may also give you random XP or food items.",
"ultimGearName": "Ultimate Gear - <%= ultClass %>",
"ultimGearText": "Has upgraded to the maximum weapon and armor set for the <%= ultClass %> class.",
"level": "Level",
"levelUp": "Level Up!",
"gainedLevel": "You gained a level!",
"leveledUp": "By accomplishing your real-life goals, you've grown to <strong>Level <%= level %>!</strong>",
"huzzah": "Huzzah!",
"mana": "Mana",
"hp": "HP",
"mp": "MP",
"xp": "XP",
"health": "Health",
"allocateStr": "Points allocated to Strength:",
"allocateStrPop": "Add a Point to Strength",
"allocateCon": "Points allocated to Constitution:",
"allocateConPop": "Add a Point to Constitution",
"allocatePer": "Points allocated to Perception:",
"allocatePerPop": "Add a Point to Perception",
"allocateInt": "Points allocated to Intelligence:",
"allocateIntPop": "Add a Point to Intelligence",
"noMoreAllocate": "Now that you've hit level 100, you won't gain any more Stat Points. You can continue leveling up, or start a new adventure at level 1 by using the <a href='/shops/market'>Orb of Rebirth</a>!",
"stats": "Stats",
"strength": "Strength",
"strText": "Strength increases the chance of random \"critical hits\" and the Gold, Experience, and drop chance boost from them. It also helps deal damage to boss monsters.",
"constitution": "Constitution",
"conText": "Constitution reduces the damage you take from negative Habits and missed Dailies.",
"perception": "Perception",
"perText": "Perception increases how much Gold you earn, and once you've unlocked the Market, increases the chance of finding items when scoring tasks.",
"intelligence": "Intelligence",
"intText": "Intelligence increases how much Experience you earn, and once you've unlocked Classes, determines your maximum Mana available for class abilities.",
"levelBonus": "Level Bonus",
"allocatedPoints": "Allocated Points",
"allocated": "Allocated",
"buffs": "Buffs",
"characterBuild": "Character Build",
"class": "Class",
"experience": "Experience",
"warrior": "Warrior",
"healer": "Healer",
"rogue": "Rogue",
"mage": "Mage",
"wizard": "Mage",
"mystery": "Mystery",
"changeClass": "Change Class, Refund Stat Points",
"lvl10ChangeClass": "To change class you must be at least level 10.",
"changeClassConfirmCost": "Are you sure you want to change your class for 3 Gems?",
"invalidClass": "Invalid class. Please specify 'warrior', 'rogue', 'wizard', or 'healer'.",
"levelPopover": "Each level earns you one Point to assign to a Stat of your choice. You can do so manually, or let the game decide for you using one of the Automatic Allocation options.",
"unallocated": "Unallocated Stat Points",
"autoAllocation": "Automatic Allocation",
"autoAllocationPop": "Places Points into Stats according to your preferences, when you level up.",
"evenAllocation": "Distribute Stat Points evenly",
"evenAllocationPop": "Assigns the same number of Points to each Stat.",
"classAllocation": "Distribute Points based on Class",
"classAllocationPop": "Assigns more Points to the Stats important to your Class.",
"taskAllocation": "Distribute Points based on task activity",
"taskAllocationPop": "Assigns Points based on the Strength, Intelligence, Constitution, and Perception categories associated with the tasks you complete.",
"distributePoints": "Distribute Unallocated Points",
"distributePointsPop": "Assigns all unallocated Stat Points according to the selected allocation scheme.",
"warriorText": "Warriors score more and better \"critical hits\", which randomly give bonus Gold, Experience, and drop chance for scoring a task. They also deal heavy damage to boss monsters. Play a Warrior if you find motivation from unpredictable jackpot-style rewards, or want to dish out the hurt in boss Quests!",
"wizardText": "Mages learn swiftly, gaining Experience and Levels faster than other classes. They also get a great deal of Mana for using special abilities. Play a Mage if you enjoy the tactical game aspects of Habitica, or if you are strongly motivated by leveling up and unlocking advanced features!",
"mageText": "Mages learn swiftly, gaining Experience and Levels faster than other classes. They also get a great deal of Mana for using special abilities. Play a Mage if you enjoy the tactical game aspects of Habitica, or if you are strongly motivated by leveling up and unlocking advanced features!",
"rogueText": "Rogues love to accumulate wealth, gaining more Gold than anyone else, and are adept at finding random items. Their iconic Stealth ability lets them duck the consequences of missed Dailies. Play a Rogue if you find strong motivation from Rewards and Achievements, striving for loot and badges!",
"healerText": "Healers stand impervious against harm, and extend that protection to others. Missed Dailies and bad Habits don't faze them much, and they have ways to recover Health from failure. Play a Healer if you enjoy assisting others in your Party, or if the idea of cheating Death through hard work inspires you!",
"optOutOfClasses": "Opt Out",
"chooseClass": "Choose your Class",
"chooseClassLearnMarkdown": "[Learn more about Habitica's class system](/static/faq#what-classes)",
"optOutOfClassesText": "Not ready to choose? There's no rush! If you opt out, you can read about each Class in <a href='/static/faq#what-classes' target='_blank'>our FAQ</a> and visit Settings to enable the Class System when you're ready.",
"selectClass": "Select <%= heroClass %>",
"select": "Select",
"stealth": "Stealth",
"stealthNewDay": "When a new day begins, you will avoid damage from this many missed Dailies.",
"streaksFrozen": "Streaks Frozen",
"streaksFrozenText": "Streaks on missed Dailies will not reset at the end of the day.",
"purchaseFor": "Purchase for <%= cost %> Gems?",
"purchaseForGold": "Purchase for <%= cost %> Gold?",
"purchaseForHourglasses": "Purchase for <%= cost %> Hourglasses?",
"purchasePetItemConfirm": "This purchase would exceed the number of items you need to hatch all possible <%= itemText %> pets. Are you sure?",
"notEnoughMana": "Not enough mana.",
"notEnoughGold": "Not enough gold.",
"invalidTarget": "You can't cast a skill on that.",
"youCast": "You cast <%= spell %>.",
"youCastTarget": "You cast <%= spell %> on <%= target %>.",
"youCastParty": "You cast <%= spell %> for the party.",
"chatCastSpellParty": "<%= username %> casts <%= spell %> for the party.",
"chatCastSpellUser": "<%= username %> casts <%= spell %> on <%= target %>.",
"chatCastSpellPartyTimes": "<%= username %> casts <%= spell %> for the party <%= times %> times.",
"chatCastSpellUserTimes": "<%= username %> casts <%= spell %> on <%= target %> <%= times %> times.",
"critBonus": "Critical Hit! Bonus: ",
"gainedGold": "You gained some Gold",
"gainedMana": "You gained some Mana",
"gainedHealth": "You gained some Health",
"gainedExperience": "You gained some Experience",
"lostGold": "You spent some Gold",
"lostMana": "You used some Mana",
"lostHealth": "You lost some Health",
"lostExperience": "You lost some Experience",
"equip": "Equip",
"unequip": "Unequip",
"animalSkins": "Animal Skins",
"str": "STR",
"con": "CON",
"per": "PER",
"int": "INT",
"notEnoughAttrPoints": "You don't have enough Stat Points.",
"classNotSelected": "You must select Class before you can assign Stat Points.",
"style": "Style",
"facialhair": "Facial",
"photo": "Photo",
"info": "Info",
"joined": "Joined",
"totalLogins": "Total Log Ins",
"latestCheckin": "Latest Log In",
"nextReward": "Next Log In Reward",
"editProfile": "Edit Profile",
"challengesWon": "Challenges Won",
"questsCompleted": "Quests Completed",
"headAccess": "Head Access.",
"backAccess": "Back Access.",
"bodyAccess": "Body Access.",
"mainHand": "Main-Hand",
"offHand": "Off-Hand",
"statPoints": "Stat Points",
"pts": "pts",
"customizations": "Customizations"
}
{
"communityGuidelinesWarning": "Please keep in mind that your Display Name, profile photo, and blurb must comply with the <a href='https://habitica.com/static/community-guidelines' target='_blank'>Community Guidelines</a> (e.g. no profanity, no adult topics, no insults, etc). If you have any questions about whether or not something is appropriate, feel free to email <%= hrefBlankCommunityManagerEmail %>!",
"profile": "Profile",
"avatar": "Customize Avatar",
"editAvatar": "Customize Avatar",
"noDescription": "This Habitican hasn't added a description.",
"noPhoto": "This Habitican hasn't added a photo.",
"other": "Other",
"fullName": "Full Name",
"displayName": "Display name",
"changeDisplayName": "Change Display Name",
"newDisplayName": "New Display Name",
"displayBlurbPlaceholder": "Please introduce yourself",
"photoUrl": "Photo Url",
"imageUrl": "Image Url",
"inventory": "Inventory",
"social": "Social",
"lvl": "Lvl",
"buffed": "Buffed",
"bodyBody": "Body",
"size": "Size",
"locked": "locked",
"shirts": "Shirts",
"shirt": "Shirt",
"specialShirts": "Special Shirts",
"skin": "Skin",
"skins": "Skins",
"color": "Color",
"hair": "Hair",
"bangs": "Bangs",
"glasses": "Glasses",
"hairSet1": "Hairstyle Set 1",
"hairSet2": "Hairstyle Set 2",
"hairSet3": "Hairstyle Set 3",
"beard": "Beard",
"mustache": "Mustache",
"titleFacialHair": "Facial Hair",
"titleHaircolor": "Hair Colors",
"titleHairbase": "Hair Styles",
"flower": "Flower",
"accent": "Accent",
"headband": "Headband",
"wheelchair": "Wheelchair",
"extra": "Extra",
"rainbowSkins": "Rainbow Skins",
"pastelSkins": "Pastel Skins",
"spookySkins": "Spooky Skins",
"supernaturalSkins": "Supernatural Skins",
"splashySkins": "Splashy Skins",
"winterySkins": "Wintery Skins",
"rainbowColors": "Rainbow Colors",
"shimmerColors": "Shimmer Colors",
"hauntedColors": "Haunted Colors",
"winteryColors": "Wintery Colors",
"equipment": "Equipment",
"equipmentBonus": "Equipment",
"classEquipBonus": "Class Bonus",
"battleGear": "Battle Gear",
"gear": "Gear",
"autoEquipBattleGear": "Auto-equip new gear",
"costume": "Costume",
"useCostume": "Use Costume",
"costumePopoverText": "Select \"Use Costume\" to equip items to your avatar without affecting the Stats from your Battle Gear! This means that you can dress up your avatar in whatever outfit you like while still having your best Battle Gear equipped.",
"autoEquipPopoverText": "Select this option to automatically equip gear as soon as you purchase it.",
"costumeDisabled": "You have disabled your costume.",
"gearAchievement": "You have earned the \"Ultimate Gear\" Achievement for upgrading to the maximum gear set for a class! You have attained the following complete sets:",
"gearAchievementNotification": "You have earned the \"Ultimate Gear\" Achievement for upgrading to the maximum gear set for a class!",
"moreGearAchievements": "To attain more Ultimate Gear badges, change classes on <a href='/user/settings/site' target='_blank'>the Settings &gt; Site page</a> and buy your new class's gear!",
"armoireUnlocked": "For more equipment, check out the <strong>Enchanted Armoire!</strong> Click on the Enchanted Armoire Reward for a random chance at special Equipment! It may also give you random XP or food items.",
"ultimGearName": "Ultimate Gear - <%= ultClass %>",
"ultimGearText": "Has upgraded to the maximum weapon and armor set for the <%= ultClass %> class.",
"level": "Level",
"levelUp": "Level Up!",
"gainedLevel": "You gained a level!",
"leveledUp": "By accomplishing your real-life goals, you've grown to <strong>Level <%= level %>!</strong>",
"huzzah": "Huzzah!",
"mana": "Mana",
"hp": "HP",
"mp": "MP",
"xp": "XP",
"health": "Health",
"allocateStr": "Points allocated to Strength:",
"allocateStrPop": "Add a Point to Strength",
"allocateCon": "Points allocated to Constitution:",
"allocateConPop": "Add a Point to Constitution",
"allocatePer": "Points allocated to Perception:",
"allocatePerPop": "Add a Point to Perception",
"allocateInt": "Points allocated to Intelligence:",
"allocateIntPop": "Add a Point to Intelligence",
"noMoreAllocate": "Now that you've hit level 100, you won't gain any more Stat Points. You can continue leveling up, or start a new adventure at level 1 by using the <a href='/shops/market'>Orb of Rebirth</a>.",
"stats": "Stats",
"strength": "Strength",
"strText": "Strength increases the chance of random \"critical hits\" and the Gold, Experience, and drop chance boost from them. It also helps deal damage to boss monsters.",
"strTaskText": "Increases critical hit chance and damage when scoring tasks. Also increases damage dealt to bosses.",
"constitution": "Constitution",
"conText": "Constitution reduces the damage you take from negative Habits and missed Dailies.",
"conTaskText": "Reduces damage taken from missed Dailies and negative Habits. Does not reduce damage from bosses.",
"perception": "Perception",
"perText": "Perception increases how much Gold you earn, and once you've unlocked the Market, increases the chance of finding items when scoring tasks.",
"perTaskText": "Increases item drop chance, daily item drop cap, task streak bonuses, and Gold earned when completing tasks.",
"intelligence": "Intelligence",
"intText": "Intelligence increases how much Experience you earn, and once you've unlocked Classes, determines your maximum Mana available for class abilities.",
"intTaskText": "Increases Exp earned from tasks. Also increases your mana cap and mana regeneration rate.",
"levelBonus": "Level Bonus",
"allocatedPoints": "Allocated Points",
"allocated": "Allocated",
"buffs": "Buffs",
"characterBuild": "Character Build",
"class": "Class",
"experience": "Experience",
"warrior": "Warrior",
"healer": "Healer",
"rogue": "Rogue",
"mage": "Mage",
"wizard": "Mage",
"mystery": "Mystery",
"changeClass": "Change Class, Refund Stat Points",
"lvl10ChangeClass": "To change class you must be at least level 10.",
"changeClassConfirmCost": "Are you sure you want to change your class for 3 Gems?",
"invalidClass": "Invalid class. Please specify 'warrior', 'rogue', 'wizard', or 'healer'.",
"levelPopover": "Each level earns you one Point to assign to a Stat of your choice. You can do so manually, or let the game decide for you using one of the Automatic Allocation options.",
"unallocated": "Unallocated Stat Points",
"autoAllocation": "Automatic Allocation",
"autoAllocate": "Auto Allocate",
"autoAllocationPop": "Places Points into Stats according to your preferences, when you level up.",
"evenAllocation": "Distribute Evenly",
"evenAllocationPop": "Assigns the same number of points to each attribute.",
"classAllocation": "Distribute based on Class",
"classAllocationPop": "Assigns more points to the attributes important to your Class.",
"taskAllocation": "Distribute Points based on task activity",
"taskAllocationPop": "Assigns Points based on the Strength, Intelligence, Constitution, and Perception categories associated with the tasks you complete.",
"distributePoints": "Distribute Unallocated Points",
"distributePointsPop": "Assigns all unallocated Stat Points according to the selected allocation scheme.",
"warriorText": "Warriors score more and better \"critical hits\", which randomly give bonus Gold, Experience, and drop chance for scoring a task. They also deal heavy damage to boss monsters. Play a Warrior if you find motivation from unpredictable jackpot-style rewards, or want to dish out the hurt in boss Quests!",
"wizardText": "Mages learn swiftly, gaining Experience and Levels faster than other classes. They also get a great deal of Mana for using special abilities. Play a Mage if you enjoy the tactical game aspects of Habitica, or if you are strongly motivated by leveling up and unlocking advanced features!",
"mageText": "Mages learn swiftly, gaining Experience and Levels faster than other classes. They also get a great deal of Mana for using special abilities. Play a Mage if you enjoy the tactical game aspects of Habitica, or if you are strongly motivated by leveling up and unlocking advanced features!",
"rogueText": "Rogues love to accumulate wealth, gaining more Gold than anyone else, and are adept at finding random items. Their iconic Stealth ability lets them duck the consequences of missed Dailies. Play a Rogue if you find strong motivation from Rewards and Achievements, striving for loot and badges!",
"healerText": "Healers stand impervious against harm, and extend that protection to others. Missed Dailies and bad Habits don't faze them much, and they have ways to recover Health from failure. Play a Healer if you enjoy assisting others in your Party, or if the idea of cheating Death through hard work inspires you!",
"optOutOfClasses": "Opt Out",
"chooseClass": "Choose your Class",
"chooseClassLearnMarkdown": "[Learn more about Habitica's class system](/static/faq#what-classes)",
"optOutOfClassesText": "Not ready to choose? There's no rush! If you opt out, you can read about each Class in <a href='/static/faq#what-classes' target='_blank'>our FAQ</a> and visit Settings to enable the Class System when you're ready.",
"selectClass": "Select <%= heroClass %>",
"select": "Select",
"stealth": "Stealth",
"stealthNewDay": "When a new day begins, you will avoid damage from this many missed Dailies.",
"streaksFrozen": "Streaks Frozen",
"streaksFrozenText": "Streaks on missed Dailies will not reset at the end of the day.",
"purchaseFor": "Purchase for <%= cost %> Gems?",
"purchaseForGold": "Purchase for <%= cost %> Gold?",
"purchaseForHourglasses": "Purchase for <%= cost %> Hourglasses?",
"purchasePetItemConfirm": "This purchase would exceed the number of items you need to hatch all possible <%= itemText %> pets. Are you sure?",
"notEnoughMana": "Not enough mana.",
"notEnoughGold": "Not enough gold.",
"invalidTarget": "You can't cast a skill on that.",
"youCast": "You cast <%= spell %>.",
"youCastTarget": "You cast <%= spell %> on <%= target %>.",
"youCastParty": "You cast <%= spell %> for the party.",
"chatCastSpellParty": "<%= username %> casts <%= spell %> for the party.",
"chatCastSpellUser": "<%= username %> casts <%= spell %> on <%= target %>.",
"chatCastSpellPartyTimes": "<%= username %> casts <%= spell %> for the party <%= times %> times.",
"chatCastSpellUserTimes": "<%= username %> casts <%= spell %> on <%= target %> <%= times %> times.",
"critBonus": "Critical Hit! Bonus: ",
"gainedGold": "You gained some Gold",
"gainedMana": "You gained some Mana",
"gainedHealth": "You gained some Health",
"gainedExperience": "You gained some Experience",
"lostGold": "You spent some Gold",
"lostMana": "You used some Mana",
"lostHealth": "You lost some Health",
"lostExperience": "You lost some Experience",
"equip": "Equip",
"unequip": "Unequip",
"animalSkins": "Animal Skins",
"str": "STR",
"con": "CON",
"per": "PER",
"int": "INT",
"notEnoughAttrPoints": "You don't have enough Stat Points.",
"classNotSelected": "You must select Class before you can assign Stat Points.",
"style": "Style",
"facialhair": "Facial",
"photo": "Photo",
"info": "Info",
"joined": "Joined",
"totalLogins": "Total Log Ins",
"latestCheckin": "Latest Log In",
"nextReward": "Next Log In Reward",
"editProfile": "Edit Profile",
"challengesWon": "Challenges Won",
"questsCompleted": "Quests Completed",
"headAccess": "Head Access.",
"backAccess": "Back Access.",
"bodyAccess": "Body Access.",
"mainHand": "Main-Hand",
"offHand": "Off-Hand",
"statPoints": "Stat Points",
"pointsAvailable": "Points Available",
"allocationMethod": "Allocation Method",
"statAllocationInfo": "Each level earns you one point to assign to a Stat of your choice. You can do so manually, or let the game decide for you using one of the Automatic Allocation options.",
"pts": "PTS",
"customizations": "Customizations",
"assignedStat": "Assigned Stat"
}

View File

@@ -3,7 +3,7 @@
"dontDespair": "Don't despair!",
"deathPenaltyDetails": "You lost a Level, your Gold, and a piece of Equipment, but you can get them all back with hard work! Good luck--you'll do great.",
"refillHealthTryAgain": "Refill Health & Try Again",
"dyingOftenTips": "Is this happening often? <a href='/static/faq#prevent-damage' target='_blank'>Here are some tips!</a>",
"dyingOftenTips": "Is this happening often? <a href='https://habitica.fandom.com/wiki/Death_Mechanics#Strategies_for_Staying_Alive' target='_blank'>Here are some tips!</a>",
"losingHealthWarning": "Careful - You're Losing Health!",
"losingHealthWarning2": "Don't let your Health drop to zero! If you do, you'll lose a level, your Gold, and a piece of equipment.",
"toRegainHealth": "To regain Health:",

View File

@@ -18,7 +18,7 @@
"webFaqAnswer29": "You can recover 15 HP by purchasing a Health Potion from your Rewards column for 25 Gold. Additionally, you will always recover full HP when you level up!",
"faqQuestion30": "What happens when I run out of HP?",
"webFaqAnswer30": "If your HP reaches zero, you'll lose one level, that level's stat point, all of your Gold, and a piece of equipment that can be repurchased. You can rebuild by completing tasks and leveling up again.",
"webFaqAnswer30": "If your HP reaches zero, youll lose one level, all of your Gold, and a piece of Equipment that can be repurchased.",
"faqQuestion31": "Why did I lose HP when interacting with a non-negative task?",
"webFaqAnswer31": "If you complete a task and lose HP when you shouldnt have, you encountered a delay while the server is syncing changes made on other platforms. For example, if you use Gold, Mana, or lose HP on the mobile app and then complete a task on the website, the server is simply confirming everything is in sync.",
@@ -135,9 +135,6 @@
"faqQuestion67": "What are the classes in Habitica?",
"webFaqAnswer67": "Classes are different roles that your character can play. Each class provides its own set of unique benefits and skills as you level up. These skills can complement the way you interact with your tasks or help you contribute to completing Quests in your Party.\n\nYour class also determines the Equipment that will be available to you for purchase in your Rewards, the Market, and the Seasonal Shop.\n\nHeres a rundown of each class to help you choose which one is best suited to your playstyle:\n#### **Warrior**\n* Warriors deal high damage to bosses and have a high chance of critical hits when completing tasks, rewarding you extra Experience and Gold.\n* Strength is their primary stat, raising the damage they do.\n* Constitution is their secondary stat, lowering the damage they take.\n* Warriors' skills buff their Party mates' Constitution and Strength.\n* Consider playing as a Warrior if you love to fight bosses but also want some protection if you miss tasks occasionally.\n#### **Healer**\n* Healers have high defense and can heal themselves as well as their Party mates.\n* Constitution is their primary stat, increasing their heals and lowering the damage they take.\n* Intelligence is their secondary stat, increasing their Mana and Experience.\n* Healers' skills make their tasks less red and buff their Party mates' Constitution.\n* Consider playing as a Healer if you miss tasks often and need the ability to heal yourself or your Party members. Healers also level up quickly.\n#### **Mage**\n* Mages level up quickly, gain lots of Mana, and damage bosses in Quests.\n* Intelligence is their primary stat, increasing their Mana and Experience.\n* Perception is their secondary stat, increasing their Gold and item drops.\n* Mages' skills freeze their task streaks, restore their Party mates' Mana, and buff their Intelligence.\n* Consider playing as a Mage if you are motivated by progressing quickly through levels and contributing damage to boss Quests.\n#### **Rogue**\n* Rogues get the most item drops and Gold from completing tasks, and have a high chance of critical hits, getting even more Experience and Gold.\n* Perception is their primary stat, increasing their Gold and item drops.\n* Strength is their secondary stat, raising the damage they do.\n* Rogues' skills help them dodge missed Dailies, pilfer Gold, and buff their Party mates Perception.\n* Consider playing as a Rogue if youre highly motivated by rewards.",
"faqQuestion68": "How do I prevent losing HP?",
"webFaqAnswer68": "If you find yourself losing HP often, try some of these tips:\n\n- Pause your Dailies. The \"Pause Damage\" button in Settings will prevent you from losing HP for missed Dailies.\n- Adjust the schedule of your Dailies. By setting them to never be due, you can still complete them for rewards without risking HP loss.\n- Try using class skills:\n\t- Rogues can cast Stealth to prevent damage from missed Dailies\n\t- Warriors can cast Brutal Smash to reduce a Daily's redness, lowering damage taken if missed\n\t- Healers can cast Searing Brightness to reduce Dailies' redness, lowering damage taken if missed",
"iosFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), use the Ask a Question form [LINK NEEDED]! We're happy to help.",
"androidFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), use the Ask a Question form [LINK NEEDED]! We're happy to help.",
"webFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), use the Ask a Question form [LINK NEEDED]! We're happy to help.",

View File

@@ -142,7 +142,7 @@
"invalidReqParams": "Invalid request parameters.",
"memberIdRequired": "\"member\" must be a valid UUID.",
"heroIdRequired": "\"heroId\" must be a valid UUID.",
"cannotFulfillReq": "This email address is already in use. You can try logging in or use a different email to register. If you need help, reach out to admin@habitica.com.",
"cannotFulfillReq": "Please enter a valid email address. Email admin@habitica.com if this error persists.",
"enterValidEmail": "Please enter a valid email address.",
"modelNotFound": "This model does not exist.",
"signUpWithSocial": "Continue with <%= social %>",

View File

@@ -155,13 +155,13 @@
"weaponSpecialSummerHealerNotes": "This wand, made of aquamarine and live coral, is very attractive to schools of fish. Increases Intelligence by <%= int %>. Limited Edition 2014 Summer Gear.",
"weaponSpecialFallRogueText": "Silver Stake",
"weaponSpecialFallRogueNotes": "Dispatches undead. Also grants a bonus against werewolves, because you can never be too careful. Increases Strength by <%= str %>. Limited Edition 2014 Fall Gear.",
"weaponSpecialFallRogueNotes": "Dispatches undead. Also grants a bonus against werewolves, because you can never be too careful. Increases Strength by <%= str %>. Limited Edition 2014 Autumn Gear.",
"weaponSpecialFallWarriorText": "Grabby Claw of Science",
"weaponSpecialFallWarriorNotes": "This grabby claw is at the very cutting edge of technology. Increases Strength by <%= str %>. Limited Edition 2014 Fall Gear.",
"weaponSpecialFallWarriorNotes": "This grabby claw is at the very cutting edge of technology. Increases Strength by <%= str %>. Limited Edition 2014 Autumn Gear.",
"weaponSpecialFallMageText": "Magic Broom",
"weaponSpecialFallMageNotes": "This enchanted broom flies faster than a dragon! Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2014 Fall Gear.",
"weaponSpecialFallMageNotes": "This enchanted broom flies faster than a dragon! Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2014 Autumn Gear.",
"weaponSpecialFallHealerText": "Scarab Wand",
"weaponSpecialFallHealerNotes": "The scarab on this wand protects and heals its wielder. Increases Intelligence by <%= int %>. Limited Edition 2014 Fall Gear.",
"weaponSpecialFallHealerNotes": "The scarab on this wand protects and heals its wielder. Increases Intelligence by <%= int %>. Limited Edition 2014 Autumn Gear.",
"weaponSpecialWinter2015RogueText": "Ice Spike",
"weaponSpecialWinter2015RogueNotes": "You truly, definitely, absolutely just picked these up off of the ground. Increases Strength by <%= str %>. Limited Edition 2014-2015 Winter Gear.",
@@ -191,13 +191,13 @@
"weaponSpecialSummer2015HealerNotes": "Cures seasickness and sea sickness! Increases Intelligence by <%= int %>. Limited Edition 2015 Summer Gear.",
"weaponSpecialFall2015RogueText": "Bat-tle Ax",
"weaponSpecialFall2015RogueNotes": "Fearsome To Do's cower before the flapping of this ax. Increases Strength by <%= str %>. Limited Edition 2015 Fall Gear.",
"weaponSpecialFall2015RogueNotes": "Fearsome To Do's cower before the flapping of this ax. Increases Strength by <%= str %>. Limited Edition 2015 Autumn Gear.",
"weaponSpecialFall2015WarriorText": "Wooden Plank",
"weaponSpecialFall2015WarriorNotes": "Great for elevating things in cornfields and/or smacking tasks. Increases Strength by <%= str %>. Limited Edition 2015 Fall Gear.",
"weaponSpecialFall2015WarriorNotes": "Great for elevating things in cornfields and/or smacking tasks. Increases Strength by <%= str %>. Limited Edition 2015 Autumn Gear.",
"weaponSpecialFall2015MageText": "Enchanted Thread",
"weaponSpecialFall2015MageNotes": "A powerful Stitch Witch can control this enchanted thread without even touching it! Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2015 Fall Gear.",
"weaponSpecialFall2015MageNotes": "A powerful Stitch Witch can control this enchanted thread without even touching it! Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2015 Autumn Gear.",
"weaponSpecialFall2015HealerText": "Swamp-Slime Potion",
"weaponSpecialFall2015HealerNotes": "Brewed to perfection! Now you just have to convince yourself to drink it. Increases Intelligence by <%= int %>. Limited Edition 2015 Fall Gear.",
"weaponSpecialFall2015HealerNotes": "Brewed to perfection! Now you just have to convince yourself to drink it. Increases Intelligence by <%= int %>. Limited Edition 2015 Autumn Gear.",
"weaponSpecialWinter2016RogueText": "Cocoa Mug",
"weaponSpecialWinter2016RogueNotes": "Warming drink, or boiling projectile? You decide... Increases Strength by <%= str %>. Limited Edition 2015-2016 Winter Gear.",
@@ -227,13 +227,13 @@
"weaponSpecialSummer2016HealerNotes": "One spike harms, the other heals. Increases Intelligence by <%= int %>. Limited Edition 2016 Summer Gear.",
"weaponSpecialFall2016RogueText": "Spiderbite Dagger",
"weaponSpecialFall2016RogueNotes": "Feel the sting of the spider's bite! Increases Strength by <%= str %>. Limited Edition 2016 Fall Gear.",
"weaponSpecialFall2016RogueNotes": "Feel the sting of the spider's bite! Increases Strength by <%= str %>. Limited Edition 2016 Autumn Gear.",
"weaponSpecialFall2016WarriorText": "Attacking Roots",
"weaponSpecialFall2016WarriorNotes": "Attack your tasks with these twisting roots! Increases Strength by <%= str %>. Limited Edition 2016 Fall Gear.",
"weaponSpecialFall2016WarriorNotes": "Attack your tasks with these twisting roots! Increases Strength by <%= str %>. Limited Edition 2016 Autumn Gear.",
"weaponSpecialFall2016MageText": "Ominous Orb",
"weaponSpecialFall2016MageNotes": "Don't ask this orb to tell your future... Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2016 Fall Gear.",
"weaponSpecialFall2016MageNotes": "Don't ask this orb to tell your future... Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2016 Autumn Gear.",
"weaponSpecialFall2016HealerText": "Venomous Serpent",
"weaponSpecialFall2016HealerNotes": "One bite harms, and another bite heals. Increases Intelligence by <%= int %>. Limited Edition 2016 Fall Gear.",
"weaponSpecialFall2016HealerNotes": "One bite harms, and another bite heals. Increases Intelligence by <%= int %>. Limited Edition 2016 Autumn Gear.",
"weaponSpecialWinter2017RogueText": "Ice Axe",
"weaponSpecialWinter2017RogueNotes": "This axe is great for attack, defense, and ice-climbing! Increases Strength by <%= str %>. Limited Edition 2016-2017 Winter Gear.",
@@ -263,20 +263,20 @@
"weaponSpecialSummer2017HealerNotes": "A single touch from this pearl-tipped wand soothes away all wounds. Increases Intelligence by <%= int %>. Limited Edition 2017 Summer Gear.",
"weaponSpecialFall2017RogueText": "Candied Apple Mace",
"weaponSpecialFall2017RogueNotes": "Defeat your foes with sweetness! Increases Strength by <%= str %>. Limited Edition 2017 Fall Gear.",
"weaponSpecialFall2017RogueNotes": "Defeat your foes with sweetness! Increases Strength by <%= str %>. Limited Edition 2017 Autumn Gear.",
"weaponSpecialFall2017WarriorText": "Candy Corn Lance",
"weaponSpecialFall2017WarriorNotes": "All your foes will cower before this tasty-looking lance, regardless of whether they're ghosts, monsters, or red To Do's. Increases Strength by <%= str %>. Limited Edition 2017 Fall Gear.",
"weaponSpecialFall2017WarriorNotes": "All your foes will cower before this tasty-looking lance, regardless of whether they're ghosts, monsters, or red To Do's. Increases Strength by <%= str %>. Limited Edition 2017 Autumn Gear.",
"weaponSpecialFall2017MageText": "Spooky Staff",
"weaponSpecialFall2017MageNotes": "The eyes of the glowing skull on this staff radiate magic and mystery. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2017 Fall Gear.",
"weaponSpecialFall2017MageNotes": "The eyes of the glowing skull on this staff radiate magic and mystery. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2017 Autumn Gear.",
"weaponSpecialFall2017HealerText": "Creepy Candelabra",
"weaponSpecialFall2017HealerNotes": "This light dispels fear and lets others know you're here to help. Increases Intelligence by <%= int %>. Limited Edition 2017 Fall Gear.",
"weaponSpecialFall2017HealerNotes": "This light dispels fear and lets others know you're here to help. Increases Intelligence by <%= int %>. Limited Edition 2017 Autumn Gear.",
"weaponSpecialWinter2018RogueText": "Peppermint Hook",
"weaponSpecialWinter2018RogueNotes": "Perfect for climbing walls or distracting your foes with sweet, sweet candy. Increases Strength by <%= str %>. Limited Edition 2017-2018 Winter Gear.",
"weaponSpecialWinter2018WarriorText": "Holiday Bow Hammer",
"weaponSpecialWinter2018WarriorNotes": "The sparkly appearance of this bright weapon will dazzle your enemies as you swing it! Increases Strength by <%= str %>. Limited Edition 2017-2018 Winter Gear.",
"weaponSpecialWinter2018MageText": "Holiday Confetti",
"weaponSpecialWinter2018MageNotes": "Magicand glitteris in the air! Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2017-2018 Winter Gear.",
"weaponSpecialWinter2018MageNotes": "Magic--and glitter--is in the air! Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2017-2018 Winter Gear.",
"weaponSpecialWinter2018HealerText": "Mistletoe Wand",
"weaponSpecialWinter2018HealerNotes": "This mistletoe ball is sure to enchant and delight passersby! Increases Intelligence by <%= int %>. Limited Edition 2017-2018 Winter Gear.",
@@ -299,13 +299,13 @@
"weaponSpecialSummer2018HealerNotes": "With a benevolent gesture, you command healing water to flow through your dominions in waves. Increases Intelligence by <%= int %>. Limited Edition 2018 Summer Gear.",
"weaponSpecialFall2018RogueText": "Vial of Clarity",
"weaponSpecialFall2018RogueNotes": "When you need to come back to your senses, when you need a little boost to make the right decision, take a deep breath and a sip. It'll be OK! Increases Strength by <%= str %>. Limited Edition 2018 Fall Gear.",
"weaponSpecialFall2018RogueNotes": "When you need to come back to your senses, when you need a little boost to make the right decision, take a deep breath and a sip. It'll be OK! Increases Strength by <%= str %>. Limited Edition 2018 Autumn Gear.",
"weaponSpecialFall2018WarriorText": "Whip of Minos",
"weaponSpecialFall2018WarriorNotes": "Not quite long enough to unwind behind you for keeping your bearings in a maze. Well, maybe a very small maze. Increases Strength by <%= str %>. Limited Edition 2018 Fall Gear.",
"weaponSpecialFall2018WarriorNotes": "Not quite long enough to unwind behind you for keeping your bearings in a maze. Well, maybe a very small maze. Increases Strength by <%= str %>. Limited Edition 2018 Autumn Gear.",
"weaponSpecialFall2018MageText": "Staff of Sweetness",
"weaponSpecialFall2018MageNotes": "This is no ordinary lollipop! The glowing orb of magic sugar atop this staff has the power to make good habits stick to you. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2018 Fall Gear.",
"weaponSpecialFall2018MageNotes": "This is no ordinary lollipop! The glowing orb of magic sugar atop this staff has the power to make good habits stick to you. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2018 Autumn Gear.",
"weaponSpecialFall2018HealerText": "Starving Staff",
"weaponSpecialFall2018HealerNotes": "Just keep this staff fed, and it will bestow Blessings. If you forget to feed it, keep your fingers out of reach. Increases Intelligence by <%= int %>. Limited Edition 2018 Fall Gear.",
"weaponSpecialFall2018HealerNotes": "Just keep this staff fed, and it will bestow Blessings. If you forget to feed it, keep your fingers out of reach. Increases Intelligence by <%= int %>. Limited Edition 2018 Autumn Gear.",
"weaponSpecialWinter2019RogueText": "Poinsettia Bouquet",
"weaponSpecialWinter2019RogueNotes": "Use this festive bouquet to further camouflage yourself, or generously gift it to brighten a friend's day! Increases Strength by <%= str %>. Limited Edition 2018-2019 Winter Gear.",
@@ -335,13 +335,13 @@
"weaponSpecialSummer2019HealerNotes": "The bubbles from this wand capture healing energy and ancient oceanic magic. Increases Intelligence by <%= int %>. Limited Edition 2019 Summer Gear.",
"weaponSpecialFall2019RogueText": "Music Stand",
"weaponSpecialFall2019RogueNotes": "Whether you're conducting the orchestra or singing an aria, this helpful device keeps your hands free for dramatic gestures! Increases Strength by <%= str %>. Limited Edition 2019 Fall Gear.",
"weaponSpecialFall2019RogueNotes": "Whether you're conducting the orchestra or singing an aria, this helpful device keeps your hands free for dramatic gestures! Increases Strength by <%= str %>. Limited Edition 2019 Autumn Gear.",
"weaponSpecialFall2019WarriorText": "Talon Trident",
"weaponSpecialFall2019WarriorNotes": "Prepare to rend your foes with the talons of a raven! Increases Strength by <%= str %>. Limited Edition 2019 Fall Gear.",
"weaponSpecialFall2019WarriorNotes": "Prepare to rend your foes with the talons of a raven! Increases Strength by <%= str %>. Limited Edition 2019 Autumn Gear.",
"weaponSpecialFall2019MageText": "One-Eyed Staff",
"weaponSpecialFall2019MageNotes": "Be it forging thunderbolts, raising fortifications, or simply striking terror into the hearts of mortals, this staff lends the power of giants to work wonders. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2019 Fall Gear.",
"weaponSpecialFall2019MageNotes": "Be it forging thunderbolts, raising fortifications, or simply striking terror into the hearts of mortals, this staff lends the power of giants to work wonders. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2019 Autumn Gear.",
"weaponSpecialFall2019HealerText": "Fearsome Phylactery",
"weaponSpecialFall2019HealerNotes": "This phylactery can call on the spirits of tasks long slain and use their healing power. Increases Intelligence by <%= int %>. Limited Edition 2019 Fall Gear.",
"weaponSpecialFall2019HealerNotes": "This phylactery can call on the spirits of tasks long slain and use their healing power. Increases Intelligence by <%= int %>. Limited Edition 2019 Autumn Gear.",
"weaponSpecialWinter2020RogueText": "Lantern Rod",
"weaponSpecialWinter2020RogueNotes": "Darkness is a Rogue's element. Who better, then, to light the way in the darkest time of year? Increases Strength by <%= str %>. Limited Edition 2019-2020 Winter Gear.",
@@ -371,13 +371,13 @@
"weaponSpecialSummer2020HealerNotes": "As the currents wear away sharp edges, so shall your magic soften your friends' pain. Increases Intelligence by <%= int %>. Limited Edition 2020 Summer Gear.",
"weaponSpecialFall2020RogueText": "Sharp Katar",
"weaponSpecialFall2020RogueNotes": "Pierce your foe with one sharp strike! Even the thickest armor will give way to your blade. Increases Strength by <%= str %>. Limited Edition 2020 Fall Gear.",
"weaponSpecialFall2020RogueNotes": "Pierce your foe with one sharp strike! Even the thickest armor will give way to your blade. Increases Strength by <%= str %>. Limited Edition 2020 Autumn Gear.",
"weaponSpecialFall2020WarriorText": "Spectre's Sword",
"weaponSpecialFall2020WarriorNotes": "This sword went into the afterlife with a powerful Warrior, and returns for you to wield! Increases Strength by <%= str %>. Limited Edition 2020 Fall Gear.",
"weaponSpecialFall2020WarriorNotes": "This sword went into the afterlife with a powerful Warrior, and returns for you to wield! Increases Strength by <%= str %>. Limited Edition 2020 Autumn Gear.",
"weaponSpecialFall2020MageText": "Three Visions",
"weaponSpecialFall2020MageNotes": "If aught should escape your mage sight, the brilliant crystals atop this staff shall illuminate what you overlooked. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2020 Fall Gear.",
"weaponSpecialFall2020MageNotes": "If aught should escape your mage sight, the brilliant crystals atop this staff shall illuminate what you overlooked. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2020 Autumn Gear.",
"weaponSpecialFall2020HealerText": "Cocoon Cane",
"weaponSpecialFall2020HealerNotes": "Now that your transformation is complete, this remnant of your life as a pupa now serves as the divining rod with which you measure destinies. Increases Intelligence by <%= int %>. Limited Edition 2020 Fall Gear.",
"weaponSpecialFall2020HealerNotes": "Now that your transformation is complete, this remnant of your life as a pupa now serves as the divining rod with which you measure destinies. Increases Intelligence by <%= int %>. Limited Edition 2020 Autumn Gear.",
"weaponSpecialWinter2021RogueText": "Holly Berry Flail",
"weaponSpecialWinter2021RogueNotes": "Both disguise and weapon, this holly flail will help you handle the toughest tasks. Increases Strength by <%= str %>. Limited Edition 2020-2021 Winter Gear.",
@@ -411,13 +411,13 @@
"weaponSpecialFall2021RogueText": "Dripping Goo",
"weaponSpecialFall2021RogueNotes": "What on Earth did you get into? When people say Rogues have sticky fingers, this is not what they mean! Increases Strength by <%= str %>. Limited Edition 2021 Fall Gear.",
"weaponSpecialFall2021RogueNotes": "What on Earth did you get into? When people say Rogues have sticky fingers, this is not what they mean! Increases Strength by <%= str %>. Limited Edition 2021 Autumn Gear.",
"weaponSpecialFall2021WarriorText": "Horse Rider's Axe",
"weaponSpecialFall2021WarriorNotes": "This stylized, single-bladed axe is ideal for chopping... pumpkins! Increases Strength by <%= str %>. Limited Edition 2021 Fall Gear.",
"weaponSpecialFall2021WarriorNotes": "This stylized, single-bladed axe is ideal for chopping... pumpkins! Increases Strength by <%= str %>. Limited Edition 2021 Autumn Gear.",
"weaponSpecialFall2021MageText": "Staff of Pure Thought",
"weaponSpecialFall2021MageNotes": "Knowledge seeks knowledge. Formed of memories and desires, this fearsome hand grasps for more. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2021 Fall Gear.",
"weaponSpecialFall2021MageNotes": "Knowledge seeks knowledge. Formed of memories and desires, this fearsome hand grasps for more. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2021 Autumn Gear.",
"weaponSpecialFall2021HealerText": "Summoning Wand",
"weaponSpecialFall2021HealerNotes": "Use this wand to summon healing flames and a ghostly creature to help you. Increases Intelligence by <%= int %>. Limited Edition 2021 Fall Gear.",
"weaponSpecialFall2021HealerNotes": "Use this wand to summon healing flames and a ghostly creature to help you. Increases Intelligence by <%= int %>. Limited Edition 2021 Autumn Gear.",
"weaponSpecialWinter2022RogueText": "Shooting Star Firework",
"weaponSpecialWinter2022RogueNotes": "Silver and gold are beloved of Rogues, right? These are totally on theme. Increases Strength by <%= str %>. Limited Edition 2021-2022 Winter Gear.",
@@ -569,15 +569,6 @@
"weaponSpecialFall2025MageText": "Masked Ghost Axe",
"weaponSpecialFall2025MageNotes": "A mighty weapon to cut a safe path through an autumn forest full of frights. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition Fall 2025 Gear.",
"weaponSpecialWinter2026WarriorText": "Rime Scythe",
"weaponSpecialWinter2026WarriorNotes": "Scythes help cut, reap, and cover large areas—all things you need when refining a task list. Increases Strength by <%= str %>. Limited Edition Winter 2025-2026 Gear.",
"weaponSpecialWinter2026RogueText": "Ski Pole",
"weaponSpecialWinter2026RogueNotes": "Ski poles help you maintain balance, stability, and timing—all things you need to be truly productive. Increases Strength by <%= str %>. Limited Edition Winter 2025-2026 Gear.",
"weaponSpecialWinter2026HealerText": "Polar Staff",
"weaponSpecialWinter2026HealerNotes": "Staffs help with support, stability, and direction—all things that help you truly conquer a task list. Increases Intelligence by <%= int %>. Limited Edition Winter 2025-2026 Gear.",
"weaponSpecialWinter2026MageText": "Candelabra Staff",
"weaponSpecialWinter2026MageNotes": "Candelabras help by holding multiple candles at a time—follow its lead the next time you need to multitask. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition Winter 2025-2026 Gear.",
"weaponMystery201411Text": "Pitchfork of Feasting",
"weaponMystery201411Notes": "Stab your enemies or dig in to your favorite foods - this versatile pitchfork does it all! Confers no benefit. November 2014 Subscriber Item.",
"weaponMystery201502Text": "Shimmery Winged Staff of Love and Also Truth",
@@ -622,10 +613,6 @@
"weaponMystery202508Notes": "This spinning blade will terrify any monster or red Daily that crosses your path! Confers no benefit. August 2025 Subscriber Item.",
"weaponMystery202511Text": "Frost Sword",
"weaponMystery202511Notes": "The icy glow of this sword will make quick work of even dark red tasks. Confers no benefit. November 2025 Subscriber Item.",
"weaponMystery202512Text": "Cookie Champion's Blade",
"weaponMystery202512Notes": "A shining sword cast from sugar, mint, and arcane enchantments. Confers no benefit. December 2025 Subscriber Item.",
"weaponMystery202601Text": "Winter's Aegis",
"weaponMystery202601Notes": "An icy bubble shield that grants magical protection from opposing elements. Confers no benefit. January 2026 Subscriber Item.",
"weaponMystery301404Text": "Steampunk Cane",
"weaponMystery301404Notes": "Excellent for taking a turn about town. March 3015 Subscriber Item. Confers no benefit.",
@@ -661,7 +648,7 @@
"weaponArmoireBasicLongbowText": "Basic Longbow",
"weaponArmoireBasicLongbowNotes": "A serviceable hand-me-down bow. Increases Strength by <%= str %>. Enchanted Armoire: Basic Archer Set (Item 1 of 3).",
"weaponArmoireHabiticanDiplomaText": "Habitican Diploma",
"weaponArmoireHabiticanDiplomaNotes": "A certificate of significant achievementwell done! Increases Intelligence by <%= int %>. Enchanted Armoire: Graduate Set (Item 1 of 3).",
"weaponArmoireHabiticanDiplomaNotes": "A certificate of significant achievement -- well done! Increases Intelligence by <%= int %>. Enchanted Armoire: Graduate Set (Item 1 of 3).",
"weaponArmoireSandySpadeText": "Sandy Spade",
"weaponArmoireSandySpadeNotes": "A tool for digging, as well as flicking sand into the eyes of enemy monsters. Increases Strength by <%= str %>. Enchanted Armoire: Seaside Set (Item 1 of 3).",
"weaponArmoireCannonText": "Cannon",
@@ -821,7 +808,7 @@
"weaponArmoireCleaningClothText": "Cleaning Cloth",
"weaponArmoireCleaningClothNotes": "Take this tidying tool on your adventures and always be able to polish a pretty plaque or wipe a wooden windowsill. Increases Strength and Constitution by <%= attrs %> each. Enchanted Armoire: Cleaning Supplies Set Two (Item 3 of 3)",
"weaponArmoireRidingBroomText": "Riding Broom",
"weaponArmoireRidingBroomNotes": "Run all your most magical errands on this fine broomor, just take it for a joyride around the neighborhood. Whee! Increases Strength by <%= str %> and Intelligence by <%= int %>. Enchanted Armoire: Spooky Sorcery Set (Item 1 of 3)",
"weaponArmoireRidingBroomNotes": "Run all your most magical errands on this fine broom--or, just take it for a joyride around the neighborhood. Whee! Increases Strength by <%= str %> and Intelligence by <%= int %>. Enchanted Armoire: Spooky Sorcery Set (Item 1 of 3)",
"weaponArmoireRollingPinText": "Rolling Pin",
"weaponArmoireRollingPinNotes": "Roll your dough as thin as you like in-between bonking bad habits when they pop up around you like a certain rodent-bopping game. Increases Strength by <%= str %>. Enchanted Armoire: Cooking Implements Set 2 (Item 2 of 2).",
"weaponArmoireScholarlyTextbooksText": "Scholarly Textbooks",
@@ -850,10 +837,6 @@
"weaponArmoireBeekeepersSmokerNotes": "Use this to calm your bees so you can retrieve some honey. The bees wont mind. Honestly, we could all use a few extra minutes of calm from time to time. Increases Intelligence by <%= int %>. Enchanted Armoire: Beekeeper Set (Item 3 of 4).",
"weaponArmoireBlacksmithsHammerText": "Blacksmith's Hammer",
"weaponArmoireBlacksmithsHammerNotes": "This hammer is for metalworking, but it is perfectly adept amidst hot red coals and hot red Daily tasks, as well. Increases Strength by <%= str %>. Enchanted Armoire: Blacksmith Set (Item 3 of 3).",
"weaponArmoireBambooFluteText": "Bamboo Flute",
"weaponArmoireBambooFluteNotes": "Hwhoooo! Hu-whooooo! Gather your party for a meditation session or self-care nap while relaxing to tunes played on this bamboo flute. Increases Constitution and Intelligence by <%= attrs %> each. Enchanted Armoire: Musical Instrument Set 2 (Item 2 of 3)",
"weaponArmoirePrettyPinkParasolText": "Pretty Pink Parasol",
"weaponArmoirePrettyPinkParasolNotes": "Pretty and practical is the preeminent permutation. And for a particularly impressive presentation, give this parasol a spin! Increases all stats by <%= attrs %> each. Enchanted Armoire: Pretty in Pink Set (Item 1 of 2)",
"armor": "armor",
"armorCapitalized": "Armor",
@@ -999,13 +982,13 @@
"armorSpecialSummerHealerNotes": "This garment of shimmering scales transforms its wearer into a real Seahealer! Increases Constitution by <%= con %>. Limited Edition 2014 Summer Gear.",
"armorSpecialFallRogueText": "Bloodred Robes",
"armorSpecialFallRogueNotes": "Vivid. Velvet. Vampiric. Increases Perception by <%= per %>. Limited Edition 2014 Fall Gear.",
"armorSpecialFallRogueNotes": "Vivid. Velvet. Vampiric. Increases Perception by <%= per %>. Limited Edition 2014 Autumn Gear.",
"armorSpecialFallWarriorText": "Lab-coat of Science",
"armorSpecialFallWarriorNotes": "Protects you from mysterious potion spills. Increases Constitution by <%= con %>. Limited Edition 2014 Fall Gear.",
"armorSpecialFallWarriorNotes": "Protects you from mysterious potion spills. Increases Constitution by <%= con %>. Limited Edition 2014 Autumn Gear.",
"armorSpecialFallMageText": "Witchy Wizard Robes",
"armorSpecialFallMageNotes": "This robe has plenty of pockets to hold extra helpings of eye of newt and tongue of frog. Increases Intelligence by <%= int %>. Limited Edition 2014 Fall Gear.",
"armorSpecialFallMageNotes": "This robe has plenty of pockets to hold extra helpings of eye of newt and tongue of frog. Increases Intelligence by <%= int %>. Limited Edition 2014 Autumn Gear.",
"armorSpecialFallHealerText": "Gauzy Gear",
"armorSpecialFallHealerNotes": "Charge into battle pre-bandaged! Increases Constitution by <%= con %>. Limited Edition 2014 Fall Gear.",
"armorSpecialFallHealerNotes": "Charge into battle pre-bandaged! Increases Constitution by <%= con %>. Limited Edition 2014 Autumn Gear.",
"armorSpecialWinter2015RogueText": "Icicle Drake Armor",
"armorSpecialWinter2015RogueNotes": "This armor is freezing cold, but it will definitely be worth it when you uncover the untold riches at the center of the Icicle Drake hives. Not that you are looking for any such untold riches, because you are truly, definitely, absolutely a genuine Icicle Drake, okay?! Stop asking questions! Increases Perception by <%= per %>. Limited Edition 2014-2015 Winter Gear.",
@@ -1035,13 +1018,13 @@
"armorSpecialSummer2015HealerNotes": "This armor lets everyone know that you are an honest merchant sailor who would never dream of behaving like a scalawag. Increases Constitution by <%= con %>. Limited Edition 2015 Summer Gear.",
"armorSpecialFall2015RogueText": "Bat-tle Armor",
"armorSpecialFall2015RogueNotes": "Fly into bat-tle! Increases Perception by <%= per %>. Limited Edition 2015 Fall Gear.",
"armorSpecialFall2015RogueNotes": "Fly into bat-tle! Increases Perception by <%= per %>. Limited Edition 2015 Autumn Gear.",
"armorSpecialFall2015WarriorText": "Scarecrow Armor",
"armorSpecialFall2015WarriorNotes": "Despite being stuffed with straw, this armor is extremely hefty! Increases Constitution by <%= con %>. Limited Edition 2015 Fall Gear.",
"armorSpecialFall2015WarriorNotes": "Despite being stuffed with straw, this armor is extremely hefty! Increases Constitution by <%= con %>. Limited Edition 2015 Autumn Gear.",
"armorSpecialFall2015MageText": "Stitched Robes",
"armorSpecialFall2015MageNotes": "Every stitch in this armor shimmers with enchantment. Increases Intelligence by <%= int %>. Limited Edition 2015 Fall Gear.",
"armorSpecialFall2015MageNotes": "Every stitch in this armor shimmers with enchantment. Increases Intelligence by <%= int %>. Limited Edition 2015 Autumn Gear.",
"armorSpecialFall2015HealerText": "Potioner Robes",
"armorSpecialFall2015HealerNotes": "What? Of course that was a potion of constitution. No, you are definitely not turning into a frog! Don't be ribbiticulous. Increases Constitution by <%= con %>. Limited Edition 2015 Fall Gear.",
"armorSpecialFall2015HealerNotes": "What? Of course that was a potion of constitution. No, you are definitely not turning into a frog! Don't be ribbiticulous. Increases Constitution by <%= con %>. Limited Edition 2015 Autumn Gear.",
"armorSpecialWinter2016RogueText": "Cocoa Armor",
"armorSpecialWinter2016RogueNotes": "This leather armor keeps you nice and toasty. Is it actually made from cocoa? You'll never tell. Increases Perception by <%= per %>. Limited Edition 2015-2016 Winter Gear.",
@@ -1071,13 +1054,13 @@
"armorSpecialSummer2016HealerNotes": "This spiky garment transforms its wearer into a real Seahorse Healer! Increases Constitution by <%= con %>. Limited Edition 2016 Summer Gear.",
"armorSpecialFall2016RogueText": "Black Widow Armor",
"armorSpecialFall2016RogueNotes": "The eyes on this armor are constantly blinking. Increases Perception by <%= per %>. Limited Edition 2016 Fall Gear.",
"armorSpecialFall2016RogueNotes": "The eyes on this armor are constantly blinking. Increases Perception by <%= per %>. Limited Edition 2016 Autumn Gear.",
"armorSpecialFall2016WarriorText": "Slime-Streaked Armor",
"armorSpecialFall2016WarriorNotes": "Mysteriously moist and mossy! Increases Constitution by <%= con %>. Limited Edition 2016 Fall Gear.",
"armorSpecialFall2016WarriorNotes": "Mysteriously moist and mossy! Increases Constitution by <%= con %>. Limited Edition 2016 Autumn Gear.",
"armorSpecialFall2016MageText": "Cloak of Wickedness",
"armorSpecialFall2016MageNotes": "When your cloak flaps, you hear the sound of cackling laughter. Increases Intelligence by <%= int %>. Limited Edition 2016 Fall Gear.",
"armorSpecialFall2016MageNotes": "When your cloak flaps, you hear the sound of cackling laughter. Increases Intelligence by <%= int %>. Limited Edition 2016 Autumn Gear.",
"armorSpecialFall2016HealerText": "Gorgon Robes",
"armorSpecialFall2016HealerNotes": "These robes are actually made of stone. How are they so comfortable? Increases Constitution by <%= con %>. Limited Edition 2016 Fall Gear.",
"armorSpecialFall2016HealerNotes": "These robes are actually made of stone. How are they so comfortable? Increases Constitution by <%= con %>. Limited Edition 2016 Autumn Gear.",
"armorSpecialWinter2017RogueText": "Frosty Armor",
"armorSpecialWinter2017RogueNotes": "This stealthy suit reflects light to dazzle unsuspecting tasks as you take your rewards from them! Increases Perception by <%= per %>. Limited Edition 2016-2017 Winter Gear.",
@@ -1107,13 +1090,13 @@
"armorSpecialSummer2017HealerNotes": "This garment of silvery scales transforms its wearer into a real Seahealer! Increases Constitution by <%= con %>. Limited Edition 2017 Summer Gear.",
"armorSpecialFall2017RogueText": "Pumpkin Patch Robes",
"armorSpecialFall2017RogueNotes": "Need to hide out? Crouch among the Jack o' Lanterns and these robes will conceal you! Increases Perception by <%= per %>. Limited Edition 2017 Fall Gear.",
"armorSpecialFall2017RogueNotes": "Need to hide out? Crouch among the Jack o' Lanterns and these robes will conceal you! Increases Perception by <%= per %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialFall2017WarriorText": "Strong and Sweet Armor",
"armorSpecialFall2017WarriorNotes": "This armor will protect you like a delicious candy shell. Increases Constitution by <%= con %>. Limited Edition 2017 Fall Gear.",
"armorSpecialFall2017WarriorNotes": "This armor will protect you like a delicious candy shell. Increases Constitution by <%= con %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialFall2017MageText": "Masquerade Robes",
"armorSpecialFall2017MageNotes": "What masquerade ensemble would be complete without dramatic and sweeping robes? Increases Intelligence by <%= int %>. Limited Edition 2017 Fall Gear.",
"armorSpecialFall2017MageNotes": "What masquerade ensemble would be complete without dramatic and sweeping robes? Increases Intelligence by <%= int %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialFall2017HealerText": "Haunted House Armor",
"armorSpecialFall2017HealerNotes": "Your heart is an open door. And your shoulders are roofing tiles! Increases Constitution by <%= con %>. Limited Edition 2017 Fall Gear.",
"armorSpecialFall2017HealerNotes": "Your heart is an open door. And your shoulders are roofing tiles! Increases Constitution by <%= con %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialWinter2018RogueText": "Reindeer Costume",
"armorSpecialWinter2018RogueNotes": "You look so cute and fuzzy, who could suspect you are after holiday loot? Increases Perception by <%= per %>. Limited Edition 2017-2018 Winter Gear.",
@@ -1143,13 +1126,13 @@
"armorSpecialSummer2018HealerNotes": "These cerulean vestments reveal that you have land-walking feet... well. Not even a monarch can be expected to be perfect. Increases Constitution by <%= con %>. Limited Edition 2018 Summer Gear.",
"armorSpecialFall2018RogueText": "Alter Ego Frock Coat",
"armorSpecialFall2018RogueNotes": "Style for the day. Comfort and protection for the night. Increases Perception by <%= per %>. Limited Edition 2018 Fall Gear.",
"armorSpecialFall2018RogueNotes": "Style for the day. Comfort and protection for the night. Increases Perception by <%= per %>. Limited Edition 2018 Autumn Gear.",
"armorSpecialFall2018WarriorText": "Minotaur Platemail",
"armorSpecialFall2018WarriorNotes": "Complete with hooves to drum a soothing cadence as you walk your meditative labyrinth. Increases Constitution by <%= con %>. Limited Edition 2018 Fall Gear.",
"armorSpecialFall2018WarriorNotes": "Complete with hooves to drum a soothing cadence as you walk your meditative labyrinth. Increases Constitution by <%= con %>. Limited Edition 2018 Autumn Gear.",
"armorSpecialFall2018MageText": "Candymancer's Robes",
"armorSpecialFall2018MageNotes": "The fabric of these robes has magic candy woven right in! However, we recommend you not attempt to eat them. Increases Intelligence by <%= int %>. Limited Edition 2018 Fall Gear.",
"armorSpecialFall2018MageNotes": "The fabric of these robes has magic candy woven right in! However, we recommend you not attempt to eat them. Increases Intelligence by <%= int %>. Limited Edition 2018 Autumn Gear.",
"armorSpecialFall2018HealerText": "Robes of Carnivory",
"armorSpecialFall2018HealerNotes": "It's made from plants, but that doesn't mean it's vegetarian. Bad habits are afraid to come within miles of these robes. Increases Constitution by <%= con %>. Limited Edition 2018 Fall Gear.",
"armorSpecialFall2018HealerNotes": "It's made from plants, but that doesn't mean it's vegetarian. Bad habits are afraid to come within miles of these robes. Increases Constitution by <%= con %>. Limited Edition 2018 Autumn Gear.",
"armorSpecialWinter2019RogueText": "Poinsettia Armor",
"armorSpecialWinter2019RogueNotes": "With holiday greenery all about, no one will notice an extra shrubbery! You can move through seasonal gatherings with ease and stealth. Increases Perception by <%= per %>. Limited Edition 2018-2019 Winter Gear.",
@@ -1179,13 +1162,13 @@
"armorSpecialSummer2019HealerNotes": "Glide sleekly through warm coastal waters with this elegant tail. Increases Constitution by <%= con %>. Limited Edition 2019 Summer Gear.",
"armorSpecialFall2019RogueText": "Caped Opera Coat",
"armorSpecialFall2019RogueNotes": "This outfit comes complete with white gloves, and is ideal for brooding in your private box above the stage or making startling entrances down grand staircases. Increases Perception by <%= per %>. Limited Edition 2019 Fall Gear.",
"armorSpecialFall2019RogueNotes": "This outfit comes complete with white gloves, and is ideal for brooding in your private box above the stage or making startling entrances down grand staircases. Increases Perception by <%= per %>. Limited Edition 2019 Autumn Gear.",
"armorSpecialFall2019WarriorText": "Wings of Night",
"armorSpecialFall2019WarriorNotes": "These feathered robes grant the power of flight, allowing you to soar over any battle. Increases Constitution by <%= con %>. Limited Edition 2019 Fall Gear.",
"armorSpecialFall2019WarriorNotes": "These feathered robes grant the power of flight, allowing you to soar over any battle. Increases Constitution by <%= con %>. Limited Edition 2019 Autumn Gear.",
"armorSpecialFall2019MageText": "Smock of Polyphemus",
"armorSpecialFall2019MageNotes": "Its namesake met a terrible fate. But you will not be so easily tricked! Garb yourself in this mantle of legend and nobody will surpass you. Increases Intelligence by <%= int %>. Limited Edition 2019 Fall Gear.",
"armorSpecialFall2019MageNotes": "Its namesake met a terrible fate. But you will not be so easily tricked! Garb yourself in this mantle of legend and nobody will surpass you. Increases Intelligence by <%= int %>. Limited Edition 2019 Autumn Gear.",
"armorSpecialFall2019HealerText": "Robes of Darkness",
"armorSpecialFall2019HealerNotes": "It's said these robes are made of pure night. Use the dark power wisely! Increases Constitution by <%= con %>. Limited Edition 2019 Fall Gear.",
"armorSpecialFall2019HealerNotes": "It's said these robes are made of pure night. Use the dark power wisely! Increases Constitution by <%= con %>. Limited Edition 2019 Autumn Gear.",
"armorSpecialWinter2020RogueText": "Poofy Parka",
"armorSpecialWinter2020RogueNotes": "While no doubt you can brave storms with the inner warmth of your drive and devotion, it doesn't hurt to dress for the weather. Increases Perception by <%= per %>. Limited Edition 2019-2020 Winter Gear.",
@@ -1206,7 +1189,7 @@
"armorSpecialSpring2020HealerNotes": "Wrap yourself in soft iris leaves and petals to fool enemies into underestimating your healing power. Increases Constitution by <%= con %>. Limited Edition 2020 Spring Gear.",
"armorSpecialSummer2020RogueText": "Crocodile Disguise",
"armorSpecialSummer2020RogueNotes": "A crocodile makes the perfect Rogue, waiting for the perfect moment to strike. Borrow their skillsand their explosive speed. Increases Perception by <%= per %>. Limited Edition 2020 Summer Gear.",
"armorSpecialSummer2020RogueNotes": "A crocodile makes the perfect Rogue, waiting for the perfect moment to strike. Borrow their skills--and their explosive speed. Increases Perception by <%= per %>. Limited Edition 2020 Summer Gear.",
"armorSpecialSummer2020WarriorText": "Rainbow Trout Tail",
"armorSpecialSummer2020WarriorNotes": "You'll be the bright fish in a dull stream, with these dazzling scales! Increases Constitution by <%= con %>. Limited Edition 2020 Summer Gear.",
"armorSpecialSummer2020MageText": "Oarfish Armor",
@@ -1215,13 +1198,13 @@
"armorSpecialSummer2020HealerNotes": "You are as patient as the ocean, as strong as the currents, as dependable as the tides. Increases Constitution by <%= con %>. Limited Edition 2020 Summer Gear.",
"armorSpecialFall2020RogueText": "Statuesque Armor",
"armorSpecialFall2020RogueNotes": "Take on the strength of stone with this armor, guaranteed to repel the fiercest attacks. Increases Perception by <%= per %>. Limited Edition 2020 Fall Gear.",
"armorSpecialFall2020RogueNotes": "Take on the strength of stone with this armor, guaranteed to repel the fiercest attacks. Increases Perception by <%= per %>. Limited Edition 2020 Autumn Gear.",
"armorSpecialFall2020WarriorText": "Revenant's Robes",
"armorSpecialFall2020WarriorNotes": "These robes once guarded a powerful Warrior from harm. They say the Warrior's spirit lingers in the cloth to guard a worthy successor. Increases Constitution by <%= con %>. Limited Edition 2020 Fall Gear.",
"armorSpecialFall2020WarriorNotes": "These robes once guarded a powerful Warrior from harm. They say the Warrior's spirit lingers in the cloth to guard a worthy successor. Increases Constitution by <%= con %>. Limited Edition 2020 Autumn Gear.",
"armorSpecialFall2020MageText": "Aloft Upon Enlightenment",
"armorSpecialFall2020MageNotes": "These wide-winged robes give the impression of hovering or flight, symbolizing the far-seeing perspective granted by vast knowledge. Increases Intelligence by <%= int %>. Limited Edition 2020 Fall Gear.",
"armorSpecialFall2020MageNotes": "These wide-winged robes give the impression of hovering or flight, symbolizing the far-seeing perspective granted by vast knowledge. Increases Intelligence by <%= int %>. Limited Edition 2020 Autumn Gear.",
"armorSpecialFall2020HealerText": "Hawkmoth Wings",
"armorSpecialFall2020HealerNotes": "Your splendor unfurls by night, and those who witness you in flight wonder at what this omen could mean. Increases Constitution by <%= con %>. Limited Edition 2020 Fall Gear.",
"armorSpecialFall2020HealerNotes": "Your splendor unfurls by night, and those who witness you in flight wonder at what this omen could mean. Increases Constitution by <%= con %>. Limited Edition 2020 Autumn Gear.",
"armorSpecialWinter2021RogueText": "Ivy-Green Garb",
"armorSpecialWinter2021RogueNotes": "Melt into the shadows of the evergreen wood! Increases Perception by <%= per %>. Limited Edition 2020-2021 Winter Gear.",
@@ -1251,13 +1234,13 @@
"armorSpecialSummer2021HealerNotes": "Your enemies might suspect you're a featherweight, but this armor will keep you safe while you help your Party. Increases Constitution by <%= con %>. Limited Edition 2021 Summer Gear.",
"armorSpecialFall2021RogueText": "Unfortunately Not Slimeproof Armor",
"armorSpecialFall2021RogueNotes": "It's got a skullcap, leather tunic, and metal rivets! It's great! But it does not provide a hermetic seal against goop! Increases Perception by <%= per %>. Limited Edition 2021 Fall Gear.",
"armorSpecialFall2021RogueNotes": "It's got a skullcap, leather tunic, and metal rivets! It's great! But it does not provide a hermetic seal against goop! Increases Perception by <%= per %>. Limited Edition 2021 Autumn Gear.",
"armorSpecialFall2021WarriorText": "Formal Wool Suit",
"armorSpecialFall2021WarriorNotes": "A stunning suit thats perfect to wear when crossing bridges in the dead of night. Increases Constitution by <%= con %>. Limited Edition 2021 Fall Gear.",
"armorSpecialFall2021WarriorNotes": "A stunning suit thats perfect to wear when crossing bridges in the dead of night. Increases Constitution by <%= con %>. Limited Edition 2021 Autumn Gear.",
"armorSpecialFall2021MageText": "Gown of the Darkness Beneath",
"armorSpecialFall2021MageNotes": "Collars with many pointy protrusions are the high fashion of low villains. Increases Intelligence by <%= int %>. Limited Edition 2021 Fall Gear.",
"armorSpecialFall2021MageNotes": "Collars with many pointy protrusions are the high fashion of low villains. Increases Intelligence by <%= int %>. Limited Edition 2021 Autumn Gear.",
"armorSpecialFall2021HealerText": "Summoner's Robes",
"armorSpecialFall2021HealerNotes": "Made of durable, flame-resistant fabric, these robes are perfect to wear when conjuring healing flames. Increases Constitution by <%= con %>. Limited Edition 2021 Fall Gear.",
"armorSpecialFall2021HealerNotes": "Made of durable, flame-resistant fabric, these robes are perfect to wear when conjuring healing flames. Increases Constitution by <%= con %>. Limited Edition 2021 Autumn Gear.",
"armorSpecialWinter2022RogueText": "Dazzling Explosion",
"armorSpecialWinter2022RogueNotes": "If they're seeing stars, they're not seeing you! Yes, let's go with that. Increases Perception by <%= per %>. Limited Edition 2021-2022 Winter Gear.",
@@ -1403,15 +1386,6 @@
"armorSpecialFall2025MageText": "Masked Ghost Armor",
"armorSpecialFall2025MageNotes": "This seasonal armor becomes noncorporeal only after you put it on. Increases Intelligence by <%= int %>. Limited Edition Fall 2025 Gear.",
"armorSpecialWinter2026WarriorText": "Rime Reaper Suit",
"armorSpecialWinter2026WarriorNotes": "Icicles will snap and slide with every step on your way to completing your Dailies. Increases Constitution by <%= con %>. Limited Edition Winter 2025-2026 Gear.",
"armorSpecialWinter2026RogueText": "Ski Suit and Skis",
"armorSpecialWinter2026RogueNotes": "Go speedily swishing down the slopes on your way to completing your Dailies. Increases Perception by <%= per %>. Limited Edition Winter 2025-2026 Gear.",
"armorSpecialWinter2026HealerText": "Polar Robe",
"armorSpecialWinter2026HealerNotes": "Like a natural light show, you will be stunning on your way to completing your Dailies. Increases Constitution by <%= con %>. Limited Edition Winter 2025-2026 Gear.",
"armorSpecialWinter2026MageText": "Midwinter Candle Robe",
"armorSpecialWinter2026MageNotes": "Glide smoothly along your path like wax on your way to completing your Dailies. Increases Intelligence by <%= int %>. Limited Edition Winter 2025-2026 Gear.",
"armorMystery201402Text": "Messenger Robes",
"armorMystery201402Notes": "Shimmering and strong, these robes have many pockets to carry letters. Confers no benefit. February 2014 Subscriber Item.",
"armorMystery201403Text": "Forest Walker Armor",
@@ -1548,8 +1522,6 @@
"armorMystery202504Notes": "Abominable? More like adorable! Confers no benefit. April 2025 Subscriber Item.",
"armorMystery202509Text": "Windswept Wanderer's Robe",
"armorMystery202509Notes": "Bright silks protect you from the weather, hot or cold. Confers no benefit. September 2025 Subscriber Item.",
"armorMystery202512Text": "Cookie Champion Armor",
"armorMystery202512Notes": "Ready for battle in this plate that is both sweet and strong. Confers no benefit. December 2025 Subscriber Item.",
"armorMystery301404Text": "Steampunk Suit",
"armorMystery301404Notes": "Dapper and dashing, wot! Confers no benefit. February 3015 Subscriber Item.",
@@ -1649,7 +1621,7 @@
"armorArmoireCoverallsOfBookbindingText": "Coveralls of Bookbinding",
"armorArmoireCoverallsOfBookbindingNotes": "Everything you need in a set of coveralls, including pockets for everything. A pair of goggles, loose change, a golden ring... Increases Constitution by <%= con %> and Perception by <%= per %>. Enchanted Armoire: Bookbinder Set (Item 2 of 4).",
"armorArmoireRobeOfSpadesText": "Robe of Spades",
"armorArmoireRobeOfSpadesNotes": "These luxuriant robes conceal hidden pockets for treasures or weaponsyour choice! Increases Strength by <%= str %>. Enchanted Armoire: Ace of Spades Set (Item 2 of 3).",
"armorArmoireRobeOfSpadesNotes": "These luxuriant robes conceal hidden pockets for treasures or weapons--your choice! Increases Strength by <%= str %>. Enchanted Armoire: Ace of Spades Set (Item 2 of 3).",
"armorArmoireSoftBlueSuitText": "Soft Blue Suit",
"armorArmoireSoftBlueSuitNotes": "Blue is a calming colour. So calming, some even wear this soft outfit to sleep... zZz. Increases Intelligence by <%= int %> and Perception by <%= per %>. Enchanted Armoire: Blue Loungewear Set (Item 2 of 3).",
"armorArmoireSoftGreenSuitText": "Soft Green Suit",
@@ -1711,7 +1683,7 @@
"armorArmoireMedievalLaundryDressText": "Laundry Dress",
"armorArmoireMedievalLaundryDressNotes": "Put on your apron and roll up your sleeves: it's time to get the laundry done! Increases Constitution by <%= con %>. Enchanted Armoire: Medieval Launderers Set (Item 2 of 6).",
"armorArmoireBathtubText": "Bathtub",
"armorArmoireBathtubNotes": "Time for a little R&R? Here's your own personal bathtuband a guarantee that the water is always the right temperature! Increases Constitution by <%= con %>. Enchanted Armoire: Bubble Bath Set (Item 2 of 4).",
"armorArmoireBathtubNotes": "Time for a little R&R? Here's your own personal bathtub -- and a guarantee that the water is always the right temperature! Increases Constitution by <%= con %>. Enchanted Armoire: Bubble Bath Set (Item 2 of 4).",
"armorArmoireBagpipersKiltText": "Bagpiper's Kilt",
"armorArmoireBagpipersKiltNotes": "A good sturdy kilt will serve you well. Increases Constitution by <%= con %>. Enchanted Armoire: Bagpiper Set (Item 2 of 3).",
"armorArmoireHeraldsTunicText": "Herald's Tunic",
@@ -1798,8 +1770,6 @@
"armorArmoireBlacksmithsApronNotes": "This apron doesnt feel as heavy as it looks once youve got it on. It will shield you from stray sparks while allowing you to maneuver freely. Increases Constitution by <%= con %>. Enchanted Armoire: Blacksmith Set (Item 2 of 3).",
"armorArmoireBlackPartyDressText": "Black Party Dress",
"armorArmoireBlackPartyDressNotes": "Youre strong, smart, hearty, and so fashionable! Increases Strength, Intelligence, and Constitution by <%= attrs %> each. Enchanted Armoire: Black Hairbow Set (Item 2 of 2).",
"armorArmoireLoneCowpokeOutfitText": "Lone Cowpoke Outfit",
"armorArmoireLoneCowpokeOutfitNotes": "Whoa, there! Want to make a statement when you ride into town as a mysterious stranger ready to be productive? Heres the perfect outfit, complete with chaps and a shining, silver belt buckle. Increases Constitution by <%= con %>. Enchanted Armoire: Lone Cowpoke Set (Item 2 of 2)",
"headgear": "helm",
"headgearCapitalized": "Headgear",
@@ -1868,7 +1838,7 @@
"headSpecialLunarWarriorHelmText": "Lunar Warrior Helm",
"headSpecialLunarWarriorHelmNotes": "The power of the moon will strengthen you in battle! Increases Strength and Intelligence by <%= attrs %> each.",
"headSpecialMammothRiderHelmText": "Mammoth Rider Helm",
"headSpecialMammothRiderHelmNotes": "Don't let its fluffiness fool youthis hat will grant you piercing powers of perception! Increases Perception by <%= per %>.",
"headSpecialMammothRiderHelmNotes": "Don't let its fluffiness fool you--this hat will grant you piercing powers of perception! Increases Perception by <%= per %>.",
"headSpecialPageHelmText": "Page Helm",
"headSpecialPageHelmNotes": "Chainmail: for the stylish AND the practical. Increases Perception by <%= per %>.",
"headSpecialRoguishRainbowMessengerHoodText": "Roguish Rainbow Messenger Hood",
@@ -1924,13 +1894,13 @@
"headSpecialSummerHealerNotes": "Enables its wearer to heal damaged reefs. Increases Intelligence by <%= int %>. Limited Edition 2014 Summer Gear.",
"headSpecialFallRogueText": "Bloodred Hood",
"headSpecialFallRogueNotes": "A Vampire Smiter's identity must always be hidden. Increases Perception by <%= per %>. Limited Edition 2014 Fall Gear.",
"headSpecialFallRogueNotes": "A Vampire Smiter's identity must always be hidden. Increases Perception by <%= per %>. Limited Edition 2014 Autumn Gear.",
"headSpecialFallWarriorText": "Monster Scalp of Science",
"headSpecialFallWarriorNotes": "Graft on this helm! It's only SLIGHTLY used. Increases Strength by <%= str %>. Limited Edition 2014 Fall Gear.",
"headSpecialFallWarriorNotes": "Graft on this helm! It's only SLIGHTLY used. Increases Strength by <%= str %>. Limited Edition 2014 Autumn Gear.",
"headSpecialFallMageText": "Pointy Hat",
"headSpecialFallMageNotes": "Magic is woven into every thread of this hat. Increases Perception by <%= per %>. Limited Edition 2014 Fall Gear.",
"headSpecialFallMageNotes": "Magic is woven into every thread of this hat. Increases Perception by <%= per %>. Limited Edition 2014 Autumn Gear.",
"headSpecialFallHealerText": "Head Bandages",
"headSpecialFallHealerNotes": "Highly sanitary and very fashionable. Increases Intelligence by <%= int %>. Limited Edition 2014 Fall Gear.",
"headSpecialFallHealerNotes": "Highly sanitary and very fashionable. Increases Intelligence by <%= int %>. Limited Edition 2014 Autumn Gear.",
"headSpecialNye2014Text": "Silly Party Hat",
"headSpecialNye2014Notes": "You've received a Silly Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@@ -1962,13 +1932,13 @@
"headSpecialSummer2015HealerNotes": "With your sailor's cap set firmly on your head, you can navigate even the stormiest seas! Increases Intelligence by <%= int %>. Limited Edition 2015 Summer Gear.",
"headSpecialFall2015RogueText": "Bat-tle Wings",
"headSpecialFall2015RogueNotes": "Echolocate your enemies with this powerful helm! Increases Perception by <%= per %>. Limited Edition 2015 Fall Gear.",
"headSpecialFall2015RogueNotes": "Echolocate your enemies with this powerful helm! Increases Perception by <%= per %>. Limited Edition 2015 Autumn Gear.",
"headSpecialFall2015WarriorText": "Scarecrow Hat",
"headSpecialFall2015WarriorNotes": "Everyone would want this hatif they only had a brain. Increases Strength by <%= str %>. Limited Edition 2015 Fall Gear.",
"headSpecialFall2015WarriorNotes": "Everyone would want this hat--if they only had a brain. Increases Strength by <%= str %>. Limited Edition 2015 Autumn Gear.",
"headSpecialFall2015MageText": "Stitched Hat",
"headSpecialFall2015MageNotes": "Every stitch in this hat augments its power. Increases Perception by <%= per %>. Limited Edition 2015 Fall Gear.",
"headSpecialFall2015MageNotes": "Every stitch in this hat augments its power. Increases Perception by <%= per %>. Limited Edition 2015 Autumn Gear.",
"headSpecialFall2015HealerText": "Hat of Frog",
"headSpecialFall2015HealerNotes": "This is an extremely serious hat that is worthy of only the most advanced potioners. Increases Intelligence by <%= int %>. Limited Edition 2015 Fall Gear.",
"headSpecialFall2015HealerNotes": "This is an extremely serious hat that is worthy of only the most advanced potioners. Increases Intelligence by <%= int %>. Limited Edition 2015 Autumn Gear.",
"headSpecialNye2015Text": "Ridiculous Party Hat",
"headSpecialNye2015Notes": "You've received a Ridiculous Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@@ -2000,13 +1970,13 @@
"headSpecialSummer2016HealerNotes": "This helm indicates that the wearer was trained by the magical healing seahorses of Dilatory. Increases Intelligence by <%= int %>. Limited Edition 2016 Summer Gear.",
"headSpecialFall2016RogueText": "Black Widow Helm",
"headSpecialFall2016RogueNotes": "The legs on this helm are constantly twitching. Increases Perception by <%= per %>. Limited Edition 2016 Fall Gear.",
"headSpecialFall2016RogueNotes": "The legs on this helm are constantly twitching. Increases Perception by <%= per %>. Limited Edition 2016 Autumn Gear.",
"headSpecialFall2016WarriorText": "Gnarled Bark Helm",
"headSpecialFall2016WarriorNotes": "This swamp-sogged helm is covered with bits of bog. Increases Strength by <%= str %>. Limited Edition 2016 Fall Gear.",
"headSpecialFall2016WarriorNotes": "This swamp-sogged helm is covered with bits of bog. Increases Strength by <%= str %>. Limited Edition 2016 Autumn Gear.",
"headSpecialFall2016MageText": "Hood of Wickedness",
"headSpecialFall2016MageNotes": "Conceal your plotting beneath this shadowy hood. Increases Perception by <%= per %>. Limited Edition 2016 Fall Gear.",
"headSpecialFall2016MageNotes": "Conceal your plotting beneath this shadowy hood. Increases Perception by <%= per %>. Limited Edition 2016 Autumn Gear.",
"headSpecialFall2016HealerText": "Medusa's Crown",
"headSpecialFall2016HealerNotes": "Woe to anyone who looks you in the eyes... Increases Intelligence by <%= int %>. Limited Edition 2016 Fall Gear.",
"headSpecialFall2016HealerNotes": "Woe to anyone who looks you in the eyes... Increases Intelligence by <%= int %>. Limited Edition 2016 Autumn Gear.",
"headSpecialNye2016Text": "Whimsical Party Hat",
"headSpecialNye2016Notes": "You've received a Whimsical Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@@ -2038,13 +2008,13 @@
"headSpecialSummer2017HealerNotes": "This helm is made up of friendly sea creatures who are temporarily resting on your head, giving you sage advice. Increases Intelligence by <%= int %>. Limited Edition 2017 Summer Gear.",
"headSpecialFall2017RogueText": "Jack-o-Lantern Helm",
"headSpecialFall2017RogueNotes": "Ready for treats? Time to don this festive, glowing helm! Increases Perception by <%= per %>. Limited Edition 2017 Fall Gear.",
"headSpecialFall2017RogueNotes": "Ready for treats? Time to don this festive, glowing helm! Increases Perception by <%= per %>. Limited Edition 2017 Autumn Gear.",
"headSpecialFall2017WarriorText": "Candy Corn Helm",
"headSpecialFall2017WarriorNotes": "This helm might look like a treat, but wayward tasks won't find it so sweet! Increases Strength by <%= str %>. Limited Edition 2017 Fall Gear.",
"headSpecialFall2017WarriorNotes": "This helm might look like a treat, but wayward tasks won't find it so sweet! Increases Strength by <%= str %>. Limited Edition 2017 Autumn Gear.",
"headSpecialFall2017MageText": "Masquerade Helm",
"headSpecialFall2017MageNotes": "When you appear in this feathery hat, everyone will be left guessing the identity of the magical stranger in the room! Increases Perception by <%= per %>. Limited Edition 2017 Fall Gear.",
"headSpecialFall2017MageNotes": "When you appear in this feathery hat, everyone will be left guessing the identity of the magical stranger in the room! Increases Perception by <%= per %>. Limited Edition 2017 Autumn Gear.",
"headSpecialFall2017HealerText": "Haunted House Helm",
"headSpecialFall2017HealerNotes": "Invite spooky spirits and friendly creatures to seek your healing powers in this helm! Increases Intelligence by <%= int %>. Limited Edition 2017 Fall Gear.",
"headSpecialFall2017HealerNotes": "Invite spooky spirits and friendly creatures to seek your healing powers in this helm! Increases Intelligence by <%= int %>. Limited Edition 2017 Autumn Gear.",
"headSpecialNye2017Text": "Fanciful Party Hat",
"headSpecialNye2017Notes": "You've received a Fanciful Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@@ -2076,13 +2046,13 @@
"headSpecialSummer2018HealerNotes": "Adorned with aquamarine, this finned diadem marks leadership of folk, fish, and those who are a bit of both! Increases Intelligence by <%= int %>. Limited Edition 2018 Summer Gear.",
"headSpecialFall2018RogueText": "Alter Ego Face",
"headSpecialFall2018RogueNotes": "Most of us hide away our inward struggles. This mask shows that we all experience tension between our good and bad impulses. Plus it comes with a sweet hat! Increases Perception by <%= per %>. Limited Edition 2018 Fall Gear.",
"headSpecialFall2018RogueNotes": "Most of us hide away our inward struggles. This mask shows that we all experience tension between our good and bad impulses. Plus it comes with a sweet hat! Increases Perception by <%= per %>. Limited Edition 2018 Autumn Gear.",
"headSpecialFall2018WarriorText": "Minotaur Visage",
"headSpecialFall2018WarriorNotes": "This fearsome mask shows you can really take your tasks by the horns! Increases Strength by <%= str %>. Limited Edition 2018 Fall Gear.",
"headSpecialFall2018WarriorNotes": "This fearsome mask shows you can really take your tasks by the horns! Increases Strength by <%= str %>. Limited Edition 2018 Autumn Gear.",
"headSpecialFall2018MageText": "Candymancer's Hat",
"headSpecialFall2018MageNotes": "This pointy hat is imbued with powerful spells of sweetness. Careful, if it gets wet it may become sticky! Increases Perception by <%= per %>. Limited Edition 2018 Fall Gear.",
"headSpecialFall2018MageNotes": "This pointy hat is imbued with powerful spells of sweetness. Careful, if it gets wet it may become sticky! Increases Perception by <%= per %>. Limited Edition 2018 Autumn Gear.",
"headSpecialFall2018HealerText": "Ravenous Helm",
"headSpecialFall2018HealerNotes": "This helm is fashioned from a carnivorous plant renowned for its ability to dispatch zombies and other inconveniences. Just watch out that it doesn't chew on your head. Increases Intelligence by <%= int %>. Limited Edition 2018 Fall Gear.",
"headSpecialFall2018HealerNotes": "This helm is fashioned from a carnivorous plant renowned for its ability to dispatch zombies and other inconveniences. Just watch out that it doesn't chew on your head. Increases Intelligence by <%= int %>. Limited Edition 2018 Autumn Gear.",
"headSpecialNye2018Text": "Outlandish Party Hat",
"headSpecialNye2018Notes": "You've received an Outlandish Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@@ -2114,13 +2084,13 @@
"headSpecialSummer2019HealerNotes": "The spiraling structure of this shell will help you hear any cry for help across the seven seas. Increases Intelligence by <%= int %>. Limited Edition 2019 Summer Gear.",
"headSpecialFall2019RogueText": "Antique Opera Hat",
"headSpecialFall2019RogueNotes": "Did you find this headpiece at an auction of possibly-cursed costume pieces, or in the attic of an eccentric grandparent? Whatever its origin, its age and wear add to your air of mystery. Increases Perception by <%= per %>. Limited Edition 2019 Fall Gear.",
"headSpecialFall2019RogueNotes": "Did you find this headpiece at an auction of possibly-cursed costume pieces, or in the attic of an eccentric grandparent? Whatever its origin, its age and wear add to your air of mystery. Increases Perception by <%= per %>. Limited Edition 2019 Autumn Gear.",
"headSpecialFall2019WarriorText": "Obsidian Skull Helmet",
"headSpecialFall2019WarriorNotes": "The dark eye-sockets of this skull helmet will daunt the bravest of your enemies. Increases Strength by <%= str %>. Limited Edition 2019 Fall Gear.",
"headSpecialFall2019WarriorNotes": "The dark eye-sockets of this skull helmet will daunt the bravest of your enemies. Increases Strength by <%= str %>. Limited Edition 2019 Autumn Gear.",
"headSpecialFall2019MageText": "Cyclops Mask",
"headSpecialFall2019MageNotes": "Its single baleful eye does inhibit depth perception, but that is a small price to pay for the way it hones your focus to a single, intense point. Increases Perception by <%= per %>. Limited Edition 2019 Fall Gear.",
"headSpecialFall2019MageNotes": "Its single baleful eye does inhibit depth perception, but that is a small price to pay for the way it hones your focus to a single, intense point. Increases Perception by <%= per %>. Limited Edition 2019 Autumn Gear.",
"headSpecialFall2019HealerText": "Dark Miter",
"headSpecialFall2019HealerNotes": "Don this dark miter to harness the powers of the fearsome Lich. Increases Intelligence by <%= int %>. Limited Edition 2019 Fall Gear.",
"headSpecialFall2019HealerNotes": "Don this dark miter to harness the powers of the fearsome Lich. Increases Intelligence by <%= int %>. Limited Edition 2019 Autumn Gear.",
"headSpecialNye2019Text": "Outrageous Party Hat",
"headSpecialNye2019Notes": "You've received an Outrageous Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@@ -2152,13 +2122,13 @@
"headSpecialSummer2020HealerNotes": "Stand tall, that beachcombers may keep their hands out of your hair. Increases Intelligence by <%= int %>. Limited Edition 2020 Summer Gear.",
"headSpecialFall2020RogueText": "Two-Headed Stone Mask",
"headSpecialFall2020RogueNotes": "Look twice, act once: this mask makes it easy. Increases Perception by <%= per %>. Limited Edition 2020 Fall Gear.",
"headSpecialFall2020RogueNotes": "Look twice, act once: this mask makes it easy. Increases Perception by <%= per %>. Limited Edition 2020 Autumn Gear.",
"headSpecialFall2020WarriorText": "Creepy Cowl",
"headSpecialFall2020WarriorNotes": "The Warrior who once wore this never flinched from the weightiest tasks! But others may flinch from you when you wear it... Increases Strength by <%= str %>. Limited Edition 2020 Fall Gear.",
"headSpecialFall2020WarriorNotes": "The Warrior who once wore this never flinched from the weightiest tasks! But others may flinch from you when you wear it... Increases Strength by <%= str %>. Limited Edition 2020 Autumn Gear.",
"headSpecialFall2020MageText": "Awakened Clarity",
"headSpecialFall2020MageNotes": "With this cap seated perfectly on your brow, your third eye opens, allowing you to focus on what is otherwise invisible: mana flows, restless spirits, and forgotten To-Dos. Increases Perception by <%= per %>. Limited Edition 2020 Fall Gear.",
"headSpecialFall2020MageNotes": "With this cap seated perfectly on your brow, your third eye opens, allowing you to focus on what is otherwise invisible: mana flows, restless spirits, and forgotten To-Dos. Increases Perception by <%= per %>. Limited Edition 2020 Autumn Gear.",
"headSpecialFall2020HealerText": "Death's Head Mask",
"headSpecialFall2020HealerNotes": "The dreadful pallor of this skull-like visage shines as a warning to all mortals: Time is fleeting! Attend to thy deadlines, before it is too late! Increases Intelligence by <%= int %>. Limited Edition 2020 Fall Gear.",
"headSpecialFall2020HealerNotes": "The dreadful pallor of this skull-like visage shines as a warning to all mortals: Time is fleeting! Attend to thy deadlines, before it is too late! Increases Intelligence by <%= int %>. Limited Edition 2020 Autumn Gear.",
"headSpecialWinter2021RogueText": "Ivy Mask",
"headSpecialWinter2021RogueNotes": "A rogue can go unseen in the woods with a mask like this. Increases Perception by <%= per %>. Limited Edition 2020-2021 Winter Gear.",
@@ -2197,13 +2167,13 @@
"headSpecialSummer2022HealerNotes": "Fish don't have ears, you say? Wait til you tell them the news. Increases Intelligence by <%= int %>. Limited Edition 2022 Summer Gear.",
"headSpecialFall2021RogueText": "You Have Been Engulfed",
"headSpecialFall2021RogueNotes": "Welp, you're stuck. Now you are doomed to roam dungeon corridors, collecting debris. DOOOOMED! Increases Perception by <%= per %>. Limited Edition 2021 Fall Gear.",
"headSpecialFall2021RogueNotes": "Welp, you're stuck. Now you are doomed to roam dungeon corridors, collecting debris. DOOOOMED! Increases Perception by <%= per %>. Limited Edition 2021 Autumn Gear.",
"headSpecialFall2021WarriorText": "Headless Cravat",
"headSpecialFall2021WarriorNotes": "Lose your head over this formal collar and tie that complete your suit. Increases Strength by <%= str %>. Limited Edition 2021 Fall Gear.",
"headSpecialFall2021WarriorNotes": "Lose your head over this formal collar and tie that complete your suit. Increases Strength by <%= str %>. Limited Edition 2021 Autumn Gear.",
"headSpecialFall2021MageText": "Brain Eater Mask",
"headSpecialFall2021MageNotes": "The tentacles surrounding the mouth grab prey and hold its delicious thoughts close for you to savor. Increases Perception by <%= per %>. Limited Edition 2021 Fall Gear.",
"headSpecialFall2021MageNotes": "The tentacles surrounding the mouth grab prey and hold its delicious thoughts close for you to savor. Increases Perception by <%= per %>. Limited Edition 2021 Autumn Gear.",
"headSpecialFall2021HealerText": "Summoner's Mask",
"headSpecialFall2021HealerNotes": "Your own magic turns your hair into shocking, bright flames when you don this mask. Increases Intelligence by <%= int %>. Limited Edition 2021 Fall Gear.",
"headSpecialFall2021HealerNotes": "Your own magic turns your hair into shocking, bright flames when you don this mask. Increases Intelligence by <%= int %>. Limited Edition 2021 Autumn Gear.",
"headSpecialWinter2022RogueText": "Thundering Finale",
"headSpecialWinter2022RogueNotes": "What? Huh? There's a Rogue where? I'm sorry, I can't hear anything over these fireworks! Increases Perception by <%= per %>. Limited Edition 2021-2022 Winter Gear.",
@@ -2313,7 +2283,7 @@
"headSpecialWinter2025RogueNotes": "There is definitely some magic in this hat, because it transforms you into a snow person. Just dont let the bunny get too close to your carrot nose. Increases Perception by <%= per %>. Limited Edition Winter 2024-2025 Gear.",
"headSpecialWinter2025HealerText": "Tangle of String Lights",
"headSpecialWinter2025HealerNotes": "Dont bother untangling these because they are already in the shape of a hat. Increases Intelligence by <%= int %>. Limited Edition Winter 2024-2025 Gear.",
"headSpecialWinter2025MageText": "Aurora Headdress",
"headSpecialWinter2025MageText": "Aurora Hat",
"headSpecialWinter2025MageNotes": "More than just a fancy fascinator, this hat makes you look like the aurora borealis itself. Increases Perception by <%= per %>. Limited Edition Winter 2024-2025 Gear.",
"headSpecialSpring2025WarriorText": "Sunshine Helmet",
@@ -2343,15 +2313,6 @@
"headSpecialFall2025MageText": "Masked Ghost Mask",
"headSpecialFall2025MageNotes": "Ethereal and glowy, this mask covers your head while you cover all your important tasks. Increases Perception by <%= per %>. Limited Edition Fall 2025 Gear.",
"headSpecialWinter2026WarriorText": "Rime Reaper Helmet",
"headSpecialWinter2026WarriorNotes": "Maintain focus and concentration as you set your sights on greater goals this season. Increases Strength by <%= str %>. Limited Edition 2025-2026 Winter Gear.",
"headSpecialWinter2026RogueText": "Ski Mask and Goggles",
"headSpecialWinter2026RogueNotes": "Maintain focus and vision as you set your sights on greater goals this season. Increases Perception by <%= per %>. Limited Edition 2025-2026 Winter Gear.",
"headSpecialWinter2026HealerText": "Polar Bear Mask",
"headSpecialWinter2026HealerNotes": "Maintain focus and clarity as you set your sights on greater goals this season. Increases Intelligence by <%= int %>. Limited Edition 2025-2026 Winter Gear.",
"headSpecialWinter2026MageText": "Midwinter Candle Hat",
"headSpecialWinter2026MageNotes": "Maintain focus and illumination as you set your sights on greater gooals this season. Increases Perception by <%= per %>. Limited Edition 2025-2026 Winter Gear.",
"headSpecialGaymerxText": "Rainbow Warrior Helm",
"headSpecialGaymerxNotes": "In celebration of the GaymerX Conference, this special helmet is decorated with a radiant, colorful rainbow pattern! GaymerX is a game convention celebrating LGTBQ and gaming and is open to everyone.",
@@ -2535,10 +2496,6 @@
"headMystery202504Notes": "Wear this mysterious visage to dwell undetected among the worlds most obscure cyptids. Confers no benefit. April 2025 Subscriber Item.",
"headMystery202507Text": "Spunky Skater Cap",
"headMystery202507Notes": "Backwards hats are still cool, right? Confers no benefit. July 2025 Subscriber Item.",
"headMystery202512Text": "Cookie Champion Helm",
"headMystery202512Notes": "Gingerbread forged with ancient magic will protect you as long as you can hold off your urge to try a bite! Confers no benefit. December 2025 Subscriber Item.",
"headMystery202602Text": "Sakura Fox Ears",
"headMystery202602Notes": " Your hearing will be sharpened by these ears such that you can hear the buds of blossoms growing on tree branches as spring approaches. Confers no benefit. February 2026 Subscriber Item.",
"headMystery301404Text": "Fancy Top Hat",
"headMystery301404Notes": "A fancy top hat for the finest of gentlefolk! January 3015 Subscriber Item. Confers no benefit.",
@@ -2767,8 +2724,6 @@
"headArmoireBlackHairbowNotes": "Become strong, smart, and hearty while wearing this beautiful Black Hairbow! Increases Strength, Intelligence, and Constitution by <%= attrs %> each. Enchanted Armoire: Black Hairbow Set (Item 1 of 2).",
"headArmoireBlacksmithsGogglesText": "Blacksmith's Goggles",
"headArmoireBlacksmithsGogglesNotes": "Shatter and heat-resistant ocular protection is yours when youre working in a forge. Increases Perception by <%= per %>. Enchanted Armoire: Blacksmith Set (Item 1 of 3).",
"headArmoireLoneCowpokeHatText": "Lone Cowpoke Hat",
"headArmoireLoneCowpokeHatNotes": "Howdy there, pardner! Dyou hate when youre out on the range, workin on tasks, and sun gets in your eyes? Well, good thing youve got a hat for that now. Increases Perception by <%= per %>. Enchanted Armoire: Lone Cowpoke Set (Item 1 of 2)",
"offhand": "off-hand item",
"offHandCapitalized": "Off-Hand Item",
@@ -2841,9 +2796,9 @@
"shieldSpecialSummerHealerNotes": "No one will dare to attack the coral reef when faced with this shiny shield! Increases Constitution by <%= con %>. Limited Edition 2014 Summer Gear.",
"shieldSpecialFallWarriorText": "Potent Potion of Science",
"shieldSpecialFallWarriorNotes": "Spills mysteriously on lab coats. Increases Constitution by <%= con %>. Limited Edition 2014 Fall Gear.",
"shieldSpecialFallWarriorNotes": "Spills mysteriously on lab coats. Increases Constitution by <%= con %>. Limited Edition 2014 Autumn Gear.",
"shieldSpecialFallHealerText": "Jeweled Shield",
"shieldSpecialFallHealerNotes": "This glittery shield was found in an ancient tomb. Increases Constitution by <%= con %>. Limited Edition 2014 Fall Gear.",
"shieldSpecialFallHealerNotes": "This glittery shield was found in an ancient tomb. Increases Constitution by <%= con %>. Limited Edition 2014 Autumn Gear.",
"shieldSpecialWinter2015WarriorText": "Gumdrop Shield",
"shieldSpecialWinter2015WarriorNotes": "This seemingly-sugary shield is actually made of nutritious, gelatinous vegetables. Increases Constitution by <%= con %>. Limited Edition 2014-2015 Winter Gear.",
@@ -2861,9 +2816,9 @@
"shieldSpecialSummer2015HealerNotes": "Use this shield to bash away bilge rats. Increases Constitution by <%= con %>. Limited Edition 2015 Summer Gear.",
"shieldSpecialFall2015WarriorText": "Birdseed Bag",
"shieldSpecialFall2015WarriorNotes": "It's true that you're supposed to be SCARING the crows, but there's nothing wrong with making friends! Increases Constitution by <%= con %>. Limited Edition 2015 Fall Gear.",
"shieldSpecialFall2015WarriorNotes": "It's true that you're supposed to be SCARING the crows, but there's nothing wrong with making friends! Increases Constitution by <%= con %>. Limited Edition 2015 Autumn Gear.",
"shieldSpecialFall2015HealerText": "Stirring Stick",
"shieldSpecialFall2015HealerNotes": "This stick can stir anything without melting, dissolving, or bursting into flame! It can also be used to fiercely poke enemy tasks. Increases Constitution by <%= con %>. Limited Edition 2015 Fall Gear.",
"shieldSpecialFall2015HealerNotes": "This stick can stir anything without melting, dissolving, or bursting into flame! It can also be used to fiercely poke enemy tasks. Increases Constitution by <%= con %>. Limited Edition 2015 Autumn Gear.",
"shieldSpecialWinter2016WarriorText": "Sled Shield",
"shieldSpecialWinter2016WarriorNotes": "Use this sled to block attacks, or ride it triumphantly into battle! Increases Constitution by <%= con %>. Limited Edition 2015-2016 Winter Gear.",
@@ -2881,9 +2836,9 @@
"shieldSpecialSummer2016HealerNotes": "Sometimes mistakenly called a Starfish Shield. Increases Constitution by <%= con %>. Limited Edition 2016 Summer Gear.",
"shieldSpecialFall2016WarriorText": "Defensive Roots",
"shieldSpecialFall2016WarriorNotes": "Defend against Dailies with these writhing roots! Increases Constitution by <%= con %>. Limited Edition 2016 Fall Gear.",
"shieldSpecialFall2016WarriorNotes": "Defend against Dailies with these writhing roots! Increases Constitution by <%= con %>. Limited Edition 2016 Autumn Gear.",
"shieldSpecialFall2016HealerText": "Gorgon Shield",
"shieldSpecialFall2016HealerNotes": "Don't admire your own reflection in this. Increases Constitution by <%= con %>. Limited Edition 2016 Fall Gear.",
"shieldSpecialFall2016HealerNotes": "Don't admire your own reflection in this. Increases Constitution by <%= con %>. Limited Edition 2016 Autumn Gear.",
"shieldSpecialWinter2017WarriorText": "Puck Shield",
"shieldSpecialWinter2017WarriorNotes": "Made from a giant hockey puck, this shield can stand up to quite a beating. Increases Constitution by <%= con %>. Limited Edition 2016-2017 Winter Gear.",
@@ -2901,9 +2856,9 @@
"shieldSpecialSummer2017HealerNotes": "This magical oyster constantly generates pearls as well as protection. Increases Constitution by <%= con %>. Limited Edition 2017 Summer Gear.",
"shieldSpecialFall2017WarriorText": "Candy Corn Shield",
"shieldSpecialFall2017WarriorNotes": "This candy shield has mighty protective powers, so try not to nibble on it! Increases Constitution by <%= con %>. Limited Edition 2017 Fall Gear.",
"shieldSpecialFall2017WarriorNotes": "This candy shield has mighty protective powers, so try not to nibble on it! Increases Constitution by <%= con %>. Limited Edition 2017 Autumn Gear.",
"shieldSpecialFall2017HealerText": "Haunted Orb",
"shieldSpecialFall2017HealerNotes": "This orb occasionally screeches. We're sorry, we're not sure why. But it sure looks nifty! Increases Constitution by <%= con %>. Limited Edition 2017 Fall Gear.",
"shieldSpecialFall2017HealerNotes": "This orb occasionally screeches. We're sorry, we're not sure why. But it sure looks nifty! Increases Constitution by <%= con %>. Limited Edition 2017 Autumn Gear.",
"shieldSpecialWinter2018WarriorText": "Magic Gift Bag",
"shieldSpecialWinter2018WarriorNotes": "Just about any useful thing you need can be found in this sack, if you know the right magic words to whisper. Increases Constitution by <%= con %>. Limited Edition 2017-2018 Winter Gear.",
@@ -2921,11 +2876,11 @@
"shieldSpecialSummer2018HealerNotes": "This shield can produce a dome of air for the benefit of land-dwelling visitors to your watery realm. Increases Constitution by <%= con %>. Limited Edition 2018 Summer Gear.",
"shieldSpecialFall2018RogueText": "Vial of Temptation",
"shieldSpecialFall2018RogueNotes": "This bottle represents all the distractions and troubles that keep you from being your best self. Resist! We're cheering for you! Increases Strength by <%= str %>. Limited Edition 2018 Fall Gear.",
"shieldSpecialFall2018RogueNotes": "This bottle represents all the distractions and troubles that keep you from being your best self. Resist! We're cheering for you! Increases Strength by <%= str %>. Limited Edition 2018 Autumn Gear.",
"shieldSpecialFall2018WarriorText": "Brilliant Shield",
"shieldSpecialFall2018WarriorNotes": "Super shiny to dissuade any troublesome Gorgons from playing peek-a-boo around the corners! Increases Constitution by <%= con %>. Limited Edition 2018 Fall Gear.",
"shieldSpecialFall2018WarriorNotes": "Super shiny to dissuade any troublesome Gorgons from playing peek-a-boo around the corners! Increases Constitution by <%= con %>. Limited Edition 2018 Autumn Gear.",
"shieldSpecialFall2018HealerText": "Hungry Shield",
"shieldSpecialFall2018HealerNotes": "With its wide-open maw, this shield will absorb all your enemies' blows. Increases Constitution by <%= con %>. Limited Edition 2018 Fall Gear.",
"shieldSpecialFall2018HealerNotes": "With its wide-open maw, this shield will absorb all your enemies' blows. Increases Constitution by <%= con %>. Limited Edition 2018 Autumn Gear.",
"shieldSpecialWinter2019WarriorText": "Frozen Shield",
"shieldSpecialWinter2019WarriorNotes": "This shield was fashioned using the thickest sheets of ice from the oldest glacier in the Stoïkalm Steppes. Increases Constitution by <%= con %>. Limited Edition 2018-2019 Winter Gear.",
@@ -2945,9 +2900,9 @@
"shieldSpecialSummer2019MageNotes": "Sweating in the summer sun? No! Performing a simple elemental conjuration to fill the lily pond. Increases Perception by <%= per %>. Limited Edition 2019 Summer Gear.",
"shieldSpecialFall2019WarriorText": "Raven-Dark Shield",
"shieldSpecialFall2019WarriorNotes": "The dark sheen of a raven's feather made solid, this shield will frustrate all attacks. Increases Constitution by <%= con %>. Limited Edition 2019 Fall Gear.",
"shieldSpecialFall2019WarriorNotes": "The dark sheen of a raven's feather made solid, this shield will frustrate all attacks. Increases Constitution by <%= con %>. Limited Edition 2019 Autumn Gear.",
"shieldSpecialFall2019HealerText": "Grotesque Grimoire",
"shieldSpecialFall2019HealerNotes": "Harness the dark side of the Healer's arts with this Grimoire! Increases Constitution by <%= con %>. Limited Edition 2019 Fall Gear.",
"shieldSpecialFall2019HealerNotes": "Harness the dark side of the Healer's arts with this Grimoire! Increases Constitution by <%= con %>. Limited Edition 2019 Autumn Gear.",
"shieldSpecialWinter2020WarriorText": "Round Conifer Cone",
"shieldSpecialWinter2020WarriorNotes": "Use it as a shield until the seeds drop, and then you can put it on a wreath! Increases Constitution by <%= con %>. Limited Edition 2019-2020 Winter Gear.",
@@ -2965,11 +2920,11 @@
"shieldSpecialSummer2020HealerNotes": "As the motion of sand and water turns trash to treasure, so shall your magic turn wounds to strength. Increases Constitution by <%= con %>. Limited Edition 2020 Summer Gear.",
"shieldSpecialFall2020RogueText": "Swift Katar",
"shieldSpecialFall2020RogueNotes": "Wielding a katar, you'd better be quick on your feet... This blade will serve you well if you strike fast, but don't over-commit! Increases Strength by <%= str %>. Limited Edition 2020 Fall Gear.",
"shieldSpecialFall2020RogueNotes": "Wielding a katar, you'd better be quick on your feet... This blade will serve you well if you strike fast, but don't over-commit! Increases Strength by <%= str %>. Limited Edition 2020 Autumn Gear.",
"shieldSpecialFall2020WarriorText": "Spirit's Shield",
"shieldSpecialFall2020WarriorNotes": "It may look insubstantial, but this spectral shield can keep you safe from all kinds of harm. Increases Constitution by <%= con %>. Limited Edition 2020 Fall Gear.",
"shieldSpecialFall2020WarriorNotes": "It may look insubstantial, but this spectral shield can keep you safe from all kinds of harm. Increases Constitution by <%= con %>. Limited Edition 2020 Autumn Gear.",
"shieldSpecialFall2020HealerText": "Cocoon Carryall",
"shieldSpecialFall2020HealerNotes": "Is it another moth you carry, still undergoing metamorphosis? Or simply a silken handbag, containing your tools of healing and prophecy? Increases Constitution by <%= con %>. Limited Edition 2020 Fall Gear.",
"shieldSpecialFall2020HealerNotes": "Is it another moth you carry, still undergoing metamorphosis? Or simply a silken handbag, containing your tools of healing and prophecy? Increases Constitution by <%= con %>. Limited Edition 2020 Autumn Gear.",
"shieldSpecialWinter2021WarriorText": "Big Fish",
"shieldSpecialWinter2021WarriorNotes": "Tell all your friends about the REALLY big fish you've caught! But whether you tell them he's made of plastic and sings songs is up to you. Increases Constitution by <%= con %>. Limited Edition 2020-2021 Winter Gear.",
@@ -2987,9 +2942,9 @@
"shieldSpecialSummer2021HealerNotes": "So much potential in this shield! But for now you can use it to protect your friends. Increases Constitution by <%= con %>. Limited Edition 2021 Summer Gear.",
"shieldSpecialFall2021WarriorText": "Jack-o-Lantern Shield",
"shieldSpecialFall2021WarriorNotes": "This festive shield with its crooked smile will both protect you and light your way on a dark night. It nicely doubles for a head, should you need one! Increases Constitution by <%= con %>. Limited Edition 2021 Fall Gear.",
"shieldSpecialFall2021WarriorNotes": "This festive shield with its crooked smile will both protect you and light your way on a dark night. It nicely doubles for a head, should you need one! Increases Constitution by <%= con %>. Limited Edition 2021 Autumn Gear.",
"shieldSpecialFall2021HealerText": "Summoned Creature",
"shieldSpecialFall2021HealerNotes": "An ethereal being rises from your magical flames to grant you extra protection. Increases Constitution by <%= con %>. Limited Edition 2021 Fall Gear.",
"shieldSpecialFall2021HealerNotes": "An ethereal being rises from your magical flames to grant you extra protection. Increases Constitution by <%= con %>. Limited Edition 2021 Autumn Gear.",
"shieldSpecialWinter2022WarriorText": "Jingle Bell Shield",
"shieldSpecialWinter2022WarriorNotes": "This is a jingle bell, jingle bell, jingle bell shield. Jingle bell protect and jingle bell deflect. Increases Constitution by <%= con %>. Limited Edition 2021-2022 Winter Gear.",
@@ -3081,11 +3036,6 @@
"shieldSpecialFall2025HealerText": "Kobold Shield",
"shieldSpecialFall2025HealerNotes": "Buy yourself some extra time to gather supplies by shielding yourself from your chores. Increases Constitution by <%= con %>. Limited Edition Fall 2025 Gear.",
"shieldSpecialWinter2026WarriorText": "Rime Shield",
"shieldSpecialWinter2026WarriorNotes": "Stop obstacles cold with this handy, spikey shield. Increases Constitution by <%= con %>. Limited Edition Winter 2025-2026 Gear.",
"shieldSpecialWinter2026HealerText": "Starburst",
"shieldSpecialWinter2026HealerNotes": "Stars help with wayfinding, energy, and illumination—all things that help you better conquer a task list. Increases Constitution by <%= con %>. Limited Edition Winter 2025-2026 Gear.",
"shieldMystery201601Text": "Resolution Slayer",
"shieldMystery201601Notes": "This blade can be used to parry away all distractions. Confers no benefit. January 2016 Subscriber Item.",
"shieldMystery201701Text": "Time-Freezer Shield",
@@ -3145,7 +3095,7 @@
"shieldArmoireMushroomDruidShieldText": "Mushroom Druid Shield",
"shieldArmoireMushroomDruidShieldNotes": "Though made from a mushroom, there's nothing mushy about this tough shield! Increases Constitution by <%= con %> and Strength by <%= str %>. Enchanted Armoire: Mushroom Druid Set (Item 3 of 3).",
"shieldArmoireFestivalParasolText": "Festival Parasol",
"shieldArmoireFestivalParasolNotes": "This lightweight parasol will shield you from the glarewhether it's from the sun or from dark red Dailies! Increases Constitution by <%= con %>. Enchanted Armoire: Festival Attire Set (Item 2 of 3).",
"shieldArmoireFestivalParasolNotes": "This lightweight parasol will shield you from the glare--whether it's from the sun or from dark red Dailies! Increases Constitution by <%= con %>. Enchanted Armoire: Festival Attire Set (Item 2 of 3).",
"shieldArmoireVikingShieldText": "Viking Shield",
"shieldArmoireVikingShieldNotes": "This sturdy shield of wood and hide can stand up to the most daunting of foes. Increases Perception by <%= per %> and Intelligence by <%= int %>. Enchanted Armoire: Viking Set (Item 3 of 3).",
"shieldArmoireSwanFeatherFanText": "Swan Feather Fan",
@@ -3239,7 +3189,7 @@
"shieldArmoireBouncyBubblesText": "Bouncy Bubbles",
"shieldArmoireBouncyBubblesNotes": "Complete your relaxing bath with these exuberant bubbles! Increases Strength by <%= str %>. Enchanted Armoire: Bubble Bath Set (Item 4 of 4).",
"shieldArmoireBagpipesText": "Bagpipes",
"shieldArmoireBagpipesNotes": "The uncharitable might say you're planning to wake the dead with these bagpipesbut you know you're just motivating your Party to success! Increases Strength by <%= str %>. Enchanted Armoire: Bagpiper Set (Item 3 of 3).",
"shieldArmoireBagpipesNotes": "The uncharitable might say you're planning to wake the dead with these bagpipes -- but you know you're just motivating your Party to success! Increases Strength by <%= str %>. Enchanted Armoire: Bagpiper Set (Item 3 of 3).",
"shieldArmoireHeraldsMessageScrollText": "Herald's Message Scroll",
"shieldArmoireHeraldsMessageScrollNotes": "What exciting news does this scroll contain? Could it be about a new pet or a long habit streak? Increases Perception by <%= per %>. Enchanted Armoire: Herald Set (Item 4 of 4)",
"shieldArmoireSoftBlackPillowText": "Soft Black Pillow",
@@ -3294,10 +3244,6 @@
"shieldArmoireFlyFishingRodNotes": "Put a lure on this long and flexible rod and fish will mistake it for an insect every single time. Increases Strength and Intelligence by <%= attrs %> each. Enchanted Armoire: Fly Fishing Set (Item 3 of 3)",
"shieldArmoireSoftOrangePillowText": "Soft Orange Pillow",
"shieldArmoireSoftOrangePillowNotes": "The ready warrior packs a pillow for any expedition. Get ready to take on new obligations… even while you nap. Increases Intelligence and Perception by <%= attrs %> each. Enchanted Armoire: Orange Loungewear Set (Item 3 of 3).",
"shieldArmoireDoubleBassText": "Double Bass",
"shieldArmoireDoubleBassNotes": "Bom doo bom brrrr brr brr brrrr! Gather your party for some grounding or dancing as you listen to music on this deep double bass. Increases Constitution and Strength by <%= attrs %> each. Enchanted Armoire: Musical Instrument Set 2 (Item 3 of 3)",
"shieldArmoirePrettyPinkGiftBoxText": "Pretty Pink Present",
"shieldArmoirePrettyPinkGiftBoxNotes": "Is this gift from a dear friend? A caring relative? A true love? A secret admirer? Whoever sent it knows youll be pleased with whats inside. Increases all stats by <%= attrs %> each. Enchanted Armoire: Pretty in Pink Set (Item 2 of 2)",
"back": "Back Accessory",
"backBase0Text": "No Back Accessory",
@@ -3388,13 +3334,6 @@
"backMystery202507Notes": "Your steed for the sidewalks and halfpipes. Confers no benefit. July 2025 Subscriber Item.",
"backMystery202510Text": "Gliding Ghoul Wings",
"backMystery202510Notes": "Fly silently across the haunted skies with these giant wings. Confers no benefit. October 2025 Subscriber Item.",
"backMystery202601Text": "Winter's Sigil",
"backMystery202601Notes": "This mark grants the user control over the elements of the season of cold and frost. Confers no benefit. January 2026 Subscriber Item.",
"backMystery202602Text": "Five Tails of Sakura",
"backMystery202602Notes": "These fluffy tails are the color of cherry blossoms, a reminder that spring is on the way! Confers no benefit. February 2026 Subscriber Item.",
"backArmoireHarpsichordText": "Harpsichord",
"backArmoireHarpsichordNotes": "Pting! Ptiiing! Gather your party for a dinner or picnic and listen to a tinny melody on this harpsichord. Increases Perception and Intelligence by <%= attrs %> each. Enchanted Armoire: Musical Instrument Set 2 (Item 1 of 3)",
"backSpecialWonderconRedText": "Mighty Cape",
"backSpecialWonderconRedNotes": "Swishes with strength and beauty. Confers no benefit. Special Edition Convention Item.",
@@ -3613,7 +3552,7 @@
"headAccessoryMystery201908Text": "Footloose Faun Horns",
"headAccessoryMystery201908Notes": "If wearing horns floats your goat, you're in luck! Confers no benefit. August 2019 Subscriber Item.",
"headAccessoryMystery202004Text": "Mighty Monarch Antennae",
"headAccessoryMystery202004Notes": "They twitch just a bit if the scent of flowers drifts byuse them to find a pretty garden! Confers no benefit. April 2020 Subscriber Item.",
"headAccessoryMystery202004Notes": "They twitch just a bit if the scent of flowers drifts by--use them to find a pretty garden! Confers no benefit. April 2020 Subscriber Item.",
"headAccessoryMystery202005Text": "Wondrous Wyvern Horns",
"headAccessoryMystery202005Notes": "With such mighty horns, what creature dares challenge you? Confers no benefit. May 2020 Subscriber Item.",
"headAccessoryMystery202009Text": "Marvelous Moth Antennae",
@@ -3707,9 +3646,9 @@
"eyewearSpecialWonderconBlackNotes": "Your motives are definitely legitimate. Confers no benefit. Special Edition Convention Item.",
"eyewearSpecialFall2019RogueText": "Bone-White Half Mask",
"eyewearSpecialFall2019RogueNotes": "You'd think a full mask would protect your identity better, but people tend to be too awestruck by its stark design to take note of any identifying features left revealed. Confers no benefit. Limited Edition 2019 Fall Gear.",
"eyewearSpecialFall2019RogueNotes": "You'd think a full mask would protect your identity better, but people tend to be too awestruck by its stark design to take note of any identifying features left revealed. Confers no benefit. Limited Edition 2019 Autumn Gear.",
"eyewearSpecialFall2019HealerText": "Dark Visage",
"eyewearSpecialFall2019HealerNotes": "Steel yourself against the toughest foes with this inscrutable mask. Confers no benefit. Limited Edition 2019 Fall Gear.",
"eyewearSpecialFall2019HealerNotes": "Steel yourself against the toughest foes with this inscrutable mask. Confers no benefit. Limited Edition 2019 Autumn Gear.",
"eyewearMystery201503Text": "Aquamarine Eyewear",
"eyewearMystery201503Notes": "Don't get poked in the eye by these shimmering gems! Confers no benefit. March 2015 Subscriber Item.",

View File

@@ -426,7 +426,5 @@
"tavernDiscontinuedLinks": "Read more about the <a href='/static/faq/tavern-and-guilds'>Tavern and Guild Service Discontinuation</a> or head back to the <a href='/'>homepage</a>.",
"chatSunsetWarning": "⚠️ <strong>Habitica Guilds and Tavern chat will be discontinued on 8/8/2023.</strong> <a href='/static/faq/tavern-and-guilds'>Click here</a> to read more about this change.",
"interestedLearningMore": "Interested in Learning More?",
"checkGroupPlanFAQ": "Check out the <a href='/static/faq#what-is-group-plan'>Group Plans FAQ</a> to learn how to get the most out of your shared task experience.",
"groupPlanBillingFYI": "Group Plan subscriptions automatically renew unless you cancel at least 24 hours before the end of your current period. You can cancel from the Group Billing tab of your Group Plan. You will be charged within 24 hours before your subscription renews, based on the number of members in your Group Plan at that time. If you add members between payment periods, you'll see an additional prorated charge for their benefits at your next billing cycle.",
"groupPlanBillingFYIShort": "Group Plan subscriptions automatically renew unless you cancel at least 24 hours before the end of your current period. You will be charged within 24 hours before your subscription renews, based on the number of members in your Group Plan at that time. If you add members between payment periods, you'll see an additional prorated charge for their benefits at your next billing cycle."
"checkGroupPlanFAQ": "Check out the <a href='/static/faq#what-is-group-plan'>Group Plans FAQ</a> to learn how to get the most out of your shared task experience."
}

View File

@@ -239,10 +239,6 @@
"fall2025SkeletonRogueSet": "Skeleton Rogue Set",
"fall2025KoboldHealerSet": "Kobold Healer Set",
"fall2025MaskedGhostMageSet": "Masked Ghost Mage Set",
"winter2026RimeReaperWarriorSet": "Rime Reaper Warrior Set",
"winter2026SkiRogueSet": "Ski Rogue Set",
"winter2026PolarBearHealerSet": "Polar Bear Healer Set",
"winter2026MidwinterCandleMageSet": "Midwinter Candle Mage Set",
"winterPromoGiftHeader": "GIFT A SUBSCRIPTION, GET ONE FREE!",
"winterPromoGiftDetails1": "Until January 6th only, when you gift somebody a subscription, you get the same subscription for yourself for free!",
"winterPromoGiftDetails2": "Please note that if you or your gift recipient already have a recurring subscription, the gifted subscription will only start after that subscription is cancelled or has expired. Thanks so much for your support! <3",

View File

@@ -104,7 +104,6 @@
"success": "Success!",
"classGear": "Class Gear",
"classGearText": "Congratulations on choosing a class! I've added your new basic weapon to your inventory. Take a look below to equip it!",
"autoAllocate": "Auto Allocate",
"spells": "Skills",
"skillsTitle": "<%= classStr %> Skills",
"toDo": "To Do",

View File

@@ -65,7 +65,7 @@
"questSpiderText": "The Icy Arachnid",
"questSpiderNotes": "As the weather starts cooling down, delicate frost begins appearing on Habiticans' windowpanes in lacy webs... except for @Arcosine, whose windows are frozen completely shut by the Frost Spider currently taking up residence in his home. Oh dear.",
"questSpiderCompletion": "The Frost Spider collapses, leaving behind a small pile of frost and a few of her enchanted egg sacs. @Arcosine rather hurriedly offers them to you as a rewardperhaps you could raise some non-threatening spiders as pets of your own?",
"questSpiderCompletion": "The Frost Spider collapses, leaving behind a small pile of frost and a few of her enchanted egg sacs. @Arcosine rather hurriedly offers them to you as a reward--perhaps you could raise some non-threatening spiders as pets of your own?",
"questSpiderBoss": "Spider",
"questSpiderDropSpiderEgg": "Spider (Egg)",
"questSpiderUnlockText": "Unlocks Spider Eggs for purchase in the Market",
@@ -134,7 +134,7 @@
"questGroupEarnable": "Earnable Quests",
"questBasilistText": "The Basi-List",
"questBasilistNotes": "There's a commotion in the marketplacethe kind that should make you run away. Being a courageous adventurer, you run towards it instead, and discover a Basi-list, coalescing from a clump of incomplete To Do's! Nearby Habiticans are paralyzed with fear at the length of the Basi-list, unable to start working. From somewhere in the vicinity, you hear @Arcosine shout: \"Quick! Complete your To Do's and Dailies to defang the monster, before someone gets a paper cut!\" Strike fast, adventurer, and check something off - but beware! If you leave any Dailies undone, the Basi-list will attack you and your party!",
"questBasilistNotes": "There's a commotion in the marketplace--the kind that should make you run away. Being a courageous adventurer, you run towards it instead, and discover a Basi-list, coalescing from a clump of incomplete To Do's! Nearby Habiticans are paralyzed with fear at the length of the Basi-list, unable to start working. From somewhere in the vicinity, you hear @Arcosine shout: \"Quick! Complete your To Do's and Dailies to defang the monster, before someone gets a paper cut!\" Strike fast, adventurer, and check something off - but beware! If you leave any Dailies undone, the Basi-list will attack you and your party!",
"questBasilistCompletion": "The Basi-list has scattered into paper scraps, which shimmer gently in rainbow colors. \"Whew!\" says @Arcosine. \"Good thing you guys were here!\" Feeling more experienced than before, you gather up some fallen gold from among the papers.",
"questBasilistBoss": "The Basi-List",
@@ -296,7 +296,7 @@
"questDilatoryDistress3DropShield": "Moonpearl Shield (Off-Hand Item)",
"questCheetahText": "Such a Cheetah",
"questCheetahNotes": "As you hike across the Sloensteadi Savannah with your friends @PainterProphet, @tivaquinn, @Unruly Hyena, and @Crawford, you're startled to see a Cheetah screeching past with a new Habitican clamped in its jaws. Under the Cheetah's scorching paws, tasks burn away as though completebefore anyone has the chance to actually finish them! The Habitican sees you and yells, \"Please help me! This Cheetah is making me level too quickly, but I'm not getting anything done. I want to slow down and enjoy the game. Make it stop!\" You fondly remember your own fledgling days, and know that you have to help the newbie by stopping the Cheetah!",
"questCheetahNotes": "As you hike across the Sloensteadi Savannah with your friends @PainterProphet, @tivaquinn, @Unruly Hyena, and @Crawford, you're startled to see a Cheetah screeching past with a new Habitican clamped in its jaws. Under the Cheetah's scorching paws, tasks burn away as though complete -- before anyone has the chance to actually finish them! The Habitican sees you and yells, \"Please help me! This Cheetah is making me level too quickly, but I'm not getting anything done. I want to slow down and enjoy the game. Make it stop!\" You fondly remember your own fledgling days, and know that you have to help the newbie by stopping the Cheetah!",
"questCheetahCompletion": "The new Habitican is breathing heavily after the wild ride, but thanks you and your friends for your help. \"I'm glad that Cheetah won't be able to grab anyone else. It did leave some Cheetah eggs for us, so maybe we can raise them into more trustworthy pets!\"",
"questCheetahBoss": "Cheetah",
"questCheetahDropCheetahEgg": "Cheetah (Egg)",
@@ -323,7 +323,7 @@
"questBurnoutBossRageTavern": "`Burnout uses EXHAUST STRIKE!`\n\nMany Habiticans have been hiding from Burnout in the Tavern, but no longer! With a screeching howl, Burnout rakes the Tavern with its white-hot hands. As the Tavern patrons flee, Daniel is caught in Burnout's grip, and transforms into an Exhaust Spirit right in front of you!\n\nThis hot-headed horror has gone on for too long. Don't give up... we're so close to vanquishing Burnout for once and for all!",
"questFrogText": "Swamp of the Clutter Frog",
"questFrogNotes": "As you and your friends are slogging through the Swamps of Stagnation, @starsystemic points at a large sign. \"Stay on the pathif you can.\"<br><br>\"Surely that isn't hard!\" @RosemonkeyCT says. \"It's broad and clear.\"<br><br>But as you continue, you notice that path is gradually overtaken by the muck of the swamp, laced with bits of strange blue debris and clutter, until it's impossible to proceed.<br><br>As you look around, wondering how it got this messy, @Jon Arjinborn shouts, \"Look out!\" An angry frog leaps from the sludge, clad in dirty laundry and lit by blue fire. You will have to overcome this poisonous Clutter Frog to progress!",
"questFrogNotes": "As you and your friends are slogging through the Swamps of Stagnation, @starsystemic points at a large sign. \"Stay on the path -- if you can.\"<br><br>\"Surely that isn't hard!\" @RosemonkeyCT says. \"It's broad and clear.\"<br><br>But as you continue, you notice that path is gradually overtaken by the muck of the swamp, laced with bits of strange blue debris and clutter, until it's impossible to proceed.<br><br>As you look around, wondering how it got this messy, @Jon Arjinborn shouts, \"Look out!\" An angry frog leaps from the sludge, clad in dirty laundry and lit by blue fire. You will have to overcome this poisonous Clutter Frog to progress!",
"questFrogCompletion": "The frog cowers back into the muck, defeated. As it slinks away, the blue slime fades, leaving the way ahead clear.<br><br>Sitting in the middle of the path are three pristine eggs. \"You can even see the tiny tadpoles through the clear casing!\" @Breadstrings says. \"Here, you should take them.\"",
"questFrogBoss": "Clutter Frog",
"questFrogDropFrogEgg": "Frog (Egg)",
@@ -365,7 +365,7 @@
"questSnailUnlockText": "Unlocks Snail Eggs for purchase in the Market",
"questBewilderText": "The Be-Wilder",
"questBewilderNotes": "The party begins like any other.<br><br>The appetizers are excellent, the music is swinging, and even the dancing elephants have become routine. Habiticans laugh and frolic amid the overflowing floral centerpieces, happy to have a distraction from their least-favorite tasks, and the April Fool whirls among them, eagerly providing an amusing trick here and a witty twist there.<br><br>As the Mistiflying clock tower strikes midnight, the April Fool leaps onto the stage to give a speech.<br><br>“Friends! Enemies! Tolerant acquaintances! Lend me your ears.” The crowd chuckles as animal ears sprout from their heads, and they pose with their new accessories.<br><br>“As you know,” the Fool continues, “my confusing illusions usually only last a single day. But Im pleased to announce that Ive discovered a shortcut that will guarantee us non-stop fun, without having to deal with the pesky weight of our responsibilities. Charming Habiticans, meet my magical new friend... the Be-Wilder!”<br><br>Lemoness pales suddenly, dropping her hors d'oeuvres. “Wait! Dont trust”<br><br>But suddenly mists are pouring into the room, glittering and thick, and they swirl around the April Fool, coalescing into cloudy feathers and a stretching neck. The crowd is speechless as a monstrous bird unfolds before them, its wings shimmering with illusions. It lets out a horrible screeching laugh.<br><br>“Oh, it has been ages since a Habitican has been foolish enough to summon me! How wonderful it feels, to have a tangible form at last.”<br><br>Buzzing in terror, the magic bees of Mistiflying flee the floating city, which sags from the sky. One by one, the brilliant spring flowers wither up and wisp away.<br><br>“My dearest friends, why so alarmed?” crows the Be-Wilder, beating its wings. “Theres no need to toil for your rewards any more. Ill just give you all the things that you desire!”<br><br>A rain of coins pours from the sky, hammering into the ground with brutal force, and the crowd screams and flees for cover. “Is this a joke?” Baconsaur shouts, as the gold smashes through windows and shatters roof shingles.<br><br>PainterProphet ducks as lightning bolts crackle overhead, and fog blots out the sun. “No! This time, I dont think it is!”<br><br>Quickly, Habiticans, dont let this World Boss distract us from our goals! Stay focused on the tasks that you need to complete so we can rescue Mistiflyingand hopefully, ourselves.",
"questBewilderNotes": "The party begins like any other.<br><br>The appetizers are excellent, the music is swinging, and even the dancing elephants have become routine. Habiticans laugh and frolic amid the overflowing floral centerpieces, happy to have a distraction from their least-favorite tasks, and the April Fool whirls among them, eagerly providing an amusing trick here and a witty twist there.<br><br>As the Mistiflying clock tower strikes midnight, the April Fool leaps onto the stage to give a speech.<br><br>“Friends! Enemies! Tolerant acquaintances! Lend me your ears.” The crowd chuckles as animal ears sprout from their heads, and they pose with their new accessories.<br><br>“As you know,” the Fool continues, “my confusing illusions usually only last a single day. But Im pleased to announce that Ive discovered a shortcut that will guarantee us non-stop fun, without having to deal with the pesky weight of our responsibilities. Charming Habiticans, meet my magical new friend... the Be-Wilder!”<br><br>Lemoness pales suddenly, dropping her hors d'oeuvres. “Wait! Dont trust--”<br><br>But suddenly mists are pouring into the room, glittering and thick, and they swirl around the April Fool, coalescing into cloudy feathers and a stretching neck. The crowd is speechless as a monstrous bird unfolds before them, its wings shimmering with illusions. It lets out a horrible screeching laugh.<br><br>“Oh, it has been ages since a Habitican has been foolish enough to summon me! How wonderful it feels, to have a tangible form at last.”<br><br>Buzzing in terror, the magic bees of Mistiflying flee the floating city, which sags from the sky. One by one, the brilliant spring flowers wither up and wisp away.<br><br>“My dearest friends, why so alarmed?” crows the Be-Wilder, beating its wings. “Theres no need to toil for your rewards any more. Ill just give you all the things that you desire!”<br><br>A rain of coins pours from the sky, hammering into the ground with brutal force, and the crowd screams and flees for cover. “Is this a joke?” Baconsaur shouts, as the gold smashes through windows and shatters roof shingles.<br><br>PainterProphet ducks as lightning bolts crackle overhead, and fog blots out the sun. “No! This time, I dont think it is!”<br><br>Quickly, Habiticans, dont let this World Boss distract us from our goals! Stay focused on the tasks that you need to complete so we can rescue Mistiflying -- and hopefully, ourselves.",
"questBewilderCompletion": "<strong>The Be-Wilder is DEFEATED!</strong><br><br>We've done it! The Be-Wilder lets out a ululating cry as it twists in the air, shedding feathers like falling rain. Slowly, gradually, it coils into a cloud of sparkling mist. As the newly-revealed sun pierces the fog, it burns away, revealing the coughing, mercifully human forms of Bailey, Matt, Alex.... and the April Fool himself.<br><br><strong>Mistiflying is saved!</strong><br><br>The April Fool has enough shame to look a bit sheepish. “Oh, hm,” he says. “Perhaps I got a little…. carried away.”<br><br>The crowd mutters. Sodden flowers wash up on sidewalks. Somewhere in the distance, a roof collapses with a spectacular splash.<br><br>“Er, yes,” the April Fool says. “That is. What I meant to say was, Im dreadfully sorry.” He heaves a sigh. “I suppose it cant all be fun and games, after all. It might not hurt to focus occasionally. Maybe Ill get a head start on next years pranking.”<br><br>Redphoenix coughs meaningfully.<br><br>“I mean, get a head start on this years spring cleaning!” the April Fool says. “Nothing to fear, Ill have Habit City in spit-shape soon. Luckily nobody is better than I at dual-wielding mops.”<br><br>Encouraged, the marching band starts up.<br><br>It isnt long before all is back to normal in Habit City. Plus, now that the Be-Wilder has evaporated, the magical bees of Mistiflying bustle back to work, and soon the flowers are blooming and the city is floating once more.<br><br>As Habiticans cuddle the magical fuzzy bees, the April Fools eyes light up. “Oho, Ive had a thought! Why dont you all keep some of these fuzzy Bee Pets and Mounts? Its a gift that perfectly symbolizes the balance between hard work and sweet rewards, if Im going to get all boring and allegorical on you.” He winks. “Besides, they dont have stingers! Fools honor.”",
"questBewilderCompletionChat": "`The Be-Wilder is DEFEATED!`\n\nWe've done it! The Be-Wilder lets out a ululating cry as it twists in the air, shedding feathers like falling rain. Slowly, gradually, it coils into a cloud of sparkling mist. As the newly-revealed sun pierces the fog, it burns away, revealing the coughing, mercifully human forms of Bailey, Matt, Alex.... and the April Fool himself.\n\n`Mistiflying is saved!`\n\nThe April Fool has enough shame to look a bit sheepish. “Oh, hm,” he says. “Perhaps I got a little…. carried away.”\n\nThe crowd mutters. Sodden flowers wash up on sidewalks. Somewhere in the distance, a roof collapses with a spectacular splash.\n\n“Er, yes,” the April Fool says. “That is. What I meant to say was, Im dreadfully sorry.” He heaves a sigh. “I suppose it cant all be fun and games, after all. It might not hurt to focus occasionally. Maybe Ill get a head start on next years pranking.”\n\nRedphoenix coughs meaningfully.\n\n“I mean, get a head start on this years spring cleaning!” the April Fool says. “Nothing to fear, Ill have Habit City in spit-shape soon. Luckily nobody is better than I at dual-wielding mops.”\n\nEncouraged, the marching band starts up.\n\nIt isnt long before all is back to normal in Habit City. Plus, now that the Be-Wilder has evaporated, the magical bees of Mistiflying bustle back to work, and soon the flowers are blooming and the city is floating once more.\n\nAs Habiticans cuddle the magical fuzzy bees, the April Fools eyes light up. “Oho, Ive had a thought! Why dont you all keep some of these fuzzy Bee Pets and Mounts? Its a gift that perfectly symbolizes the balance between hard work and sweet rewards, if Im going to get all boring and allegorical on you.” He winks. “Besides, they dont have stingers! Fools honor.”",
"questBewilderBossRageTitle": "Beguilement Strike",
@@ -415,7 +415,7 @@
"questArmadilloUnlockText": "Unlocks Armadillo Eggs for purchase in the Market",
"questCowText": "The Mootant Cow",
"questCowNotes": "Its been a long, hot day at Sparring Farms, and there is nothing more you want than a long sip of water and some sleep. You're standing there daydreaming when @Soloana suddenly screams, \"Everyone run! The prize cow has mootated!\"<br><br>@eevachu gulps. \"It must be our bad habits that infected it.\"<br><br>\"Quick!\" @Feralem Tau says. \"Lets do something before the udder cows mootate, too.\"<br><br>Youve herd enough. No more daydreamingit's time to get those bad habits under control!",
"questCowNotes": "Its been a long, hot day at Sparring Farms, and there is nothing more you want than a long sip of water and some sleep. You're standing there daydreaming when @Soloana suddenly screams, \"Everyone run! The prize cow has mootated!\"<br><br>@eevachu gulps. \"It must be our bad habits that infected it.\"<br><br>\"Quick!\" @Feralem Tau says. \"Lets do something before the udder cows mootate, too.\"<br><br>Youve herd enough. No more daydreaming -- it's time to get those bad habits under control!",
"questCowCompletion": "You milk your good habits for all they are worth until the cow reverts to its original form. The cow looks over at you with her pretty brown eyes and nudges over three eggs.<br><br>@fuzzytrees laughs and hands you the eggs, \"Maybe it still is mootated if there are baby cows in these eggs. But I trust you to stick to your good habits when you raise them!\"",
"questCowBoss": "Mootant Cow",
"questCowDropCowEgg": "Cow (Egg)",
@@ -449,7 +449,7 @@
"questTaskwoodsTerror2DropArmor": "Pyromancer's Robes (Armor)",
"questTaskwoodsTerror3Text": "Terror in the Taskwoods, Part 3: Jacko of the Lantern",
"questTaskwoodsTerror3Notes": "Ready for battle, your group marches to the heart of the forest, where the renegade spirit is trying to destroy an ancient apple tree surrounded by fruitful berry bushes. His pumpkin-like head radiates a terrible light wherever it turns, and in his left hand he holds a long rod, with a lantern hanging from its tip. Instead of fire or flame, however, the lantern contains a dark crystal that chills you to the very bone.<br><br>The Joyful Reaper raises a bony hand to her mouth. \"That'sthat's Jacko, the Lantern Spirit! But he's a helpful harvest ghost who guides our farmers. What could possibly drive the dear soul to act this way?\"<br><br>\"I don't know,\" says @bridgetteempress. \"But it looks like that 'dear soul' is about to attack us!\"",
"questTaskwoodsTerror3Notes": "Ready for battle, your group marches to the heart of the forest, where the renegade spirit is trying to destroy an ancient apple tree surrounded by fruitful berry bushes. His pumpkin-like head radiates a terrible light wherever it turns, and in his left hand he holds a long rod, with a lantern hanging from its tip. Instead of fire or flame, however, the lantern contains a dark crystal that chills you to the very bone.<br><br>The Joyful Reaper raises a bony hand to her mouth. \"That's -- that's Jacko, the Lantern Spirit! But he's a helpful harvest ghost who guides our farmers. What could possibly drive the dear soul to act this way?\"<br><br>\"I don't know,\" says @bridgetteempress. \"But it looks like that 'dear soul' is about to attack us!\"",
"questTaskwoodsTerror3Completion": "After a long battle, you manage to land a well-aimed blow at the lantern that Jacko carries, and the crystal within shatters. Jacko suddenly snaps back to his senses and bursts into glowing tears. \"Oh, my beautiful forest! What have I done?!\" he wails. His tears extinguish the remaining fires, and the apple tree and wild berries are saved.<br><br>After you help him relax, he explains, \"I met this charming lady named Tzina, and she gave me this glowing crystal as a gift. At her urging, I put it in my lantern... but that's the last thing I recall.\" He turns to you with a golden smile. \"Perhaps you should take it for safekeeping while I help the wild orchards to regrow.\"",
"questTaskwoodsTerror3Boss": "Jacko of the Lantern",
"questTaskwoodsTerror3DropStrawberry": "Strawberry (Food)",
@@ -494,7 +494,7 @@
"questSlothUnlockText": "Unlocks Sloth Eggs for purchase in the Market",
"questTriceratopsText": "The Trampling Triceratops",
"questTriceratopsNotes": "The snow-capped Stoïkalm Volcanoes are always bustling with hikers and sight-seers. One tourist, @plumilla, calls over a crowd. \"Look! I enchanted the ground to glow so that we can play field games on it for our outdoor activity Dailies!\" Sure enough, the ground is swirling with glowing red patterns. Even some of the prehistoric pets from the area come over to play.<br><br>Suddenly, there's a loud snapa curious Triceratops has stepped on @plumilla's wand! It's engulfed in a burst of magic energy, and the ground starts shaking and growing hot. The Triceratops' eyes shine red, and it roars and begins to stampede!<br><br>\"That's not good,\" calls @McCoyly, pointing in the distance. Each magic-fueled stomp is causing the volcanoes to erupt, and the glowing ground is turning to lava beneath the dinosaur's feet! Quickly, you must hold off the Trampling Triceratops until someone can reverse the spell!",
"questTriceratopsNotes": "The snow-capped Stoïkalm Volcanoes are always bustling with hikers and sight-seers. One tourist, @plumilla, calls over a crowd. \"Look! I enchanted the ground to glow so that we can play field games on it for our outdoor activity Dailies!\" Sure enough, the ground is swirling with glowing red patterns. Even some of the prehistoric pets from the area come over to play.<br><br>Suddenly, there's a loud snap -- a curious Triceratops has stepped on @plumilla's wand! It's engulfed in a burst of magic energy, and the ground starts shaking and growing hot. The Triceratops' eyes shine red, and it roars and begins to stampede!<br><br>\"That's not good,\" calls @McCoyly, pointing in the distance. Each magic-fueled stomp is causing the volcanoes to erupt, and the glowing ground is turning to lava beneath the dinosaur's feet! Quickly, you must hold off the Trampling Triceratops until someone can reverse the spell!",
"questTriceratopsCompletion": "With quick thinking, you herd the creature towards the soothing Stoïkalm Steppes so that @*~Seraphina~* and @PainterProphet can reverse the lava spell without distraction. The calming aura of the Steppes takes effect, and the Triceratops curls up as the volcanoes go dormant once more. @PainterProphet passes you some eggs that were rescued from the lava. \"Without you, we wouldn't have been able to concentrate to stop the eruptions. Give these pets a good home.\"",
"questTriceratopsBoss": "Trampling Triceratops",
"questTriceratopsDropTriceratopsEgg": "Triceratops (Egg)",
@@ -502,7 +502,7 @@
"questGroupStoikalmCalamity": "Stoïkalm Calamity",
"questStoikalmCalamity1Text": "Stoïkalm Calamity, Part 1: Earthen Enemies",
"questStoikalmCalamity1Notes": "A terse missive arrives from @Kiwibot, and the frost-crusted scroll chills your heart as well as your fingertips. \"Visiting Stoïkalm Steppesmonsters bursting from earthsend help!\" You gather your party and ride north, but as soon as you venture down from the mountains, the snow beneath your feet explodes and gruesomely grinning skulls surround you!<br><br>Suddenly, a spear sails past, burying itself in a skull that was burrowing through the snow in an attempt to catch you unawares. A tall woman in finely-crafted armor gallops into the fray on the back of a mastodon, her long braid swinging as she yanks the spear unceremoniously from the crushed beast. It's time to fight off these foes with the help of Lady Glaciate, the leader of the Mammoth Riders!",
"questStoikalmCalamity1Notes": "A terse missive arrives from @Kiwibot, and the frost-crusted scroll chills your heart as well as your fingertips. \"Visiting Stoïkalm Steppes -- monsters bursting from earth -- send help!\" You gather your party and ride north, but as soon as you venture down from the mountains, the snow beneath your feet explodes and gruesomely grinning skulls surround you!<br><br>Suddenly, a spear sails past, burying itself in a skull that was burrowing through the snow in an attempt to catch you unawares. A tall woman in finely-crafted armor gallops into the fray on the back of a mastodon, her long braid swinging as she yanks the spear unceremoniously from the crushed beast. It's time to fight off these foes with the help of Lady Glaciate, the leader of the Mammoth Riders!",
"questStoikalmCalamity1Completion": "As you deliver a final blow to the skulls, they dissipate in a puff of magic. \"The dratted swarm may be gone,\" Lady Glaciate says, \"but we have bigger problems. Follow me.\" She tosses you a cloak to protect you from the chill air, and you ride off after her.",
"questStoikalmCalamity1Boss": "Earth Skull Swarm",
"questStoikalmCalamity1RageTitle": "Swarm Respawn",
@@ -513,7 +513,7 @@
"questStoikalmCalamity1DropArmor": "Mammoth Rider Armor",
"questStoikalmCalamity2Text": "Stoïkalm Calamity, Part 2: Seek the Icicle Caverns",
"questStoikalmCalamity2Notes": "The stately hall of the Mammoth Riders is an austere masterpiece of architecture, but it is also entirely empty. There's no furniture, the weapons are missing, and even the columns were picked clean of their inlays.<br><br>\"Those skulls scoured the place,\" Lady Glaciate says, and there is a blizzard brewing in her tone. \"Humiliating. Not a soul is to mention this to the April Fool, or I will never hear the end of it.\"<br><br>\"How mysterious!\" says @Beffymaroo. \"But where did they\"<br><br>\"The icicle drake caverns.\" Lady Glaciate gestures at shining coins spilled in the snow outside. \"Sloppy.\"<br><br>\"But aren't icicle drakes honorable creatures with their own treasure hoards?\" @Beffymaroo asks. \"Why would they possibly\"<br><br>\"Mind control,\" says Lady Glaciate, utterly unfazed. \"Or something equally melodramatic and inconvenient.\" She begins to stride from the hall. \"Why are you just standing there?\"<br><br>Quickly, go follow the trail of Icicle Coins!",
"questStoikalmCalamity2Notes": "The stately hall of the Mammoth Riders is an austere masterpiece of architecture, but it is also entirely empty. There's no furniture, the weapons are missing, and even the columns were picked clean of their inlays.<br><br>\"Those skulls scoured the place,\" Lady Glaciate says, and there is a blizzard brewing in her tone. \"Humiliating. Not a soul is to mention this to the April Fool, or I will never hear the end of it.\"<br><br>\"How mysterious!\" says @Beffymaroo. \"But where did they--\"<br><br>\"The icicle drake caverns.\" Lady Glaciate gestures at shining coins spilled in the snow outside. \"Sloppy.\"<br><br>\"But aren't icicle drakes honorable creatures with their own treasure hoards?\" @Beffymaroo asks. \"Why would they possibly--\"<br><br>\"Mind control,\" says Lady Glaciate, utterly unfazed. \"Or something equally melodramatic and inconvenient.\" She begins to stride from the hall. \"Why are you just standing there?\"<br><br>Quickly, go follow the trail of Icicle Coins!",
"questStoikalmCalamity2Completion": "The Icicle Coins lead you straight to the buried entrance of a cleverly hidden cavern. Though the weather outside is calm and lovely, with the sunlight sparkling across the expanse of snow, there is a howling within like a fierce winter wind. Lady Glaciate grimaces and hands you a Mammoth Rider helm. \"Wear this,\" she says. \"You'll need it.\"",
"questStoikalmCalamity2CollectIcicleCoins": "Icicle Coins",
"questStoikalmCalamity2DropHeadgear": "Mammoth Rider Helm (Headgear)",
@@ -527,21 +527,21 @@
"questStoikalmCalamity3DropWeapon": "Mammoth Rider Spear (Weapon)",
"questGuineaPigText": "The Guinea Pig Gang",
"questGuineaPigNotes": "You're casually strolling through Habit City's famous Market when @Pandah waves you down. \"Hey, check these out!\" They're holding up a brown and beige egg you don't recognize.<br><br>Alexander the Merchant frowns at it. \"I don't remember putting that out. I wonder where it came\" A small paw cuts him off.<br><br>\"Guinea all your gold, merchant!\" squeaks a tiny voice brimming with evil.<br><br>\"Oh no, the egg was a distraction!\" @mewrose exclaims. \"It's the gritty, greedy Guinea Pig Gang! They never do their Dailies, so they constantly steal gold to buy health potions.\"<br><br>\"Robbing the Market?\" says @emmavig. \"Not on our watch!\" Without further prompting, you leap to Alexander's aid.",
"questGuineaPigCompletion": "\"We submit!\" The Guinea Pig Gang Boss waves his paws at you, fluffy head hanging in shame. From underneath his hat falls a list, and @snazzyorange quickly swipes it for evidence. \"Wait a minute,\" you say. \"It's no wonder you've been getting hurt! You've got way too many Dailies. You don't need health potionsyou just need help organizing.\"<br><br>\"Really?\" squeaks the Guinea Pig Gang Boss. \"We've robbed so many people because of this! Please take our eggs as an apology for our crooked ways.\"",
"questGuineaPigNotes": "You're casually strolling through Habit City's famous Market when @Pandah waves you down. \"Hey, check these out!\" They're holding up a brown and beige egg you don't recognize.<br><br>Alexander the Merchant frowns at it. \"I don't remember putting that out. I wonder where it came--\" A small paw cuts him off.<br><br>\"Guinea all your gold, merchant!\" squeaks a tiny voice brimming with evil.<br><br>\"Oh no, the egg was a distraction!\" @mewrose exclaims. \"It's the gritty, greedy Guinea Pig Gang! They never do their Dailies, so they constantly steal gold to buy health potions.\"<br><br>\"Robbing the Market?\" says @emmavig. \"Not on our watch!\" Without further prompting, you leap to Alexander's aid.",
"questGuineaPigCompletion": "\"We submit!\" The Guinea Pig Gang Boss waves his paws at you, fluffy head hanging in shame. From underneath his hat falls a list, and @snazzyorange quickly swipes it for evidence. \"Wait a minute,\" you say. \"It's no wonder you've been getting hurt! You've got way too many Dailies. You don't need health potions -- you just need help organizing.\"<br><br>\"Really?\" squeaks the Guinea Pig Gang Boss. \"We've robbed so many people because of this! Please take our eggs as an apology for our crooked ways.\"",
"questGuineaPigBoss": "Guinea Pig Gang",
"questGuineaPigDropGuineaPigEgg": "Guinea Pig (Egg)",
"questGuineaPigUnlockText": "Unlocks Guinea Pig Eggs for purchase in the Market",
"questPeacockText": "The Push-and-Pull Peacock",
"questPeacockNotes": "You trek through the Taskwoods, wondering which of the enticing new goals you should pick. As you go deeper into the forest, you realize that you're not alone in your indecision. \"I could learn a new language, or go to the gym...\" @Cecily Perez mutters. \"I could sleep more,\" muses @Lilith of Alfheim, \"or spend time with my friends...\" It looks like @PainterProphet, @Pfeffernusse, and @Draayder are equally paralyzed by the overwhelming options.<br><br>You realize that these ever-more-demanding feelings aren't really your own... you've stumbled straight into the trap of the pernicious Push-and-Pull Peacock! Before you can run, it leaps from the bushes. With each head pulling you in conflicting directions, you start to feel burnout overcoming you. You can't defeat both foes at once, so you only have one optionconcentrate on the nearest task to fight back!",
"questPeacockNotes": "You trek through the Taskwoods, wondering which of the enticing new goals you should pick. As you go deeper into the forest, you realize that you're not alone in your indecision. \"I could learn a new language, or go to the gym...\" @Cecily Perez mutters. \"I could sleep more,\" muses @Lilith of Alfheim, \"or spend time with my friends...\" It looks like @PainterProphet, @Pfeffernusse, and @Draayder are equally paralyzed by the overwhelming options.<br><br>You realize that these ever-more-demanding feelings aren't really your own... you've stumbled straight into the trap of the pernicious Push-and-Pull Peacock! Before you can run, it leaps from the bushes. With each head pulling you in conflicting directions, you start to feel burnout overcoming you. You can't defeat both foes at once, so you only have one option -- concentrate on the nearest task to fight back!",
"questPeacockCompletion": "The Push-and-Pull Peacock is caught off guard by your sudden conviction. Defeated by your single-minded drive, its heads merge back into one, revealing the most beautiful creature you've ever seen. \"Thank you,\" the peacock says. \"Ive spent so long pulling myself in different directions that I lost sight of what I truly wanted. Please accept these eggs as a token of my gratitude.\"",
"questPeacockBoss": "Push-and-Pull Peacock",
"questPeacockDropPeacockEgg": "Peacock (Egg)",
"questPeacockUnlockText": "Unlocks Peacock Eggs for purchase in the Market",
"questButterflyText": "Bye, Bye, Butterfry",
"questButterflyNotes": "Your gardener friend @Megan sends you an invitation: “These warm days are the perfect time to visit Habiticas butterfly garden in the Taskan countryside. Come see the butterflies migrate!” When you arrive, however, the garden is in shambleslittle more than scorched grass and dried-out weeds. Its been so hot that the Habiticans havent come out to water the flowers, and the dark-red Dailies have turned it into a dry, sun-baked, fire-hazard. There's only one butterfly there, and there's something odd about it...<br><br>“Oh no! This is the perfect hatching ground for the Flaming Butterfry,” cries @Leephon.<br><br>“If we dont catch it, itll destroy everything!” gasps @Eevachu.<br><br>Time to say bye, bye to Butterfry!",
"questButterflyNotes": "Your gardener friend @Megan sends you an invitation: “These warm days are the perfect time to visit Habiticas butterfly garden in the Taskan countryside. Come see the butterflies migrate!” When you arrive, however, the garden is in shambles -- little more than scorched grass and dried-out weeds. Its been so hot that the Habiticans havent come out to water the flowers, and the dark-red Dailies have turned it into a dry, sun-baked, fire-hazard. There's only one butterfly there, and there's something odd about it...<br><br>“Oh no! This is the perfect hatching ground for the Flaming Butterfry,” cries @Leephon.<br><br>“If we dont catch it, itll destroy everything!” gasps @Eevachu.<br><br>Time to say bye, bye to Butterfry!",
"questButterflyCompletion": "After a blazing battle, the Flaming Butterfry is captured. “Great job catching that would-be arsonist,” says @Megan with a sigh of relief. “Still, its hard to vilify even the vilest butterfly. Wed better free this Butterfry someplace safe…like the desert.”<br><br>One of the other gardeners, @Beffymaroo, comes up to you, singed but smiling. “Will you help raise these foundling chrysalises we found? Perhaps next year well have a greener garden for them.”",
"questButterflyBoss": "Flaming Butterfry",
"questButterflyDropButterflyEgg": "Caterpillar (Egg)",
@@ -712,7 +712,7 @@
"questSeaSerpentUnlockText": "Unlocks Sea Serpent Eggs for purchase in the Market",
"questKangarooText": "Kangaroo Catastrophe",
"questKangarooNotes": "Maybe you should have finished that last task… you know, the one you keep avoiding, even though it always comes back around? But @Mewrose and @LilithofAlfheim invited you and @stefalupagus to see a rare kangaroo troop hopping through the Sloensteadi Savannah; how could you say no?! As the troop comes into view, something hits you on the back of the head with a mighty <em>whack!</em><br><br>Shaking the stars from your vision, you pick up the responsible objecta dark red boomerang, with the very task you continually push back etched into its surface. A quick glance around confirms the rest of your party met a similar fate. One larger kangaroo looks at you with a smug grin, like shes daring you to face her and that dreaded task once and for all!",
"questKangarooNotes": "Maybe you should have finished that last task… you know, the one you keep avoiding, even though it always comes back around? But @Mewrose and @LilithofAlfheim invited you and @stefalupagus to see a rare kangaroo troop hopping through the Sloensteadi Savannah; how could you say no?! As the troop comes into view, something hits you on the back of the head with a mighty <em>whack!</em><br><br>Shaking the stars from your vision, you pick up the responsible object--a dark red boomerang, with the very task you continually push back etched into its surface. A quick glance around confirms the rest of your party met a similar fate. One larger kangaroo looks at you with a smug grin, like shes daring you to face her and that dreaded task once and for all!",
"questKangarooCompletion": "“NOW!” You signal your party to throw the boomerangs back at the kangaroo. The beast hops further away with each hit until she flees, leaving nothing more than a dark red cloud of dust, a few eggs, and some gold coins.<br><br>@Mewrose walks forward to where the kangaroo once stood. “Hey, where did the boomerangs go?”<br><br>“They probably dissolved into dust, making that dark red cloud, when we finished our respective tasks,” @stefalupagus speculates.<br><br>@LilithofAlfheim squints at the horizon. “Is that another kangaroo troop heading our way?”<br><br>You all break into a run back to Habit City. Better to face your difficult tasks than take another lump to the back of the head!",
"questKangarooBoss": "Catastrophic Kangaroo",
"questKangarooDropKangarooEgg": "Kangaroo (Egg)",
@@ -784,7 +784,7 @@
"questAmberText": "The Amber Alliance",
"questAmberNotes": "Youre sitting in the Tavern with @beffymaroo and @-Tyr- when @Vikte bursts through the door and excitedly tells you about the rumors of another type of Magic Hatching Potion hidden in the Taskwoods. Having completed your Dailies, the three of you immediately agree to help @Vikte on their search. After all, whats the harm in a little adventure?<br><br>After walking through the Taskwoods for hours, youre beginning to regret joining such a wild chase. Youre about to head home, when you hear a surprised yelp and turn to see a huge lizard with shiny amber scales coiled around a tree, clutching @Vikte in her claws. @beffymaroo reaches for her sword.<br><br>“Wait!” cries @-Tyr-. “Its the Trerezin! Shes not dangerous, just dangerously clingy!”",
"questAmberCompletion": "“Trerezin?” @-Tyr- says calmly. “Could you let @Vikte go? I dont think theyre enjoying being so high up.”<br><br>The Trerezins amber skin blushes crimson and she gently lowers @Vikte to the ground. “My apologies! Its been so long since Ive had any guests that Ive forgotten my manners!” She slithers forward to greet you properly before disappearing into her treehouse, and returning with an armful of Amber Hatching Potions as thank-you gifts!<br><br>“Magic Potions!” @Vikte gasps.<br><br>“Oh, these old things?” The Trerezin's tongue flickers as she thinks. “How about this? Ill give you this whole stack if you promise to visit me every so often...”<br><br>And so you leave the Taskwoods, excited to tell everyone about the new potionsand your new friend!",
"questAmberCompletion": "“Trerezin?” @-Tyr- says calmly. “Could you let @Vikte go? I dont think theyre enjoying being so high up.”<br><br>The Trerezins amber skin blushes crimson and she gently lowers @Vikte to the ground. “My apologies! Its been so long since Ive had any guests that Ive forgotten my manners!” She slithers forward to greet you properly before disappearing into her treehouse, and returning with an armful of Amber Hatching Potions as thank-you gifts!<br><br>“Magic Potions!” @Vikte gasps.<br><br>“Oh, these old things?” The Trerezin's tongue flickers as she thinks. “How about this? Ill give you this whole stack if you promise to visit me every so often...”<br><br>And so you leave the Taskwoods, excited to tell everyone about the new potions--and your new friend!",
"questAmberBoss": "Trerezin",
"questAmberDropAmberPotion": "Amber Hatching Potion",
"questAmberUnlockText": "Unlocks Amber Hatching Potions for purchase in the Market",
@@ -800,7 +800,7 @@
"questWaffleText": "Waffling with the Fool: Disaster Breakfast!",
"questWaffleNotes": "“April Fool!” storms a flustered Lady Glaciate. “You said your dessert-themed prank was over with and completely cleaned up!”<br><br>“Why, it was and is, my dear,” replies the Fool, puzzled. “And I am the most honest of Fools. What's wrong?”<br><br>“There's a giant sugary monster approaching Habit City!”<br><br>“Hmm,” muses the Fool. “I did raid a few lairs for the mystic reagents for my last event. Maybe I attracted some unwanted attention. Is it the Saccharine Serpent? The Torte-oise? Tiramisu Rex?”<br><br>“No! It's some sort of... Awful Waffle!”<br><br>“Huh. That's a new one! Perhaps it spawned from all the ambient shenanigan energy.” He turns to you and @beffymaroo with a lopsided smile. “I don't suppose you'd be available for some heroics?”",
"questWaffleCompletion": "Battered and buttered but triumphant, you savor sweet victory as the Awful Waffle collapses into a pool of sticky goo.<br><br>“Wow, you really creamed that monster,” says Lady Glaciate, impressed.<br><br>“A piece of cake!” beams the April Fool.<br><br>“Kind of a shame, though,” says @beffymaroo. “It looked good enough to eat.”<br><br>The Fool takes a set of potion bottles from somewhere in his cape, fills them with the syrupy leavings of the Waffle, and mixes in a pinch of sparkling dust. The liquid swirls with colornew Hatching Potions! He tosses them into your arms. “All that adventure has given me an appetite. Who wants to join me for breakfast?”",
"questWaffleCompletion": "Battered and buttered but triumphant, you savor sweet victory as the Awful Waffle collapses into a pool of sticky goo.<br><br>“Wow, you really creamed that monster,” says Lady Glaciate, impressed.<br><br>“A piece of cake!” beams the April Fool.<br><br>“Kind of a shame, though,” says @beffymaroo. “It looked good enough to eat.”<br><br>The Fool takes a set of potion bottles from somewhere in his cape, fills them with the syrupy leavings of the Waffle, and mixes in a pinch of sparkling dust. The liquid swirls with color--new Hatching Potions! He tosses them into your arms. “All that adventure has given me an appetite. Who wants to join me for breakfast?”",
"questWaffleBoss": "Awful Waffle",
"questWaffleRageTitle": "Maple Mire",
"questWaffleRageDescription": "Maple Mire: This bar fills when you don't complete your Dailies. When it is full, the Awful Waffle will subtract from the pending damage that party members have built up!",
@@ -819,7 +819,7 @@
"questFluoriteUnlockText": "Unlocks Fluorite Hatching Potions for purchase in the Market",
"questWindupText": "A Whirl with a Wind-Up Warrior",
"questWindupNotes": "Habit City is seldom quiet, but you werent prepared for the cacophony of creaks, squeaks and screams escaping Good Timekeeping, Habiticas finest clockwork emporium. You sighyou just wanted your watch fixed. The proprietor, known only as “Great and Powerful”, tumbles out the door, pursued by a clanking copper colossus!<br><br>“Ki-! Ki-! Ki!” it clangs, arms smashing up and down. Its gears grind and screech in protest.<br><br>“My robot Clankton has gone mad! Its trying to kill me!” the supposedly Powerful one shrieks.<br><br>Even with a broken watch, you can tell when its time to fight. You leap forward to defend the panicking watchmaker. @Vikte and @a_diamond also step up to help!<br><br>“Ki-! Ki-! Ki-!” Clankton chants with each blow. “Mew!”<br><br>Wait, was that mechanical mewling amidst the murderous monotone?",
"questWindupNotes": "Habit City is seldom quiet, but you werent prepared for the cacophony of creaks, squeaks and screams escaping Good Timekeeping, Habiticas finest clockwork emporium. You sigh--you just wanted your watch fixed. The proprietor, known only as “Great and Powerful”, tumbles out the door, pursued by a clanking copper colossus!<br><br>“Ki-! Ki-! Ki!” it clangs, arms smashing up and down. Its gears grind and screech in protest.<br><br>“My robot Clankton has gone mad! Its trying to kill me!” the supposedly Powerful one shrieks.<br><br>Even with a broken watch, you can tell when its time to fight. You leap forward to defend the panicking watchmaker. @Vikte and @a_diamond also step up to help!<br><br>“Ki-! Ki-! Ki-!” Clankton chants with each blow. “Mew!”<br><br>Wait, was that mechanical mewling amidst the murderous monotone?",
"questWindupCompletion": "As you dodge the attacks, you notice something odd: a stripy brass tail sticking out of the robots chassis. You plunge a hand amid the grinding gears and pull out… a trembling wind-up tiger cub. It snuggles against your shirt.<br><br>The clockwork robot immediately stops flailing and smiles, its cogs clicking back into place. “Ki-Ki-Kitty! Kitty got in me!”<br><br>“Great!” the Powerful says, blushing. “Ive been working hard on these wind-up pet potions. I guess I lost track of my new creations. Ive been missing my Tidy the workshop daily a lot lately…”<br><br>You follow the tinkerer and Clankton inside. Parts, tools and potions cover every surface. “Powerful” takes your watch, but hands you a few potions.<br><br>“Take these. Clearly theyll be safer with you!”",
"questWindupBoss": "Clankton",
"questWindupDropWindupPotion": "Wind-Up Hatching Potion",

View File

@@ -180,9 +180,6 @@
"mysterySet202509": "Windswept Wanderer Set",
"mysterySet202510": "Gliding Ghoul Set",
"mysterySet202511": "Frost Warrior Set",
"mysterySet202512": "Cookie Champion Set",
"mysterySet202601": "Winter's Aegis Set",
"mysterySet202602": "Sakura Fox Set",
"mysterySet301404": "Steampunk Standard Set",
"mysterySet301405": "Steampunk Accessories Set",
"mysterySet301703": "Peacock Steampunk Set",
@@ -272,6 +269,5 @@
"unlockNGemsGift": "They'll unlock <strong><%= count %> Gems</strong> per month in the Market",
"earn2GemsGift": "They'll earn <strong>+2 Gems</strong> every month they're subscribed",
"maxGemCapGift": "They'll have the max <strong>Gem Cap</strong>",
"subscribeAgainContinueHourglasses": "Subscribe again to continue receiving Mystic Hourglasses",
"subscriptionBillingFYI": "Subscriptions automatically renew unless you cancel at least 24 hours before the end of the current period. You can manage your subscription from the Subscription tab in settings. Your account will be charged within 24 hours of your renewal date, at the same price you initially paid."
"subscribeAgainContinueHourglasses": "Subscribe again to continue receiving Mystic Hourglasses"
}

View File

@@ -1,7 +1,7 @@
{
"achievement": "Achievement",
"onwards": "Onwards!",
"levelup": "By accomplishing your real life goals, you levelled up and are now fully healed!",
"levelup": "By accomplishing your real life goals, you leveled up and are now fully healed!",
"reachedLevel": "You Reached Level <%= level %>",
"achievementLostMasterclasser": "Quest Completionist: Masterclasser Series",
"achievementLostMasterclasserText": "Completed all sixteen quests in the Masterclasser Quest Series and solved the mystery of the Lost Masterclasser!",
@@ -24,7 +24,7 @@
"achievementPrimedForPaintingModalText": "You collected all the White Pets!",
"achievementPrimedForPaintingText": "Has collected all White Pets.",
"achievementPrimedForPainting": "Primed for Painting",
"achievementPurchasedEquipmentModalText": "Equipment is a way to customise your avatar and improve your Stats",
"achievementPurchasedEquipmentModalText": "Equipment is a way to customize your avatar and improve your Stats",
"achievementPurchasedEquipmentText": "Purchased their first piece of equipment.",
"achievementPurchasedEquipment": "Purchase a piece of Equipment",
"achievementFedPetModalText": "There are many different types of food, but Pets can be picky",
@@ -152,17 +152,17 @@
"achievementPlantParentText": "Has hatched all standard colours of Plant pets: Cactus and Treeling!",
"achievementDinosaurDynastyText": "Has hatched all standard colours of bird and dinosaur pets: Falcon, Owl, Parrot, Peacock, Penguin, Rooster, Pterodactyl, T-Rex, Triceratops, and Velociraptor!",
"achievementDuneBuddyModalText": "You collected all the desert dwelling pets!",
"achievementRoughRiderModalText": "You collected all the basic colours of the uncomfortable pets and mounts!",
"achievementRoughRiderModalText": "You collected all the basic colors of the uncomfortable pets and mounts!",
"achievementRodentRuler": "Rodent Ruler",
"achievementRodentRulerText": "Has hatched all standard colours of rodent pets: Guinea Pig, Rat, and Squirrel!",
"achievementRodentRulerText": "Has hatched all standard colors of rodent pets: Guinea Pig, Rat, and Squirrel!",
"achievementRodentRulerModalText": "You collected all the rodent pets!",
"achievementRoughRider": "Rough Rider",
"achievementRoughRiderText": "Has hatched all basic colours of the uncomfortable pets and mounts: Cactus, Hedgehog, and Rock!",
"achievementCats": "Cat Herder",
"achievementCatsText": "Has hatched all the standard colours of cat pets: Cheetah, Lion, Sabretooth, and Tiger!",
"achievementCatsText": "Has hatched all the standard colors of cat pets: Cheetah, Lion, Sabretooth, and Tiger!",
"achievementCatsModalText": "You collected all the cat pets!",
"achievementBonelessBoss": "Boneless Boss",
"achievementBonelessBossText": "Has hatched all standard colours of invertebrate pets: Beetle, Butterfly, Cuttlefish, Nudibranch, Octopus, Snail, and Spider!",
"achievementBonelessBossText": "Has hatched all standard colors of invertebrate pets: Beetle, Butterfly, Cuttlefish, Nudibranch, Octopus, Snail, and Spider!",
"achievementBonelessBossModalText": "You collected all the invertebrate pets!",
"achievementDuneBuddy": "Dune Buddy",
"achievementDuneBuddyText": "Has hatched all standard colours of desert dwelling pets: Armadillo, Cactus, Fox, Frog, Snake, and Spider!"

View File

@@ -706,8 +706,8 @@
"backgroundDogParkText": "Dog Park",
"backgroundDogParkNotes": "Frolic at the Dog Park.",
"backgrounds022024": "SET 117: Released February 2024",
"backgroundColorfulStreetText": "Colourful Street",
"backgroundColorfulStreetNotes": "Viewing a Colourful Street.",
"backgroundColorfulStreetText": "Colorful Street",
"backgroundColorfulStreetNotes": "Viewing a Colorful Street.",
"backgroundSwanBoatText": "Swan Boat",
"backgroundSwanBoatNotes": "Take a ride in a Swan Boat.",
"backgroundHeartTreeTunnelText": "Heart Tree Tunnel",
@@ -856,8 +856,8 @@
"backgrounds072023": "SET 110: Released July 2023",
"backgroundOnAPaddlewheelBoatText": "On a Paddlewheel Boat",
"backgroundOnAPaddlewheelBoatNotes": "Ride on a Paddlewheel Boat.",
"backgroundColorfulCoralText": "Colourful Coral",
"backgroundColorfulCoralNotes": "Dive among Colourful Coral.",
"backgroundColorfulCoralText": "Colorful Coral",
"backgroundColorfulCoralNotes": "Dive among Colorful Coral.",
"backgroundBoardwalkIntoSunsetText": "Boardwalk into the Sunset",
"backgroundBoardwalkIntoSunsetNotes": "Stroll on a Boardwalk into the Sunset.",
"backgrounds102023": "SET 113: Released October 2023",
@@ -905,8 +905,8 @@
"backgroundSummerSeashoreText": "Summer Seashore",
"backgroundSummerSeashoreNotes": "Catch a wave at a Summer Seashore.",
"backgrounds052025": "SET 132: Released May 2025",
"backgroundTrailThroughAForestText": "Trail Through the Woods",
"backgroundTrailThroughAForestNotes": "Wander down a Trail Through the Woods.",
"backgroundTrailThroughAForestText": "Trail Through a Forest",
"backgroundTrailThroughAForestNotes": "Wander down a Trail Through a Forest.",
"backgrounds072025": "SET 134: Released July 2025",
"backgroundSirensLairText": "Siren's Lair",
"backgroundSirensLairNotes": "Dare to dive into a Sirens Lair.",
@@ -921,8 +921,5 @@
"backgroundInsideForestWitchsCottageNotes": "Weave spells inside a Forest Witch's Cottage.",
"backgrounds112025": "SET 138: Released November 2025",
"backgroundCastleKeepWithBannersText": "Castle Hall with Banners",
"backgroundCastleKeepWithBannersNotes": "Sing tales of heroic deeds in a Castle Hall with Banners.",
"backgroundNighttimeStreetWithShopsText": "Night-time Street with Shops",
"backgroundElegantPalaceNotes": "Admire the colourful halls of an Elegant Palace.",
"backgroundNighttimeStreetWithShopsNotes": "Enjoy the warm glow of a Night-time Street with Shops."
"backgroundCastleKeepWithBannersNotes": "Sing tales of heroic deeds in a Castle Hall with Banners."
}

View File

@@ -108,6 +108,5 @@
"resetFlags": "Reset Flags",
"cannotClose": "This Challenge cannot be closed because one or more players have reported it as inappropriate. A staff members will contact you shortly with instructions. If over 48 hours have passed and you have not heard from them, please email admin@habitica.com for assistance.",
"abuseFlagModalBodyChallenge": "You should only report a Challenge that violates the <%= firstLinkStart %>Community Guidelines<%= linkEnd %> and/or <%= secondLinkStart %>Terms of Service<%= linkEnd %>. Submitting a false report is a violation of Habitica's Community Guidelines.",
"cannotMakeChallenge": "You are unable to create public Challenges as your account currently does not have chat privileges. Please contact admin@habitica.com for more information.",
"deleteChallengeRefundDescription": "If you delete this Challenge, you will be refunded the Gem prize and the Challenge tasks will remain on the participants' task boards."
"cannotMakeChallenge": "You are unable to create public Challenges as your account currently does not have chat privileges. Please contact admin@habitica.com for more information."
}

View File

@@ -26,7 +26,7 @@
"skin": "Skin",
"color": "Colour",
"hair": "Hair",
"bangs": "Fringe",
"bangs": "Bangs",
"glasses": "Glasses",
"hairSet1": "Hairstyle Set 1",
"hairSet2": "Hairstyle Set 2",

View File

@@ -9,9 +9,9 @@
"commGuidePara015": "Habitica has a few spaces where you may interact with other players. These include private chat contexts (private messages and Party chat) as well as the Looking for Party feature and Challenges.",
"commGuidePara016": "When navigating the social components of Habitica, there are some general rules to keep everyone safe and happy.",
"commGuideList02A": "<strong>Respect each other</strong>. Be courteous, kind, friendly, and helpful. Remember: Habiticans come from all backgrounds and have had wildly divergent experiences.",
"commGuideList02C": "<strong>Do not post images or text that are violent, threatening, or sexually explicit/suggestive, or that promote discrimination, bigotry, racism, sexism, hatred, harassment or harm against any individual or group</strong>. Not even as a joke or meme. This includes slurs as well as statements. Not everyone has the same sense of humour, and so something that you consider a joke may be hurtful to another.",
"commGuideList02C": "<strong>Do not post images or text that are violent, threatening, or sexually explicit/suggestive, or that promote discrimination, bigotry, racism, sexism, hatred, harassment or harm against any individual or group</strong>. Not even as a joke or meme. This includes slurs as well as statements. Not everyone has the same sense of humor, and so something that you consider a joke may be hurtful to another.",
"commGuideList02D": "<strong>Be mindful that Habiticans are of all ages and backgrounds</strong>. Challenges and player profiles should not mention adult topics, use profanity, or promote contention or conflict.",
"commGuideList02E": "<strong>If a staff member tells you that a term is disallowed on Habitica, even if it is a term that you did not realise was problematic, that decision is final.</strong> Additionally, slurs will be dealt with very severely, as they are also a violation of the Terms of Service.",
"commGuideList02E": "<strong>If a staff member tells you that a term is disallowed on Habitica, even if it is a term that you did not realize was problematic, that decision is final.</strong> Additionally, slurs will be dealt with very severely, as they are also a violation of the Terms of Service.",
"commGuideList02G": "<strong>Comply immediately with any Staff request.</strong> This could include, but is not limited to, requesting you limit your posts in a particular space, editing your profile to remove unsuitable content, etc. Do not argue with Staff. If you have concerns or comments about Staff actions, email <a href='mailto:admin@habitica.com' target='_blank'>admin@habitica.com</a> to contact our community manager.",
"commGuideList02J": "<strong>Do not spam</strong>. Spamming may include, but is not limited to: sending multiple unsolicited private messages, sending nonsensical messages, sending multiple promotional messages about a Party or Challenge, or creating multiple similar or low quality Challenges in a row. Staff has discretion to determine what messages are considered spamming.",
"commGuideList02K": "<strong>Do not send links without explanation or context</strong>. If players clicking on a link will result in any benefit to you, you need to disclose that. This applies in messages as well as Challenges.",

View File

@@ -233,12 +233,12 @@
"foodRottenMeat": "Rotten Meat",
"foodRottenMeatThe": "the Rotten Meat",
"foodRottenMeatA": "Rotten Meat",
"foodCottonCandyPink": "Pink Candyfloss",
"foodCottonCandyPinkThe": "the Pink Candyfloss",
"foodCottonCandyPinkA": "Pink Candyfloss",
"foodCottonCandyBlue": "Blue Candyfloss",
"foodCottonCandyBlueThe": "the Blue Candyfloss",
"foodCottonCandyBlueA": "Blue Candyfloss",
"foodCottonCandyPink": "Pink Cotton Candy",
"foodCottonCandyPinkThe": "the Pink Cotton Candy",
"foodCottonCandyPinkA": "Pink Cotton Candy",
"foodCottonCandyBlue": "Blue Cotton Candy",
"foodCottonCandyBlueThe": "the Blue Cotton Candy",
"foodCottonCandyBlueA": "Blue Cotton Candy",
"foodHoney": "Honey",
"foodHoneyThe": "the Honey",
"foodHoneyA": "Honey",

View File

@@ -1,5 +1,5 @@
{
"playerTiersDesc": "The coloured usernames you see in chat represent a person's contributor tier. The higher the tier, the more the person has contributed to Habitica through art, code, the community, or more!",
"playerTiersDesc": "The coloured usernames you see in chat represent a person's contributor tier. The higher the tier, the more the person has contributed to habitica through art, code, the community, or more!",
"tier1": "Tier 1 (Friend)",
"tier2": "Tier 2 (Friend)",
"tier3": "Tier 3 (Elite)",

View File

@@ -3,8 +3,8 @@
"dontDespair": "Don't despair!",
"deathPenaltyDetails": "You lost a Level, your Gold, and a piece of Equipment, but you can get them all back with hard work! Good luck—you'll do great.",
"refillHealthTryAgain": "Refill Health & Try Again",
"dyingOftenTips": "Is this happening often? <a href='/static/faq#prevent-damage' target='_blank'>Here are some tips!</a>",
"losingHealthWarning": "Careful - You're Losing Health!",
"dyingOftenTips": "Is this happening often? <a href='http://habitica.fandom.com/wiki/Death_Mechanics#Strategies_for_Staying_Alive' target='_blank'>Here are some tips!</a>",
"losingHealthWarning": "CarefulYou're Losing Health!",
"losingHealthWarning2": "Don't let your Health drop to zero! If you do, you'll lose a level, your Gold, and a piece of equipment.",
"toRegainHealth": "To regain Health:",
"lowHealthTips1": "Level up to fully heal!",

View File

@@ -22,7 +22,7 @@
"creativityTodoText": "Finish creative project",
"creativityDailyNotes": "Tap to specify the name of your current project + set the schedule!",
"creativityDailyText": "Work on creative project",
"creativityHabit": "Study a master of the craft >> + Practised a new creative technique",
"creativityHabit": "Study a master of the craft >> + Practiced a new creative technique",
"choresTodoNotes": "Tap to specify the cluttered area!",
"choresTodoText": "Organise closet >> Organise clutter",
"choresDailyNotes": "Tap to choose your schedule!",

View File

@@ -1,7 +1,7 @@
{
"frequentlyAskedQuestions": "Frequently Asked Questions",
"iosFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](http://habitica.fandom.com/wiki/FAQ), come ask in the Tavern chat under Menu > Tavern! We're happy to help.",
"androidFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), use the Ask a Question form! We're happy to help.",
"androidFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](http://habitica.fandom.com/wiki/FAQ), come ask in the Tavern chat under Menu > Tavern! We're happy to help.",
"webFaqStillNeedHelp": "If you have a question that isn't on this list or on the [Wiki FAQ](http://habitica.fandom.com/wiki/FAQ), come ask in the [Habitica Help guild](https://habitica.com/groups/guild/5481ccf3-5d2d-48a9-a871-70a7380cee5a)! We're happy to help.",
"commonQuestions": "Common Questions",
"faqQuestion25": "What are the different task types?",
@@ -29,7 +29,7 @@
"webFaqAnswer32": "All players start as the Warrior class until they reach level 10. Once you reach level 10, youll be given the choice between selecting a new class or continuing as a Warrior.\n\nEach class has different Equipment and Skills. If you don't want to choose a class, you can select \"Opt Out.\" If you choose to opt out, you can always enable the Class System from Settings later.\n\nIf youd like to change your class after Level 10, you can do so by using the Orb of Rebirth. The Orb of Rebirth becomes available in the Market for 6 Gems at level 50 or for free at level 100.\n\nAlternatively, you can change class at any time from Settings for 3 Gems. This will not reset your level like Orb of Rebirth, but it will allow you to re-allocate the skill points youve accumulated as youve levelled up to match your new class.",
"faqQuestion33": "What is the blue bar that appears after level 10?",
"webFaqAnswer33": "After you unlock the Class System, you also unlock Skills that require Mana to be cast. Mana is determined by your INT stat and can be adjusted by Skills and Equipment.",
"webFaqAnswer34": "Pets like Food that matches their colour. Base Pets are the exception, but all Base Pets like the same item. You can see the specific foods each Pet likes below:\n\n * Base Pets like Meat\n * White Pets like Milk\n * Desert Pets like Potatoes\n * Red Pets like Strawberries\n * Shade Pets like Chocolate\n * Skeleton Pets like Fish\n * Zombie Pets like Rotten Meat\n * Cotton Candy Pink Pets like Pink Candyfloss\n * Cotton Candy Blue Pets like Blue Candyfloss\n * Golden Pets like Honey",
"webFaqAnswer34": "Pets like Food that matches their colour. Base Pets are the exception, but all Base Pets like the same item. You can see the specific foods each Pet likes below:\n\n * Base Pets like Meat\n * White Pets like Milk\n * Desert Pets like Potatoes\n * Red Pets like Strawberries\n * Shade Pets like Chocolate\n * Skeleton Pets like Fish\n * Zombie Pets like Rotten Meat\n * Cotton Candy Pink Pets like Pink Cotton Candy\n * Cotton Candy Blue Pets like Blue Cotton Candy\n * Golden Pets like Honey",
"webFaqAnswer35": "Once youve fed your Pet enough to raise it into a Mount, youll need to hatch that type of Pet again to have it in your stable.\n\nTo view Mounts on the mobile apps:\n\n * From the Menu, select “Pets & Mounts” and switch to the Mounts tab\n\nTo view Mounts on the website:\n\n * From the Inventory menu, select “Pets and Mounts” and scroll down to the Mounts section",
"faqQuestion36": "How do I change the appearance of my Avatar?",
"webFaqAnswer36": "There are endless ways to customise the appearance of your Habitica Avatar! You can change your Avatars body shape, hair style and colour, or skin colour, or add glasses or mobility aids by selecting \"Customise Avatar\" from the menu.\n\nTo customise your Avatar on the mobile apps:\n * From the menu, select “Customise Avatar”\n\nTo customise your Avatar on the website:\n * From the user menu in the navigation, select \"Customise Avatar\"",
@@ -37,10 +37,10 @@
"webFaqAnswer37": "Check to see if the Costume option is toggled on. If your Avatar is wearing a Costume, that set of Equipment will show instead of your Battle Gear.\n\nTo toggle the Costume on the mobile apps:\n * From the menu, select “Equipment” to find the Costume toggle\n\nTo toggle the Costume on the website:\n * From your Inventory, select “Equipment” and locate the Costume toggle in the Costume tab of the Equipment drawer",
"faqQuestion38": "Why can't I purchase certain items?",
"webFaqAnswer38": "New Habitica players can only purchase the basic Warrior class Equipment. Players must buy Equipment in sequential order to unlock the next piece.\n\nMany pieces of Equipment are class-specific, which means that a player can only buy Equipment belonging to their current class.",
"webFaqAnswer39": "If youre looking to get more Equipment, you can become a Habitica Subscriber, take a chance on the Enchanted Armoire, or splurge during one of Habiticas Grand Galas.\n\nHabitica subscribers receive a special exclusive gear set every month and Mystic Hourglasses to buy past Equipment sets from the Time Traveller Shop.\n\nThe Enchanted Armoire treasure chest in your Rewards has over 350 pieces of Equipment! For 100 Gold, youll have a chance at receiving either special Equipment, Food to raise your Pet to a Mount, or Experience to level up!\n\nDuring the four seasonal Grand Galas, brand-new class Equipment becomes available for purchase with Gold and previous Gala sets can be purchased with Gems.",
"webFaqAnswer39": "If youre looking to get more Equipment, you can become a Habitica Subscriber, take a chance on the Enchanted Armoire, or splurge during one of Habiticas Grand Galas.\n\nHabitica subscribers receive a special exclusive gear set every month and Mystic Hourglasses to buy past Equipment sets from the Time Traveler Shop.\n\nThe Enchanted Armoire treasure chest in your Rewards has over 350 pieces of Equipment! For 100 Gold, youll have a chance at receiving either special Equipment, Food to raise your Pet to a Mount, or Experience to level up!\n\nDuring the four seasonal Grand Galas, brand-new class Equipment becomes available for purchase with Gold and previous Gala sets can be purchased with Gems.",
"faqQuestion40": "What are Gems, and how do I get them?",
"webFaqAnswer40": "Gems are Habiticas in-app paid currency used to purchase Equipment, Avatar Customisations, Backgrounds, and more! Gems can be purchased in bundles or with Gold if youre a Habitica subscriber. You can also win Gems by being selected as the winner of a Challenge.",
"webFaqAnswer41": "Mystic Hourglasses are Habiticas exclusive Subscriber currency used in the Time Travellers Shop. Subscribers receive a Mystic Hourglass at the start of each month they have subscription benefits, along with a bunch of other perks. Be sure to check out our subscription options if youre interested in the special Backgrounds, Pets, Quests, and Equipment offered in the Time Travellers Shop!",
"webFaqAnswer41": "Mystic Hourglasses are Habiticas exclusive Subscriber currency used in the Time Travelers Shop. Subscribers receive a Mystic Hourglass at the start of each month they have subscription benefits, along with a bunch of other perks. Be sure to check out our subscription options if youre interested in the special Backgrounds, Pets, Quests, and Equipment offered in the Time Travelers Shop!",
"faqQuestion42": "What can I do to increase accountability?",
"webFaqAnswer42": "One of the best ways to motivate yourself and hold yourself accountable for accomplishing your tasks is to join a Party! Partying with other Habitica players is a great way to take on Quests to receive Pets and Equipment, receive buffs from Party members Skills, and boost your motivation.\n\nAnother way to increase accountability is to join a Challenge. Challenges automatically add tasks related to a specific goal to your lists! They also add an element of competition against other Habitica players that may motivate you as you strive for the Gem prize. There are official Challenges created by the Habitica Team as well as Challenges made by other players.",
"faqQuestion43": "How do I take on Quests?",
@@ -60,11 +60,11 @@
"contentAnswer20": "There will always be a Grand Gala active every day of the year when the schedule changes go into effect.",
"contentAnswer202": "<strong>Winter Wonderland</strong>: Dec 21 to March 20",
"contentAnswer203": "<strong>Spring Fling</strong>: March 21 to June 20",
"contentAnswer21": "All Gala goodies (Class gear, Skins and Hair Colours, Transformation Items, Seasonal Quests) will be released at Gala start and will be available for the entire time the Gala is active.",
"contentAnswer21": "All Gala goodies (Class gear, Skins and Hair Colors, Transformation Items, Seasonal Quests) will be released at Gala start and will be available for the entire time the Gala is active.",
"contentAnswer22": "Magic Hatching Potions will no longer be tied to Galas and will instead be on their own monthly release schedule themed to the ongoing festivities.",
"contentAnswer30": "Shops will rotate a selection of their items every month. This will help keep the amount of content in the shops manageable and easy to browse. The new schedule will offer fresh items to check out each month for newer players while creating a predictable schedule for veteran collectors.",
"contentQuestion3": "How is the content release schedule changing?",
"contentAnswer300": "<strong>1st of each month:</strong> New Subscriber set is released. Subscriber sets available in the Time Travellers Shop rotate.",
"contentAnswer300": "<strong>1st of each month:</strong> New Subscriber set is released. Subscriber sets available in the Time Travelers Shop rotate.",
"contentAnswer301": "<strong>7th of each month:</strong> New Enchanted Armoire items and one new Background released. Backgrounds available in the Customisation Shop rotate.",
"contentAnswer400": "Pet Quests",
"contentAnswer401": "Magic Hatching Potion Quests",
@@ -82,10 +82,10 @@
"contentAnswer60": "All other current events will continue as normal! Everyone will still get their special rewards and themed food as they do now.",
"contentAnswer61": "Valentines Day and New Year cards will be released on set dates.",
"contentQuestion6": "What will happen to other seasonal events, like Habitoween, April Fools Day, and Birthday?",
"contentQuestion7": "What about other items available in the Time Travellers Shop besides past Subscriber Sets?",
"contentQuestion7": "What about other items available in the Time Travelers Shop besides past Subscriber Sets?",
"contentAnswer63": "Wacky Pets will remain available throughout most of April.",
"contentAnswer70": "Backgrounds, Quests, Pets, and Mounts available in the Time Travellers Shop will remain available all year round.",
"contentAnswer71": "Stay tuned for further updates on planned improvements to the Time Travellers Shop experience.",
"contentAnswer70": "Backgrounds, Quests, Pets, and Mounts available in the Time Travelers Shop will remain available all year round.",
"contentAnswer71": "Stay tuned for further updates on planned improvements to the Time Travelers Shop experience.",
"contentFaqPara3": "If you have any questions not covered by the answers above, you can always contact our team at <%= mailto %>! Were excited for this new content release schedule and looking forward to even more projects in the future to help make Habitica better for all players.",
"subscriptionBenefitsAdjustments": "Subscriber Benefit Adjustments",
"subscriptionBenefitsFaqTitle": "Subscriber Benefit Adjustments FAQ",
@@ -97,7 +97,7 @@
"subscriptionHeading1": "Changes to Subscriber Gems",
"faqQuestion67": "What are the classes in Habitica?",
"contentAnswer02": "Brand new <strong>Pet Quests, Magic Hatching Potion Quests, and Magic Hatching Potions</strong> will be released to fill out this new schedule!",
"contentAnswer03": "Backgrounds, Hair Colours, Hair Styles, Skins, Animal Ears, Animal Tails, and Shirts will now be purchasable from the brand new <strong>Customisation Shop!</strong>",
"contentAnswer03": "Backgrounds, Hair Colors, Hair Styles, Skins, Animal Ears, Animal Tails, and Shirts will now be purchasable from the brand new <strong>Customisation Shop!</strong>",
"contentAnswer200": "<strong>Summer Splash</strong>: June 21 to Sept 20",
"contentAnswer201": "<strong>Fall Festival</strong>: Sept 21 to Dec 20",
"contentAnswer302": "<strong>14th of each month:</strong> Pet Quests, Potion Quests, and Quest Bundles available in the Quest Shop rotate.",
@@ -114,7 +114,7 @@
"subscriptionDetail20": "Under the current structure, it can be difficult to understand how many Mystic Hourglasses you would receive and when.",
"subscriptionDetail21": "The four subscription tiers were known to cause complications when upgrading or downgrading to different tiers.",
"subscriptionDetail22": "Gifted and recurring subscriptions had conflicting benefit experiences and rules that we wanted to simplify.",
"subscriptionDetail24": "We wanted subscribers to have more than four chances per year to collect items from the Time Travellers Shop.",
"subscriptionDetail24": "We wanted subscribers to have more than four chances per year to collect items from the Time Travelers Shop.",
"subscriptionHeading3": "Release day rewards",
"subscriptionPara1": "To help ease the transition to the new schedule, existing subscribers can expect some extra goodies on release day. We want to sincerely thank you for your continued support through this change!",
"subscriptionDetail30": "Players with recurring 1 month subscriptions or Group Plan subscriptions will receive 2 Mystic Hourglasses and 20 Gems.",
@@ -138,7 +138,7 @@
"contentAnswer10": "Habitica has been around since 2013 (wow!) and over time weve released thousands of items players can collect. This can be overwhelming, especially for new players. We want to be sure that we showcase everything we have to offer, and that excellent items released earlier in our history arent overlooked.",
"contentAnswer11": "When new players join between Grand Galas they are often unaware of these events and miss out on the fun. We want to be sure all new players can join in on our seasonal festivities no matter when they choose to start their journeys.",
"subscriptionDetail00": "All subscribers, including those with gifted subscriptions, will receive 1 Mystic Hourglass at the start of each month they have subscriber benefits.",
"subscriptionDetail23": "Giving one Mystic Hourglass per month allows subscribers to enjoy the rotating items in the Time Travellers Shop.",
"subscriptionDetail23": "Giving one Mystic Hourglass per month allows subscribers to enjoy the rotating items in the Time Travelers Shop.",
"subscriptionDetail32": "Players with recurring 12 month subscriptions will receive the 12 Mystic Hourglass bonus noted above and 20 Gems.",
"subscriptionDetail001": "All subscribers will receive Mystic Hourglasses on the same schedule, matching the release schedule of the monthly Mystery Gear Sets.",
"subscriptionDetail25": "We understand that finances change and we didnt want to punish subscribers for lapsed subscriptions by taking away benefits they had earned.",
@@ -150,7 +150,7 @@
"subscriptionDetail110": "If you raise the amount of Gems you can buy each month then cancel your subscription, you can pick back up at the same amount any time in the future, even if you purchase a lower subscription tier.",
"subscriptionDetail420": "Just like Mystery Gear Sets, you will not miss out on any Mystic Hourglasses or Gem cap increases if you dont log in while subscribed. The next time you log in, you will receive all benefits owed for each month you were subscribed.",
"subscriptionDetail4400": "If you currently have unlocked <%= initialNumber %> Gems per month, you will be set to <%= roundedNumber %>.",
"subscriptionPara3": "We hope this new schedule will be more predictable, allow more access to the amazing stock of items in the Time Travellers Shop, and give even more motivation to make progress on your tasks each month!",
"subscriptionPara3": "We hope this new schedule will be more predictable, allow more access to the amazing stock of items in the Time Travelers Shop, and give even more motivation to make progress on your tasks each month!",
"subscriptionDetail45": "Will purchasing extra gifted subscriptions get me more Mystic Hourglasses or a higher Gem cap faster?",
"subscriptionDetail430": "Cancelling a recurring subscription will set a termination date for your benefits, but you will still have full access to all perks of a subscription before that date. That means you will still receive monthly Mystic Hourglasses and Gem cap increases at the start of each month you have access to those benefits.",
"subscriptionDetail451": "Each gifted subscription will add to the amount of months a player has subscription benefits, allowing them to continue receiving more Mystic Hourglasses and increases to their Gem cap each passing month.",
@@ -228,7 +228,7 @@
"sunsetFaqHeader8": "How does this affect Habitica contributors?",
"sunsetFaqPara12": "As an open-source project, we welcome and encourage many types of contributions. To show our appreciation we will be sending the Heroic gear set to everyone that has a contributor tier as of <strong>August 1, 2023</strong>. When Tavern and Guild services end, there will be some changes to contributions as well. You can read more about the plan for each type below.",
"sunsetFaqPara15": "<strong>Challengers</strong><br />The team encourages you to continue creating high quality Challenges. We would like to explore new ways of promoting Challenge discoverability in and outside of the app.",
"sunsetFaqPara17": "<strong>Comrades</strong><br />Scripts and add-ons are helpful to a shrinking section of our user base as the mobile apps increasingly become the only way that most users access Habitica. Contributors wishing to create 3rd party tools to customise their Habitica experience can continue doing so, but we will no longer be awarding Comrade tiers as we focus on contributions that enhance Habitica in a way that is accessible to our player base as a whole.",
"sunsetFaqPara17": "<strong>Comrades</strong><br />Scripts and add-ons are helpful to a shrinking section of our user base as the mobile apps increasingly become the only way that most users access Habitica. Contributors wishing to create 3rd party tools to customize their Habitica experience can continue doing so, but we will no longer be awarding Comrade tiers as we focus on contributions that enhance Habitica in a way that is accessible to our player base as a whole.",
"sunsetFaqList4": "Public Challenges will continue as a feature in Habitica and will be accessible via the Challenges section.",
"sunsetFaqList5": "Challenges based in Parties and Group Plans will remain and be unaffected by the end of Tavern and Guild services.",
"sunsetFaqList6": "Challenges that are currently hosted in Guilds will remain accessible to current participants from their Challenges list, but will not be discoverable in the public list due to privacy concerns. It will not be possible to create new Guild-based Challenges.",

View File

@@ -22,13 +22,13 @@
"guidanceForBlacksmiths": "Guidance for Blacksmiths",
"history": "History",
"invalidEmail": "A valid email address is required in order to perform a password reset.",
"login": "Log In",
"login": "Login",
"logout": "Log Out",
"marketing1Header": "Build better habits one level at a time!",
"marketing1Lead1Title": "Gamify your life",
"marketing1Lead1": "Habitica is the perfect app for anyone who struggles with to-do lists. We use familiar game mechanics like rewarding you with Gold, Experience, and items to help you feel productive and boost your sense of accomplishment when you complete tasks. The better you are at your tasks, the more you progress in the game.",
"marketing1Lead2Title": "Gear up in style",
"marketing1Lead2": "Collect swords, armour, and much more with the Gold you earn from completing tasks. With hundreds of pieces to collect and choose from, you'll never run out of combinations to try. Optimise for stats, style, or both! ",
"marketing1Lead2": "Collect swords, armor, and much more with the Gold you earn from completing tasks. With hundreds of pieces to collect and choose from, you'll never run out of combinations to try. Optimize for stats, style, or both! ",
"marketing1Lead3Title": "Get rewarded for your effort",
"marketing1Lead3": "Having something to look forward to can be the difference between getting a task done, or having it taunt you for weeks. When life doesn't offer a reward, Habitica has you covered! Youll be rewarded for every task, but surprises are around every cornerso keep up your progress! ",
"marketing2Header": "Team up with friends",
@@ -49,7 +49,7 @@
"marketing4Lead2Title": "Gamification In Health and Wellness",
"marketing4Lead3-1": "Ready to have fun getting things done?",
"marketing4Lead3-2": "Interested in running a group in education, wellness, and more?",
"marketing4Lead3Title": "Start your journey!",
"marketing4Lead3Title": "Start Your Journey",
"mobileAndroid": "Android App",
"mobileIOS": "iOS App",
"oldNews": "News",
@@ -59,7 +59,7 @@
"presskit": "Press Kit",
"presskitText": "Thanks for your interest in Habitica! The following images can be used for articles or videos about Habitica. For more information, please contact us at <%= pressEnquiryEmail %>.",
"pkQuestion1": "What inspired Habitica? How did it start?",
"pkAnswer1": "If youve ever invested time in levelling up a character in a game, its hard not to wonder how great your life would be if you put all of that effort into improving your real-life self instead of your avatar. We starting building Habitica to address that question. <br /> Habitica officially launched with a Kickstarter in 2013, and the idea really took off. Since then, its grown into a huge project, supported by our awesome open-source volunteers and our generous users.",
"pkAnswer1": "If youve ever invested time in leveling up a character in a game, its hard not to wonder how great your life would be if you put all of that effort into improving your real-life self instead of your avatar. We starting building Habitica to address that question. <br /> Habitica officially launched with a Kickstarter in 2013, and the idea really took off. Since then, its grown into a huge project, supported by our awesome open-source volunteers and our generous users.",
"pkQuestion2": "Why does Habitica work?",
"pkAnswer2": "Forming a new habit is hard because people really need that obvious, instant reward. For example, its tough to start flossing, because even though our dentist tells us that it's healthier in the long run, in the immediate moment it just makes your gums hurt. <br /> Habitica's gamification adds a sense of instant gratification to everyday objectives by rewarding a tough task with experience, gold… and maybe even a random prize, like a dragon egg! This helps keep people motivated even when the task itself doesn't have an intrinsic reward, and we've seen people turn their lives around as a result.",
"pkQuestion3": "Why did you add social features?",
@@ -86,14 +86,14 @@
"sync": "Sync",
"tasks": "Tasks",
"teams": "Teams",
"terms": "Terms of Service",
"terms": "Terms and Conditions",
"tumblr": "Tumblr",
"localStorageTryFirst": "If you are experiencing problems with Habitica, click the button below to clear local storage and most cookies for this website (other websites will not be affected). You will need to log in again after doing this, so first be sure that you know your login details, which can be found at Settings -> <%= linkStart %>Site<%= linkEnd %>.",
"localStorageTryNext": "If the problem persists, please <%= linkStart %>Report a Bug<%= linkEnd %> if you haven't already.",
"localStorageClear": "Clear Data",
"localStorageClearExplanation": "This button will clear local storage and most cookies, and log you out.",
"username": "Username",
"emailOrUsername": "Username or Email (case-sensitive)",
"emailOrUsername": "Email or Username (case-sensitive)",
"work": "Work",
"reportAccountProblems": "Report Account Problems",
"reportCommunityIssues": "Report Community Issues",
@@ -122,9 +122,9 @@
"passwordConfirmationMatch": "Password confirmation doesn't match password.",
"passwordResetPage": "Reset Password",
"passwordReset": "If we have your email or username on file, instructions for setting a new password have been sent to your email.",
"invalidLoginCredentialsLong": "Your email, username, or password are incorrect. Please try again or use \"Forgot Password\".",
"invalidLoginCredentialsLong": "Uh-oh - your email address / username or password is incorrect.\n- Make sure they are typed correctly. Your username and password are case-sensitive.\n- You may have signed up with Facebook or Google-sign-in, not email so double-check by trying them.\n- If you forgot your password, click \"Forgot Password\".",
"invalidCredentials": "There is no account that uses those credentials.",
"accountSuspended": "Your account @<%= username %> has been blocked. For additional information, or to request an appeal, email admin@habitica.com with your Habitica username or User ID.",
"accountSuspended": "This account, User ID \"<%= userId %>\", has been blocked for breaking the [Community Guidelines](https://habitica.com/static/community-guidelines) or [Terms of Service](https://habitica.com/static/terms). For details or to ask to be unblocked, please email our Community Manager at <%= communityManagerEmail %> or ask your parent or guardian to email them. Please include your @Username in the email.",
"accountSuspendedTitle": "Account has been suspended",
"unsupportedNetwork": "This network is not currently supported.",
"cantDetachSocial": "Account lacks another authentication method; can't detach this authentication method.",
@@ -132,12 +132,12 @@
"invalidReqParams": "Invalid request parameters.",
"memberIdRequired": "\"member\" must be a valid UUID.",
"heroIdRequired": "\"heroId\" must be a valid UUID.",
"cannotFulfillReq": "Please enter a valid email address. Email admin@habitica.com if this error persists.",
"cannotFulfillReq": "Your request cannot be fulfilled. Email admin@habitica.com if this error persists.",
"modelNotFound": "This model does not exist.",
"signUpWithSocial": "Continue with <%= social %>",
"signUpWithSocial": "Sign up with <%= social %>",
"loginWithSocial": "Log in with <%= social %>",
"confirmPassword": "Confirm Password",
"usernameLimitations": "Usernames can be changed at any time. They must be 1 to 20 characters, containing only letters a to z, numbers 0 to 9, hyphens, or underscores.",
"usernameLimitations": "Username must be 1 to 20 characters, containing only letters a to z, numbers 0 to 9, hyphens, or underscores, and cannot include any inappropriate terms.",
"usernamePlaceholder": "e.g., HabitRabbit",
"emailPlaceholder": "e.g., gryphon@example.com",
"passwordPlaceholder": "e.g., ******************",
@@ -183,8 +183,5 @@
"marketing3Lead1Title": "Android & iOS apps",
"marketing4Lead3Button": "Get Started Today",
"missingClientHeader": "Missing x-client headers.",
"emailBlockedRegistration": "This E-Mail is blocked from registration. If you think this is a mistake, please contact us at admin@habitica.com.",
"minPasswordLengthLogin": "Your password is at least 8 characters long.",
"enterValidEmail": "Please enter a valid email address.",
"whatToCallYou": "What should we call you?"
"emailBlockedRegistration": "This E-Mail is blocked from registration. If you think this is a mistake, please contact us at admin@habitica.com."
}

View File

@@ -449,7 +449,7 @@
"armorSpecialDandySuitNotes": "You're undeniably dressed for success! Increases Perception by <%= per %>.",
"armorSpecialSamuraiArmorText": "Samurai Armour",
"armorSpecialSamuraiArmorNotes": "This strong, scaled armour is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armour",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armour! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armour",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armour! Confers no benefit.",
@@ -589,15 +589,15 @@
"armorSpecialSummer2017HealerNotes": "This garment of silvery scales transforms its wearer into a real Seahealer! Increases Constitution by <%= con %>. Limited Edition 2017 Summer Gear.",
"armorSpecialFall2017RogueText": "Pumpkin Patch Robes",
"armorSpecialFall2017RogueNotes": "Need to hide out? Crouch among the Jack o' Lanterns and these robes will conceal you! Increases Perception by <%= per %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialFall2017WarriorText": "Strong and Sweet Armour",
"armorSpecialFall2017WarriorText": "Strong and Sweet Armor",
"armorSpecialFall2017WarriorNotes": "This armour will protect you like a delicious candy shell. Increases Constitution by <%= con %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialFall2017MageText": "Masquerade Robes",
"armorSpecialFall2017MageNotes": "What masquerade ensemble would be complete without dramatic and sweeping robes? Increases Intelligence by <%= int %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialFall2017HealerText": "Haunted House Armour",
"armorSpecialFall2017HealerText": "Haunted House Armor",
"armorSpecialFall2017HealerNotes": "Your heart is an open door. And your shoulders are roofing tiles! Increases Constitution by <%= con %>. Limited Edition 2017 Autumn Gear.",
"armorSpecialWinter2018RogueText": "Reindeer Costume",
"armorSpecialWinter2018RogueNotes": "You look so cute and fuzzy, who could suspect you are after holiday loot? Increases Perception by <%= per %>. Limited Edition 2017-2018 Winter Gear.",
"armorSpecialWinter2018WarriorText": "Wrapping Paper Armour",
"armorSpecialWinter2018WarriorText": "Wrapping Paper Armor",
"armorSpecialWinter2018WarriorNotes": "Don't let the papery feel of this armour fool you. It's nearly impossible to rip! Increases Constitution by <%= con %>. Limited Edition 2017-2018 Winter Gear.",
"armorSpecialWinter2018MageText": "Sparkly Tuxedo",
"armorSpecialWinter2018MageNotes": "The ultimate in magical formalwear. Increases Intelligence by <%= int %>. Limited Edition 2017-2018 Winter Gear.",
@@ -605,15 +605,15 @@
"armorSpecialWinter2018HealerNotes": "These robes are woven with spells for extra holiday joy. Increases Constitution by <%= con %>. Limited Edition 2017-2018 Winter Gear.",
"armorSpecialSpring2018RogueText": "Feather Suit",
"armorSpecialSpring2018RogueNotes": "This fluffy yellow costume will trick your enemies into thinking you're just a harmless ducky! Increases Perception by <%= per %>. Limited Edition 2018 Spring Gear.",
"armorSpecialSpring2018WarriorText": "Armour of Dawn",
"armorSpecialSpring2018WarriorText": "Armor of Dawn",
"armorSpecialSpring2018WarriorNotes": "This colourful plate is forged with the sunrise's fire. Increases Constitution by <%= con %>. Limited Edition 2018 Spring Gear.",
"armorSpecialSpring2018MageText": "Tulip Robe",
"armorSpecialSpring2018MageNotes": "Your spell casting can only improve while clad in these soft, silky petals. Increases Intelligence by <%= int %>. Limited Edition 2018 Spring Gear.",
"armorSpecialSpring2018HealerText": "Garnet Armour",
"armorSpecialSpring2018HealerText": "Garnet Armor",
"armorSpecialSpring2018HealerNotes": "Let this bright armour infuse your heart with power for healing. Increases Constitution by <%= con %>. Limited Edition 2018 Spring Gear.",
"armorSpecialSummer2018RogueText": "Pocket Fishing Vest",
"armorSpecialSummer2018RogueNotes": "Bobbers? Boxes of hooks? Spare line? Lockpicks? Smoke bombs? Whatever you need on hand for your summer fishing getaway, there's a pocket for it! Increases Perception by <%= per %>. Limited Edition 2018 Summer Gear.",
"armorSpecialSummer2018WarriorText": "Betta Tail Armour",
"armorSpecialSummer2018WarriorText": "Betta Tail Armor",
"armorSpecialSummer2018WarriorNotes": "Dazzle onlookers with whorls of magnificent colour as you spin and dart through the water. How could any opponent dare strike at this beauty? Increases Constitution by <%= con %>. Limited Edition 2018 Summer Gear.",
"armorSpecialSummer2018MageText": "Lionfish Scale Hauberk",
"armorSpecialSummer2018MageNotes": "Venom magic has a reputation for subtlety. Not so this colourful armour, whose message is clear to beast and task alike: watch out! Increases Intelligence by <%= int %>. Limited Edition 2018 Summer Gear.",
@@ -627,9 +627,9 @@
"armorSpecialFall2018MageNotes": "The fabric of these robes has magic candy woven right in! However, we recommend you not attempt to eat them. Increases Intelligence by <%= int %>. Limited Edition 2018 Autumn Gear.",
"armorSpecialFall2018HealerText": "Robes of Carnivory",
"armorSpecialFall2018HealerNotes": "It's made from plants, but that doesn't mean it's vegetarian. Bad habits are afraid to come within miles of these robes. Increases Constitution by <%= con %>. Limited Edition 2018 Autumn Gear.",
"armorSpecialWinter2019RogueText": "Poinsettia Armour",
"armorSpecialWinter2019RogueText": "Poinsettia Armor",
"armorSpecialWinter2019RogueNotes": "With holiday greenery all about, no one will notice an extra shrubbery! You can move through seasonal gatherings with ease and stealth. Increases Perception by <%= per %>. Limited Edition 2018-2019 Winter Gear.",
"armorSpecialWinter2019WarriorText": "Glacial Armour",
"armorSpecialWinter2019WarriorText": "Glacial Armor",
"armorSpecialWinter2019WarriorNotes": "In the heat of battle, this armour will keep you ice cool and ready for action. Increases Constitution by <%= con %>. Limited Edition 2018-2019 Winter Gear.",
"armorSpecialWinter2019MageText": "Robes of Burning Inspiration",
"armorSpecialWinter2019MageNotes": "This fireproof garb will help protect you if any of your flashes of brilliance should happen to backfire! Increases Intelligence by <%= int %>. Limited Edition 2018-2019 Winter Gear.",
@@ -695,7 +695,7 @@
"armorMystery201710Notes": "Scaly, shiny, and strong! Confers no benefit. October 2017 Subscriber Item.",
"armorMystery201711Text": "Carpet Rider Outfit",
"armorMystery201711Notes": "This cozy sweater set will help keep you warm as you ride through the sky! Confers no benefit. November 2017 Subscriber Item.",
"armorMystery201712Text": "Candlemancer Armour",
"armorMystery201712Text": "Candlemancer Armor",
"armorMystery201712Notes": "The heat and light generated by this magic armour will warm your heart but never burn your skin! Confers no benefit. December 2017 Subscriber Item.",
"armorMystery201802Text": "Love Bug Armour",
"armorMystery201802Notes": "This shiny armour reflects your strength of heart and infuses it into any Habiticans nearby who may need encouragement! Confers no benefit. February 2018 Subscriber Item.",
@@ -703,9 +703,9 @@
"armorMystery201806Notes": "This sinuous tail features glowing spots to light your way through the deep. Confers no benefit. June 2018 Subscriber Item.",
"armorMystery201807Text": "Sea Serpent Tail",
"armorMystery201807Notes": "This powerful tail will propel you through the sea at incredible speeds! Confers no benefit. July 2018 Subscriber Item.",
"armorMystery201808Text": "Lava Dragon Armour",
"armorMystery201808Text": "Lava Dragon Armor",
"armorMystery201808Notes": "This armour is made from the shed scales of the elusive (and extremely warm) Lava Dragon. Confers no benefit. August 2018 Subscriber Item.",
"armorMystery201809Text": "Armour of Autumn Leaves",
"armorMystery201809Text": "Armor of Autumn Leaves",
"armorMystery201809Notes": "You are not only a small and fearsome leaf puff, you are sporting the most beautiful colours of the season! Confers no benefit. September 2018 Subscriber Item.",
"armorMystery201810Text": "Dark Forest Robes",
"armorMystery201810Notes": "These robes are extra warm to protect you from the ghastly cold of haunted realms. Confers no benefit. October 2018 Subscriber Item.",
@@ -801,8 +801,8 @@
"armorArmoireBluePartyDressNotes": "You're perceptive, tough, smart, and so fashionable! Increases Perception, Strength, and Constitution by <%= attrs %> each. Enchanted Armoire: Blue Hairbow Set (Item 2 of 2).",
"armorArmoirePiraticalPrincessGownText": "Piratical Princess Gown",
"armorArmoirePiraticalPrincessGownNotes": "This luxuriant garment has many pockets for concealing weapons and loot! Increases Perception by <%= per %>. Enchanted Armoire: Piratical Princess Set (Item 2 of 4).",
"armorArmoireJeweledArcherArmorText": "Jewelled Archer Armour",
"armorArmoireJeweledArcherArmorNotes": "This finely crafted armour will protect you from projectiles or errant red Dailies! Increases Constitution by <%= con %>. Enchanted Armoire: Jewelled Archer Set (Item 2 of 3).",
"armorArmoireJeweledArcherArmorText": "Jeweled Archer Armor",
"armorArmoireJeweledArcherArmorNotes": "This finely crafted armour will protect you from projectiles or errant red Dailies! Increases Constitution by <%= con %>. Enchanted Armoire: Jeweled Archer Set (Item 2 of 3).",
"armorArmoireCoverallsOfBookbindingText": "Coveralls of Bookbinding",
"armorArmoireCoverallsOfBookbindingNotes": "Everything you need in a set of coveralls, including pockets for everything. A pair of goggles, loose change, a golden ring... Increases Constitution by <%= con %> and Perception by <%= per %>. Enchanted Armoire: Bookbinder Set (Item 2 of 4).",
"armorArmoireRobeOfSpadesText": "Robe of Spades",
@@ -1174,7 +1174,7 @@
"headArmoireRedHairbowText": "Red Hairbow",
"headArmoireRedHairbowNotes": "Become strong, tough, and smart while wearing this beautiful Red Hairbow! Increases Strength by <%= str %>, Constitution by <%= con %>, and Intelligence by <%= int %>. Enchanted Armoire: Red Hairbow Set (Item 1 of 2).",
"headArmoireVioletFloppyHatText": "Violet Floppy Hat",
"headArmoireVioletFloppyHatNotes": "Many spells have been sewn into this simple hat, giving it a pleasing purple colour. Increases Perception by <%= per %>, Intelligence by <%= int %>, and Constitution by <%= con %>. Enchanted Armoire: Violet Loungewear Set (Item 1 of 3).",
"headArmoireVioletFloppyHatNotes": "Many spells have been sewn into this simple hat, giving it a pleasing purple color. Increases Perception by <%= per %>, Intelligence by <%= int %>, and Constitution by <%= con %>. Enchanted Armoire: Violet Loungewear Set (Item 1 of 3).",
"headArmoireGladiatorHelmText": "Gladiator Helm",
"headArmoireGladiatorHelmNotes": "To be a gladiator you must be not only strong.... but cunning. Increases Intelligence by <%= int %> and Perception by <%= per %>. Enchanted Armoire: Gladiator Set (Item 1 of 3).",
"headArmoireRancherHatText": "Rancher Hat",
@@ -2016,7 +2016,7 @@
"weaponArmoireBaseballBatText": "Baseball Bat",
"shieldSpecialSpring2020HealerNotes": "Ward off those musty old To Do's with this sweet-smelling shield. Increases Constitution by <%= con %>. Limited Edition 2020 Spring Gear.",
"shieldSpecialSpring2020HealerText": "Perfumed Shield",
"shieldSpecialSpring2020WarriorNotes": "Don't let the delicate colours fool you. This shield has got you covered! Increases Constitution by <%= con %>. Limited Edition 2020 Spring Gear.",
"shieldSpecialSpring2020WarriorNotes": "Don't let the delicate colors fool you. This shield has got you covered! Increases Constitution by <%= con %>. Limited Edition 2020 Spring Gear.",
"shieldSpecialSpring2020WarriorText": "Iridescent Shield",
"headSpecialSpring2020HealerNotes": "Beguile your foes with this headpiece made of flowers! Increases Intelligence by <%= int %>. Limited Edition 2020 Spring Gear.",
"headSpecialSpring2020HealerText": "Iris Fascinator",
@@ -2048,8 +2048,8 @@
"backMystery202004Text": "Mighty Monarch Wings",
"shieldArmoireHobbyHorseNotes": "Ride your handsome hobby-horse steed toward your just Rewards! Increases Perception and Constitution by <%= attrs %> each. Enchanted Armoire: Paper Knight Set (Item 2 of 3).",
"shieldArmoireHobbyHorseText": "Hobby Horse",
"armorArmoireBoxArmorNotes": "Box Armour: It fits, therefore you sits... uh, therefore you wear it into battle, like the bold knight you are! Increases Perception and Constitution by <%= attrs %> each. Enchanted Armoire: Paper Knight Set (Item 3 of 3).",
"armorArmoireBoxArmorText": "Box Armour",
"armorArmoireBoxArmorNotes": "Box Armor: It fits, therefore you sits... uh, therefore you wear it into battle, like the bold knight you are! Increases Perception and Constitution by <%= attrs %> each. Enchanted Armoire: Paper Knight Set (Item 3 of 3).",
"armorArmoireBoxArmorText": "Box Armor",
"weaponArmoirePaperCutterNotes": "This may not look fearsome, but have you never had a papercut? Increases Strength by <%= str %>. Enchanted Armoire: Paper Knight Set (Item 1 of 3).",
"weaponArmoirePaperCutterText": "Paper Cutter",
"headAccessoryMystery202005Notes": "With such mighty horns, what creature dares challenge you? Confers no benefit. May 2020 Subscriber Item.",
@@ -2086,8 +2086,8 @@
"headSpecialSummer2020RogueText": "Crocodile Helm",
"armorSpecialSummer2020HealerNotes": "You are as patient as the ocean, as strong as the currents, as dependable as the tides. Increases Constitution by <%= con %>. Limited Edition 2020 Summer Gear.",
"armorSpecialSummer2020HealerText": "Regalia of Tumbling Waves",
"armorSpecialSummer2020MageNotes": "Harness the power of the sea's depths with this oar-mazing armour. Increases Intelligence by <%= int %>. Limited Edition 2020 Summer Gear.",
"armorSpecialSummer2020MageText": "Oarfish Armour",
"armorSpecialSummer2020MageNotes": "Harness the power of the sea's depths with this oar-mazing armor. Increases Intelligence by <%= int %>. Limited Edition 2020 Summer Gear.",
"armorSpecialSummer2020MageText": "Oarfish Armor",
"shieldSpecialSummer2020WarriorNotes": "This fish you caught one time was SO BIG, a single scale was enough to make a mighty shield! True story! Increases Constitution by <%= con %>. Limited Edition 2020 Summer Gear.",
"shieldSpecialSummer2020WarriorText": "Huge Trout Scale",
"armorSpecialSummer2020WarriorNotes": "You'll be the bright fish in a dull stream, with these dazzling scales! Increases Constitution by <%= con %>. Limited Edition 2020 Summer Gear.",
@@ -2230,8 +2230,8 @@
"headArmoireBlueMoonHelmText": "Blue Moon Helm",
"headMystery202101Notes": "The icy blue eyes on this feline helm will freeze even the most intimidating task on your list. Confers no benefit. January 2021 Subscriber Item.",
"headMystery202101Text": "Snazzy Snow Leopard Helm",
"armorArmoireBlueMoonShozokuNotes": "A strange serenity surrounds the wearer of this armour. Increases Constitution by <%= con %>. Enchanted Armoire: Blue Moon Rogue Set (item 4 of 4).",
"armorArmoireBlueMoonShozokuText": "Blue Moon Armour",
"armorArmoireBlueMoonShozokuNotes": "A strange serenity surrounds the wearer of this armor. Increases Constitution by <%= con %>. Enchanted Armoire: Blue Moon Rogue Set (item 4 of 4).",
"armorArmoireBlueMoonShozokuText": "Blue Moon Armor",
"armorMystery202101Notes": "Wrap yourself in warm fur and nearly endless tail floof! Confers no benefit. January 2021 Subscriber Item.",
"armorMystery202101Text": "Snazzy Snow Leopard Suit",
"weaponArmoireBlueMoonSaiNotes": "This sai is a traditional weapon, imbued with the powers of the dark side of the moon. Increases Strength by <%= str %>. Enchanted Armoire: Blue Moon Rogue Set (item 1 of 4).",
@@ -2315,7 +2315,7 @@
"weaponSpecialFall2022RogueText": "Cucumber Blade",
"weaponSpecialFall2022RogueNotes": "Not only can you defend yourself with this cucumber, it also makes for a tasty meal. Increases Strength by <%= str %>. Limited Edition 2022 Autumn Gear.",
"weaponSpecialFall2022WarriorText": "Orcish Ripsword",
"weaponSpecialFall2022WarriorNotes": "Maybe more suited for cutting logs or crusty loaves of bread than enemy armour, but RAWR! It sure looks fearsome! Increases Strength by <%= str %>. Limited Edition 2022 Autumn Gear.",
"weaponSpecialFall2022WarriorNotes": "Maybe more suited for cutting logs or crusty loaves of bread than enemy armor, but RAWR! It sure looks fearsome! Increases Strength by <%= str %>. Limited Edition 2022 Autumn Gear.",
"weaponSpecialFall2022MageText": "Wind Blasts",
"weaponSpecialFall2022MageNotes": "These mighty gusts remain in your wake as you take off toward the skies. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition 2022 Autumn Gear.",
"weaponSpecialFall2022HealerText": "Right Peeker Eye",
@@ -2373,188 +2373,5 @@
"weaponSpecialFall2023HealerNotes": "With slow, heavy attacks, this gnarled hammer deals out healing blows instead of damage. Increases Intelligence by <%= int %>. Limited Edition 2023 Autumn Gear.",
"armorArmoireJadeArmorNotes": "This jade armour is both beautiful and functional. Protect yourself, and know that you look fabulous! Increases Perception by <%= per %>. Enchanted Armoire: Jade Warrior Set (Item 2 of 3).",
"weaponSpecialWinter2024HealerText": "Torch",
"weaponSpecialSpring2024RogueText": "Silver Blade",
"armorSpecialWinter2024HealerText": "Frozen Armour",
"armorSpecialWinter2024WarriorText": "Peppermint Bark Armour",
"armorSpecialSummer2024HealerText": "Sea Snail Armour",
"headMystery202312Notes": "This fancy hairdo evokes the snowy colours of the season. Confers no benefit. December 2023 Subscriber Item.",
"armorSpecialFall2024WarriorText": "Fiery Imp Armour",
"armorSpecialFall2021RogueText": "Unfortunately Not Slime-proof Armour",
"armorSpecialWinter2022HealerText": "Crystalline Ice Armour",
"armorSpecialFall2024HealerNotes": "Be one with the galaxy and mesmerise onlookers in this armour. Increases Constitution by <%= con %>. Limited Edition Autumn 2024 Gear.",
"armorSpecialFall2024MageNotes": "Be one with the underworld and embrace the power of mages whove come before you in this armour. Increases Intelligence by <%= int %>. Limited Edition Autumn 2024 Gear.",
"armorSpecialSpring2025MageNotes": "This stunning uniform contains flashy colours but also lets you stalk your hardest tasks with stealth. Increases Intelligence by <%= int %>. Limited Edition Spring 2025 Gear.",
"armorSpecialFall2025WarriorText": "Sasquatch Armour",
"armorSpecialFall2025RogueText": "Skeleton Armour",
"armorSpecialFall2025RogueNotes": "A hard and narrow target in this seasonal armour is hardest to hit. Increases Perception by <%= per %>. Limited Edition Autumn 2025 Gear.",
"armorSpecialFall2025HealerText": "Kobold Armour",
"armorSpecialFall2025HealerNotes": "This seasonal armour lets you blend into the dark woods to make a strategic retreat. Increases Constitution by <%= con %>. Limited Edition Autumn 2025 Gear.",
"armorSpecialFall2025MageText": "Masked Ghost Armour",
"armorMystery202304Text": "Tiptop Teapot Armour",
"armorArmoireDiagonalRainbowShirtNotes": "A splash of colour with a dash of style. Be joyful! Increases Constitution and Perception by <%= attrs %> each. Enchanted Armoire: Rainbow Set (Item 2 of 2).",
"armorArmoireGreenFluffTrimmedCoatNotes": "Tales tell that once in a generation, a coat comes along that is the warmest and cosiest. Its fluff is extraordinary and its buttons are manageable even by mitten-clad hands. This is that coat. Increases Strength and Intelligence by <%= attrs %> each. Enchanted Armoire: Trapper Hat Set (Item 2 of 2).",
"armorArmoireDragonKnightsArmorText": "Dragon Knight Armour",
"armorArmoireDragonKnightsArmorNotes": "Channel the strength and power of a dragon with this armour made of silver and shed scales. Increases Strength by <%= str %>. Enchanted Armoire: Dragon Knight Set (Item 2 of 3)",
"armorArmoireGildedKnightsPlateText": "Gilded Knight Armour",
"armorArmoireGildedKnightsPlateNotes": "In this armour, you are nearly invincible. Your enemies will surely hear you roar! Increases Perception by <%= per %>. Enchanted Armoire: Gilded Knight Set (Item 2 of 3)",
"armorArmoireBlacksmithsApronNotes": "This apron doesnt feel as heavy as it looks once youve got it on. It will shield you from stray sparks while allowing you to manoeuver freely. Increases Constitution by <%= con %>. Enchanted Armoire: Blacksmith Set (Item 2 of 3).",
"headSpecialSpring2023HealerNotes": "This brilliant and colourful display shares a colour scheme with the Orb of Rebirth! How symbolic! Increases Intelligence by <%= int %>. Limited Edition 2023 Spring Gear.",
"headArmoireFloppyOrangeHatNotes": "Many spells have been sewn into this simple hat, giving it an outrageous orange colour. Increases all stats by <%= attrs %> each. Enchanted Armoire: Orange Loungewear Set (Item 1 of 3).",
"shieldSpecialSummer2025WarriorNotes": "The colours are beautiful, but the ridges are dangerous. Foes, look out! Increases Constitution by <%= con %>. Limited Edition Summer 2025 Gear.",
"armorSpecialFall2024WarriorNotes": "Be one with the flames and become immune to their destructive powers in this armour. Increases Constitution by <%= con %>. Limited Edition Autumn 2024 Gear.",
"armorSpecialFall2024MageText": "Underworld Sorcerer Armour",
"armorSpecialWinter2025WarriorNotes": "Everyones going to step aside and make way for you when you wear this armour. Increases Constitution by <%= con %>. Limited Edition Winter 2024-2025 Gear.",
"armorSpecialWinter2025WarriorText": "Moose Warrior Armour",
"armorMystery202504Text": "Elusive Yeti Armour",
"armorArmoireShootingStarCostumeNotes": "Rumoured to have been spun out of the night sky itself, this flowy gown lets you rise above all obstacles in your path. Increases Constitution by <%= con %>. Enchanted Armoire: Stardust Set (Item 2 of 3).",
"headAccessoryMystery202405Notes": "The metallic sheen of these fine horns reflects the dancing colours of dragon fire. Confers no benefit. May 2024 Subscriber Item.",
"eyewearArmoireRoseColoredGlassesText": "Rose-coloured Glasses",
"headArmoireWhiteFloppyHatNotes": "Many spells have been sewn into this simple hat, giving it a wondrous white colour. Increases Strength, Intelligence, and Constitution by <%= attrs %> each. Enchanted Armoire: White Loungewear Set (Item 1 of 3).",
"armorSpecialSummer2021HealerNotes": "Your enemies might suspect you're a featherweight, but this armour will keep you safe while you help your Party. Increases Constitution by <%= con %>. Limited Edition 2021 Summer Gear.",
"armorSpecialSummer2021MageNotes": "Ever-tightening whirls of nacre provide an arcane geometry that focusses protective spellwork. Increases Intelligence by <%= int %>. Limited Edition 2021 Summer Gear.",
"armorSpecialSpring2024WarriorText": "Fluorite Armour",
"armorSpecialSpring2024WarriorNotes": "This stabilising stone armour will help ground you while dazzling all you face. Increases Constitution by <%= con %>. Limited Edition Spring 2024 Gear.",
"armorSpecialFall2024RogueNotes": "Be one with the darkness and increase your agility and stealth in this armour. Increases Perception by <%= per %>. Limited Edition Autumn 2024 Gear.",
"armorArmoireHeraldsTunicNotes": "Get ready to spread good news far and wide in this colourful, royal outfit. Increases Constitution by <%= con %>. Enchanted Armoire: Herald Set (Item 1 of 4).",
"armorArmoireSoftVioletSuitNotes": "Purple is a luxurious colour. Relax in style after youve accomplished all your daily tasks. Increases Constitution and Strength by <%= attrs %> each. Enchanted Armoire: Violet Loungewear Set (Item 2 of 3).",
"armorSpecialFall2025WarriorNotes": "Neither your big feet nor your big body will be too large to fit into this seasonal armour. Increases Constitution by <%= con %>. Limited Edition Autumn 2025 Gear.",
"armorArmoireSoftWhiteSuitNotes": "White is a peaceful colour. Whether youre facing a crisp white bedsheet or a blanket of newly fallen snow, youll have a clear and ready mind. Increases Constitution by <%= con %> and Perception by <%= per %>. Enchanted Armoire: White Loungewear Set (Item 2 of 3).",
"armorArmoireFunnyFoolCostumeNotes": "Dum-de-dum! Surely you jest. This colourful outfit looks amazing on you! Increases Strength by <%= str %>. Enchanted Armoire: Funny Fool Set (Item 2 of 3)",
"armorSpecialFall2025MageNotes": "This seasonal armour becomes noncorporeal only after you put it on. Increases Intelligence by <%= int %>. Limited Edition Autumn 2025 Gear.",
"armorArmoireSoftOrangeSuitNotes": "Orange is a vibrant colour. Wear this to bed, and youre sure to succeed in whatever adventures you come across in your dreams. Increases Constitution and Strength by <%= attrs %> each. Enchanted Armoire: Orange Loungewear Set (Item 2 of 3).",
"armorArmoireStormKnightArmorText": "Storm Knight Armour",
"armorArmoireStormKnightArmorNotes": "In this armour, you are nearly invincible. Your enemies will never see the storms end. Increases Perception by <%= per %>. Enchanted Armoire: Storm Knight Set (Item 2 of 3)",
"armorSpecialSpring2025WarriorText": "Sunshine Armour",
"armorSpecialSpring2025WarriorNotes": "This stunning armour contains colours you might see in the sky in the middle of a sunny spring day. Increases Constitution by <%= con %>. Limited Edition Spring 2025 Gear.",
"armorSpecialFall2024RogueText": "Black Cat Armour",
"armorSpecialFall2024HealerText": "Space Invader Armour",
"armorSpecialSummer2025WarriorNotes": "Not only does this armour make you tough, but it makes you swift as well. Fight or escape—the choice is yours! Increases Constitution by <%= con %>. Limited Edition Summer 2025 Gear.",
"armorSpecialSummer2025RogueNotes": "Not only will this suit change colours at will, but it may also eject a cloud of ink. Distract or conceal—the choice is yours! Increases Perception by <%= per %>. Limited Edition Summer 2025 Gear.",
"armorSpecialSummer2025WarriorText": "Scallop Armour",
"armorSpecialSummer2025MageNotes": "Not only does this suit have stunning colours, but it allows you to glide beautifully through the water. Swim or dance—the choice is yours! Increases Intelligence by <%= int %>. Limited Edition Summer 2025 Gear.",
"armorSpecialSummer2022MageNotes": "When wearing this armour, you will glide easily through your work like the manta ray glides through water. Increases Intelligence by <%= int %>. Limited Edition 2022 Summer Gear.",
"armorSpecialFall2022RogueNotes": "Whether youre swimming, sneaking, or wrestling, you will be safe in this armour. Increases Perception by <%= per %>. Limited Edition 2022 Autumn Gear.",
"armorSpecialSpring2023WarriorText": "Hummingbird Armour",
"weaponArmoireRidingBroomNotes": "Run all your most magical errands on this fine broom--or, just take it for a joyride around the neighbourhood. Whee! Increases Strength by <%= str %> and Intelligence by <%= int %>. Enchanted Armoire: Spooky Sorcery Set (Item 1 of 3)",
"armorSpecialSummer2021WarriorText": "Finny Armour",
"armorSpecialSummer2023WarriorNotes": "Goldfish Warriors actually have excellent memories because they always keep their Dailies and To Do's organised in lists. Increases Constitution by <%= con %>. Limited Edition 2023 Summer Gear.",
"armorSpecialFall2023RogueNotes": "You were lured with the promise of a nice hot soak... Joke's on you! Increases Perception by <%= per %>. Limited Edition 2023 Autumn Gear.",
"armorSpecialFall2023WarriorText": "Video Player Armour",
"armorMystery202110Text": "Mossy Gargoyle Armour",
"armorArmoireStrawRaincoatNotes": "This woven straw cape will keep you dry and your armour from rusting while on your quest. Just dont venture too near a candle! Increases Constitution by <%= con %>. Enchanted Armoire: Straw Raincoat Set (Item 1 of 2).",
"headArmoireBlackFloppyHatNotes": "Many spells have been sewn into this simple hat, giving it a bold black colour. Increases Constitution, Perception, and Strength by <%= attrs %> each. Enchanted Armoire: Black Loungewear Set (Item 1 of 3).",
"shieldArmoireMilkFoodNotes": "There are many sayings about the health benefits of milk, but the pets who favour it just love its creamy taste. Increases Constitution and Strength by <%= attrs %> each. Enchanted Armoire: Pet Food Set (Item 10 of 10)",
"shieldArmoireTeaKettleNotes": "All your favourite, flavourful teas can be brewed in this kettle. Are you in the mood for black tea, green tea, oolong, or perhaps a herbal infusion? Increases Constitution by <%= con %>. Enchanted Armoire: Tea Party Set (Item 3 of 3).",
"shieldArmoirePaintersPaletteNotes": "Paints in all the colours of the rainbow are at your disposal. Is it magic that makes them so vivid when you use them, or is it your talent? Increases Strength by <%= str %>. Enchanted Armoire: Painter Set (Item 4 of 4).",
"armorSpecialSummer2022RogueText": "Crab Armour",
"armorSpecialFall2022RogueText": "Kappa Armour",
"armorSpecialFall2022WarriorNotes": "RAWR! BIG SHOULDERS mean you are BIG STRONG! Increases Constitution by <%= con %>. Limited Edition 2022 Autumn Gear.",
"armorArmoireShawlCollarCoatNotes": "A wise wizard once said theres nothing better than being both cosy and productive! Wear this warm and stylish coat as you conquer the years challenges. Increases Constitution by <%= con %>. Enchanted Armoire: Independent Item.",
"armorMystery202210Text": "Ominous Ophidian Armour",
"armorSpecialSpring2022HealerText": "Peridot Armour",
"armorSpecialSummer2022WarriorText": "Waterspout Armour",
"armorSpecialSummer2022MageText": "Manta Ray Armour",
"armorSpecialFall2022WarriorText": "Orcish Armour",
"armorSpecialFall2022MageText": "Harpy Armour",
"armorSpecialFall2022MageNotes": "Fly as fast as the wind with these wonderful wings and hold what you care most about tight in these terrifying talons. Increases Intelligence by <%= int %>. Limited Edition 2022 Autumn Gear.",
"armorSpecialFall2022HealerNotes": "How many peeps could a Peeker peep, if a Peeker could peep peeps? Increases Constitution by <%= con %>. Limited Edition 2022 Autumn Gear.",
"armorSpecialSummer2023WarriorText": "Goldfish Armour",
"armorSpecialFall2023MageNotes": "With scarlet threads and gold accents, this outfit is a wonder for the senses. Increases Intelligence by <%= int %>. Limited Edition 2023 Autumn Gear.",
"armorSpecialFall2023HealerNotes": "With moss, rock, wood, and bog water merged into one, this outfit is sometimes tough and sometimes spongy (but always intimidating). Increases Constitution by <%= con %>. Limited Edition 2023 Autumn Gear.",
"armorMystery202104Text": "Downy Thistle Armour",
"armorMystery202207Text": "Jammin' Jelly Armour",
"armorMystery202207Notes": "This armour will have you looking glamorous and gelatinous. Confers no benefit. July 2022 Subscriber Item.",
"armorMystery202306Notes": "No ones going to rain on your parade! And if they try, youll stay colourful and dry! Confers no benefit. June 2023 Subscriber Item.",
"eyewearMystery202202Notes": "Cheerful singing brings colour to your cheeks. Confers no benefit. February 2022 Subscriber Item",
"headSpecialWinter2023RogueNotes": "People's temptations to “unwrap” your hair will give you opportunities to practise your ducks and dodges. Increases Perception by <%= per %>. Limited Edition 2022-2023 Winter Gear.",
"armorArmoireStripedRainbowShirtNotes": "The colours of the rainbow have never looked so good before. Be bold! Increases Strength and Intelligence by <%= attrs %> each. Enchanted Armoire: Rainbow Set (Item 1 of 2).",
"shieldSpecialSpring2023WarriorNotes": "Collect the springs best flowers into this brightly coloured floral bunch. Increases Constitution by <%= con %>. Limited Edition 2023 Spring Gear.",
"headSpecialSummer2022WarriorNotes": "Channel the power of water as you centre yourself in this intense vortex. Increases Strength by <%= str %>. Limited Edition 2022 Summer Gear.",
"shieldArmoirePinkCottonCandyFoodText": "Decorative Pink Candyfloss",
"shieldArmoireBlueCottonCandyFoodText": "Decorative Blue Candyfloss",
"weaponSpecialFall2024WarriorNotes": "Task obstacles are cut down immediately where they stand by this formidable weapon. Increases Strength by <%= str %>. Limited Edition Autumn 2024 Gear.",
"weaponSpecialFall2024HealerNotes": "Tasks that were once cosmically complicated are decimated by this striking blade. Increases Intelligence by <%= int %>. Limited Edition Autumn 2024 Gear.",
"weaponSpecialFall2024MageNotes": "Task steps will instantly become simplified with one touch of this shining weapon. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition Autumn 2024 Gear.",
"shieldSpecialFallRogue2024Notes": "Tasks themselves will be overwhelmed by the swirls and spirals of this hypnotic weapon. Increases Strength by <%= str %>. Limited Edition Autumn 2024 Gear.",
"weaponSpecialFall2025WarriorNotes": "A mighty weapon to cut a safe path through an autumn forest full of complications. Increases Strength by <%= str %>. Limited Edition Autumn 2025 Gear.",
"weaponSpecialFall2025RogueNotes": "A mighty weapon to cut a safe path through an autumn forest full of obstacles. Increases Strength by <%= str %>. Limited Edition Autumn 2025 Gear.",
"weaponSpecialFall2025HealerNotes": "A mighty weapon to cut a safe path through an autumn forest full of impediments. Increases Intelligence by <%= int %>. Limited Edition Autumn 2025 Gear.",
"headSpecialFall2024WarriorNotes": "Whether youre mischievous or threatening, you wont be missed when you wear this! Increases Strength by <%= str %>. Limited Edition Autumn 2024 Gear.",
"headSpecialFall2025WarriorNotes": "Round and hairy, this mask covers your head while you cover all your important tasks. Increases Strength by <%= str %>. Limited Edition Autumn 2025 Gear.",
"headSpecialFall2025RogueNotes": "Pale and hooded, this mask covers your head while you cover all your important tasks. Increases Perception by <%= per %>. Limited Edition Autumn 2025 Gear.",
"headSpecialFall2025HealerNotes": "Striking and horned, this mask covers your head while you cover all your important tasks. Increases Intelligence by <%= int %>. Limited Edition Autumn 2025 Gear.",
"headSpecialFall2025MageNotes": "Ethereal and glowy, this mask covers your head while you cover all your important tasks. Increases Perception by <%= per %>. Limited Edition Autumn 2025 Gear.",
"shieldSpecialFall2023WarriorNotes": "Perfect for making yourself comfortable while enjoying a scary movie... But we won't tell anyone if you need to hug it during the really spooky scenes! Increases Constitution by <%= con %>. Limited Edition 2023 Autumn Gear.",
"shieldSpecialFall2025WarriorNotes": "Buy yourself some extra time to think and plan by shielding yourself from your next Dailies. Increases Constitution by <%= con %>. Limited Edition Autumn 2025 Gear.",
"shieldSpecialFall2025RogueNotes": "A mighty weapon to cut your To Dos right in half. Increases Strength by <%= str %>. Limited Edition Autumn 2025 Gear.",
"shieldSpecialFall2025HealerNotes": "Buy yourself some extra time to gather supplies by shielding yourself from your chores. Increases Constitution by <%= con %>. Limited Edition Autumn 2025 Gear.",
"headSpecialFall2022RogueNotes": "With this metal cap upon your head, you will have extra protection when you venture onto land. Increases Perception by <%= per %>. Limited Edition 2022 Autumn Gear.",
"headSpecialFall2024MageNotes": "Whether youre mysterious or whimsical, you wont be missed when you wear this! Increases Perception by <%= per %>. Limited Edition Autumn 2024 Gear.",
"headSpecialFall2024RogueNotes": "Whether youre cuddly or cunning, you wont be missed when you wear this! Increases Perception by <%= per %>. Limited Edition Autumn 2024 Gear.",
"shieldSpecialFall2024WarriorNotes": "Task complications are absorbed by your shield and make you more determined. Increases Constitution by <%= con %>. Limited Edition Autumn 2024 Gear.",
"headSpecialFall2023RogueNotes": "This jinxed stew has given you the fuzzy face and long ears of a donkey! How very Shakespearean. Increases Perception by <%= per %>. Limited Edition 2023 Autumn Gear.",
"weaponSpecialFall2025MageNotes": "A mighty weapon to cut a safe path through an autumn forest full of frights. Increases Intelligence by <%= int %> and Perception by <%= per %>. Limited Edition Autumn 2025 Gear.",
"weaponSpecialFall2024RogueNotes": "Tasks will freeze in place due to the twists and turns of this mesmerising weapon. Increases Strength by <%= str %>. Limited Edition Autumn 2024 Gear.",
"headSpecialFall2024HealerNotes": "Whether youre defending your planet or exploring a new one, you wont be missed when you wear this! Increases Intelligence by <%= int %>. Limited Edition Autumn 2024 Gear.",
"shieldSpecialFall2023HealerNotes": "With a firm base and a soft top, this is perfect to hurl at enemies or to sit upon when you need a rest from your adventures. Increases Constitution by <%= con %>. Limited Edition 2023 Autumn Gear.",
"shieldSpecialFall2024HealerNotes": "New tasks wanting your attention bounce right off until youve completed your current mission. Increases Constitution by <%= con %>. Limited Edition Autumn 2024 Gear.",
"headSpecialFall2022WarriorNotes": "Tusks tough and sharp enough to pierce pumpkins! RAWR! Increases Strength by <%= str %>. Limited Edition 2022 Autumn Gear.",
"headSpecialFall2023WarriorNotes": "What horror lurks in this realm of distortion and static? You'll have to stay tuned to find out! Increases Strength by <%= str %>. Limited Edition 2023 Autumn Gear.",
"headSpecialFall2023MageNotes": "With piercing eyes and pointed flair, it makes any illusion a sudden possibility. Increases Perception by <%= per %>. Limited Edition 2023 Autumn Gear.",
"headSpecialFall2023HealerNotes": "With eyes as dark as the bog it emerged from, it fixes its gaze upon enemies. Increases Intelligence by <%= int %>. Limited Edition 2023 Autumn Gear.",
"shieldSpecialFall2023RogueNotes": "Enchanted with the strongest spells to hold powerful potions. Increases Strength by <%= str %>. Limited Edition 2023 Autumn Gear.",
"shieldSpecialFall2022WarriorNotes": "RAWR or TREAT! Increases Constitution by <%= con %>. Limited Edition 2022 Autumn Gear.",
"headSpecialFall2022MageNotes": "Entrance and lure others close with this magical maiden mask. Increases Perception by <%= per %>. Limited Edition 2022 Autumn Gear.",
"headSpecialFall2022HealerNotes": "Beauty is in there. Somewhere! Increases Intelligence by <%= int %>. Limited Edition 2022 Autumn Gear.",
"shieldSpecialFall2022HealerNotes": "Eye Two, look upon this costume and tremble. Increases Constitution by <%= con %>. Limited Edition 2022 Autumn Gear.",
"headSpecialSummer2024HealerNotes": "This spiral shell helps remind you to stop spiralling out of control. Increases Intelligence by <%= int %>. Limited Edition Summer 2024 Gear.",
"weaponMystery202408Text": "Arcane Aegis",
"weaponSpecialSummer2024RogueText": "Nudibranch Trident",
"weaponSpecialSummer2024WarriorText": "Whale Shark Tooth Slicer",
"weaponSpecialSummer2024MageText": "Sea Anemone Wand",
"weaponSpecialSummer2024HealerText": "Sea Snail Staff",
"weaponMystery202104Text": "Thorny Thistle Staff",
"weaponSpecialFall2024WarriorText": "Sword of Flame",
"weaponSpecialFall2024RogueText": "Ribbon Wand",
"weaponSpecialFall2024HealerText": "Space Scythe",
"weaponSpecialFall2024MageText": "Staff of the Underworld",
"weaponSpecialSpring2024MageText": "Hibiscus Staff",
"weaponSpecialSpring2024WarriorText": "Fluorite Spear",
"weaponSpecialSpring2024HealerText": "Bluebird Feather Wand",
"weaponMystery202404Text": "Mycelial Magus Staff",
"weaponSpecialFall2025WarriorText": "Sasquatch Axe",
"weaponSpecialFall2025RogueText": "Skeleton Blade",
"weaponSpecialFall2025HealerText": "Kobold Axe",
"weaponSpecialFall2025MageText": "Masked Ghost Axe",
"weaponMystery202211Text": "Electromancer Staff",
"weaponMystery202404Notes": "This staff will bestow upon you an ancient wisdom as ageless as the rocks and trees. Confers no benefit. April 2024 Subscriber Item.",
"weaponSpecialWinter2025RogueText": "Snowflake Burst",
"weaponSpecialWinter2025HealerText": "Star Wand",
"weaponSpecialWinter2025MageText": "Northern Lights Display",
"weaponMystery202408Notes": "A magic bubble shield that protects you from enemy spells or helps you float in the air or water. Confers no benefit. August 2024 Subscriber Item.",
"weaponMystery202403Text": "Lucky Emerald Sword",
"weaponMystery202403Notes": "Carrying the biggest sword around is surely a way to create your own luck! Confers no benefit. March 2024 Subscriber Item.",
"weaponSpecialSpring2025WarriorText": "Sunshine Scimitar",
"weaponSpecialSpring2025RogueText": "Crystal Point Flail",
"weaponSpecialSpring2025HealerText": "Plumeria Crook",
"weaponSpecialSpring2025MageText": "Mantis Staff",
"weaponMystery202211Notes": "Harness the awesome power of a lightning storm with this staff. Confers no benefit. November 2022 Subscriber Item.",
"weaponMystery202209Text": "Magic Manual",
"weaponMystery202209Notes": "This book will guide you through your journey into magic-making. Confers no benefit. September 2022 Subscriber Item.",
"weaponSpecialSummer2025WarriorText": "Scallop Lance",
"weaponSpecialSummer2025RogueText": "Squid Tentacle",
"weaponSpecialSummer2025HealerText": "Sea Angel Wing Paddle",
"weaponSpecialSummer2025MageText": "Branch Coral",
"weaponMystery202508Text": "Brilliant Crimson Blade",
"weaponMystery202306Text": "Rainbow Umbrella",
"weaponMystery202311Text": "All-Seeing Staff",
"weaponMystery202311Notes": "See beyond the bounds of space and time! Confers no benefit. November 2023 Subscriber Item.",
"weaponMystery202201Notes": "Unleash a cloud of gold and silver glitter when the clock strikes midnight. Happy New Year! Now who's cleaning this up? Confers no benefit. January 2022 Subscriber Item.",
"weaponMystery202212Notes": "The glowing snowflake in this wand holds the power to warm hearts on even the coldest winter night! Confers no benefit. December 2022 Subscriber Item.",
"weaponMystery202201Text": "Midnight Confetti Cannon",
"weaponMystery202111Text": "Chronomancer's Staff",
"weaponMystery202111Notes": "Shape the flow of time with this mysterious and powerful staff. Confers no benefit. November 2021 Subscriber Item.",
"weaponMystery202212Text": "Glacial Wand",
"weaponSpecialWinter2024MageNotes": "Thanks to a generous, magical narwhal that sensed your great abilities, you have been gifted a tusk that lets you sense changes happening around you. Increases Intelligence by <%= int %>. Limited Edition Winter 2023-2024 Gear.",
"weaponSpecialSpring2024RogueNotes": "Challenges that are as hard as ice can be sliced into smaller pieces. Increases Strength by <%= str %>. Limited Edition Spring 2024 Gear."
"weaponSpecialSpring2024RogueText": "Silver Blade"
}

View File

@@ -241,6 +241,5 @@
"titleCustomizations": "Customisations",
"newMessage": "New Message",
"targetUserNotExist": "Target User: '<%= userName %>' does not exist.",
"rememberToBeKind": "Please remember to be kind, respectful, and follow the <a href='/static/community-guidelines' target='_blank'>Community Guidelines</a>.",
"gem": "Gem"
"rememberToBeKind": "Please remember to be kind, respectful, and follow the <a href='/static/community-guidelines' target='_blank'>Community Guidelines</a>."
}

View File

@@ -96,7 +96,7 @@
"optional": "Optional",
"needsTextPlaceholder": "Type your message here.",
"leaderOnlyChallenges": "Only the group leader can create challenges",
"sendGift": "Send Gift",
"sendGift": "Send a Gift",
"inviteFriends": "Invite Friends",
"inviteByEmail": "Invite by Email",
"inviteMembersHowTo": "Invite people via a valid email or 36-digit User ID. If an email isn't registered yet, we'll invite them to join Habitica.",
@@ -374,7 +374,7 @@
"invitedToThisQuest": "You were invited to this Quest!",
"createGroup": "Create a Group",
"nameStar": "Name*",
"newGroupsBullet05": "Shared tasks will degrade in colour if left incomplete to help track progress",
"newGroupsBullet05": "Shared tasks will degrade in color if left incomplete to help track progress",
"newGroupsBullet06": "The task status view allows you to quickly see which assignee has completed a task",
"newGroupsBullet07": "Toggle the ability to display the shared tasks on your personal task board",
"newGroupsBullet02": "Anyone can complete an unassigned task",
@@ -422,9 +422,5 @@
"createGroupToday": "Create Your Group Today!",
"createGroupTitle": "Create Group",
"messageCopiedToClipboard": "Message copied to clipboard.",
"checkGroupPlanFAQ": "Check out the <a href='/static/faq#what-is-group-plan'>Group Plans FAQ</a> to learn how to get the most out of your shared task experience.",
"groupParentChildren": "Using with my household",
"groupFriends": "Using with friends",
"groupManager": "Using for work",
"groupTeacher": "Using for education"
"checkGroupPlanFAQ": "Check out the <a href='/static/faq#what-is-group-plan'>Group Plans FAQ</a> to learn how to get the most out of your shared task experience."
}

View File

@@ -204,7 +204,7 @@
"limitedEdition": "Limited Edition",
"anniversaryGryphatriceText": "The rare Jubilant Gryphatrice joins the birthday celebrations! Don't miss your chance to own this exclusive animated Pet.",
"plentyOfPotions": "Plenty of Potions",
"plentyOfPotionsText": "We're bringing back 10 of the community's favourite Magic Hatching potions. Head over to The Market to fill out your collection!",
"plentyOfPotionsText": "We're bringing back 10 of the community's favorite Magic Hatching potions. Head over to The Market to fill out your collection!",
"visitTheMarketButton": "Visit the Market",
"fourForFree": "Four for Free",
"summer2021ClownfishRogueSet": "Clownfish (Rogue)",
@@ -274,13 +274,5 @@
"fall2024SpaceInvaderHealerSet": "Space Invader Set (Healer)",
"fall2024BlackCatRogueSet": "Black Cat Set (Rogue)",
"winter2025MooseWarriorSet": "Moose Warrior Set",
"winter2025StringLightsHealerSet": "String Lights Healer Set",
"fall2025SasquatchWarriorSet": "Sasquatch Warrior Set",
"fall2025SkeletonRogueSet": "Skeleton Rogue Set",
"fall2025KoboldHealerSet": "Kobold Healer Set",
"fall2025MaskedGhostMageSet": "Masked Ghost Mage Set",
"summer2025ScallopWarriorSet": "Scallop Warrior Set",
"summer2025SquidRogueSet": "Squid Rogue Set",
"summer2025SeaAngelHealerSet": "Sea Angel Healer Set",
"summer2025FairyWrasseMageSet": "Fairy Wrasse Mage Set"
"winter2025StringLightsHealerSet": "String Lights Healer Set"
}

View File

@@ -5,7 +5,7 @@
"welcomeTo": "Welcome to",
"welcomeBack": "Welcome back!",
"justin": "Justin",
"justinIntroMessage1": "Hello there! You must be new here. I'm <strong>Justin</strong>, I'll be your guide in Habitica. So how would you like to look? Don't worry, you can change this later.",
"justinIntroMessage1": "Hello there! You must be new here. My name is <strong>Justin</strong>, and I'll be your guide in Habitica.",
"justinIntroMessage3": "Great! Now, what are you interested in working on throughout this journey?",
"introTour": "Here we are! I've filled out some Tasks for you based on your interests, so you can get started right away. Click a Task to edit or add new Tasks to fit your routine!",
"prev": "Prev",

View File

@@ -5,6 +5,6 @@
"step2": "Step 2: Gain Points by Doing Things in Real Life",
"webStep2Text": "Now, start tackling your goals from the list! As you complete tasks and check them off in Habitica, you will gain [Experience](https://habitica.fandom.com/wiki/Experience_Points), which helps you level up, and [Gold](https://habitica.fandom.com/wiki/Gold_Points), which allows you to purchase Rewards. If you fall into bad habits or miss your Dailies, you will lose [Health](https://habitica.fandom.com/wiki/Health_Points). In that way, the Habitica Experience and Health bars serve as a fun indicator of your progress toward your goals. You'll start seeing your real life improve as your character advances in the game.",
"step3": "Step 3: Customise and Explore Habitica",
"webStep3Text": "Once you're familiar with the basics, you can get even more out of Habitica with these nifty features:\n * Organise your Tasks with [tags](https://habitica.fandom.com/wiki/Tags) (edit a Task to add them).\n * Customise your [Avatar](https://habitica.fandom.com/wiki/Avatar) by clicking the user icon in the upper-right corner.\n * Buy your [Equipment](https://habitica.fandom.com/wiki/Equipment) under Rewards or from the [Shops](<%= shopUrl %>), and change it under [Inventory > Equipment](<%= equipUrl %>).\n * Connect with other users via the [Looking for Party tool](https://habitica.com/looking-for-party).\n * Hatch [Pets](https://habitica.fandom.com/wiki/Pets) by collecting [Eggs](https://habitica.fandom.com/wiki/Eggs) and [Hatching Potions](https://habitica.fandom.com/wiki/Hatching_Potions). [Feed](https://habitica.fandom.com/wiki/Food) them to create [Mounts](https://habitica.fandom.com/wiki/Mounts).\n * At level 10: Choose a particular [Class](https://habitica.fandom.com/wiki/Class_System) and then use Class-specific [skills](https://habitica.fandom.com/wiki/Skills) (levels 11 to 14).\n * Form a Party with your friends (by clicking [Party](<%= partyUrl %>) in the navigation bar) to stay accountable and earn a Quest scroll.\n * Defeat monsters and collect objects on [Quests](https://habitica.fandom.com/wiki/Quests) (you will be given a quest at level 15).",
"webStep3Text": "Once you're familiar with the basics, you can get even more out of Habitica with these nifty features:\n * Organize your Tasks with [tags](https://habitica.fandom.com/wiki/Tags) (edit a Task to add them).\n * Customize your [Avatar](https://habitica.fandom.com/wiki/Avatar) by clicking the user icon in the upper-right corner.\n * Buy your [Equipment](https://habitica.fandom.com/wiki/Equipment) under Rewards or from the [Shops](<%= shopUrl %>), and change it under [Inventory > Equipment](<%= equipUrl %>).\n * Connect with other users via the [Looking for Party tool](https://habitica.com/looking-for-party).\n * Hatch [Pets](https://habitica.fandom.com/wiki/Pets) by collecting [Eggs](https://habitica.fandom.com/wiki/Eggs) and [Hatching Potions](https://habitica.fandom.com/wiki/Hatching_Potions). [Feed](https://habitica.fandom.com/wiki/Food) them to create [Mounts](https://habitica.fandom.com/wiki/Mounts).\n * At level 10: Choose a particular [Class](https://habitica.fandom.com/wiki/Class_System) and then use Class-specific [skills](https://habitica.fandom.com/wiki/Skills) (levels 11 to 14).\n * Form a Party with your friends (by clicking [Party](<%= partyUrl %>) in the navigation bar) to stay accountable and earn a Quest scroll.\n * Defeat monsters and collect objects on [Quests](https://habitica.fandom.com/wiki/Quests) (you will be given a quest at level 15).\n * Organize your Tasks with [tags](http://habitica.fandom.com/wiki/Tags) (edit a Task to add them).\n * Customize your [Avatar](http://habitica.fandom.com/wiki/Avatar) by clicking the user icon in the upper-right corner.\n * Buy your [Equipment](http://habitica.fandom.com/wiki/Equipment) under Rewards or from the [Shops](<%= shopUrl %>), and change it under [Inventory > Equipment](<%= equipUrl %>).\n * Connect with other users via the [Tavern](http://habitica.fandom.com/wiki/Tavern).\n * Hatch [Pets](http://habitica.fandom.com/wiki/Pets) by collecting [Eggs](http://habitica.fandom.com/wiki/Eggs) and [Hatching Potions](http://habitica.fandom.com/wiki/Hatching_Potions). [Feed](http://habitica.fandom.com/wiki/Food) them to create [Mounts](http://habitica.fandom.com/wiki/Mounts).\n * At level 10: Choose a particular [Class](http://habitica.fandom.com/wiki/Class_System) and then use Class-specific [skills](http://habitica.fandom.com/wiki/Skills) (levels 11 to 14).\n * Form a Party with your friends (by clicking [Party](<%= partyUrl %>) in the navigation bar) to stay accountable and earn a Quest scroll.\n * Defeat monsters and collect objects on [Quests](http://habitica.fandom.com/wiki/Quests) (you will be given a quest at level 15).",
"overviewQuestionsRevised": "Have questions? Check out the <a href='/static/faq'>FAQ</a>! If your question isn't mentioned there, you can ask for further help using this form: "
}

View File

@@ -91,7 +91,7 @@
"filterByMagicPotion": "Magic Potion",
"filterByQuest": "Quest",
"standard": "Standard",
"sortByColor": "Colour",
"sortByColor": "Color",
"sortByHatchable": "Hatchable",
"hatch": "Hatch!",
"foodTitle": "Pet Food",

View File

@@ -17,7 +17,7 @@
"questGryphonDropGryphonEgg": "Gryphon (Egg)",
"questGryphonUnlockText": "Unlocks Gryphon Eggs for purchase in the Market",
"questHedgehogText": "The Hedgebeast",
"questHedgehogNotes": "Hedgehogs are a funny group of animals. They are some of the most affectionate pets a Habiteer could own. But rumour has it, if you feed them milk after midnight, they grow quite irritable. And fifty times their size. And <strong>InspectorCaracal</strong> did just that. Oops.",
"questHedgehogNotes": "Hedgehogs are a funny group of animals. They are some of the most affectionate pets a Habiteer could own. But rumor has it, if you feed them milk after midnight, they grow quite irritable. And fifty times their size. And <strong>InspectorCaracal</strong> did just that. Oops.",
"questHedgehogCompletion": "Your party successfully calmed down the hedgehog! After shrinking down to a normal size, she hobbles away to her eggs. She returns squeaking and nudging some of her eggs along towards your party. Hopefully, these hedgehogs like milk better!",
"questHedgehogBoss": "Hedgebeast",
"questHedgehogDropHedgehogEgg": "Hedgehog (Egg)",
@@ -173,7 +173,7 @@
"questStressbeastBossRageDescription": "When this gauge fills, the Abominable Stressbeast will unleash its Stress Strike on Habitica!",
"questStressbeastDropMammothPet": "Mammoth (Pet)",
"questStressbeastDropMammothMount": "Mammoth (Mount)",
"questStressbeastBossRageStables": "`Abominable Stressbeast uses STRESS STRIKE!`\n\nThe surge of stress heals Abominable Stressbeast!\n\nOh no! Despite our best efforts, we've let some Dailies get away from us, and their dark-red colour has infuriated the Abominable Stressbeast and caused it to regain some of its health! The horrible creature lunges for the stables, but Matt the Beast Master heroically leaps into the fray to protect the pets and mounts. The Stressbeast has seized Matt in its vicious grip, but at least it's distracted for the moment. Hurry! Let's keep our Dailies in check and defeat this monster before it attacks again!",
"questStressbeastBossRageStables": "`Abominable Stressbeast uses STRESS STRIKE!`\n\nThe surge of stress heals Abominable Stressbeast!\n\nOh no! Despite our best efforts, we've let some Dailies get away from us, and their dark-red color has infuriated the Abominable Stressbeast and caused it to regain some of its health! The horrible creature lunges for the stables, but Matt the Beast Master heroically leaps into the fray to protect the pets and mounts. The Stressbeast has seized Matt in its vicious grip, but at least it's distracted for the moment. Hurry! Let's keep our Dailies in check and defeat this monster before it attacks again!",
"questStressbeastBossRageBailey": "`Abominable Stressbeast uses STRESS STRIKE!`\n\nThe surge of stress heals Abominable Stressbeast!\n\nAhh!!! Our incomplete Dailies caused the Abominable Stressbeast to become madder than ever and regain some of its health! Bailey the Town Crier was shouting for citizens to get to safety, and now it has seized her in its other hand! Look at her, valiantly reporting on the news as the Stressbeast swings her around viciously... Let's be worthy of her bravery by being as productive as we can to save our NPCs!",
"questStressbeastBossRageGuide": "`Abominable Stressbeast uses STRESS STRIKE!`\n\nThe surge of stress heals Abominable Stressbeast!\n\nLook out! Justin the Guide is trying to distract the Stressbeast by running around its ankles, yelling productivity tips! The Abominable Stressbeast is stomping madly, but it seems like we're really wearing this beast down. I doubt it has enough energy for another strike. Don't give up... we're so close to finishing it off!",
"questStressbeastDesperation": "`Abominable Stressbeast reaches 500K health! Abominable Stressbeast uses Desperate Defence!`\n\nWe're almost there, Habiticans! With diligence and Dailies, we've whittled the Stressbeast's health down to only 500K! The creature roars and flails in desperation, rage building faster than ever. Bailey and Matt yell in terror as it begins to swing them around at a terrifying pace, raising a blinding snowstorm that makes it harder to hit.\n\nWe'll have to redouble our efforts, but take heart - this is a sign that the Stressbeast knows it is about to be defeated. Don't give up now!",
@@ -231,7 +231,7 @@
"questGroupDilatoryDistress": "Dilatory Distress",
"questDilatoryDistress1Text": "Dilatory Distress, Part 1: Message in a Bottle",
"questDilatoryDistress1Notes": "A message in a bottle arrived from the newly rebuilt city of Dilatory! It reads: \"Dear Habiticans, we need your help once again. Our princess has disappeared and the city is under siege by some unknown watery demons! The mantis shrimps are holding the attackers at bay. Please aid us!\" To make the long journey to the sunken city, one must be able to breathe water. Fortunately, the alchemists @Benga and @hazel can make it all possible! You only have to find the proper ingredients.",
"questDilatoryDistress1Completion": "You don the finned armour and swim to Dilatory as quickly as you can. The merfolk and their mantis shrimp allies have managed to keep the monsters outside the city for the moment, but they are losing. No sooner are you within the castle walls than the horrifying siege descends!",
"questDilatoryDistress1Completion": "You don the finned armor and swim to Dilatory as quickly as you can. The merfolk and their mantis shrimp allies have managed to keep the monsters outside the city for the moment, but they are losing. No sooner are you within the castle walls than the horrifying siege descends!",
"questDilatoryDistress1CollectFireCoral": "Fire Coral",
"questDilatoryDistress1CollectBlueFins": "Blue Fins",
"questDilatoryDistress1DropArmor": "Finned Oceanic Armour (Armour)",
@@ -419,7 +419,7 @@
"questMoon3Boss": "Monstrous Moon",
"questMoon3DropWeapon": "Lunar Scythe (Two-Handed Weapon)",
"questSlothText": "The Somnolent Sloth",
"questSlothNotes": "As you and your party venture through the Somnolent Snowforest, you're relieved to see a glimmering of green among the white snowdrifts... until an enormous sloth emerges from the frosty trees! Green emeralds shimmer hypnotically on its back.<br><br>\"Hello, adventurers... why don't you take it slow? You've been walking for a while... so why not... stop? Just lie down, and rest...\"<br><br>You feel your eyelids grow heavy, and you realise: It's the Somnolent Sloth! According to @JaizakAripaik, it got its name from the emeralds on its back which are rumoured to... send people to... sleep...<br><br>You shake yourself awake, fighting drowsiness. In the nick of time, @awakebyjava and @PainterProphet begin to shout spells, forcing your party awake. \"Now's our chance!\" @Kiwibot yells.",
"questSlothNotes": "As you and your party venture through the Somnolent Snowforest, you're relieved to see a glimmering of green among the white snowdrifts... until an enormous sloth emerges from the frosty trees! Green emeralds shimmer hypnotically on its back.<br><br>\"Hello, adventurers... why don't you take it slow? You've been walking for a while... so why not... stop? Just lie down, and rest...\"<br><br>You feel your eyelids grow heavy, and you realise: It's the Somnolent Sloth! According to @JaizakAripaik, it got its name from the emeralds on its back which are rumored to... send people to... sleep...<br><br>You shake yourself awake, fighting drowsiness. In the nick of time, @awakebyjava and @PainterProphet begin to shout spells, forcing your party awake. \"Now's our chance!\" @Kiwibot yells.",
"questSlothCompletion": "You did it! As you defeat the Somnolent Sloth, its emeralds break off. \"Thank you for freeing me of my curse,\" says the sloth. \"I can finally sleep well, without those heavy emeralds on my back. Have these eggs as thanks, and you can have the emeralds too.\" The sloth gives you three sloth eggs and heads off for warmer climates.",
"questSlothBoss": "Somnolent Sloth",
"questSlothDropSlothEgg": "Sloth (Egg)",
@@ -450,7 +450,7 @@
"questStoikalmCalamity3Notes": "The twining tunnels of the icicle drake caverns shimmer with frost... and with untold riches. You gape, but Lady Glaciate strides past without a glance. \"Excessively flashy,\" she says. \"Obtained admirably, though, from respectable mercenary work and prudent banking investments. Look further.\" Squinting, you spot a towering pile of stolen items hidden in the shadows.<br><br>A sibilant voice hisses as you approach. \"My delicious hoard! You shall not steal it back from me!\" A sinuous body slides from the heap: the Icicle Drake Queen herself! You have just enough time to note the strange bracelets glittering on her wrists and the wildness glinting in her eyes before she lets out a howl that shakes the earth around you.",
"questStoikalmCalamity3Completion": "You subdue the Icicle Drake Queen, giving Lady Glaciate time to shatter the glowing bracelets. The Queen stiffens in apparent mortification, then quickly covers it with a haughty pose. \"Feel free to remove these extraneous items,\" she says. \"I'm afraid they simply don't fit our decor.\"<br><br>\"Also, you stole them,\" @Beffymaroo says. \"By summoning monsters from the earth.\"<br><br>The Icicle Drake Queen looks miffed. \"Take it up with that wretched bracelet saleswoman,\" she says. \"It's Tzina you want. I was essentially unaffiliated.\"<br><br>Lady Glaciate claps you on the arm. \"You did well today,\" she says, handing you a spear and a horn from the pile. \"Be proud.\"",
"questStoikalmCalamity3Boss": "Icicle Drake Queen",
"questStoikalmCalamity3DropBlueCottonCandy": "Blue Candyfloss (Food)",
"questStoikalmCalamity3DropBlueCottonCandy": "Blue Cotton Candy (Food)",
"questStoikalmCalamity3DropShield": "Mammoth Rider's Horn (Off-Hand Item)",
"questStoikalmCalamity3DropWeapon": "Mammoth Rider Spear (Weapon)",
"questGuineaPigText": "The Guinea Pig Gang",
@@ -473,7 +473,7 @@
"questButterflyUnlockText": "Unlocks Caterpillar Eggs for purchase in the Market",
"questGroupMayhemMistiflying": "Mayhem in Mistiflying",
"questMayhemMistiflying1Text": "Mayhem in Mistiflying, Part 1: In Which Mistiflying Experiences a Dreadful Bother",
"questMayhemMistiflying1Notes": "Although local soothsayers predicted pleasant weather, the afternoon is extremely breezy, so you gratefully follow your friend @Kiwibot into their house to escape the blustery day.<br><br>Neither of you expects to find the April Fool lounging at the kitchen table.<br><br>“Oh, hello,” he says. “Fancy seeing you here. Please, let me offer you some of this delicious tea.”<br><br>“Thats…” @Kiwibot begins. “Thats MY—“<br><br>“Yes, yes, of course,” says the April Fool, helping himself to some biscuits. “Just thought Id pop indoors and get a nice reprieve from all the tornado-summoning skulls.” He takes a casual sip from his teacup. “Incidentally, the city of Mistiflying is under attack.”<br><br>Horrified, you and your friends race to the stables and saddle your fastest winged mounts. As you soar towards the floating city, you see that a swarm of chattering, flying skulls are laying siege to the city… and several turn their attention towards you!",
"questMayhemMistiflying1Notes": "Although local soothsayers predicted pleasant weather, the afternoon is extremely breezy, so you gratefully follow your friend @Kiwibot into their house to escape the blustery day.<br><br>Neither of you expects to find the April Fool lounging at the kitchen table.<br><br>“Oh, hello,” he says. “Fancy seeing you here. Please, let me offer you some of this delicious tea.”<br><br>“Thats…” @Kiwibot begins. “Thats MY—“<br><br>“Yes, yes, of course,” says the April Fool, helping himself to some cookies. “Just thought Id pop indoors and get a nice reprieve from all the tornado-summoning skulls.” He takes a casual sip from his teacup. “Incidentally, the city of Mistiflying is under attack.”<br><br>Horrified, you and your friends race to the stables and saddle your fastest winged mounts. As you soar towards the floating city, you see that a swarm of chattering, flying skulls are laying siege to the city… and several turn their attentions towards you!",
"questMayhemMistiflying1Completion": "The final skull drops from the sky, a shimmering set of rainbow robes clasped in its jaws, but the steady wind has not slackened. Something else is at play here. And where is that slacking April Fool? You pick up the robes, then swoop into the city.",
"questMayhemMistiflying1Boss": "Air Skull Swarm",
"questMayhemMistiflying1RageTitle": "Swarm Respawn",
@@ -493,13 +493,13 @@
"questMayhemMistiflying3Notes": "The Mistiflies are whirling so thickly through the tornado that its hard to see. Squinting, you spot a many-winged silhouette floating at the centre of the tremendous storm.<br><br>“Oh, dear,” the April Fool sighs, nearly drowned out by the howl of the weather. “Looks like Winny went and got himself possessed. Very relatable problem, that. Could happen to anybody.”<br><br>“The Wind-Worker!” @Beffymaroo hollers at you. “Hes Mistiflyings most talented messenger-mage, since hes so skilled with weather magic. Normally hes a very polite mailman!”<br><br>As if to counteract this statement, the Wind-Worker lets out a scream of fury, and even with your magic robes, the storm nearly rips you from your mount.<br><br>“That gaudy mask is new,” the April Fool remarks. “Perhaps you should relieve him of it?”<br><br>Its a good idea… but the enraged mage isnt going to give it up without a fight.",
"questMayhemMistiflying3Completion": "Just as you think you cant withstand the wind any longer, you manage to snatch the mask from the Wind-Workers face. Instantly, the tornado is sucked away, leaving only balmy breezes and sunshine. The Wind-Worker looks around in bemusement. “Where did she go?”<br><br>“Who?” your friend @khdarkwolf asks.<br><br>“That sweet woman who offered to deliver a package for me. Tzina.” As he takes in the wind-swept city below him, his expression darkens. “Then again, maybe she wasnt so sweet…”<br><br>The April Fool pats him on the back, then hands you two shimmering envelopes. “Here. Why dont you let this distressed fellow rest, and take charge of the mail for a bit? I hear the magic in those envelopes will make them worth your while.”",
"questMayhemMistiflying3Boss": "The Wind-Worker",
"questMayhemMistiflying3DropPinkCottonCandy": "Pink Candyfloss (Food)",
"questMayhemMistiflying3DropPinkCottonCandy": "Pink Cotton Candy (Food)",
"questMayhemMistiflying3DropShield": "Roguish Rainbow Message (Off-Hand Item)",
"questMayhemMistiflying3DropWeapon": "Roguish Rainbow Message (Main-Hand Item)",
"featheredFriendsText": "Feathered Friends Quest Bundle",
"featheredFriendsNotes": "Contains Quests to obtain Owl, Parrot, and Hawk Pet eggs: The Night-Owl, Help! Harpy!, and The Birds of Preycrastination.",
"questNudibranchText": "Infestation of the NowDo Nudibranchs",
"questNudibranchNotes": "You finally get around to checking your To Do's on a lazy day in Habitica. Bright against your deepest red tasks are a gaggle of vibrant blue sea slugs. You are entranced! Their sapphire colours make your most intimidating tasks look as easy as your best Habits. In a feverish stupor you get to work, tackling one task after the other in a ceaseless frenzy...<br><br>The next thing you know, @LilithofAlfheim is pouring cold water over you. “The NowDo Nudibranchs have been stinging you all over! You need to take a break!”<br><br>Shocked, you see that your skin is as bright red as your To Do list was. \"Being productive is one thing,\" @beffymaroo says, \"but you've also got to take care of yourself. Hurry, let's get rid of them!\"",
"questNudibranchNotes": "You finally get around to checking your To Do's on a lazy day in Habitica. Bright against your deepest red tasks are a gaggle of vibrant blue sea slugs. You are entranced! Their sapphire colors make your most intimidating tasks look as easy as your best Habits. In a feverish stupor you get to work, tackling one task after the other in a ceaseless frenzy...<br><br>The next thing you know, @LilithofAlfheim is pouring cold water over you. “The NowDo Nudibranchs have been stinging you all over! You need to take a break!”<br><br>Shocked, you see that your skin is as bright red as your To Do list was. \"Being productive is one thing,\" @beffymaroo says, \"but you've also got to take care of yourself. Hurry, let's get rid of them!\"",
"questNudibranchCompletion": "You see the last of the NowDo Nudibranchs sliding off of a pile of completed tasks as @amadshade washes them away. One leaves behind a cloth bag, and you open it to reveal some gold and a few little ellipsoids you guess are eggs.",
"questNudibranchBoss": "NowDo Nudibranch",
"questNudibranchDropNudibranchEgg": "Nudibranch (Egg)",
@@ -671,7 +671,7 @@
"delightfulDinosText": "Delightful Dinos Quest Bundle",
"delightfulDinosNotes": "Contains Quests to obtain Triceratops, T-Rex, and Pterodactyl Pet eggs: The Trampling Triceratops, The Dinosaur Unearthed, and The Pterror-dactyl.",
"questAmberText": "The Amber Alliance",
"questAmberNotes": "Youre sitting in the Tavern with @beffymaroo and @-Tyr- when @Vikte bursts through the door and excitedly tells you about the rumours of another type of Magic Hatching Potion hidden in the Taskwoods. Having completed your Dailies, the three of you immediately agree to help @Vikte on their search. After all, whats the harm in a little adventure?<br><br>After walking through the Taskwoods for hours, youre beginning to regret joining such a wild chase. Youre about to head home, when you hear a surprised yelp and turn to see a huge lizard with shiny amber scales coiled around a tree, clutching @Vikte in her claws. @beffymaroo reaches for her sword.<br><br>“Wait!” cries @-Tyr-. “Its the Trerezin! Shes not dangerous, just dangerously clingy!”",
"questAmberNotes": "Youre sitting in the Tavern with @beffymaroo and @-Tyr- when @Vikte bursts through the door and excitedly tells you about the rumors of another type of Magic Hatching Potion hidden in the Taskwoods. Having completed your Dailies, the three of you immediately agree to help @Vikte on their search. After all, whats the harm in a little adventure?<br><br>After walking through the Taskwoods for hours, youre beginning to regret joining such a wild chase. Youre about to head home, when you hear a surprised yelp and turn to see a huge lizard with shiny amber scales coiled around a tree, clutching @Vikte in her claws. @beffymaroo reaches for her sword.<br><br>“Wait!” cries @-Tyr-. “Its the Trerezin! Shes not dangerous, just dangerously clingy!”",
"questAmberCompletion": "“Trerezin?” @-Tyr- says calmly. “Could you let @Vikte go? I dont think theyre enjoying being so high up.”<br><br>The Trerezins amber skin blushes crimson and she gently lowers @Vikte to the ground. “My apologies! Its been so long since Ive had any guests that Ive forgotten my manners!” She slithers forward to greet you properly before disappearing into her treehouse, and returning with an armful of Amber Hatching Potions as thank-you gifts!<br><br>“Magic Potions!” @Vikte gasps.<br><br>“Oh, these old things?” The Trerezin's tongue flickers as she thinks. “How about this? Ill give you this whole stack if you promise to visit me every so often...”<br><br>And so you leave the Taskwoods, excited to tell everyone about the new potions--and your new friend!",
"questAmberBoss": "Trerezin",
"questAmberDropAmberPotion": "Amber Hatching Potion",
@@ -681,12 +681,12 @@
"questRubyCollectRubyGems": "Ruby Gems",
"questRubyCollectVenusRunes": "Venus Runes",
"questRubyCollectAquariusRunes": "Aquarius Zodiac Runes",
"questRubyCompletion": "With the necessary items safely packed away, the three of you rush back to Habit City and meet in @beffymaroo's lab. “Excellent work!” @beffymaroo says. “You've gathered the ingredients for the potion!”<br><br>@beffymaroo carefully combines the runes and the rubies to create a brilliant red potion and pours some of it on two pet eggs. As you observe the results, you notice that the two pets seem completely uninterested in one another!<br><br>“Did it not work?” @gully asks. But before anyone can answer, you suddenly realise that it isn't the potion that creates friendship and love, but rather it is the experience of working together toward a common goal. You come away from the quest having gained some new friends...and some flashy new pets!",
"questRubyCompletion": "With the necessary items safely packed away, the three of you rush back to Habit City and meet in @beffymaroo's lab. “Excellent work!” @beffymaroo says. “You've gathered the ingredients for the potion!”<br><br>@beffymaroo carefully combines the runes and the rubies to create a brilliant red potion and pours some of it on two pet eggs. As you observe the results, you notice that the two pets seem completely uninterested in one another!<br><br>“Did it not work?” @gully asks. But before anyone can answer, you suddenly realize that it isn't the potion that creates friendship and love, but rather it is the experience of working together toward a common goal. You come away from the quest having gained some new friends...and some flashy new pets!",
"questRubyNotes": "The normally bustling peaks of the Stoïkalm Volcanoes lie silent in the snow. “I suppose the hikers and sight-seers are hibernating?” @gully says to you and @Aspiring_Advocate. “That makes our search easier.”<br><br>As you reach the summit, the chill wind merges with the steam billowing from the crater. “There!” @Aspiring_Advocate exclaims, pointing toward a hot spring. “What better place to find cool runes of Aquarius and passionate runes of Venus than where ice and fire meet?”<br><br>The three of you hurry toward the hot spring. “According to my research,” @Aspiring_Advocate says, “combining the runes with heart-shaped rubies will create a hatching potion that can foster friendship and love!”<br><br>Excited by the prospect of a new discovery, you all smile. “All right,” @gully says, “let's start searching!”",
"questRubyText": "Ruby Rapport",
"questWaffleRageTitle": "Maple Mire",
"questWaffleBoss": "Awful Waffle",
"questWaffleCompletion": "Battered and buttered but triumphant, you savour sweet victory as the Awful Waffle collapses into a pool of sticky goo.<br><br>“Wow, you really creamed that monster,” says Lady Glaciate, impressed.<br><br>“A piece of cake!” beams the April Fool.<br><br>“Kind of a shame, though,” says @beffymaroo. “It looked good enough to eat.”<br><br>The Fool takes a set of potion bottles from somewhere in his cape, fills them with the syrupy leavings of the Waffle, and mixes in a pinch of sparkling dust. The liquid swirls with colour--new Hatching Potions! He tosses them into your arms. “All that adventure has given me an appetite. Who wants to join me for breakfast?”",
"questWaffleCompletion": "Battered and buttered but triumphant, you savor sweet victory as the Awful Waffle collapses into a pool of sticky goo.<br><br>“Wow, you really creamed that monster,” says Lady Glaciate, impressed.<br><br>“A piece of cake!” beams the April Fool.<br><br>“Kind of a shame, though,” says @beffymaroo. “It looked good enough to eat.”<br><br>The Fool takes a set of potion bottles from somewhere in his cape, fills them with the syrupy leavings of the Waffle, and mixes in a pinch of sparkling dust. The liquid swirls with color--new Hatching Potions! He tosses them into your arms. “All that adventure has given me an appetite. Who wants to join me for breakfast?”",
"questWaffleNotes": "“April Fool!” storms a flustered Lady Glaciate. “You said your dessert-themed prank was over with and completely cleaned up!”<br><br>“Why, it was and is, my dear,” replies the Fool, puzzled. “And I am the most honest of Fools. What's wrong?”<br><br>“There's a giant sugary monster approaching Habit City!”<br><br>“Hmm,” muses the Fool. “I did raid a few lairs for the mystic reagents for my last event. Maybe I attracted some unwanted attention. Is it the Saccharine Serpent? The Torte-oise? Tiramisu Rex?”<br><br>“No! It's some sort of... Awful Waffle!”<br><br>“Huh. That's a new one! Perhaps it spawned from all the ambient shenanigan energy.” He turns to you and @beffymaroo with a lopsided smile. “I don't suppose you'd be available for some heroics?”",
"questWaffleText": "Waffling with the Fool: Disaster Breakfast!",
"questWaffleUnlockText": "Unlocks Confection Hatching Potions for purchase in the Market",
@@ -722,7 +722,7 @@
"questWindupDropWindupPotion": "Wind-Up Hatching Potion",
"questWindupBoss": "Clankton",
"questWindupCompletion": "As you dodge the attacks, you notice something odd: a stripy brass tail sticking out of the robots chassis. You plunge a hand amid the grinding gears and pull out… a trembling wind-up tiger cub. It snuggles against your shirt.<br><br>The clockwork robot immediately stops flailing and smiles, its cogs clicking back into place. “Ki-Ki-Kitty! Kitty got in me!”<br><br>“Great!” the Powerful says, blushing. “Ive been working hard on these wind-up pet potions. I guess I lost track of my new creations. Ive been missing my Tidy the workshop daily a lot lately…”<br><br>You follow the tinkerer and Clankton inside. Parts, tools and potions cover every surface. “Powerful” takes your watch, but hands you a few potions.<br><br>“Take these. Clearly theyll be safer with you!”",
"questTurquoiseNotes": "@gawrone runs into your room holding their Habitican Diploma in one hand and an extraordinarily large and dusty leather-bound tome in the other.<br><br>“Youll never guess what Ive discovered!” they say. “The reason the Flourishing Fields are so fertile is that they were once covered with a vast ocean. It's rumoured that an ancient people once inhabited that ocean floor in enchanted cities. I've used forgotten maps to find the most likely location! Get your shovel!”<br><br>The next evening you meet up, @QuartzFox and @starsystemic joining the party, and begin to dig. Deep in the ground you find a rune, with a turquoise gem nearby!<br><br>“Keep digging!” @gawrone urges. “If we find enough, we can make one of their ancient potions and history at the same time!”",
"questTurquoiseNotes": "@gawrone runs into your room holding their Habitican Diploma in one hand and an extraordinarily large and dusty leather-bound tome in the other.<br><br>“Youll never guess what Ive discovered!” they say. “The reason the Flourishing Fields are so fertile is that they were once covered with a vast ocean. It is rumored that ancient people once inhabited that ocean floor in enchanted cities. I have used forgotten maps to find the most likely location! Get your shovel!”<br><br>The next evening you meet up, @QuartzFox and @starsystemic joining the party, and begin to dig. Deep in the ground you find a rune, with a turquoise gem nearby!<br><br>“Keep digging!” @gawrone urges. “If we find enough, we can make one of their ancient potions and history at the same time!”",
"questStoneCollectCapricornRunes": "Capricorn Runes",
"questStoneCompletion": "The work clearing overgrowth and moving loose stones taxes you to the limits of your strength. But you divide the work among the team, and place stones in the paths behind you to help you find your way back to the others. The runes you find bolster your strength and determination, too, and in the end the garden doesn't look so neglected at all!<br><br>You convene at the Library as @starsystemic suggested, and find a Magic Potion formula that uses the runes you collected. “This is an unexpected reward for attending to our neglected tasks,” says @jjgame83.<br><br>@QuartzFox agrees, “And that is on top of having a beautiful garden to enjoy with our pets.”<br><br>“Let's start making some a-mazing Mossy Stone Hatching Potions!” says @starsystemic, and everyone joins in happily.",
"questStoneCollectMossyStones": "Mossy Stones",
@@ -764,7 +764,7 @@
"questVirtualPetDropVirtualPetPotion": "Virtual Pet Hatching Potion",
"questVirtualPetUnlockText": "Unlocks Virtual Pet Hatching Potion for purchase in the Market",
"questVirtualPetRageDescription": "This bar fills when you don't complete your Dailies. When it is full, the Wotchimon will take away some of your party's pending damage!",
"questPinkMarbleNotes": "After hearing rumours about a cave in the Meandering Mountains that has pink rocks and dust shooting out of it, your party starts to investigate. As you approach the cave, there is indeed a huge pink dust cloud and strangely, you hear a tiny voice's battle cry, followed by the sound of shattering rock.<br><br>@Empress42 accidentally inhales some of the dust and suddenly feels dreamy and less productive. “Same here!” says @QuartzFox, “I'm suddenly fantasising about a person that I barely know!”<br><br>@a_diamond peeks into the cave and finds a little being zipping around and smashing pink marbled rock to dust. “Take cover! This Cupid has been corrupted and is using his magic to cause limerence and unrealistic infatuations! We have to subdue him!”",
"questPinkMarbleNotes": "After hearing rumors about a cave in the Meandering Mountains that has pink rocks and dust shooting out of it, your party starts to investigate. As you approach the cave, there is indeed a huge pink dust cloud and strangely, you hear a tiny voice's battle cry, followed by the sound of shattering rock.<br><br>@Empress42 accidentally inhales some of the dust and suddenly feels dreamy and less productive. “Same here!” says @QuartzFox, “I'm suddenly fantasizing about a person that I barely know!”<br><br>@a_diamond peeks into the cave and finds a little being zipping around and smashing pink marbled rock to dust. “Take cover! This Cupid has been corrupted and is using his magic to cause limerence and unrealistic infatuations! We have to subdue him!”",
"questPinkMarbleCompletion": "You manage to pin the little guy down at last he was much tougher and faster than expected. Before he stirs again, you take away his quiver of glowing arrows. He blinks and suddenly looks around in surprise. “To escape my own sorrow and heartbreak for a while I pricked myself with one of my arrows… I don't remember anything after that!”<br><br>He is just about to flee the cave, notices that @Loremi has taken a sample of the marble dust and grins. “Try using some of this pink marble dust in a potion! Nurture the pets that hatch from it and you will find that real relationships are born from communication, mutual trust and care. I wish you luck, and I wish you love!”",
"questPinkMarbleBoss": "Cupido",
"questPinkMarbleRageTitle": "Pink Punch",
@@ -810,7 +810,7 @@
"questJadeUnlockText": "Unlocks Jade Hatching Potion for Purchase in the Market.",
"questGiraffeNotes": "Youre strolling across the tall grass of the Sloenstedi Savannah, enjoying a nice walk in nature as a break from your tasks. As you pass through the rolling landscape, you notice a collection of items in the distance. Its a pile of musical instruments, art supplies, electronic equipment, and more! You venture near for a better look.<br><br>“Hey, what do you think youre doing?” yells a voice from behind an acacia. A tall and imposing giraffe emerges, wearing a fancy pair of shades, a guitar, and a fancy camera around its long neck. “This is all my gear. Be careful and dont touch anything!”<br><br>You notice dust on many of the items. “Wow, you sure have a lot of hobbies!” you say. “Can you show me some art or play me a tune?”<br><br>The giraffes face falls as he looks at all his supplies. “I have so much of this stuff but dont know where to begin! Why don't you give me some of your motivation so I can have the productive energy I need to finally get started!”",
"questGiraffeUnlockText": "Unlocks Giraffe Eggs for purchase in the Market.",
"questChameleonNotes": "Its a beautiful day in a warm, rainy corner of the Taskwoods. Youre on the hunt for new additions to your leaf collection when a branch in front of you changes colour without warning! Then it moves!<br><br>Stumbling backwards, you realise this is not a branch at all, but a huge chameleon! Each part of his body keeps changing colours as his eyes dart in different directions.<br><br>“Are you all right?” you ask the chameleon.<br><br>“Ahhh, well,” he says, looking a little flustered. “Ive been trying to blend in… but its so overwhelming… the colours keep coming and going! Its hard to focus on just one....”<br><br>“Aha,” you say, “I think I can help. Well sharpen your focus with a little challenge! Get your colours ready!”<br><br>“Youre on!” replied the chameleon.",
"questChameleonNotes": "Its a beautiful day in a warm, rainy corner of the Taskwoods. Youre on the hunt for new additions to your leaf collection when a branch in front of you changes colour without warning! Then it moves!<br><br>Stumbling backwards, you realize this is not a branch at all, but a huge chameleon! Each part of his body keeps changing colours as his eyes dart in different directions.<br><br>“Are you all right?” you ask the chameleon.<br><br>“Ahhh, well,” he says, looking a little flustered. “Ive been trying to blend in… but its so overwhelming… the colours keep coming and going! Its hard to focus on just one....”<br><br>“Aha,” you say, “I think I can help. Well sharpen your focus with a little challenge! Get your colours ready!”<br><br>“Youre on!” replied the chameleon.",
"questCrabNotes": "Its a warm sunny morning, and youre enjoying a visit to the beach to catch up on some of the books on your summer reading list. Youre startled when you nearly step on a shiny crystal near a shallow hole in the sand.<br><br>“Ey, watch where youre goin! Im makin a burrow here!” says a voice. A surprisingly large crab with a decorative shell runs out in front of your toes, snapping her claws as she speaks.<br><br>“Hmm.. is this a burrow?” you ask, looking at the shallow depression. There are shells and crystals arranged around it, but its not much in the way of a hiding place.<br><br>The crab stammers. \"Ey, this is a judgment-free zone! I'm gettin' to it, I'm gettin' to it... I just got caught up on decorating. Sometimes a crab's gotta fiddle,\" she says, adjusting a shell.<br><br>\"Why don't you lend me a claw and help if you've got some big ideas on what a burrow should look like?\"",
"questRaccoonNotes": "Its a warm autumn day in Habitica and youre taking a slow stroll along Conquest Creek. You see some nifty semi-precious stones along the bank that would be perfect for a project youve been planning.<br><br>You start stashing your best finds in a pile beneath a tree. Strangely, each time you return the pile seems to be getting smaller, not larger...<br><br>That can't be right. You look all around but nothing odd stands out. Just as you turn around to head back to the creek, you catch a hand-like paw reaching out of a hollow in the trunk and snatch some of your stones!<br><br>\"Hey!\" you yell, \"Ive been working hard collecting those. Its not cool to take them without asking!\"<br><br>A masked face pops out of the hole and grins at you. \"Finders keepers!\" says the Raccoon. He slips back inside the tree, bags of stones in hand. You dive in after him! These stones are worth fighting for.",
"questDogNotes": "Youve been chosen for an expedition to map Habiticas underground cave systems! Researchers in Habit City theorise that there may be new tools for managing tasks or even undiscovered creatures in these depths.<br><br>As you map rocky tunnels near the foothills of the Meandering Mountains, you notice a glow emanating from a craggy entrance ahead. As you near you see… toys? Stuffed animals and rubber balls are scattered around the cave floor. Is that barking you hear?<br><br>A huge, three-headed dog jumps out, darting for the toy you were right about to pick up! You freeze, almost losing a limb there! But... the dogs mouths seem too occupied with toys to attack?<br><br>“Woof!” one of the dog's mouths barks, dropping a torn toy raccoon. “Are you here to help me clean?? I reeeally need to tidy up but every time I pick up a toy, I just end up playing with it… Here, think fast!!”<br><br>He launches a ball at you, and then another, and another. Those extra heads really make dodging a workout!",
@@ -844,21 +844,5 @@
"questAlpacaDropAlpacaEgg": "Alpaca (egg)",
"questAlpacaNotes": "The sun beams down as you hike up the rocky trailheads of the Meandering Mountains. Youve been planning this expedition for your friend group for months, researching every aspect of the trip. The weight of supplies on your back is so much to bear, each step feels more like a burden than an adventure.<br><br>You hear a soft crunch of hooves on the trail behind you. A fluffy alpaca approaches with a gigantic stack of luggage on her back.<br><br>“Seems like youre dragging a bit, friend, and all youre carrying is a little backpack!” she says as she passes by.<br><br>“You make it look so easy,” you sigh. “I planned this trip for so long, but now that were here, Im not even having fun…”<br><br>“Dont get down on yourself,” the alpaca snorts. “Ill teach you a lesson I learned long ago!” She bucks, and suddenly a bundled bedroll is flying at you! How is this helping again?!",
"questAlpacaCompletion": "Luckily none of the bags the alpaca threw your way were heavy, but your hands are definitely full. “What was that about?” you ask, annoyed.<br><br>“If youre planning a trip with friends, you shouldnt be carrying your burden alone! Im sure your friends would rather you shake off a few things onto them than for you to collapse under the weight by yourself. Anyway, you can hand me those bags back. Im a seasoned pack animal and Ive made my point,” she says with a wink. “But keep that blue bundle as a reward for a hard lesson learned. Ill see you at the peak!”",
"questPlatypusText": "The Perfectionist Platypus",
"questOpalNotes": "Habiticas scholars have long searched for the fabled Opal Magic Hatching Potion. A potion so powerful it imbues Pets and their Mount counterparts with fiery colour and brilliance unlike any other gemstone or precious metal. The magic of opals is even rumoured to enhance planning, insight, and creativity. What a boost that would be for your tasks!<br><br>After much searching, you may have finally uncovered the answer. Opal Potions require raw opal stones to be forged with the magic runes of Libra and Mercury. These ancient items can only be found in one place... the perilous ruins of the lost city, on the edge of the Timewaste Desert.<br><br>You arrive at the ruins after days of riding your strongest Mount through the harsh and remote terrain. Among the sun-bleached and broken stones you see a bright glimmer. The search begins!",
"questOpalCompletion": "At last, tired and dusty, you find the final runes and opal stone needed to forge the Magic Hatching Potion.<br><br>You begin the forging process the minute youre back in Habiticas main city. The power of the runes and opals fills your laboratory with rainbow light! In no time youve got three potions, and youre excited to hatch some new colourful pals.",
"questPlatypusNotes": "Its a beautiful day at Conquest Creek, only made worse by the worksheet in your hand. Why do cool adventures always get ruined by homework? Youre five questions deep about river ecosystems when they hit you with an essay response.<br><br>“Describe how an animal may adapt to river dwelling? Ugh, I dont know...”<br><br>After spending 30 minutes hopelessly stuck on how to even start, you hear a lot of frustrated-sounding splashing down the bank.<br><br>“Augh,” a voice comes bubbling from just under the surface. A frazzled looking platypus pops up. “This burrow isnt coming together at all! Each time I start it just looks wrong.” She dives back under the surface and her broad, flat tail throws a mighty splash right into your face.<br><br>“Wait, dont throw it all away—” you shout, as another slosh of creek water hits you. You may be able to help, and get some inspiration along the way!",
"questPlatypusCompletion": "After an exhausting exchange of water blasts and some encouraging words from your end, the platypus finally stops and comes to the surface with a sigh.<br><br>“You may be right. If I demand flawlessness Im just never going to finish! I can always make adjustments as I go. Seems like you know a little something about perfectionism.”<br><br>You look at your soggy worksheet “Yeah...”<br><br>“Sorry about that,” the platypus says. “Here, as an apology for getting your essay wet, please take some eggs I found in the mud.”",
"questPlatypusBoss": "The Perfectionist Platypus",
"questPlatypusRageTitle": "Shocking Splash",
"questPlatypusRageDescription": "This bar fills when you don't complete your Dailies. When it's full, the Perfectionist Platypus will take away some of your party's MP!",
"questPlatypusRageEffect": "The Perfectionist Platypus dives under the water and splashes you! The partys MP is reduced!",
"questPlatypusDropPlatypusEgg": "Platypus (egg)",
"questPlatypusUnlockText": "Unlocks Platypus Eggs for Purchase in the Market",
"questOpalText": "The Legend of the Obscure Opals",
"questOpalCollectLibraRunes": "Libra Rune",
"questOpalCollectMercuryRunes": "Mercury Rune",
"questOpalCollectOpalGems": "Opal Gem",
"questOpalDropOpalPotion": "Opal Hatching Potion",
"questOpalUnlockText": "Unlocks Opal Hatching Potions for purchase in the Market"
"questPlatypusText": "The Perfectionist Platypus"
}

View File

@@ -257,18 +257,5 @@
"userNameSuccess": "Username successfully changed",
"addWebhook": "Add Webhook",
"changeEmailDisclaimer": "This is the email address that you use to log in to Habitica, as well as receive notifications.",
"transaction_subscription_bonus": "<b>Subscription</b> bonus",
"privacySettingsOverview": "Habitica uses cookies to analyse performance, handle support requests, and provide you with the best possible gamified experience. To do that, we need to request the following permissions. You can change these at any time from your account settings.",
"privacyOverview": "In today's world, it feels like every company is looking to profit from your data. This can make it difficult to find the right app to improve your habits. Habitica uses cookies that store data only to analyse performance, handle support requests, and provide you with the best possible gamified experience. You can change this at any time from your account settings.",
"acceptAllCookies": "Accept All Cookies",
"denyNonEssentialCookies": "Deny Non-Essential Cookies",
"managePrivacyPreferences": "Manage Your Privacy Preferences",
"yourPrivacyPreferences": "Your Privacy Preferences",
"strictlyNecessary": "Strictly Necessary",
"alwaysActive": "Always Active",
"requiredToRun": "These are required by our website and apps to run at their best.",
"performanceAnalytics": "Performance and Analytics",
"usedForSupport": "These are used to improve the user experience, performance, and services of our website and apps. This data is used by our support team when handling requests and bug reports.",
"savePreferences": "Save Preferences",
"habiticaPrivacyPolicy": "Habitica's Privacy Policy"
"transaction_subscription_bonus": "<b>Subscription</b> bonus"
}

View File

@@ -6,7 +6,7 @@
"mustSubscribeToPurchaseGems": "Must subscribe to purchase gems with GP",
"reachedGoldToGemCapQuantity": "Your requested amount <%= quantity %> exceeds the amount you can buy for this month (<%= convCap %>). The full amount becomes available within the first three days of each month. Thanks for subscribing!",
"mysteryItem": "Exclusive monthly items",
"mysteryItemText": "Each month you will receive a unique cosmetic item for your avatar! Plus, for every three months of consecutive subscription, the Mysterious Time Travellers will grant you access to historic (and futuristic!) cosmetic items.",
"mysteryItemText": "Each month you will receive a unique cosmetic item for your avatar! Plus, for every three months of consecutive subscription, the Mysterious Time Travelers will grant you access to historic (and futuristic!) cosmetic items.",
"exclusiveJackalopePet": "Special Pet",
"giftSubscription": "Want to gift the benefits of a subscription to someone else?",
"giftSubscriptionText4": "Thanks for supporting Habitica!",
@@ -81,7 +81,7 @@
"mysterySet201806": "Alluring Anglerfish Set",
"mysterySet201807": "Sea Serpent Set",
"mysterySet201808": "Lava Dragon Set",
"mysterySet201809": "Autumnal Armour Set",
"mysterySet201809": "Autumnal Armor Set",
"mysterySet201810": "Dark Forest Set",
"mysterySet201811": "Splendid Sorcerer Set",
"mysterySet201812": "Arctic Fox Set",
@@ -234,28 +234,5 @@
"mysterySet202310": "Ghostlight Wraith Set",
"monthlyMysticHourglass": "Monthly Mystic Hourglass",
"mysterySet202407": "Amiable Axolotl Set",
"mysterySet202408": "Arcane Aegis Set",
"mysterySet202409": "Heliotrope Magus Set",
"mysterySet202410": "Candy Corn Fox Set",
"mysterySet202412": "Candy Cane Cottontail Set",
"mysterySet202503": "Jade Juggernaut Set",
"mysterySet202501": "Frostbinder Set",
"mysterySet202502": "Heartfelt Harlequin Set",
"mysterySet202411": "Bristled Brawler Set",
"mysterySet202509": "Windswept Wanderer Set",
"mysterySet202504": "Elusive Yeti Set",
"mysterySet202506": "Solar Shine Set",
"mysterySet202505": "Soaring Swallowtail Set",
"mysterySet202510": "Gliding Ghoul Set",
"mysterySet202511": "Frost Warrior Set",
"subscribeAgainContinueHourglasses": "Subscribe again to continue receiving Mystic Hourglasses",
"subscribeTo": "Subscribe To",
"popular": "Popular",
"monthlyGemsLabel": "Monthly Gems",
"recurringMonthly": "Recurring every month",
"selectPayment": "Select Payment",
"giftSubscriptionLeadText": "Choose the subscription you'd like to gift below! This purchase will not automatically renew.",
"oneMonthGift": "For 1 month",
"subscribe": "Subscribe",
"resubscribeToPickUp": "Resubscribe to pick up where you left off!"
"mysterySet202408": "Arcane Aegis Set"
}

View File

@@ -1,8 +1,8 @@
{
"achievement": "Logro",
"onwards": "¡Adelante!",
"levelup": "Al cumplir tus objetivos en la vida real, ¡has subido de nivel y has recuperado toda tu salud!",
"reachedLevel": "Has Alcanzado el Nivel <%= level %>",
"levelup": "¡Al cumplir tus objetivos en la vida real, has subido de nivel y has recuperado toda tu salud!",
"reachedLevel": "Has alcanzado el nivel <%= level %>",
"achievementLostMasterclasser": "Completador de Aventuras: Serie Arquimaestra",
"achievementLostMasterclasserText": "¡Ha completado las dieciséis misiones en la Serie Arquimaestra y resuelto el misterio de la Arquimaestra Perdida!",
"achievementLostMasterclasserModalText": "¡Completaste las dieciséis misiones en la Serie Maestro de Clases y resolviste el misterio de la Arquimaestra Perdida!",
@@ -70,7 +70,7 @@
"foundNewItemsExplanation": "Completar tareas te da la oportunidad de encontrar objetos, como Huevos, Pociones de Eclosión y Alimento para Mascotas.",
"foundNewItems": "¡Encontraste nuevos artículos!",
"onboardingCompleteDescSmall": "¡Si quieres aún más, mira tus Logros y empieza a coleccionarlos!",
"yourProgress": "Tu Progreso",
"yourProgress": "Tu progreso",
"onboardingComplete": "¡Has completado tus tareas de incorporación!",
"achievementRosyOutlookModalText": "¡Has domado todas las monturas de algodón de azúcar rosa!",
"achievementRosyOutlookText": "Ha domado todas las monturas de algodón de azúcar rosa.",

View File

@@ -921,14 +921,5 @@
"backgroundInsideForestWitchsCottageNotes": "Teje hechizos en el interior de la Cabaña de una Bruja en el Bosque.",
"backgrounds112025": "Conjunto 138: Publicado en Noviembre 2025",
"backgroundCastleKeepWithBannersText": "Salón del Castillo con Banderas",
"backgroundCastleKeepWithBannersNotes": "Canta las gloriosas hazañas de los grandes héroes en el Salón del Castillo con Banderas.",
"backgrounds122025": "CONJUNTO 139: Publicado en Diciembre 2025",
"backgroundNighttimeStreetWithShopsText": "Bulevar Nocturno",
"backgroundNighttimeStreetWithShopsNotes": "Deléitate con el cálido resplandor del Bulevar Nocturno.",
"backgrounds012026": "CONJUNTO 140: Publicado en Enero 2026",
"backgroundWinterDesertWithSaguarosText": "Cactus en Desierto Invernal",
"backgroundWinterDesertWithSaguarosNotes": "Exalta tus sentidos entre los Cactus en Desierto Invernal.",
"backgrounds022026": "CONJUNTO 141: Publicado en Febrero 2026",
"backgroundElegantPalaceText": "Palacio Elegante",
"backgroundElegantPalaceNotes": "Quédate obnubilado por las coloridas salas del Palacio Elegante."
"backgroundCastleKeepWithBannersNotes": "Canta las gloriosas hazañas de los grandes héroes en el Salón del Castillo con Banderas."
}

View File

@@ -3,7 +3,7 @@
"dontDespair": "¡No te desesperes!",
"deathPenaltyDetails": "Has perdido un Nivel, tu Oro y una pieza de equipamiento, ¡pero puedes recuperarlos con trabajo duro! Buena suerte--lo harás genial.",
"refillHealthTryAgain": "Rellenar salud y volver a intentarlo",
"dyingOftenTips": "¿Pasa esto a menudo? <a href='/static/faq#prevent-damage' target='_blank'>¡Aqui tienes ayuda!</a>",
"dyingOftenTips": "¿Pasa esto a menudo? <a href='https://habitica.fandom.com/wiki/Death_Mechanics#Strategies_for_Staying_Alive' target='_blank'>¡Aqui tienes ayuda!</a>",
"losingHealthWarning": "¡Cuidado, estás perdiendo salud rápidamente!",
"losingHealthWarning2": "¡No dejes que tu salud baje a cero! Si lo haces, perderás un nivel, tu Oro y un artículo.",
"toRegainHealth": "Para recuperar tu Salud:",

View File

@@ -16,7 +16,7 @@
"faqQuestion29": "¿Cómo recuperó Puntos de Vida?",
"webFaqAnswer29": "Puedes recuperar 15 Puntos de Vida (HP) comprando en la sección de Recompensas una Poción de Salud por 25 monedas de Oro. Adicionalmente ten en cuenta que siempre vas a recuperar todos tus Puntos de Vida (HP) ¡cuando subas de nivel!",
"faqQuestion30": "¿Qué sucede cuando pierdo todos mis Puntos de Vida (HP)?",
"webFaqAnswer30": "Si tus Puntos de Vida descienden por debajo de cero, perderás un nivel de experiencia, el punto de atributo de ese nivel, todas tus monedas de oro y una pieza aleatoria de Equipo que, por supuesto, podrás volver a adquirir recomprándola. Puedes reconstruir lo logrado completando tareas y subiendo de nivel otra vez.",
"webFaqAnswer30": "Si tus Puntos de Vida descienden por debajo de cero, perderás un nivel de experiencia, todas tus monedas de oro y una pieza aleatoria de Equipo que, por supuesto, podrás volver a adquirir recomprándola más adelante.",
"faqQuestion31": "¿Porqué he perdido Puntos de Vida (HP) al interactuar o incluso completar una tarea no negativa?",
"webFaqAnswer31": "Si completas una tarea y aún así pierdes Puntos de Vida, puede ser debido, a que hay un pequeño desfase con el servidor mientras se sincronizan los cambios producidos en diferentes dispositivos. Por ejemplo, si usas monedas de oro, Mana o pierdes Puntos de Vidas en la aplicación para tu teléfono móvil y por otro lado completas unas tara en la página web, el servidor simplemente confirma que todo en tu cuenta está sincronizado y de ahí esta situación que a priori puede parecer extraña.",
"faqQuestion32": "¿Cómo puedo elegir una profesión?",
@@ -243,7 +243,5 @@
"subscriptionDetail470": "Los beneficios de los suscriptores de Plan de Grupo se comportarán de la misma manera que las suscripciones recurrentes de 1 mes. Recibirás un Reloj de arena Místico al empezar el mes y la cantidad de Gemas que podrás comprar cada mes en el Mercado se incrementará en 2 hasta alcanzar las 50.",
"subscriptionPara3": "¡Esperamos que este nuevo formato sea más intuitivo, permita un mayor acceso a los artículos de la Tienda de los Viajeros del TIempo, y os ayude a estar más motivados a progresar en vuestras tareas mensuales!",
"faqQuestion67": "¿Cuales son las profesiones en Habitica?",
"webFaqAnswer67": "La Profesiones son los diferentes roles con los que juegas con tu personaje. Cada profesión tiene un conjunto único de beneficios y habilidades que puedes potenciar cuando vas subiendo de nivel. Estas habilidades pueden modificar la forma en que interactúas con tus tareas o ayudarte, contribuyendo a completar Misiones con tu Equipo.\n\nTu profesión también determina el equipamiento que tendrás disponible para comprar en las Recompensas, el Mercado y la Tienda Estacional.\n\nAquí tienes un resumen de cada profesión para ayudarte a elegir cuál se ajusta mejor a tu estilo de juego:\n#### **Guerrero**\n*Los guerreros son los mejores preparados para dañar a los monstruos y tienen muchas oportunidades de lanzar golpes críticos al completar tareas, recompensándote con Experiencia y Oro extra.\n* La Fuerza es su característica principal, incrementando así el daño que causas.\n* Constitución es su habilidad secundaria, reduciendo el daño que recibes.\n* Las habilidades de los guerreros mejoran la constitución y la fuerza de sus compañeros de Equipo.\n* Elige Guerrero como profesión si te gusta luchar contra los monstruos, pero también si piensas que vas a necesitar protección extra contra la pérdida de vida debida a fallos ocasionales en tus Tareas.\n#### **Sanador**\n* Los Sanadores tienen una elevada resistencia al daño y pueden curarse a ellos mismos y también a los miembros de su Equipo.\n* Como Sanador tu característica principal es la Constitución, incrementando la velocidad de curación y reduciendo el daño que recibes.\n* La Inteligencia es tu característica secundaria, incrementando tus valores de Maná y Experiencia.\n* Tus habilidades como Sanador ayudan a que tus tareas tiendan menos hacia el rojo y mejoran la Constitución de los miembros de tu Equipo.\n* Elige Sanador como profesión si piensas que vas a fallar frecuentemente con algunas de tus tareas y vas a necesitar la habilidad especial de sanación en ti o en los compañeros de Equipo. También los Sanadores suben de nivel muy rápido.\n#### **Mago**\n* Los Magos suben de nivel muy rápido, obtienen más Maná y dañan severamente a los monstruos en las Misiones.\n* La Inteligencia es tu característica principal que incrementa tu nivel de Maná y tu Experincia.\n* La Percepción es tu característica secundaria, incrementando la cantidad de oro y objetos que obtienes.\n* Con tus habilidades puedes congelar los contadores de tus tareas, restaurar el Maná le tus compañeros de Equipo y mejorar su Inteligencia.\n* Elige Mago como profesión si lo que te mantiene motivado es progresar rápidamente con respecto a subir de nivel y contribuir significativamente al daño producido a los monstruos en las Misiones.\n#### **Pícaro**\n* Los Pícaros son los que más oro y objetos obtienen al completar tareas y tienen muchas oportunidades de lanzar golpes críticos obteniendo así más Experiencia y Oro.\n* Tu característica principal como Pícaro es la Percepción incrementando la cantidad de objetos y Oro que obtienes.\n* La Fuerza es tu característica secundaria, elevando el daño que produces.\n* Tus habilidades como Pícaro te ayudan a esquivar los fallos en tus Tareas Diarias, robar Oro y mejorar la Percepción de los miembros de tu Equipo.\n* Si lo que te mantiene motivado es obtener muchos objetos y recompensas elige Pícaro como tu profesión.",
"faqQuestion68": "¿Cómo puedo evitar perder PV?",
"webFaqAnswer68": "Si sueles perder PV con frecuencia, prueba los siguientes consejos:\n\n- Pausa tus Tareas Diarias. El botón “Pausar Daño” en los Ajustes evitará que pierdas PV por las Tareas Diarias no completadas.\n- Ajusta el horario de tus Tareas Diarias. Al ajustarlas como nunca pendientes, puedes completarlas solo por loas recompensas sin riesgo a perder PV.\n- Intenta usar las habilidades de tu clase:\n\t- Los Pícaros pueden lanzar Sigilo para evitar daño de las Tareas Diarias no completadas\n\t- Los Guerreros pueden lanzar Golpe Brutal para reducir el color rojo y así también reducir el daño causado por las no completadas\n\t- Los Sanadores pueden lanzar Claridad Abrasadora para reducir el color rojo y así también reducir el daño por las no completadas"
"webFaqAnswer67": "La Profesiones son los diferentes roles con los que juegas con tu personaje. Cada profesión tiene un conjunto único de beneficios y habilidades que puedes potenciar cuando vas subiendo de nivel. Estas habilidades pueden modificar la forma en que interactúas con tus tareas o ayudarte, contribuyendo a completar Misiones con tu Equipo.\n\nTu profesión también determina el equipamiento que tendrás disponible para comprar en las Recompensas, el Mercado y la Tienda Estacional.\n\nAquí tienes un resumen de cada profesión para ayudarte a elegir cuál se ajusta mejor a tu estilo de juego:\n#### **Guerrero**\n*Los guerreros son los mejores preparados para dañar a los monstruos y tienen muchas oportunidades de lanzar golpes críticos al completar tareas, recompensándote con Experiencia y Oro extra.\n* La Fuerza es su característica principal, incrementando así el daño que causas.\n* Constitución es su habilidad secundaria, reduciendo el daño que recibes.\n* Las habilidades de los guerreros mejoran la constitución y la fuerza de sus compañeros de Equipo.\n* Elige Guerrero como profesión si te gusta luchar contra los monstruos, pero también si piensas que vas a necesitar protección extra contra la pérdida de vida debida a fallos ocasionales en tus Tareas.\n#### **Sanador**\n* Los Sanadores tienen una elevada resistencia al daño y pueden curarse a ellos mismos y también a los miembros de su Equipo.\n* Como Sanador tu característica principal es la Constitución, incrementando la velocidad de curación y reduciendo el daño que recibes.\n* La Inteligencia es tu característica secundaria, incrementando tus valores de Maná y Experiencia.\n* Tus habilidades como Sanador ayudan a que tus tareas tiendan menos hacia el rojo y mejoran la Constitución de los miembros de tu Equipo.\n* Elige Sanador como profesión si piensas que vas a fallar frecuentemente con algunas de tus tareas y vas a necesitar la habilidad especial de sanación en ti o en los compañeros de Equipo. También los Sanadores suben de nivel muy rápido.\n#### **Mago**\n* Los Magos suben de nivel muy rápido, obtienen más Maná y dañan severamente a los monstruos en las Misiones.\n* La Inteligencia es tu característica principal que incrementa tu nivel de Maná y tu Experincia.\n* La Percepción es tu característica secundaria, incrementando la cantidad de oro y objetos que obtienes.\n* Con tus habilidades puedes congelar los contadores de tus tareas, restaurar el Maná le tus compañeros de Equipo y mejorar su Inteligencia.\n* Elige Mago como profesión si lo que te mantiene motivado es progresar rápidamente con respecto a subir de nivel y contribuir significativamente al daño producido a los monstruos en las Misiones.\n#### **Pícaro**\n* Los Pícaros son los que más oro y objetos obtienen al completar tareas y tienen muchas oportunidades de lanzar golpes críticos obteniendo así más Experiencia y Oro.\n* Tu característica principal como Pícaro es la Percepción incrementando la cantidad de objetos y Oro que obtienes.\n* La Fuerza es tu característica secundaria, elevando el daño que produces.\n* Tus habilidades como Pícaro te ayudan a esquivar los fallos en tus Tareas Diarias, robar Oro y mejorar la Percepción de los miembros de tu Equipo.\n* Si lo que te mantiene motivado es obtener muchos objetos y recompensas elige Pícaro como tu profesión."
}

View File

@@ -132,7 +132,7 @@
"invalidReqParams": "Parámetros de solicitud no válidos.",
"memberIdRequired": "\"member\" debe ser una UUID válida.",
"heroIdRequired": "\"herold\" debe ser una UUID válida.",
"cannotFulfillReq": "Está dirección de correo electrónico ya está en uso. Puedes conectarte por medio de ella o usar otra dirección de correo para registrarte. Si necesitas ayuda, por favor contacta con admin@habitica.com.",
"cannotFulfillReq": "Por favor introduce una dirección de correo electrónico válida. Manda un email a admin@habitica.com si el error persiste.",
"modelNotFound": "Este modelo no existe.",
"signUpWithSocial": "Continuar con <%= social %>",
"loginWithSocial": "Conectarse con <%= social %>",

View File

@@ -138,13 +138,13 @@
"weaponSpecialSummerHealerText": "Varita de los Bajíos",
"weaponSpecialSummerHealerNotes": "Esta varita, hecha de aguamarinas y coral vivo, es muy atractiva para los bancos de peces. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2014.",
"weaponSpecialFallRogueText": "Estaca de Plata",
"weaponSpecialFallRogueNotes": "Despacha no-muertos. También añade un bono contra hombres lobo, porque nunca se es demasiado cuidadoso. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2014.",
"weaponSpecialFallRogueNotes": "Despacha no-muertos. También añade un bono contra hombres lobo, porque nunca se es demasiado cuidadoso. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2014.",
"weaponSpecialFallWarriorText": "Garra Codiciosa de la Ciencia",
"weaponSpecialFallWarriorNotes": "Esta garra codiciosa está afilada con tecnología de vanguardia. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2014.",
"weaponSpecialFallWarriorNotes": "Esta garra codiciosa está afilada con tecnología de vanguardia. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2014.",
"weaponSpecialFallMageText": "Escoba Mágica",
"weaponSpecialFallMageNotes": "¡Esta escoba mágica vuela más rápido que un dragón! Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2014.",
"weaponSpecialFallMageNotes": "¡Esta escoba mágica vuela más rápido que un dragón! Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2014.",
"weaponSpecialFallHealerText": "Varita de Escarabajo",
"weaponSpecialFallHealerNotes": "El escarabajo en esta varita protege y cura a su portador. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2014.",
"weaponSpecialFallHealerNotes": "El escarabajo en esta varita protege y cura a su portador. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2014.",
"weaponSpecialWinter2015RogueText": "Pico de Hielo",
"weaponSpecialWinter2015RogueNotes": "Verdadera, definitiva y absolutamente acabas de recoger esto del suelo. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de invierno 2014-2015.",
"weaponSpecialWinter2015WarriorText": "Espada de Gominola",
@@ -170,13 +170,13 @@
"weaponSpecialSummer2015HealerText": "Varita de las Olas",
"weaponSpecialSummer2015HealerNotes": "Evita que te marees en el mar y, además, que sientas mareo. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2015.",
"weaponSpecialFall2015RogueText": "Hacha de Bati-Batalla",
"weaponSpecialFall2015RogueNotes": "Las Pendientes aterradoras se encogen de miedo ante el batido de este hacha. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2015.",
"weaponSpecialFall2015RogueNotes": "Las Pendientes aterradoras se encogen de miedo ante el batido de este hacha. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2015.",
"weaponSpecialFall2015WarriorText": "Tabla de madera",
"weaponSpecialFall2015WarriorNotes": "Excelente para elevar cosas en los maizales y/o abofetear a tus tareas. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2015.",
"weaponSpecialFall2015WarriorNotes": "Excelente para elevar cosas en los maizales y/o abofetear a tus tareas. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2015.",
"weaponSpecialFall2015MageText": "Hilo Encantado",
"weaponSpecialFall2015MageNotes": "¡Una poderosa Bruja de la Aguja puede controlar este hilo encantado sin siquiera tocarlo! Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2015.",
"weaponSpecialFall2015MageNotes": "¡Una poderosa Bruja de la Aguja puede controlar este hilo encantado sin siquiera tocarlo! Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2015.",
"weaponSpecialFall2015HealerText": "Poción de Cieno de Pantano",
"weaponSpecialFall2015HealerNotes": "¡Preparada a la perfección! Ahora sólo tienes que convencerte de beberla. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2015.",
"weaponSpecialFall2015HealerNotes": "¡Preparada a la perfección! Ahora sólo tienes que convencerte de beberla. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2015.",
"weaponSpecialWinter2016RogueText": "Taza de Chocolate",
"weaponSpecialWinter2016RogueNotes": "¿Bebida caliente, o proyectil ardiente? Tú decides... Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de invierno 2015-2016.",
"weaponSpecialWinter2016WarriorText": "Pala Robusta",
@@ -202,13 +202,13 @@
"weaponSpecialSummer2016HealerText": "Tridente Sanador",
"weaponSpecialSummer2016HealerNotes": "Una punta hiere, la otra sana. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2016.",
"weaponSpecialFall2016RogueText": "Daga Picaraña",
"weaponSpecialFall2016RogueNotes": "¡Siente el dolor de la picadura de la araña! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2016.",
"weaponSpecialFall2016RogueNotes": "¡Siente el dolor de la picadura de la araña! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2016.",
"weaponSpecialFall2016WarriorText": "Raíces Atacantes",
"weaponSpecialFall2016WarriorNotes": "¡Ataca tus tareas con estas raíces retorcidas! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2016.",
"weaponSpecialFall2016WarriorNotes": "¡Ataca tus tareas con estas raíces retorcidas! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2016.",
"weaponSpecialFall2016MageText": "Esfera Ominosa",
"weaponSpecialFall2016MageNotes": "No le pidas a esta esfera que te diga el futuro... Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2016.",
"weaponSpecialFall2016MageNotes": "No le pidas a esta esfera que te diga el futuro... Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2016.",
"weaponSpecialFall2016HealerText": "Serpiente Venenosa",
"weaponSpecialFall2016HealerNotes": "Una mordida hiere, y la otra mordida sana. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2016.",
"weaponSpecialFall2016HealerNotes": "Una mordida hiere, y la otra mordida sana. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2016.",
"weaponSpecialWinter2017RogueText": "Hacha de Hielo",
"weaponSpecialWinter2017RogueNotes": "¡Esta hacha es genial para atacar, defender, y trepar por el hielo¡ Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de invierno 2016-2017.",
"weaponSpecialWinter2017WarriorText": "Vara de Poder",
@@ -234,13 +234,13 @@
"weaponSpecialSummer2017HealerText": "Varita Perla",
"weaponSpecialSummer2017HealerNotes": "Un único toque de esta varita con una perla en su extremo sana todas las heridas. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2017.",
"weaponSpecialFall2017RogueText": "Maza de Manzana Confitada",
"weaponSpecialFall2017RogueNotes": "¡Derrota a tus enemigos con dulzura! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2017.",
"weaponSpecialFall2017RogueNotes": "¡Derrota a tus enemigos con dulzura! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de verano 2017.",
"weaponSpecialFall2017WarriorText": "Lanza de Maíz Dulce",
"weaponSpecialFall2017WarriorNotes": "Todos tus enemigos se acobardarán ante esta lanza de aspecto delicioso, sin importar que sean fantasmas, monstruos, o Tareas rojas. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2017.",
"weaponSpecialFall2017WarriorNotes": "Todos tus enemigos se acobardarán ante esta lanza de aspecto delicioso, sin importar que sean fantasmas, monstruos, o Tareas rojas. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2017.",
"weaponSpecialFall2017MageText": "Bastón Escalofriante",
"weaponSpecialFall2017MageNotes": "Los ojos de la brillante calavera de este bastón irradian magia y misterio. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2017.",
"weaponSpecialFall2017MageNotes": "Los ojos de la brillante calavera de este bastón irradian magia y misterio. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2017.",
"weaponSpecialFall2017HealerText": "Candelabro Tétrico",
"weaponSpecialFall2017HealerNotes": "Esta luz disipa el miedo y permite a los demás saber que estás aquí para ayudar. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2017.",
"weaponSpecialFall2017HealerNotes": "Esta luz disipa el miedo y permite a los demás saber que estás aquí para ayudar. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2017.",
"weaponSpecialWinter2018RogueText": "Garfio de Menta",
"weaponSpecialWinter2018RogueNotes": "Perfecto para escalar paredes o para distraer a tus oponentes con un caramelo muy, muy dulce. Aumenta la fuerza en <%= str %>. Equipamiento de edición limitada de invierno 2017-2018.",
"weaponSpecialWinter2018WarriorText": "Martillo de Proa Festivo",
@@ -266,13 +266,13 @@
"weaponSpecialSummer2018HealerText": "Tridente de Monarca Sirena",
"weaponSpecialSummer2018HealerNotes": "Con gesto benevolente, ordenas que el agua curativa fluya a través de tus dominios en forma de ondas. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2018.",
"weaponSpecialFall2018RogueText": "Vial de Claridad",
"weaponSpecialFall2018RogueNotes": "Cuando necesites volver a la realidad, cuando necesitas un pequeño empuje para hacer la decisión correcta, respira hondo y toma un sorbo. ¡Todo irá bien! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2018.",
"weaponSpecialFall2018RogueNotes": "Cuando necesites volver a la realidad, cuando necesitas un pequeño empuje para hacer la decisión correcta, respira hondo y toma un sorbo. ¡Todo irá bien! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2018.",
"weaponSpecialFall2018WarriorText": "Látigo de Minos",
"weaponSpecialFall2018WarriorNotes": "No es lo suficientemente largo para desenrollarse y permitir que te orientes en un laberinto. Bueno, a lo mejor si es un laberinto muy pequeño. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2018.",
"weaponSpecialFall2018WarriorNotes": "No es lo suficientemente largo para desenrollarse y permitir que te orientes en un laberinto. Bueno, a lo mejor si es un laberinto muy pequeño. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2018.",
"weaponSpecialFall2018MageText": "Bastón de Dulzura",
"weaponSpecialFall2018MageNotes": "¡Esta no es una piruleta cualquiera! El orbe brillante de azúcar mágica que corona este bastón tiene el poder de hacer que los buenos hábitos se peguen a ti. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2018.",
"weaponSpecialFall2018MageNotes": "¡Esta no es una piruleta cualquiera! El orbe brillante de azúcar mágica que corona este bastón tiene el poder de hacer que los buenos hábitos se peguen a ti. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2018.",
"weaponSpecialFall2018HealerText": "Bastón Hambriento",
"weaponSpecialFall2018HealerNotes": "Mantén este bastón bien cargado, y concederá Bendiciones 2. Si te olvidas de cargarlo, mantén los dedos fuera de su alcance. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2018.",
"weaponSpecialFall2018HealerNotes": "Mantén este bastón bien alimentado, y concederá Bendiciones. Si te olvidas de alimentarlo, mantén los dedos fuera de su alcance. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2018.",
"weaponSpecialWinter2019RogueText": "Ramo de Flor de Navidad",
"weaponSpecialWinter2019RogueNotes": "Usa este festivo ramo para camuflarte mejor, ¡o para hacer un generoso regalo y alegrarle el día a alguien! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de invierno 2018-2019.",
"weaponSpecialWinter2019WarriorText": "Alabarda Copo de Nieve",
@@ -492,13 +492,13 @@
"armorSpecialSummerHealerText": "Cola de Marsanador",
"armorSpecialSummerHealerNotes": "¡Esta prenda de escamas deslumbrantes transforma a su portador en un verdadero sanador del mar! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2014.",
"armorSpecialFallRogueText": "Ropajes Rojo Sangre",
"armorSpecialFallRogueNotes": "Vívidas. Aterciopeladas. Vampíricas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2014.",
"armorSpecialFallRogueNotes": "Vívidas. Aterciopeladas. Vampíricas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2014.",
"armorSpecialFallWarriorText": "Bata de Laboratorio de la Ciencia",
"armorSpecialFallWarriorNotes": "Te protege contra misteriosos derrames de pociones. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2014.",
"armorSpecialFallWarriorNotes": "Te protege contra misteriosos derrames de pociones. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2014.",
"armorSpecialFallMageText": "Ropajes Mágicos de Hechicero",
"armorSpecialFallMageNotes": "Esta túnica tiene un montón de bolsillos para guardar raciones adicionales de ojo de tritón y lengua de rana. Aumenta la Inteligenica en <%= int %>. Equipamiento de edición limitada de Otoño 2014.",
"armorSpecialFallMageNotes": "Esta túnica tiene un montón de bolsillos para guardar raciones adicionales de ojo de tritón y lengua de rana. Aumenta la Inteligenica en <%= int %>. Equipamiento de edición limitada de otoño 2014.",
"armorSpecialFallHealerText": "Equipo Diáfano",
"armorSpecialFallHealerNotes": "¡Irrumpe en la batalla previamente vendado! Incrementa la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2014.",
"armorSpecialFallHealerNotes": "¡Irrumpe en la batalla previamente vendado! Incrementa la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2014.",
"armorSpecialWinter2015RogueText": "Armadura de Dragón del Hielo",
"armorSpecialWinter2015RogueNotes": "Esta armadura es gélida, pero desde luego valdrá la pena cuando descubras las riquezas incalculables que hay en el centro de las guaridas de los Dragones del Hielo. Que no es que tú estés buscando tales riquezas, porque definitivamente, de verdad de la buena, que eres un Dragón del Hielo auténtico, ¡¿vale?! ¡No hagas más preguntas! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2014-2015.",
"armorSpecialWinter2015WarriorText": "Armadura de Pan de Jengibre",
@@ -524,13 +524,13 @@
"armorSpecialSummer2015HealerText": "Armadura de Marinero",
"armorSpecialSummer2015HealerNotes": "Con esta armadura, todo el mundo sabrá que eres un honrado marinero mercader a quien nunca se le ocurriría hacer nada malo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2015.",
"armorSpecialFall2015RogueText": "Armadura de Murcié-lucha-go",
"armorSpecialFall2015RogueNotes": "¡Vuela al campo de bat-talla! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2015.",
"armorSpecialFall2015RogueNotes": "¡Vuela al campo de bat-talla! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2015.",
"armorSpecialFall2015WarriorText": "Armadura de Espantapájaros",
"armorSpecialFall2015WarriorNotes": "Pese a estar rellena de paja, esta armadura es extremadamente robusta. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2015.",
"armorSpecialFall2015WarriorNotes": "Pese a estar rellena de paja, esta armadura es extremadamente robusta. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2015.",
"armorSpecialFall2015MageText": "Ropajes Cosidos",
"armorSpecialFall2015MageNotes": "Cada puntada de esta armadura reluce de encantamientos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2015.",
"armorSpecialFall2015MageNotes": "Cada puntada de esta armadura reluce de encantamientos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2015.",
"armorSpecialFall2015HealerText": "Ropaje de Creador de Pociones",
"armorSpecialFall2015HealerNotes": "¿Cómo? Sí, sí, esta poción aumenta la constitución. No, no te convertirá en rana. Croa-créeme. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2015.",
"armorSpecialFall2015HealerNotes": "¿Cómo? Sí, sí, esta poción aumenta la constitución. No, no te convertirá en rana. Croa-créeme. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2015.",
"armorSpecialWinter2016RogueText": "Armadura de Cacao",
"armorSpecialWinter2016RogueNotes": "Esta armadura de cuero te mantiene a gusto y calentito. ¿De verdad está hecha de cacao? Nunca lo sabremos. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2015-2016.",
"armorSpecialWinter2016WarriorText": "Traje de Muñeco de Nieve",
@@ -556,13 +556,13 @@
"armorSpecialSummer2016HealerText": "Cola de Caballito de Mar",
"armorSpecialSummer2016HealerNotes": "¡Este pinchudo atuendo transforma a su usuario en un verdadero Caballito de Mar Sanador! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2016.",
"armorSpecialFall2016RogueText": "Armadura Viuda Negra",
"armorSpecialFall2016RogueNotes": "Los ojos en esta armadura están parpadeando constantemente. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2016.",
"armorSpecialFall2016RogueNotes": "Los ojos en esta armadura están parpadeando constantemente. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2016.",
"armorSpecialFall2016WarriorText": "Armadura Musgosa",
"armorSpecialFall2016WarriorNotes": "¡Misteriosamente mojado y musgoso! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2016.",
"armorSpecialFall2016WarriorNotes": "¡Misteriosamente mojado y musgoso! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2016.",
"armorSpecialFall2016MageText": "Capa de Maldad",
"armorSpecialFall2016MageNotes": "Cuando tu capa se agita, puedes oír el sonido de una risa cantarina. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2016.",
"armorSpecialFall2016MageNotes": "Cuando tu capa se agita, puedes oír el sonido de una risa cacareando. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2016.",
"armorSpecialFall2016HealerText": "Túnica de Gorgona",
"armorSpecialFall2016HealerNotes": "Esta túnica realmente es hecha de piedra. ¿Como es que es tan cómoda? Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2016.",
"armorSpecialFall2016HealerNotes": "Esta túnica realmente es hecha de piedra. Como es tan cómoda? Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2016.",
"armorSpecialWinter2017RogueText": "Armadura Helada",
"armorSpecialWinter2017RogueNotes": "¡Este sigiloso traje refleja la luz para deslumbrar a tus desprevenidas tareas a medida que recoges las recompensas por completarlas! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2016-2017.",
"armorSpecialWinter2017WarriorText": "Armadura de Hockey sobre Hielo",
@@ -588,13 +588,13 @@
"armorSpecialSummer2017HealerText": "Cola Mardeplata",
"armorSpecialSummer2017HealerNotes": "¡Esta prenda de escamas plateadas transforma a su usuario en un verdadero Sanador Marino! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2017.",
"armorSpecialFall2017RogueText": "Ropajes de Parche de Calabaza",
"armorSpecialFall2017RogueNotes": "¿Necesitas esconderte? ¡Mézclate entre las Calabazas de Halloween y esta túnica te ocultará! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada Otoño 2017.",
"armorSpecialFall2017RogueNotes": "¿Necesitas esconderte? ¡Agáchate ente las Cabezas de Halloween y este ropaje te ocultará! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2017.",
"armorSpecialFall2017WarriorText": "Fuerte y Dulce Armadura",
"armorSpecialFall2017WarriorNotes": "Esta armadura te protegerá con un delicioso cascarón de caramelo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2017.",
"armorSpecialFall2017WarriorNotes": "Esta armadura te protegerá como un delicioso cascarón de caramelo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2017.",
"armorSpecialFall2017MageText": "Toga de Baile de Disfraces",
"armorSpecialFall2017MageNotes": "¿Qué grupo de baile de máscaras podría estar completo sin ropajes dramáticos y de gran envergadura? Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2017.",
"armorSpecialFall2017MageNotes": "¿Qué grupo de baile de máscaras estaría completo sin ropajes dramáticos y de gran envergadura? Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2017.",
"armorSpecialFall2017HealerText": "Armadura de Casa Encantada",
"armorSpecialFall2017HealerNotes": "Tu corazón es una puerta abierta. ¡Y tus hombros son tejas! Aumenta la constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2017.",
"armorSpecialFall2017HealerNotes": "Tu corazón es una puerta abierta. ¡Y tus hombros son tejas! Aumenta la constitución en <%= con %>. Equipamiento de edición limitada de otoño 2017.",
"armorSpecialWinter2018RogueText": "Disfraz de Reno",
"armorSpecialWinter2018RogueNotes": "Pareces tan adorable y confuso, ¿quién podría sospechar que vas tras el botín festivo? Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2017-2018.",
"armorSpecialWinter2018WarriorText": "Armadura de Papel de Regalo",
@@ -620,13 +620,13 @@
"armorSpecialSummer2018HealerText": "Ropaje de Monarca Sirena",
"armorSpecialSummer2018HealerNotes": "Estas vestiduras cerúleas revelan que tienes pies que caminan por la tierra... bueno. Ni siquiera se puede esperar que un monarca sea perfecto. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2018.",
"armorSpecialFall2018RogueText": "Hábito de Alter Ego",
"armorSpecialFall2018RogueNotes": "Estilo para el día. Comodidad y protección para la noche. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2018.",
"armorSpecialFall2018RogueNotes": "Estilo para el día. Comodidad y protección para la noche. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2018.",
"armorSpecialFall2018WarriorText": "Casco de Minotauro",
"armorSpecialFall2018WarriorNotes": "Completado con cuernos para poder tamborilear una cadencia suave mientras paseas meditativo por tu laberinto. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2018.",
"armorSpecialFall2018WarriorNotes": "Completado con cuernos para poder tamborilear una cadencia suave mientras paseas meditativo por tu laberinto. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2018.",
"armorSpecialFall2018MageText": "Túnica de Golomante",
"armorSpecialFall2018MageNotes": "¡La tela de esta túnica tiene golosinas mágicas tejidas! Pero te recomendamos que no te las comas. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2018.",
"armorSpecialFall2018MageNotes": "¡La tela de esta túnica tiene golosinas mágicas tejidas! Pero te recomendamos que no te las comas. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2018.",
"armorSpecialFall2018HealerText": "Ropajes de Carnívoro",
"armorSpecialFall2018HealerNotes": "Hechos con plantas, aunque no necesariamente son vegetarianos. Los Malos Hábitos tienen miedo de acercarse en un círculo de varios kilómetros. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2018.",
"armorSpecialFall2018HealerNotes": "Hechos con plantas, aunque no necesariamente son vegetarianos. Los Malos Hábitos tienen miedo de acercarse en un círculo de varios kilómetros. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2018.",
"armorSpecialWinter2019RogueText": "Armadura Flor de Navidad",
"armorSpecialWinter2019RogueNotes": "¡Con toda esa vegetación navideña por todas partes nadie va a notar un poco más de arbusto! Puedes moverte por cualquier reunión festiva con facilidad y discrección. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2018-2019.",
"armorSpecialWinter2019WarriorText": "Armadura Glacial",
@@ -924,13 +924,13 @@
"headSpecialSummerHealerText": "Corona de Coral",
"headSpecialSummerHealerNotes": "Permite a su portador sanar arrecifes dañados. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2014.",
"headSpecialFallRogueText": "Capucha Rojo Sangre",
"headSpecialFallRogueNotes": "La identidad de un Cazavampiros debe permanecer siempre oculta. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2014.",
"headSpecialFallRogueNotes": "La identidad de un Cazavampiros debe permanecer siempre oculta. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2014.",
"headSpecialFallWarriorText": "Pericráneo Monstruoso de la Ciencia",
"headSpecialFallWarriorNotes": Enróscate este casco apretado! Tan solo está LIGERAMENTE usado. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2014.",
"headSpecialFallWarriorNotes": Injértate este casco! Tan solo está LIGERAMENTE usado. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2014.",
"headSpecialFallMageText": "Sombrero Puntiagudo",
"headSpecialFallMageNotes": "La magia está entretejida en cada hebra de este sombrero. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2014.",
"headSpecialFallMageNotes": "La magia está entretejida en cada hebra de este sombrero. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2014.",
"headSpecialFallHealerText": "Vendajes para la Cabeza",
"headSpecialFallHealerNotes": "Muy higiénicas y a la moda. Aumentan la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2014.",
"headSpecialFallHealerNotes": "Muy higiénicas y a la moda. Aumentan la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2014.",
"headSpecialNye2014Text": "Sombrero Ridículo de Fiesta",
"headSpecialNye2014Notes": "¡Has recibido un Sombrero Ridículo de Fiesta! ¡Llévalo con orgullo mientras celebras el Año Nuevo! No otorga ningún beneficio.",
"headSpecialWinter2015RogueText": "Máscara de Dragón del Hielo",
@@ -958,13 +958,13 @@
"headSpecialSummer2015HealerText": "Gorro de Marinero",
"headSpecialSummer2015HealerNotes": "Con tu gorro de marinero bien ajustado a la cabeza, puedes navegar hasta los mares más tempestuosos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2015.",
"headSpecialFall2015RogueText": "Alas de Bati-Batalla",
"headSpecialFall2015RogueNotes": "¡Utiliza la eco localización para ubicar a tus enemigos con este poderoso yelmo! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2015.",
"headSpecialFall2015RogueNotes": "¡Utiliza la ecolocación para ubicar a tus enemigos con este poderoso yelmo! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2015.",
"headSpecialFall2015WarriorText": "Sombrero de Espantapájaros",
"headSpecialFall2015WarriorNotes": "Todos querrían este sombrero--si tan sólo tuvieran un cerebro. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2015.",
"headSpecialFall2015WarriorNotes": "Todos querrían este sombrero--si tan sólo tuvieran un cerebro. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2015.",
"headSpecialFall2015MageText": "Sombrero Cosido",
"headSpecialFall2015MageNotes": "Cada puntada en este sombrero aumenta su poder. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2015.",
"headSpecialFall2015MageNotes": "Cada puntada en este sombrero aumenta su poder. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2015.",
"headSpecialFall2015HealerText": "Sombrero de Rana",
"headSpecialFall2015HealerNotes": "Este es un sombrero extremadamente serio que sólo es digno de los más avanzados fabricantes de pociones. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2015.",
"headSpecialFall2015HealerNotes": "Este es un sombrero extremadamente serio que sólo es digno de los más avanzados fabricantes de pociones. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2015.",
"headSpecialNye2015Text": "Sombrero Ridículo de Fiesta",
"headSpecialNye2015Notes": "¡Has recibido un Sombrero Ridículo de Fiesta! ¡Lúcelo con orgullo mientras festejas el Año Nuevo! No otorga ningún beneficio.",
"headSpecialWinter2016RogueText": "Casco de Cacao",
@@ -992,13 +992,13 @@
"headSpecialSummer2016HealerText": "Casco de Caballito de Mar",
"headSpecialSummer2016HealerNotes": "Este sombrero indica que su usuario fue entrenado por los Caballitos de Mar sanadores de Dilatory. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2016.",
"headSpecialFall2016RogueText": "Casco Viuda Negra",
"headSpecialFall2016RogueNotes": "Las patas en este casco están crispando constantemente. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2016.",
"headSpecialFall2016RogueNotes": "Las patas en este casco están crispando constantemente. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2016.",
"headSpecialFall2016WarriorText": "Casco de Corteza Nudosa",
"headSpecialFall2016WarriorNotes": "Este casco empapado en agua de pantano está cubierto con trocitos perfumados de ciénaga. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2016.",
"headSpecialFall2016WarriorNotes": "Este casco empapado en agua de pantano está cubierto con trocitos de ciénaga. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2016.",
"headSpecialFall2016MageText": "Capucha de Maldad",
"headSpecialFall2016MageNotes": "Oculta tus planes bajo esta capucha sombría. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2016.",
"headSpecialFall2016MageNotes": "Oculta tus planes bajo esta capucha sombría. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2016.",
"headSpecialFall2016HealerText": "Corona de Medusa",
"headSpecialFall2016HealerNotes": "Ay de cualquiera te mire en los ojos... Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2016.",
"headSpecialFall2016HealerNotes": "Miseria a cualquiera te mire en los ojos... Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2016.",
"headSpecialNye2016Text": "Sombrero Extravagante de Fiesta",
"headSpecialNye2016Notes": "¡Has recibido el Sombrero Extravagante de Fiesta! ¡Llévalo con orgullo en el año nuevo! No otorga ningún beneficio.",
"headSpecialWinter2017RogueText": "Yelmo Helado",
@@ -1026,13 +1026,13 @@
"headSpecialSummer2017HealerText": "Corona de Criaturas Marinas",
"headSpecialSummer2017HealerNotes": "Este yelmo está hecho de amistosas criaturas marinas que estás descansando temporalmente sobre tu cabeza, dándote sabios consejos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2017.",
"headSpecialFall2017RogueText": "Casco de Calabaza",
"headSpecialFall2017RogueNotes": "¿Preparado para tratos? ¡Hora de ponerse este festivo y brillante casco! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2017.",
"headSpecialFall2017RogueNotes": "¿Preparado para tratos? ¡Hora de ponerse este festivo y brillante casco! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2017.",
"headSpecialFall2017WarriorText": "Casco de Golosinas de Maíz",
"headSpecialFall2017WarriorNotes": "Este casco puede parecer una delicia, ¡pero a las tareas pendientes obstinadas no les parecerá tan dulce! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2017.",
"headSpecialFall2017WarriorNotes": "Este casco puede parecer una delicia, ¡pero a las tareas pendientes obstinadas no les parecerá tan dulce! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2017.",
"headSpecialFall2017MageText": "Casco del Baile de Máscaras",
"headSpecialFall2017MageNotes": "¡Cuando aparezcas con este sombrero emplumado, todos se quedarán preguntándose la identidad del estrambótico mago de la sala! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2017.",
"headSpecialFall2017MageNotes": "¡Cuando aparezcas con este sombrero emplumado, todos se quedarán preguntándose la identidad del mágico extraño de la sala! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2017.",
"headSpecialFall2017HealerText": "Casco de Casa Encantada",
"headSpecialFall2017HealerNotes": "¡Invita a espíritus espeluznantes y a criaturas amistosas a buscar tus poderes curativos al llevar este casco! Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2017.",
"headSpecialFall2017HealerNotes": "¡Invita a espíritus espeluznantes y a criaturas afables a buscar tus poderes curativos al llevar este casco! Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2017.",
"headSpecialNye2017Text": "Sombrero Festivo Rocambolesco",
"headSpecialNye2017Notes": "¡Has recibido un Sombrero Festivo Rocambolesco! ¡Llévalo con orgullo mientras resuena en Año Nuevo! No otorga ningún beneficio.",
"headSpecialWinter2018RogueText": "Casco de Reno",
@@ -1060,13 +1060,13 @@
"headSpecialSummer2018HealerText": "Corona de Monarca Sirena",
"headSpecialSummer2018HealerNotes": "Adornado con aguamarina, esta aletuda diadema marca el liderazgo de la gente, los peces y aquellos que son un poco de ambos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2018.",
"headSpecialFall2018RogueText": "Cara de Alter Ego",
"headSpecialFall2018RogueNotes": "La mayoría de nosotros nos escondemos de nuestras luchas internas. Esta máscara muestra que todos nosotros experimentamos la tensión entre nuestros buenos y malos impulsos. ¡Además, viene con un alegre sombrerito, jeje! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2018.",
"headSpecialFall2018RogueNotes": "La mayoría de nosotros nos escondemos de nuestras luchas internas. Esta máscara muestra que todos nosotros experimentamos la tensión entre nuestros buenos y malos impulsos. ¡Además, viene con un dulce sombrero! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2018.",
"headSpecialFall2018WarriorText": "Careta de Minotauro",
"headSpecialFall2018WarriorNotes": "¡Esta terrorífica máscara muestra que realmente se puede coger el toro por los cuernos! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2018.",
"headSpecialFall2018WarriorNotes": "¡Esta terrorífica máscara muestra que realmente se puede coger el toro por los cuernos! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2018.",
"headSpecialFall2018MageText": "Sombrero de Golomante",
"headSpecialFall2018MageNotes": "Este sombrero puntiagudo está imbuido de poderosos hechizos dulcificadores. ¡Cuidado, que si se moja se vuelve pegajoso! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2018.",
"headSpecialFall2018MageNotes": "Este sombrero puntiagudo está imbuido de poderosos hechizos dulcificadores. ¡Cuidado, que si se moja se vuelve pegajoso! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2018.",
"headSpecialFall2018HealerText": "Yelmo Hambriento",
"headSpecialFall2018HealerNotes": "Este yelmo ha sido creado a partir de una planta carnívora conocida por su habilidad de deglutir zombies y otros seres inconvenientes. Vigila que en un momento dado no se ponga a mascar tu cabeza. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2018.",
"headSpecialFall2018HealerNotes": "Este yelmo ha sido creado a partir de una planta carnívora conocida por su habilidad de despachar zombies y otras inconveniencias. Tú solo vigila que no se ponga a mascar tu cabeza. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2018.",
"headSpecialNye2018Text": "Sombrero de Fiesta Extravagante",
"headSpecialNye2018Notes": "¡Has recibido un Sombrero de Fiesta Extravagante! Llévalo con orgullo mientras celebras el Año Nuevo! No otorga ningún beneficio.",
"headSpecialWinter2019RogueText": "Yelmo Flor de Navidad",
@@ -1325,9 +1325,9 @@
"shieldSpecialSummerHealerText": "Escudo de los Bajíos",
"shieldSpecialSummerHealerNotes": "¡A nadie se atreverá a atacar los arrecifes de coral si se enfrentan a este escudo tan brillante! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2014.",
"shieldSpecialFallWarriorText": "Potente Poción de la Ciencia",
"shieldSpecialFallWarriorNotes": "Se vierte misteriosamente sobre las batas de laboratorio. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2014.",
"shieldSpecialFallWarriorNotes": "Se vierte misteriosamente sobre las batas de laboratorio. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2014.",
"shieldSpecialFallHealerText": "Escudo Enjoyado",
"shieldSpecialFallHealerNotes": "Este brillante escudo fue sustraído, jeje, que digo, encontrado, encontrado, en un antiguo mausoleo, pura casualidad, jeje. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2014.",
"shieldSpecialFallHealerNotes": "Este brillante escudo fue encontrado en un antiguo mausoleo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2014.",
"shieldSpecialWinter2015WarriorText": "Escudo de Gominola",
"shieldSpecialWinter2015WarriorNotes": "Este escudo aparentemente azucarado se hace en realidad con vegetales nutritivos y gelatinosos. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2014-2015.",
"shieldSpecialWinter2015HealerText": "Escudo Reconfortante",
@@ -1341,9 +1341,9 @@
"shieldSpecialSummer2015HealerText": "Escudo Robusto",
"shieldSpecialSummer2015HealerNotes": "Con este escudo, puedes aporrear a las ratas de las cloacas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2015.",
"shieldSpecialFall2015WarriorText": "Bolsa de Alpiste",
"shieldSpecialFall2015WarriorNotes": "Es cierto que deberías ESPANTAR a los cuervos, ¡pero hacer amigos no tiene nada de malo! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2015.",
"shieldSpecialFall2015WarriorNotes": "Es cierto que deberías ESPANTAR a los pájaros, ¡pero hacer amigos no tiene nada de malo! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2015.",
"shieldSpecialFall2015HealerText": "Palo para Revolver",
"shieldSpecialFall2015HealerNotes": "¡Este palo puede revolver cualquier cosa sin derretirse, disolverse o prenderse fuego! También puede usarse para hincárselo ferozmente a las tareas enemigas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2015.",
"shieldSpecialFall2015HealerNotes": "¡Este palo puede revolver cualquier cosa sin derretirse, disolverse o prenderse fuego! También puede usarse para hincárselo ferozmente a las tareas enemigas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2015.",
"shieldSpecialWinter2016WarriorText": "Escudo de Trineo",
"shieldSpecialWinter2016WarriorNotes": "Utiliza este trineo para bloquear ataques, ¡o deslízate con él hacia la batalla! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2015-2016.",
"shieldSpecialWinter2016HealerText": "Regalo de Hada",
@@ -1357,9 +1357,9 @@
"shieldSpecialSummer2016HealerText": "Escudo Estrella del Mar",
"shieldSpecialSummer2016HealerNotes": "A veces confundido con el Escudo Asteroidea. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2016.",
"shieldSpecialFall2016WarriorText": "Raíces Defensivas",
"shieldSpecialFall2016WarriorNotes": "Defiéndete contra las Tareas Diarias con estas raíces retorcidas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2016.",
"shieldSpecialFall2016WarriorNotes": "Defiende contra las Diarias con estas raíces retorcidas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2016.",
"shieldSpecialFall2016HealerText": "Escudo de Gorgona",
"shieldSpecialFall2016HealerNotes": "No admires tu propio reflejo en esto. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2016.",
"shieldSpecialFall2016HealerNotes": "No admires tu propio reflejo en esto. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2016.",
"shieldSpecialWinter2017WarriorText": "Escudo de Disco",
"shieldSpecialWinter2017WarriorNotes": "Hecho a partir de un disco de hockey gigante, este escudo puede soportar una gran cantidad de golpes. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2016-2017.",
"shieldSpecialWinter2017HealerText": "Escudo de Confite",
@@ -1373,9 +1373,9 @@
"shieldSpecialSummer2017HealerText": "Escudo de Ostra",
"shieldSpecialSummer2017HealerNotes": "Esta ostra mágica genera perlas constantemente al tiempo que sirve de protección. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2017.",
"shieldSpecialFall2017WarriorText": "Escudo de Maíz Dulce",
"shieldSpecialFall2017WarriorNotes": "Este dulce escudo tiene poderosos poderes de protección, ¡así que intenta no mordisquearlo! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2017.",
"shieldSpecialFall2017WarriorNotes": "Este dulce escudo tiene poderosos poderes de protección, ¡así que intenta no mordisquearlo! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2017.",
"shieldSpecialFall2017HealerText": "Orbe Encantado",
"shieldSpecialFall2017HealerNotes": "Este orbe chilla en ocasiones. Lo sentimos, no estamos seguros de por qué. ¡Pero parece ingenioso! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2017.",
"shieldSpecialFall2017HealerNotes": "Este orbe chilla en ocasiones. Lo sentimos, no estamos seguros de por qué. ¡Pero parece ingenioso! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2017.",
"shieldSpecialWinter2018WarriorText": "Bolsa de Regalo Mágica",
"shieldSpecialWinter2018WarriorNotes": "Puedes encontrar casi cualquier cosa útil que necesites en este saco, si conoces las palabras mágicas correctas que susurrar. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2017-2018.",
"shieldSpecialWinter2018HealerText": "Campana de Muérdago",
@@ -1389,11 +1389,11 @@
"shieldSpecialSummer2018HealerText": "Emblema de Monarca Sirena",
"shieldSpecialSummer2018HealerNotes": "Este escudo puede producir una cúpula de aire para el beneficio de los visitantes terrestres al visitar tu reino acuático. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2018.",
"shieldSpecialFall2018RogueText": "Vial de la Tentación",
"shieldSpecialFall2018RogueNotes": "Este frasco representa todas las distracciones y problemas que te impiden dar lo mejor de ti. ¡Resiste! ¡Te estamos apoyando! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2018.",
"shieldSpecialFall2018RogueNotes": "Este frasco representa todas las distracciones y problemas que te impiden dar lo mejor de ti. ¡Resiste! ¡Te estamos apoyando! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2018.",
"shieldSpecialFall2018WarriorText": "Escudo Brillante",
"shieldSpecialFall2018WarriorNotes": "¡Super brillante para disuadir a cualquier rgona problemática de asomarse por las esquinas! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2018.",
"shieldSpecialFall2018WarriorNotes": "Super brillante para disuadir a cualquier gorgona problemática de asomarse por las esquinas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2018.",
"shieldSpecialFall2018HealerText": "Escudo Hambriento",
"shieldSpecialFall2018HealerNotes": "Con sus fauces bien abiertas, este escudo absorberá todos los golpes de tu enemigo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2018.",
"shieldSpecialFall2018HealerNotes": "Con sus fauces bien abiertas, este escudo absorberá todos los golpes de tu enemigo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2018.",
"shieldSpecialWinter2019WarriorText": "Escudo Helado",
"shieldSpecialWinter2019WarriorNotes": "Este escudo fue fabricado usando las más gruesas capas de hielo del glaciar más antiguo de las Estepas de Stoïkalm. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2018-2019.",
"shieldSpecialWinter2019HealerText": "Cristales de Hielo Encantados",
@@ -1744,13 +1744,13 @@
"weaponArmoireSlingshotText": "Honda",
"weaponArmoireJugglingBallsNotes": "Los Habiticanos son maestros multi-tarea, ¡así que no deberían tener problemas manteniendo todas estas pelotas en el aire! Mejora la Inteligencia en <%= int %>. Armario Encantado: Artículo Independiente.",
"weaponArmoireJugglingBallsText": "Pelotas de Malabares",
"weaponSpecialFall2019HealerNotes": "Esta filacteria puede llamar a los espíritus de las tareas asesinadas hace tiempo y usar su poder curativo. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2019.",
"weaponSpecialFall2019HealerNotes": "Esta filacteria puede llamar a los espíritus de las tareas asesinadas hace tiempo y usar su poder curativo. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2019.",
"weaponSpecialFall2019HealerText": "Filacteria Aterradora",
"weaponSpecialFall2019MageNotes": "Ya sea forjando truenos, levantando fortificaciones o simplemente infundiendo terror en los corazones de los mortales, este bastón te otorga el poder de gigantes para construir maravillas. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2019.",
"weaponSpecialFall2019MageNotes": "Ya sea forjando truenos, levantando fortificaciones o simplemente infundiendo terror en los corazones de los mortales, este bastón presta el poder de gigantes para construir maravillas. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2019.",
"weaponSpecialFall2019MageText": "Bastón Tuerto",
"weaponSpecialFall2019WarriorNotes": "¡Prepárate para desgarrar a tus rivales con las garras de un cuervo! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2019.",
"weaponSpecialFall2019WarriorNotes": "¡Prepárate para desgarrar a tus rivales con las garras de un cuervo! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2019.",
"weaponSpecialFall2019WarriorText": "Tridente de Garra",
"weaponSpecialFall2019RogueNotes": "Donde sea que estés dirigiendo la orquesta o cantando un aria, ¡este útil dispositivo mantiene tus manos libres de gestos dramáticos! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2019.",
"weaponSpecialFall2019RogueNotes": "Donde sea que estés dirigiendo la orquesta o cantando un aria, ¡este útil dispositivo mantiene tus manos libres de gestos dramáticos! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de verano 2019.",
"weaponSpecialFall2019RogueText": "Atril de Música",
"weaponSpecialSummer2019HealerNotes": "Las burbujas de esta varita capturan energía curativa y magia oceánica antigua. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2019.",
"weaponSpecialSummer2019MageNotes": "Fruto de tu trabajo, elegida del estanque, este pequeño tesoro da poder e inspira. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2019.",
@@ -1893,18 +1893,18 @@
"weaponSpecialSpring2020WarriorNotes": "¡Lucha o huye, esta ala te servirá bien! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de primavera 2020.",
"weaponSpecialSummer2020WarriorText": "Anzuelo",
"weaponSpecialSummer2020RogueText": "Espada de Colmillo",
"weaponSpecialFall2020MageNotes": "Si algo escapa a tu visión de mago, los brillantes cristales que coronan este bastón iluminarán aquello que pasaste por alto. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2020.",
"weaponSpecialFall2020MageNotes": "Si algo escapa a tu visión de mago, los brillantes cristales que coronan este bastón iluminarán aquello que pasaste por alto. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2020.",
"weaponArmoireGuardiansCrookNotes": "Este cayado de pastor podría serte útil la próxima vez que te lleves a tus Mascotas de paseo por el campo... Aumenta la Fuerza en <%= str%>. Armario Encantado: Colección de guardián del ganado (Artículo 2 de 3).",
"weaponArmoireGuardiansCrookText": "Cayado de guardián",
"weaponArmoireBeachFlagNotes": "¡Reune a las tropas en torno a tu castillo de arena y avisa a todos de dónde ir a por ayuda! Aumenta la Percepción en <%= per %>. Armario Encantado: Colección de Salvavidas (Artículo 1 de 3).",
"weaponArmoireHandyHookText": "Garfio manejable",
"weaponArmoireHandyHookNotes": "¿Quién necesita pulgares oponibles? Este garfio es lo bastante \"manojable\" para cualquiera. Aumenta la Fuerza en <%= str%>. Armario Encantado: Colección de pirata (Artículo 1 de 3).",
"weaponArmoireBeachFlagText": "Bandera de playa",
"weaponSpecialFall2020HealerNotes": "Ahora que tu transformación es completa, este vestigio de tu vida como pupa sirve como vara adivinatoria con la que mides destinos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2020.",
"weaponSpecialFall2020HealerNotes": "Ahora que tu transformación es completa, este vestigio de tu vida como pupa sirve como vara adivinatoria con la que mides destinos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2020.",
"weaponSpecialFall2020HealerText": "Vara de Capullo",
"weaponSpecialFall2020MageText": "Tres Visiones",
"weaponSpecialFall2020RogueNotes": "¡Atraviesa a tu oponente con una buena estocada! Incluso la armadura más gruesa cederá ante tu filo. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2020.",
"weaponSpecialFall2020WarriorNotes": "¡Esta espada fue al más allá con un Guerrero poderoso, y regresa para que la empuñes! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2020.",
"weaponSpecialFall2020RogueNotes": "¡Atraviesa a tu oponente con un golpe punzante! Incluso la armadura más gruesa cederá ante tu filo. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2020.",
"weaponSpecialFall2020WarriorNotes": "¡Esta espada fue al más allá con un Guerrero poderoso, y regresa para que la empuñes! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2020.",
"weaponSpecialFall2020WarriorText": "Espada de Espectro",
"weaponSpecialFall2020RogueText": "Katar Afilado",
"weaponSpecialSummer2020HealerNotes": "Como las corrientes desgastan los salientes puntiagudos, así suavizará tu magia el dolor de tus amigos. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2020.",
@@ -1916,18 +1916,18 @@
"backSpecialNamingDay2020Text": "Cola de Grifo Púrpura Real",
"armorSpecialSpring2019MageNotes": "Este atuendo acumula poder de la resina mágica embebida en las fibras de corteza antigua que componen el tejido. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de primavera 2019.",
"armorSpecialSummer2019HealerNotes": "Deslízate impecablemente por cálidas aguas costeras con esta elegante cola. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2019.",
"armorSpecialFall2019RogueNotes": "Este atuendo viene completo con guantes blancos, y es ideal para pavonearte en tu palco privado sobre el escenario o hacer entradas impactantes bajando por grandes escalinatas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2019.",
"armorSpecialFall2019RogueNotes": "Este atuendo viene completo con guantes blancos, y es ideal para pavonearte en tu palco privado sobre el escenario o hacer entradas impactantes bajando por grandes escalinatas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2019.",
"weaponArmoireClubOfClubsNotes": "Este estiloso garrote no revelará tu mano demasiado pronto con respecto a tus intenciones para con esas viejas tareas escurridizas. Aumenta la Fuerza en <%= str %>. Armario Encantado: Conjunto de sota de tréboles (artículo 2 de 3).",
"weaponArmoireClubOfClubsText": "Garrote de... Tréboles",
"weaponArmoireEnchantersStaffNotes": "Las piedras verdes de este bastón están colmadas del poder del cambio que fluye con fuerza en el viento del otoño. Incrementa la Percepción en <%= per %>. Armario Encantado: Conjunto de Hechicero Otoñal (Artículo 3 de 4).",
"weaponArmoireEnchantersStaffText": "Bastón de Hechicero",
"armorSpecialSpring2019RogueNotes": "Una pelusa muy dura. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de primavera 2019.",
"armorSpecialFall2019WarriorNotes": "Estos atuendos otorgan el poder de volar, permitiéndote elevarte sobre cualquier batalla. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2019.",
"armorSpecialFall2019WarriorNotes": "Estos atuendos otorgan el poder de volar, permitiendote elevarte sobre cualquier batalla. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2019.",
"armorSpecialWinter2020WarriorNotes": "Oh poderoso pino, Oh imponente abeto, presta tu fuerza. ¡O más bién tu Constitución! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2019-2020.",
"armorSpecialWinter2020RogueNotes": "Aunque es indudable que puedes capear tormentas con el calor de tu empuje y tu devoción, no hace daño abrigarse. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2019-2020.",
"armorSpecialFall2019HealerNotes": "Se dice que estos atuendos están compuestos de noche pura. ¡Utiliza sabiamente el poder oscuro! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2019.",
"armorSpecialFall2019MageNotes": "Su homónimo sufrió un terrible destino. ¡Pero a ti no te engañarán tan fácilmente! Envuelvete en este manto legendario y nadie te superará. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2019.",
"armorSpecialFall2020RogueNotes": "Adquiere la fuerza de la roca con esta armadura, que repele los ataques más feroces con total garantía. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2020.",
"armorSpecialFall2019HealerNotes": "Se dice que estos atuendos están compuestos de noche pura. ¡Utiliza sabiamente el poder oscuro! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2019.",
"armorSpecialFall2019MageNotes": "Su homónimo sufrió un terrible destino. ¡Pero a ti no te engañarán tan fácilmente! Envuelvete en este manto legendario y nadie te superará. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2019.",
"armorSpecialFall2020RogueNotes": "Adquiere la fuerza de la roca con esta armadura, que repele los ataques más feroces con total garantía. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2020.",
"armorSpecialSummer2020HealerNotes": "Eres tan paciente como el océano, tan fuerte como las corrientes, tan confiable como la marea. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2020.",
"armorSpecialSummer2020WarriorNotes": "¡Serás el pez brillante en un arroyo aburrido, con estas deslumbrantes escamas! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2020.",
"armorSpecialSpring2020HealerText": "Pétalos Protectores",
@@ -1950,7 +1950,7 @@
"weaponSpecialWinter2021WarriorText": "Caña de Pescar Poderosa",
"weaponSpecialWinter2021RogueText": "Mangual de Baya de Acebo",
"armorSpecialFall2020MageText": "Elevado por la Iluminación",
"armorSpecialFall2020WarriorNotes": "Antaño esta túnica protegió a un poderoso guerrero contra todo daño. Se dice que el espiritu del guerrero aún permanece en el tejido para proteger a un digno sucesor. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2020.",
"armorSpecialFall2020WarriorNotes": "Antaño esta túnica protegió a un poderoso guerrero contra todo daño. Se dice que el espiritu del guerrero aún permanece en el tejido para proteger a un digno sucesor. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2020.",
"armorSpecialFall2020WarriorText": "Túnica de Espectro",
"armorSpecialFall2020RogueText": "Armadura Escultural",
"armorSpecialSummer2020HealerText": "Insignia Real del Oleaje Violento",
@@ -1973,9 +1973,9 @@
"armorSpecialWinter2021WarriorText": "Chaqueta Aislante",
"armorSpecialWinter2021RogueNotes": "¡Fúndete con las sombras del bosque perenne! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2020-2021.",
"armorSpecialWinter2021RogueText": "Ropajes Hiedraverde",
"armorSpecialFall2020HealerNotes": "Tu esplendor se despliega por la noche, y aquellos que presencian tu vuelo se preguntan el significado de este augurio. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2020.",
"armorSpecialFall2020HealerNotes": "Tu esplendor se despliega por la noche, y aquellos que presencian tu vuelo se preguntan el significado de este augurio. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2020.",
"armorSpecialFall2020HealerText": "Alas de Polilla Halcón",
"armorSpecialFall2020MageNotes": "Estos atuendos de anchas alas dan la impresión de poder planear o volar, simbolizando la clarividencia otorgada por un vasto conocimiento. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2020.",
"armorSpecialFall2020MageNotes": "Estos atuendos de anchas alas dan la impresión de poder planear o volar, simbolizando la clarividencia otorgada por un vasto conocimiento. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2020.",
"weaponArmoireBlueMoonSaiNotes": "Este sai es un arma tradicional, imbuída con los poderes del lado oscuro de la luna. Aumenta la Fuerza en <%= str %>. Armario Encantado: Conjunto de Pícaro de la luna azul (artículo 1 de 4).",
"weaponArmoireBlueMoonSaiText": "Sai lunar oscuro",
"headSpecialNye2020Notes": "¡Has recibido un gorro de fiesta extravagante! ¡Pórtalo con orgullo para acompañar las campanadas de año nuevo! No otorga ningún beneficio.",
@@ -2041,10 +2041,10 @@
"headSpecialWinter2020RogueText": "Gorra de Calcetín Mullido",
"headSpecialNye2019Notes": "¡Has recibido un gorro de fiesta escandaloso! ¡Llévalo con orgullo mientras das la bienvenida al año nuevo! No otorga ningún beneficio.",
"headSpecialNye2019Text": "Gorro de Fiesta Escandaloso",
"headSpecialFall2019HealerNotes": "Ponte esta oscura mitra para usar los poderes del temible Liche. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2019.",
"headSpecialFall2019WarriorNotes": "Las oscuras cuencas de este casco de calavera desalentarán al más bravo de tus enemigos. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2019.",
"headSpecialFall2019MageNotes": "Su único y funesto ojo inhibe la percepción de la profundidad, pero ese es un pequeño precio a pagar por la forma en la que afila tu atención, concentrándola intensamente en un único punto. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2019.",
"headSpecialFall2019RogueNotes": "¿Encontraste este tocado en una subasta de prendas posiblemente malditas o en el ático de un abuelo excéntrico? Cualquiera que sea su origen, su edad y desgaste te aportan un aire de misterio. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2019.",
"headSpecialFall2019HealerNotes": "Ponte esta oscura mitra para usar los poderes del temible Liche. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2019.",
"headSpecialFall2019WarriorNotes": "Las oscuras cuencas de este casco de calavera desalentarán al más bravo de tus enemigos. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2019.",
"headSpecialFall2019MageNotes": "Su único y funesto ojo inhibe la percepción de la profundidad, pero ese es un pequeño precio a pagar por la forma en la que afila tu atención, concentrandola inténsamente en un único punto. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2019.",
"headSpecialFall2019RogueNotes": "¿Encontraste este tocado en una subasta de prendas posiblemente malditas o en el ático de un abuelo excéntrico? Cualquiera que sea su origen, su edad y desgaste te aportan un aire de misterio. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de verano 2019.",
"headSpecialSummer2019HealerNotes": "La estructura en espiral de esta concha te ayudará a escuchar cualquier llamada de auxilio a lo ancho de los siete mares. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2019.",
"headSpecialSummer2019MageNotes": "En contra de la creencia popular, tu cabeza no es un lugar apropiado para que se posen las ranas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de verano 2019.",
"headSpecialSummer2019WarriorNotes": "No te permitirá esconder la cabeza entre los hombros, pero te protegerá si te chocas contra el casco de un barco. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de verano 2019.",
@@ -2086,15 +2086,15 @@
"weaponSpecialSummer2021HealerNotes": "No es por ser creídos, pero este bastón es un auténtico salvavidas. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de verano 2021.",
"weaponArmoireBuoyantBubblesNotes": "Estas burbujas permanecen flotando para siempre, de alguna forma... Aumenta la percepción en <%= per %>. Armario Encantado: Conjunto de burbujas de baño (Objeto 3 de 4).",
"weaponSpecialFall2021WarriorText": "Hacha de Jinete",
"weaponSpecialFall2021WarriorNotes": "Esta estilizada hacha de hoja simple es ideal para reventar... ¡calabazas! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2021.",
"weaponSpecialFall2021WarriorNotes": "Este estilizado hacha de hoja simple es ideal para reventar... ¡calabazas! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2021.",
"weaponSpecialFall2021HealerText": "Varita de Invocación",
"weaponSpecialSummer2021RogueNotes": "¡Cualquier depredador que se atreva a acercarse, sufrirá el aguijón de tus protectores compañeros! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de verano 2021.",
"weaponSpecialSummer2021MageNotes": "Bien tengas la ambición de navegar a veinte mil leguas de profundidad, o únicamente pretendas remojarte grácilmente en aguas poco profundas, ¡este brillante implemento te será de gran ayuda! Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de verano 2021.",
"weaponSpecialFall2021RogueNotes": "¿En qué narices te has metido? Cuando la gente dice que los pícaros tienen dedos pegajosos, ¡no era esto a lo que se referían! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2021.",
"weaponSpecialFall2021RogueNotes": "¿En qué narices te has metido? Cuando la gente dice que los pícaros tienen dedos pegajosos, ¡no era esto a lo que se referían! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2021.",
"weaponSpecialFall2021RogueText": "Moquillo Pegajoso",
"weaponSpecialFall2021MageText": "Bastón de Puropensar",
"weaponSpecialFall2021MageNotes": "El conocimiento busca conocimiento. Hecho con memorias y deseos, este temible bastón desea obtener muchos más. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2021.",
"weaponSpecialFall2021HealerNotes": "Usa esta varita para invocar llamas sanadoras y una fantasmal criatura a tu servicio. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2021.",
"weaponSpecialFall2021MageNotes": "El conocimiento busca conocimiento. Hecho con memorias y deseos, este temible bastón desea obtener muchos más. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2021.",
"weaponSpecialFall2021HealerNotes": "Usa esta varita para invocar llamas sanadoras y una fantasmal criatura a tu servicio. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2021.",
"weaponArmoireHeraldsBuisineText": "Bocina de Heraldo",
"weaponArmoireHeraldsBuisineNotes": "Cualquier anuncio sonará mucho mejor seguido de la fanfarria de esta trompeta. Aumenta la fuerza en <%= str %>. Armario Encantado: Conjunto de Heraldo (artículo 3 de 4).",
"armorMystery202104Notes": "Suave por dentro, puntiaguda por fuera ¡y con estilo la mires por donde la mires! No aporta ningún beneficio. Artículo de suscriptor de abril 2021.",
@@ -2129,14 +2129,14 @@
"armorSpecialSpring2021RogueText": "Tallo de Flores Gemelas",
"armorSpecialFall2021RogueText": "Armadura Desgraciadamente No Impermeable",
"armorSpecialFall2021WarriorText": "Traje Formal de Lana",
"armorSpecialFall2021WarriorNotes": "Un espectacular traje perfecto para cruzar puentes en mitad de la noche. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2021.",
"armorSpecialFall2021WarriorNotes": "Un espectacular traje perfecto para cruzar puentes en mitad de la noche. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2021.",
"armorSpecialFall2021MageText": "Toga de la Oscuridad Profunda",
"armorSpecialFall2021HealerText": "Hábitos de Invocador",
"armorSpecialFall2021HealerNotes": "Hecho de tela duradera y resistente a las llamas, esta túnica es perfecta para conjurar llamas curativas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2021.",
"armorSpecialFall2021HealerNotes": "Hechas de tela duradera y resistente a las llamas, estos hábitos son perfectos para conjurar llamas curativas. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2021.",
"armorMystery202103Text": "Toga de observación floral",
"armorMystery202110Text": "Armadura de gárgola musgosa",
"armorSpecialFall2021RogueNotes": "¡Tiene un gorrito, una túnica de cuero y remaches de metal! ¡Es chulísima! ¡Pero no ofrece impermeabilidad contra bichos pegajosos! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2021.",
"armorSpecialFall2021MageNotes": "Los cuellos con muchas protuberancias puntiagudas están de moda entre los villanos de baja categoría. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2021.",
"armorSpecialFall2021RogueNotes": "¡Tiene un gorrito, una túnica de cuero y remaches de metal! ¡Es chulísima! ¡Pero no ofrece impermeabilidad contra bichos pegajosos! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2021.",
"armorSpecialFall2021MageNotes": "Los cuellos con muchas protuberancias puntiagudas están de moda entre los villanos de baja categoría. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2021.",
"armorSpecialSpring2021RogueNotes": "Nadie te verá esperando entre los arbustos con esta astuta armadura; ahora pareces una planta visto desde cualquier ángulo. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de primavera 2021.",
"armorSpecialSummer2021WarriorText": "Armadura de Aletas",
"armorMystery202110Notes": "El musgo aterciopelado te hace parecer blandito por fuera, pero en realidad estás protegido por una capa de poderosa roca. No otorga ningún beneficio. Artículo de suscriptor de octubre 2021 .",
@@ -2145,12 +2145,12 @@
"headSpecialWinter2020WarriorText": "Tocado Polvonevado",
"headSpecialSpring2020HealerNotes": "¡Engaña a tus enemigos con este tocado de flores! Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de primavera 2020.",
"headSpecialSummer2020HealerText": "Yelmo Tachonado de Cristal",
"headSpecialFall2020RogueNotes": "Mira dos veces, actúa una: esta máscara te lo pone fácil. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2020.",
"headSpecialFall2020RogueNotes": "Mira dos veces, actúa una: esta máscara te lo hace fácil. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2020.",
"headSpecialSpring2020MageText": "Gorra con Tapa de Goteo",
"headSpecialSpring2020MageNotes": "¿Está el cielo despejado?¿hay poca humedad? No te preocupes, te ayudamos. ¡Humedece tu magia sin humillar tu espíritu! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de primavera 2020.",
"headSpecialSummer2020WarriorNotes": "Multiplica tu fuerza y habilidad con esta prenda de cabeza altamente visible. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de verano 2020.",
"headSpecialFall2020RogueText": "Máscara de Piedra de Dos Cabezas",
"headSpecialFall2020WarriorNotes": "¡El guerrero que en su día la usaba, jamás se inmutó ante las tareas más duras! Pero puede que otros retrocedan ante ti cuando la uses... Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2020.",
"headSpecialFall2020WarriorNotes": "¡El guerrero que en su día la usaba, jamás se inmutó ante las tareas más duras! Pero puede que otros retrocedan ante ti cuando lo uses... Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2020.",
"headSpecialFall2020MageText": "Clarividencia Despertada",
"headSpecialSummer2020RogueNotes": "¡Completa tu estilo picaresco camuflándote con este yelmo! Quizás puedas engañar a tus enemigos con tus lágrima de cocodrilo... Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de verano 2020.",
"headSpecialSummer2020WarriorText": "Gorra de Pescado Llamativo",
@@ -2159,7 +2159,7 @@
"headSpecialSummer2020MageText": "Cresta de Pez Sable",
"headSpecialSummer2020RogueText": "Yelmo de Cocodrilo",
"headSpecialSummer2020MageNotes": "¿Quién necesita una corona teniendo esta cresta? Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de verano 2020.",
"headSpecialFall2020MageNotes": "Con esta gorra asentada a la perfección sobre tu frente, tu tercer ojo se abre, lo que te permite concentrarte en lo que de otro modo sería invisible: flujos de maná, espíritus inquietos y tareas pendientes olvidadas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2020.",
"headSpecialFall2020MageNotes": "Con esta gorra asentada a la perfección sobre tu frente, tu tercer ojo se abre, lo que te permite concentrarte en lo que de otro modo sería invisible: flujos de maná, espíritus inquietos y tareas pendientes olvidadas. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2020.",
"headSpecialFall2020WarriorText": "Capucha Siniestra",
"headSpecialWinter2020WarriorNotes": "Una sensación de picazón en el cuero cabelludo es un pequeño precio a pagar por la magnificencia estacional. Aumenta la Fuerza en <%= str%>. Equipamiento de edición limitada de invierno 2019-2020.",
"headSpecialSpring2020WarriorNotes": "¡Los golpes de tus enemigos rebotarán en este yelmo inspirado en los escarabajos!. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de primavera 2020.",
@@ -2172,7 +2172,7 @@
"headSpecialSummer2021MageText": "Cresta Nautiloide",
"headMystery202007Notes": "Este yelmo te permitirá entonar complejas y hermosas canciones para tus compañeros cetáceos. No otorga ningún beneficio. Artículo del suscriptor de julio 2020.",
"headMystery201912Notes": "¡Este reluciente copo de nieve te otorga resistencia al frío sin importar lo alto que vueles! No otorga ningún beneficio. Artículo de suscriptor de diciembre 2019.",
"headSpecialFall2020HealerNotes": "La espantosa palidez de este rostro con forma de calavera brilla como una advertencia para todos los mortales: ¡Tempus fugit! ¡Cumple con tus plazos antes de que sea demasiado tarde! Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2020.",
"headSpecialFall2020HealerNotes": "La espantosa palidez de este rostro con forma de calavera brilla como una advertencia para todos los mortales: ¡El tiempo es fugaz! ¡Cumple con tus plazos antes de que sea demasiado tarde! Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2020.",
"headMystery202006Text": "Tiara de sugilita",
"headSpecialWinter2021MageNotes": "Deja volar tu imaginación, mientras sientes la hogareña seguridad que proporciona esta capucha. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de invierno 2020-2021.",
"headMystery201911Notes": "Cada uno de los cristales tachonados sobre este sombrero te otorga un poder especial: Clarividencia Mística, Sabiduría Arcana, y ... Placa de Sortilegio Giratorio. Nada mal, la verdad. No otorga ningún beneficio. Artículo de suscriptor de noviembre 2019.",
@@ -2199,15 +2199,15 @@
"headSpecialSpring2021HealerText": "Guirnalda de Salix",
"headSpecialFall2021RogueText": "Has sido engullido",
"headSpecialFall2021WarriorText": "Corbata sin Cabeza",
"headSpecialFall2021WarriorNotes": "Pierde la cabeza por este formal conjunto de cuello y corbata que completan tu traje. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2021.",
"headSpecialFall2021WarriorNotes": "Pierde la cabeza por este formal conjunto de cuello y corbata que completan tu traje. Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2021.",
"headSpecialFall2021MageText": "Máscara Comecerebros",
"headSpecialFall2021HealerText": "Máscara de Invocador",
"headSpecialFall2021HealerNotes": "Tu propia magia transforma tu pelo en brillantes e impactantes llamas cuando llevas esta máscara. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de Otoño 2021.",
"headSpecialFall2021HealerNotes": "Tu propia mágica transforma tu pelo en brillantes e impactantes llamas cuando llevas esta máscara. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de otoño 2021.",
"headMystery202003Notes": "¡Ten cuidado, este yelmo es afilado por todas partes! No otorga ningún beneficio. Artículo de suscriptor de marzo 2020.",
"headSpecialSpring2021HealerNotes": "¡No lloréis, compañeros!¡Ya está aquí el sanador para acabar con vuestro sufrimiento! Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada de primavera 2021.",
"headSpecialSummer2021WarriorNotes": "¡Este yelmo puede mantenerte seguro y además su magia te permitirá a respirar bajo el agua! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de verano 2021.",
"headSpecialFall2021RogueNotes": "Ugh, estás atascado. Ahora estás condenado a vagar por los corredores de la mazmorra, coleccionando escombros. ¡CONDENADÍSIMOOOO! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2021.",
"headSpecialFall2021MageNotes": "Los tentáculos que rodean la boca agarran la presa y mantienen sus deliciosos pensamientos cerca de ella para que puedas saborearlos, una eclosión de placer para los sentidos. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de Otoño 2021.",
"headSpecialFall2021RogueNotes": "Ugh, estás atascado. Ahora estás condenado a vagar por los corredores de la mazmorra, coleccionando escombros. ¡CONDENADÍSIMOOOO! Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2021.",
"headSpecialFall2021MageNotes": "Los tentáculos que rodean la boca agarran la presa y mantienen sus deliciosos pensamientos cerca de ella para que puedas saborearlos. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de otoño 2021.",
"headMystery202001Notes": "Tu capacidad auditiva será tan aguda, que escucharás brillar a las estrellas y girar a la luna. No otorga ningún beneficio. Artículo de suscriptor de enero 2020.",
"headMystery202101Text": "Yelmo molón de leopardo de las nieves",
"headArmoireTricornHatNotes": "¡Transfórmate en un bromista profesional! Aumenta la percepción en <%= per %>. Armario Encantado: Artículo independiente.",
@@ -2277,8 +2277,8 @@
"headArmoireClownsWigNotes": "¡Ninguna mala tarea podrá morderte ahora! Sabrás raro. Aumenta la constitución en <%= con %>. Armario Encantado: Conjunto de payaso (artículo 3 de 5).",
"shieldSpecialSpring2021HealerNotes": "Un bulto de hojas verdes que presagia refugio y compasión. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de primavera 2021.",
"shieldSpecialFall2019HealerText": "Grimorio Grotesco",
"shieldSpecialFall2020RogueNotes": "Será mejor que seas rápido con tu juego de pies mientras usas este katar... Esta daga te servirá bien si eres rápido golpeando, ¡pero no fuerces la máquina! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de Otoño 2020.",
"shieldSpecialFall2020HealerNotes": "¿Otra de tus polillas sigue en proceso de metamorfosis? ¿O es simplemente un bolso de seda que contiene tus herramientas de sanación y profecía? Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2020.",
"shieldSpecialFall2020RogueNotes": "Será mejor que seas rápido con tu juego de pies mientras usas este katar... Esta daga te servirá bien si eres rápido golpeando, ¡pero no te sobresfuerces! Aumenta la Fuerza en <%= str %>. Equipamiento de edición limitada de otoño 2020.",
"shieldSpecialFall2020HealerNotes": "¿Otra de tus polillas sigue en proceso de metamorfosis? ¿O es simplemente un bolso de seda que contiene tus herramientas de sanación y profecía? Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2020.",
"shieldSpecialWinter2020HealerNotes": "¿Sientes que eres demasiado bueno para este mundo, demasiado puro? Si es así, solo estará a tu altura la belleza de este elemento. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2019-2020.",
"shieldSpecialSpring2021WarriorNotes": "La belleza de esta piedra solar de forma tosca brillará incluso en las cuevas más profundas y las mazmorras más oscuras. ¡Mantenlo bien alto! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de primavera 2021.",
"shieldSpecialSummer2019MageNotes": "¿Sudando bajo el sol de verano? ¡No! Realiza un simple conjuro elementar para el estanque de nenúfares. Aumenta la Percepción en <%= per %>. Equipamiento de edición limitada de verano 2019.",
@@ -2288,11 +2288,11 @@
"shieldSpecialFall2020RogueText": "Katar Veloz",
"shieldSpecialSpring2020HealerNotes": "Protégete de esos mustiamente viejas tareas pendientes con este perfumadamente dulce escudo. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de primavera 2020.",
"shieldSpecialSpring2021HealerText": "Escudo Salicílico",
"shieldSpecialFall2020WarriorNotes": "Puede parecer insustancial, pero este escudo espectral puede mantenerte a salvo de todo tipo de daños. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2020.",
"shieldSpecialFall2020WarriorNotes": "Puede parecer insustancial, pero este escudo espectral puede mantenerte a salvo de todo tipo de daños. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2020.",
"shieldSpecialSpring2020WarriorNotes": "¡No dejes que sus brillantes colores te engañen!¡Este escudo te dará gran protección! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de primavera 2020.",
"shieldSpecialSpring2020HealerText": "Escudo Perfumado",
"shieldSpecialFall2020HealerText": "Capullo Llevatodo",
"shieldSpecialFall2019WarriorNotes": "El oscuro brillo de la pluma de un cuervo solidificada, este escudo frustrará todos los ataques. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2019.",
"shieldSpecialFall2019WarriorNotes": "El oscuro brillo de la pluma de un cuervo solidificada, este escudo frustrará todos los ataques. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2019.",
"shieldSpecialSummer2020WarriorNotes": "Aquel pez que pescaste era TAN GRANDE, ¡que una sola de sus escama fue suficiente para fabricar este imponente escudo! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2020.",
"shieldSpecialSummer2020HealerNotes": "Así como el movimiento de la arena y el agua convierte la basura en un tesoro, tu magia convertirá las heridas en fuerza. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2020.",
"shieldSpecialSummer2020WarriorText": "Escama de Trucha Enorme",
@@ -2302,7 +2302,7 @@
"shieldSpecialWinter2020WarriorNotes": "Úselo como un escudo hasta que se le caigan las semillas, ¡y luego puedes ponerlo en una corona! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2019-2020.",
"shieldSpecialSpring2021WarriorText": "Escudo Solar",
"shieldSpecialWinter2021WarriorNotes": "¡Cuéntales a todos tus amigos el pez EXTREMADAMENTE grande que has cogido! Ahora bien, el contarles que en realidad está hecho de plástico y te canta canciones ya depende de ti. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de invierno 2020-2021.",
"shieldSpecialFall2019HealerNotes": "¡Haz uso del lado oscuro de las artes del sanador con este grimorio! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2019.",
"shieldSpecialFall2019HealerNotes": "¡Haz uso del lado oscuro de las artes del sanador con este grimorio! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2019.",
"shieldArmoireMasteredShadowNotes": "Tus poderes han traído a tu presencia estas sombras arremolinadas para que cumplan tus órdenes. Aumenta la percepción y la constitución en <%= attrs %> cada una. Armario Encantado: Conjunto de maestro de las sombras (artículo 4 de 4).",
"shieldSpecialSummer2021HealerNotes": "¡Tanto potencial en este escudo! Pero por ahora puedes usarlo para proteger a tus amigos. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de verano 2021.",
"shieldMystery202011Notes": "Aprovecha el poder del viento otoñal con este bastón. Úsalo para magia arcana o para hacer increíbles montones de hojas, ¡tú decides! No otorga ningún beneficio. Artículo de suscriptor de noviembre 2020.",
@@ -2312,8 +2312,8 @@
"shieldArmoireTrustyUmbrellaNotes": "Los misterios suelen ir acompañados de inclemencias climáticas, ¡así que prepárate! Aumenta la inteligencia en <%= int %>. Armario Encantado: conjunto de detective (artículo 4 de 4).",
"shieldArmoirePolishedPocketwatchNotes": "El tiempo es tuyo. Y te queda muy bien. Aumenta la inteligencia en <%= int %>. Armario Encantado: artículo independiente.",
"shieldSpecialFall2021WarriorText": "Escudo de Linterna de Calabaza",
"shieldSpecialFall2021HealerNotes": "Un ser etéreo surge de entre tus llamas mágicas para otorgarte protección adicional. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2021.",
"shieldSpecialFall2021WarriorNotes": "Este festivo escudo de sonrisa torcida te protegerá e iluminará tu camino en la noche oscura. ¡También puede servirte como cabeza, si la necesitas! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de Otoño 2021.",
"shieldSpecialFall2021HealerNotes": "Un ser etéreo surge de entre tus llamas mágicas para otorgarte protección adicional. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2021.",
"shieldSpecialFall2021WarriorNotes": "Este festivo escudo de sonrisa torcida te protegerá e iluminará tu camino en la noche oscura. ¡También puede servirte como cabeza, si la necesitas! Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada de otoño 2021.",
"shieldSpecialFall2021HealerText": "Criatura Invocada",
"shieldArmoireHoneyFoodText": "Miel decorativa",
"bodyMystery202003Notes": "Son como almohadillas para los hombros pero a otro nivel. No otorga ningún beneficio. Artículo de suscriptor de marzo 2020.",
@@ -2347,7 +2347,7 @@
"shieldArmoirePiratesCompanionText": "Compañero pirata",
"backMystery202109Notes": "Deslízate suavemente por el aire del crepúsculo sin hacer ruido. No otorga ningún beneficio. Artículo de suscriptor de septiembre 2021.",
"bodyMystery202008Notes": "Por ahora, tus alas están enrolladas. Pero cuando hayas terminado de dispensar tu sabiduría, o hayas visto a tu presa en la hierba, ¡ten cuidado! No otorga ningún beneficio. Artículo de suscriptor de agosto 2020.",
"eyewearSpecialFall2019HealerNotes": "Protégete contra los enemigos más duros con esta máscara inescrutable. No otorga ningún beneficio. Equipamiento de edición limitada de Otoño 2019.",
"eyewearSpecialFall2019HealerNotes": "Protégete contra los enemigos más duros con esta máscara inescrutable. No otorga ningún beneficio. Equipamiento de edición limitada de otoño 2019.",
"bodyMystery202003Text": "Espaldares espinosos",
"shieldArmoireHeraldsMessageScrollText": "Pergamino de anuncios heráldico",
"shieldArmoireBlueMoonSaiText": "Sai de brillo lunar",
@@ -2359,7 +2359,7 @@
"shieldArmoireLifeBuoyNotes": "¡Oh boya! Esto será útil cuando veas ahogarse a alguien en un mar de tareas y responsabilidades. Aumenta la constitución en <%= con %>. Armario Encantado: conjunto de socorrista (artículo 2 de 3).",
"eyewearSpecialWhiteHalfMoonNotes": "Gafas de montura blanca y lentes de luna creciente. No otorga ningún beneficio.",
"shieldArmoireBaseballGloveNotes": "Perfecto para el gran campeonato, o para una amistosa atrapada entre tareas. Aumenta la fuerza en <%= str %>. Armario Encantado: conjunto de béisbol (artículo 4 de 4).",
"eyewearSpecialFall2019RogueNotes": "Cualquiera pensaría que una máscara completa protegería mejor tu identidad, pero la realidad es que su diseño impacta tanto a la gente, que les impide fijarse en el resto de tu cara y descubrir quién eres. No otorga ningún beneficio. Equipamiento de edición limitada de Otoño 2019.",
"eyewearSpecialFall2019RogueNotes": "Cualquiera pensaría que una máscara completa protegería mejor tu identidad, pero la realidad es que su diseño impacta tanto a la gente, que les impide fijarse en el resto de tu cara y descubrir quién eres. No otorga ningún beneficio. Equipamiento de edición limitada de otoño 2019.",
"backMystery201912Notes": "Deslízate silenciosamente entre relucientes campos y montañas nevadas con estas heladas alas. No otorga ningún beneficio. Artículo de suscriptor de diciembre 2019.",
"headAccessoryMystery202009Text": "Maravillosas antenas de polilla",
"shieldArmoireMilkFoodNotes": "Existen muchos refranes sobre los beneficios para la salud de la leche, pero a las mascotas únicamente les gusta por su cremoso sabor. Aumenta la constitución y la fuerza en <%= attrs %> cada uno. Armario Encantado: conjunto de comida para mascotas (artículo 10 de 10)",
@@ -3231,7 +3231,7 @@
"headSpecialWinter2025RogueNotes": "No sabrías decir pero puede que haya algún encantamiento de nigromante implantado en este sombrero por qué transforma tu carne en la de un muñeco de nieve. El reto va a ser ahora conseguir que ese conejo que ves aparecer por allí no te ampute la apetecible nariz-zanahoria. Aumenta la percepcion en <%= per %>. Equipamiento de edición limitada Invierno 2024-2025.",
"headSpecialWinter2025HealerText": "Tira de Luces Enmarañada",
"headSpecialWinter2025HealerNotes": "Vale, no pierdas el tiempo tratando de desenredar esta maraña de luces, mejor póntela como sombrero ganarás tiempo. Aumenta la Inteligencia en <%= int %>. Equipamiento de edición limitada Invierno 2024-2025.",
"headSpecialWinter2025MageText": "Tocado Aurora Boreal",
"headSpecialWinter2025MageText": "Sobrero Aurora Boreal",
"headSpecialWinter2025MageNotes": "Me lo cuentan y no me lo creo, este sombrero te transforma literalmente en la Aurora boreal. Aumenta la percepcion en <%= per %>. Equipamiento de edición limitada Invierno 2024-2025.",
"armorSpecialWinter2025WarriorText": "Armadura de Guerrero Alce",
"armorSpecialWinter2025WarriorNotes": "Crom va a sentirse muy complacido cuando tus enemigos aterrorizados huyan dejándote un pasillo triunfal al ver que llevas puesta esta armadura. Aumenta la Constitución en <%= con %>. Equipamiento de edición limitada Invierno 2024-2025.",

View File

@@ -422,9 +422,5 @@
"readyToUpgrade": "¿Estás listo para Mejorar?",
"interestedLearningMore": "¿Te gustaría saber más?",
"checkGroupPlanFAQ": "Echa un vistazo a <a href='/static/faq#what-is-group-plan'>FAQ Planes Grupales</a> para saber cómo obtener el máximo de tu experiencia en tareas compartidas.",
"messageCopiedToClipboard": "Mensaje copiado en el portapapeles.",
"groupFriends": "Usándolo con amigos",
"groupManager": "Usándolo para el trabajo",
"groupTeacher": "Usándolo para dar clase",
"groupParentChildren": "Usándolo con mi familia"
"messageCopiedToClipboard": "Mensaje copiado en el portapapeles."
}

View File

@@ -282,9 +282,5 @@
"fall2025SasquatchWarriorSet": "Conjunto de Guerrero Bigfoot",
"fall2025SkeletonRogueSet": "Conjunto de Esqueleto Pícaro",
"fall2025KoboldHealerSet": "Conjunto de Sanador Kobold",
"fall2025MaskedGhostMageSet": "Conjunto de Mago Fantasma Enmascarado",
"winter2026RimeReaperWarriorSet": "Conjunto de Guerrero Destripador Escarcha",
"winter2026SkiRogueSet": "Conjunto de Esquiador Pícaro",
"winter2026PolarBearHealerSet": "Conjunto de Sanador Oso Polar",
"winter2026MidwinterCandleMageSet": "Conjunto de Mago Vela Invernal"
"fall2025MaskedGhostMageSet": "Conjunto de Mago Fantasma Enmascarado"
}

View File

@@ -54,7 +54,7 @@
"questRoosterUnlockText": "Desbloquea la compra de huevos de gallo en el Mercado",
"questSpiderText": "El Arácnido Gélido",
"questSpiderNotes": "Cuando el tiempo comienza a enfriar, la delicada escarcha empieza a formarse en los cristales de las ventanas de los habiticanos como entretejidas redes... excepto para @Arcosine, cuyas ventanas han sido completamente congeladas por la Araña Escarcha que actualmente mora en su hogar. Vaya por Dios.",
"questSpiderCompletion": "La Araña Helada se derrumba, dejando tras de sí un pequeño rastro de escarcha y unos pocos de sus sacos de huevos encantados. @Arcosine apresurándose, te las ofrece como recompensa —¿Podrías criar unas arañas inofensivas como mascotas?",
"questSpiderCompletion": "La Araña Helada se derrumba, dejando tras de sí un pequeño rastro de escarcha y unos pocos de sus sacos de huevos encantados. @Arcosine apresurándose, te las ofrece como recompensa.\n—¿Podrías criar unas arañas inofensivas como mascotas?",
"questSpiderBoss": "Araña",
"questSpiderDropSpiderEgg": "Araña (Huevo)",
"questSpiderUnlockText": "Desbloquea la compra de huevos de araña en el Mercado",
@@ -113,7 +113,7 @@
"questGoldenknight3DropWeapon": "Lucero del Alba Machaca hitos de Mustaine (Objeto de mano)",
"questGroupEarnable": "Misión conseguible",
"questBasilistText": "La Basi-lista",
"questBasilistNotes": "Hay una conmoción en el mercado de las que harían que cualquiera huyera desesperadamente. Puesto que eres un aventurero valiente, lo que haces es enfrentarte, y descubre a la @Basi-lista, ¡emergiendo de un grupo de Tareas Pendientes incompletas! Los habiticanos cercanos están paralizados por el miedo al ver la grandiosidad de la @Basi-Lista, son incapaces de empezar a trabajar. Desde algún lugar en las proximidades, se oye el grito de @Arcosine: \"¡Rápido, completa tus Tareas Pendientes y tus Tareas Diarias antes de que alguien salga herido!\" Golpea rápido aventurero, y marca algo como completado. Pero ¡cuidado! Si dejas alguna Tarea Diaria sin hacer, ¡la Basi-Lista te atacará a ti y a tu grupo!",
"questBasilistNotes": "Hay una conmoción en el mercado de las que harían que cualquiera huyera desesperadamente. Puesto que eres un aventurero valiente, lo que haces es enfrentarte, y descubre a la @Basi-lista, ¡emergiendo de un grupo de Tareas Pendientes incompletas! Los habiticanos cercanos están paralizados por el miedo al ver la grandiosidad de la @Basi-Lista, son incapaces de empezar a trabajar. Desde algún lugar en las proximidades, se oye el grito de @Arcosine: \"¡Rápido, completa tus Tareas Pendientes y tus Tareas Diarias antes de que alguien salga herido!\" Golpea rápido aventurero, y marca algo como completado. Pero ¡cuidado! Si dejas alguna Tarea Diaria sin hacer, ¡la Basi-Lista te atacará a ti y a tu grupo!",
"questBasilistCompletion": "La Basi-Lista se ha diseminado en trozos de papel, que brillan sutilmente con los colores del arcoiris.\n—¡Menos mal! —dice @Arcosine—. ¡Qué bien que estuvierais aquí!\nSintiéndote más experimentado que antes, recoges un poco del oro caído entre los papeles.",
"questBasilistBoss": "La Basi-lista",
"questEggHuntText": "Cacería de huevos",
@@ -253,7 +253,7 @@
"questDilatoryDistress3DropWeapon": "Tridente de Mareas Tempestuosas (Arma)",
"questDilatoryDistress3DropShield": "Escudo de Perla Lunar (Objeto de la Mano de Fuera)",
"questCheetahText": "Como un Guepardo",
"questCheetahNotes": "Mientras realizas una caminata a través de la sabana Lentoiseguro con tus amigos @PainterProphet, @tivaquinn, @Unruly Hyena, y @Crawford, te sobresaltas al ver a un Guepardo pasar corriendo con un nuevo Habiticano atrapado entre sus mandíbulas. Bajo las patas abrasadoras del Guepardo, las tareas son consumidas por el fuego como si estuvieran completas ¡antes de que alguien tenga la oportunidad de realmente terminarlas! El Habiticano te ve y grita, “¡Por favor, ayúdame! Este Guepardo me está haciendo aumentar de nivel demasiado rápido, pero no estoy logrando hacer nada. Quiero disminuir la velocidad y disfrutar el juego. ¡Haz que se detenga!\nTú recuerdas cariñosamente tus propios días como novato, ¡y estás seguro de que tienes que ayudar al principiante deteniendo al Guepardo!",
"questCheetahNotes": "Mientras realizas una caminata a través de la sabana Lentoiseguro con tus amigos @PainterProphet, @tivaquinn, @Unruly Hyena, y @Crawford, te sobresaltas al ver a un Guepardo pasar corriendo con un nuevo Habiticano atrapado entre sus mandíbulas. Bajo las patas abrasadoras del Guepardo, las tareas son consumidas por el fuego como si estuvieran completas -- ¡antes de que alguien tenga la chance de realmente terminarlas! El Habiticano te ve y grita:\n—¡Por favor, ayúdenme! Este Guepardo me está haciendo aumentar de nivel demasiado rápido, pero no estoy logrando hacer nada. Quiero disminuir la velocidad y disfrutar el juego. ¡Hagan que se detenga!\nTú recuerdas cariñosamente tus propios días como novato, ¡y estás seguro de que tienes que ayudar al principiante deteniendo al Guepardo!",
"questCheetahCompletion": "El nuevo Habiticano está respirando con dificultad luego del recorrido desenfrenado, pero te agradece a ti y a tus amigos por su ayuda.\n—Me alegra que el Guepardo no vaya a poder atrapar a nadie más. Pero sí dejó algunos huevos de Guepardo para nosotros, ¡así que quizás podríamos criarlos y convertirlos en mascotas más fiables!",
"questCheetahBoss": "Guepardo",
"questCheetahDropCheetahEgg": "Guepardo (Huevo)",
@@ -277,7 +277,7 @@
"questBurnoutBossRageSeasonalShop": "`¡Saturado usa ATAQUE CONSUMIDOR!`\n\n¡¡¡Ahh!!! ¡Nuestras tareas diarias incompletas han alimentado las llamas de Saturado, y ahora tiene suficiente energía para atacar de nuevo! El monstruo deja escapar un chorro de llamas espectrales que chamuscan la tienda de temporada. Te horrorizas al ver que la alegre hechicera de las estaciones se ha transformado en un triste espíritu consumido.\n\n¡Tenemos que rescatar a nuestros NPC! ¡Rápido, habiticanos, completad vuestras tareas y derrotad a Saturado antes de que ataque una tercera vez!",
"questBurnoutBossRageTavern": "`¡Saturado usa ATAQUE CONSUMIDOR!`\n\nMuchos habiticanos han estado escondiéndose de Saturado en la Taberna, ¡pero ya no más! Con un aullido chirriante, Saturado rastrilla la Taberna con sus manos blancas y ardientes. Mientras los clientes de la Taberna huyen, ¡Daniel es atrapado por Agotamiento, y se transforma en un Espíritu Consumido justo delante de ti!\n \nEste impetuoso horror se ha extendido demasiado tiempo. No os rindáis... ¡estamos tan cerca de vencer al Agotamiento de una vez por todas!",
"questFrogText": "Pantano de la Rana de Desorden",
"questFrogNotes": "Mientras tú y tus amigos os esforzáis por atravesar las Ciénagas del Estancamiento, @starsystemic señala un gran cartel.No te desvíes del camino si puedes.<br><br>¡Seguramente no es difícil! dice @RosemonkeyCT. Es ancho y está despejado.<br><br>Pero al continuar, notas que el camino es gradualmente invadido por el fango de la ciénaga, entremezclado desordenadamente con pedazos azules de desechos, hasta que seguir avanzando se vuelve imposible.<br><br>Mientras miras alrededor, preguntándote cómo se transformó en un desastre, @Jon Arjinborn grita, “¡Cuidado! Una rana furiosa salta desde el fango, cubierta con ropa sucia y encendida por un fuego azul. ¡Vas a tener que derrotar a esta venenosa Rana Desastrosa para continuar!",
"questFrogNotes": "Mientras tú y tus amigos se esfuerzan para atravesar las Ciénagas del Estancamiento, @starsystemic señala un gran cartel.\nNo te desvíes del camino.. si puedes.<br><br>\n—¡Seguramente no es difícil! dice @RosemonkeyCT. Es ancho y está despejado.<br><br>Pero al continuar, notan que el camino es gradualmente invadido por el lodo de la ciénaga, entremezclado desordenadamente con pedazos azules de desechos, hasta que seguir avanzando se vuelve imposible.<br><br>Mientras miras alrededor, preguntándote cómo se transformó en un desastre, @Jon Arjinborn grita:\n—¡Cuidado! Una rana furiosa salta desde el lodo, cubierta con ropa sucia y encendida por un fuego azul. ¡Van a tener que derrotar a esta venenosa Rana Desastrosa para continuar!",
"questFrogCompletion": "La rana se hunde en el lodo, derrotada. Mientras se escabulle, el cieno azul se disipa, despejando el camino.<br><br>Posados en el medio del sendero se encuentran tres huevos inmaculados.\n—¡Se pueden ver incluso los pequeños renacuajos a través de la cubierta transparente! —dice @Breadstrings—. Tomad, deberíais quedároslos.",
"questFrogBoss": "Rana de Desorden",
"questFrogDropFrogEgg": "Rana (Huevo)",
@@ -313,7 +313,7 @@
"questSnailDropSnailEgg": "Caracol (Huevo)",
"questSnailUnlockText": "Desbloquea la compra de huevos de caracol en el Mercado",
"questBewilderText": "El Obnubilable",
"questBewilderNotes": "La fiesta comienza como cualquier otra.<br><br>Los aperitivos son excelentes, la música es jovial, e incluso los elefantes danzantes se han vuelto normales. Los habiticanos ríen y se divierten en medio de los centros de mesa florales desbordantes, felices de poder distraerse lejos de sus tareas más desagradables, y el Bromista de Abril da vueltas entre ellos, mostrando con entusiasmo un truco entretenido por aquí y un ingenioso giro por allá.<br><br>Al tiempo que el reloj de la torre de Desconcertaire da la medianoche, el Bromista de Abril se sube de un salto al escenario para dar un discurso.<br><br>¡Amigos! ¡Enemigos! ¡Conocidos tolerantes! Escuchad con atención. La multitud se ríe por lo bajo mientras orejas de animales brotan de sus cabezas, y todos posan con sus nuevos accesorios.<br><br>Como sabéis” el Bromista continúa mis ilusiones confusas generalmente duran sólo un día. Pero estoy feliz de anunciar que he descubierto un atajo que nos garantizará diversión sin fin, sin tener que lidiar con el molesto peso de nuestras responsabilidades. Encantadores habiticanos, conoced a mi nuevo y mágico amigo... ¡el Obnubilable!<br><br> Lemoness palidece repentinamente, dejando caer sus aperitivos.\n¡Esperad! No confiéis en — ”<br><br>Pero de forma súbita una neblina se vierte en la sala, brillante y densa, y se arremolina alrededor del Bromista de Abril, fusionándose en forma de plumas nubosas y un cuello estirado. La multitud se queda sin palabras mientras una monstruosa ave aparece frente a ella, sus alas centelleando llenas de ilusiones. El ave deja escapar una horrible risa chirriante.<br><br>¡Ah, han pasado siglos desde que un Habiticano fue lo suficientemente tonto como para convocarme! Qué fabuloso es tener al fin una forma tangible.<br><br> Zumbando aterrorizadas, las abejas mágicas de Desconcertaire huyen de la ciudad flotante, que se alza en el cielo. Una por una, las radiantes flores primaverales se marchitan y desaparecen en una voluta de humo.<br><br>Mis queridos amigos, ¿por qué estáis tan asustados? cacarea el Obnubilable, agitando sus alas. Ya no hay necesidad de trabajar duro para conseguir recompensas. ¡Yo os daré todas las cosas que deseáis!<br><br> Una lluvia de monedas cae del cielo, golpeando el suelo con una fuerza brutal, y la muchedumbre grita y corre a buscar refugio.¿Esto es una broma? aúlla Baconsaur, mientras el oro rompe ventanas y destroza tejados. <br><br>PainterProphet se agacha al mismo tiempo que rayos restallan por encima suyo y una niebla bloquea el sol.¡No! ¡Esta vez, no creo que lo sea!<br><br> Rápido, habiticanos, ¡no podemos dejar que este Jefe Global nos distraiga de nuestros objetivos! Manteneos enfocados en las tareas que debéis completar para que podamos rescatar a Desconcertaire y, con suerte, a nosotros mismos.",
"questBewilderNotes": "La fiesta comienza como cualquier otra.<br><br>Los aperitivos son excelentes, la música es jovial, e incluso los elefantes danzantes se han vuelto normales. Los habiticanos ríen y se divierten en medio de los centros de mesa florales desbordantes, felices de poder distraerse lejos de sus tareas más desagradables, y el Santo Inocente da vueltas entre ellos, mostrando con entusiasmo un truco entretenido por aquí y un ingenioso giro por allá.<br><br>Al tiempo que el reloj de la torre de Desconcertaire da la medianoche, el Santo Inocente se sube de un salto al escenario para dar un discurso.<br><br>\n—¡Amigos! ¡Enemigos! ¡Conocidos tolerantes! Escuchad con atención. La multitud se ríe por lo bajo mientras orejas de animales brotan de sus cabezas, y todos posan con sus nuevos accesorios.<br><br>Como saben —el Inocente continúa mis ilusiones confusas generalmente duran sólo un día. Pero estoy feliz de anunciar que he descubierto un atajo que nos garantizará diversión sin fin, sin tener que lidiar con el molesto peso de nuestras responsabilidades. Encantadores habiticanos, conozcan a mi nuevo y mágico amigo... ¡el Obnubilable!<br><br>\nLemoness palidece repentinamente, dejando caer sus aperitivos.\n¡Esperad! No confiéis en...<br><br>Pero de forma súbita una neblina se vierte en la sala, brillante y densa, y se arremolina alrededor del Santo Inocente, fusionándose en forma de plumas nubosas y un cuello estirado. La multitud se queda sin palabras mientras una monstruosa ave aparece frente a ella, sus alas centelleando llenas de ilusiones. El ave deja escapar una horrible risa chirriante.<br><br>\n—¡Ah, han pasado siglos desde que un Habiticano fue lo suficientemente tonto como para convocarme! Qué fabuloso es tener al fin una forma tangible.<br><br>\nZumbando aterrorizadas, las abejas mágicas de Desconcertaire huyen de la ciudad flotante, que se alza en el cielo. Una por una, las radiantes flores primaverales se marchitan y desaparecen en una voluta de humo.<br><br>\n—Mis queridos amigos, ¿por qué estáis tan asustados? cacarea el Obnubilable, agitando sus alas. Ya no hay necesidad de trabajar duro para conseguir recompensas. ¡Yo os daré todas las cosas que deseáis!<br><br>\nUna lluvia de monedas cae del cielo, golpeando el suelo con una fuerza brutal, y la muchedumbre grita y corre a buscar refugio.\n—¿Esto es una broma? aúlla Baconsaur, mientras el oro rompe ventanas y destroza tejados.<br><br>PainterProphet se agacha al mismo tiempo que rayos restallan por encima suyo y una niebla bloquea el sol.\n—¡No! ¡Esta vez, no creo que lo sea!<br><br>Rápido, habiticanos, ¡no podemos dejar que este Jefe Global nos distraiga de nuestros objetivos! Manteneos enfocados en las tareas que deben completar para que podamos rescatar a Desconcertaire... y, con suerte, a nosotros mismos.",
"questBewilderCompletion": "<strong>¡El Obnubilable ha sido DERROTADO!</strong><br><br>¡Lo logramos! El Obnubilable deja escapar un aullido mientras se retuerce en el aire, perdiendo plumas que caen como gotas de lluvia. Lenta y gradualmente, se enrolla formando una nube de niebla centelleante. Mientras el sol recién despejado atraviesa la niebla, ésta es consumida por el calor, revelando las formas afortunadamente humanas de Bailey, Matt, Alex... y del mismísimo Santo Inocente.<br><br><strong>¡Desconcertaire ha sido salvada!</strong><br><br>El Santo Inocente tiene el suficiente remordimiento como para mostrarse avergonzado.\n—Ah, eh... —dice—. Tal vez... me dejé llevar un poco.<br><br>\nLa multitud murmura. Flores empapadas son arrastradas a las aceras. A la distancia, en alguna parte, un techo se derrumba con un ruido espectacular.<br><br>\n—Eh, sí —dice el Santo Inocente—. Lo que quise decir es que lo siento terriblemente. —Deja salir un suspiro—. Supongo que no todo en la vida puede ser diversión. No me haría daño enfocarme de vez en cuando. Quizás me adelante para la broma del año que viene.<br><br>—Redphoenix tose exageradamente—.<br><br> Quiero decir, ¡quizás me adelante para la limpieza general! —dice el Santo Inocente—. No hay nada que temer, pronto dejaré a Ciudad Hábito como nueva. Por suerte nadie me supera en el manejo de dos fregonas al mismo tiempo.<br><br>\nAnimada, la banda de música comienza a tocar.<br><br> No pasa mucho tiempo hasta que todo vuelve a la normalidad en Ciudad Hábito. Además, ahora que el Obnubilable se ha evaporado, las abejas mágicas de Desconcertaire vuelven a trabajar con un ritmo ajetreado, y pronto las flores brotan y la ciudad flota una vez más.<br><br>Mientras los habiticanos abrazan a las peludas abejas mágicas, los ojos del Santo Inocente se iluminan.\n—¡Ajá, se me ha ocurrido algo! ¿Por qué no os quedáis con algunas de estas peluditas abejas como mascotas y monturas? Es un regalo que simboliza perfectamente el equilibrio entre el trabajo duro y las dulces recompensas, si me voy a poner aburrido y alegórico. —El Inocente guiña—. Además, ¡no tienen aguijones! Palabra de Inocente.",
"questBewilderCompletionChat": "`¡El Obnubilable ha sido DERROTADO!`\n\n¡Lo logramos! El Obnubilable deja escapar un aullido mientras se retuerce en el aire, perdiendo plumas que caen como gotas de lluvia. Lenta y gradualmente, se enrolla formando una nube de niebla centelleante. Mientras el sol recién despejado atraviesa la niebla, ésta es consumida por el calor, revelando las formas afortunadamente humanas de Bailey, Matt, Alex... y del mismísimo Santo Inocente.\n\n`¡Desconcertaire ha sido salvada!`\n\nEl Santo Inocente tiene el suficiente remordimiento como para mostrarse avergonzado.\n—Ah, hm —dice—. Tal vez... me dejé llevar un poco.\n\nLa multitud murmura. Flores empapadas son arrastradas a las aceras. A la distancia, en alguna parte, un techo se derrumba con un ruido espectacular.\n\n—Eh, sí —dice el Santo Inocente—. Lo que quise decir es que lo siento terriblemente. —Deja salir un suspiro—. Supongo que no todo en la vida puede ser diversión. No me haría daño enfocarme de vez en cuando. Quizás me adelante para la broma del año que viene.\n\nRedphoenix tose exageradamente.\n\n—Quiero decir, ¡quizás me adelante para la limpieza general! —dice el Santo Inocente—. No hay nada que temer, pronto dejaré a Ciudad Hábito como nueva. Por suerte nadie me supera en el manejo de dos trapeadores al mismo tiempo.\n\nAnimada, la banda de música comienza a tocar.\n\nNo pasa mucho tiempo hasta que todo vuelve a la normalidad en Ciudad Hábito. Además, ahora que el Obnubilable se ha evaporado, las abejas mágicas de Desconcertaire vuelven a trabajar con un ritmo ajetreado, y pronto las flores brotan y la ciudad flota una vez más.\n\nMientras los habiticanos abrazan a las peludas abejas mágicas, los ojos del Santo Inocente se iluminan.\n—¡Ajá, se me ha ocurrido algo! ¿Por qué no se quedan con algunas de estas peluditas abejas como mascotas y monturas? Es un regalo que simboliza perfectamente el equilibrio entre el trabajo duro y las dulces recompensas, si me voy a poner aburrido y alegórico. —El Inocente guiña—. Además, ¡no tienen aguijones! Palabra de Inocente.",
"questBewilderBossRageTitle": "Ataque Engañador",
@@ -357,7 +357,7 @@
"questArmadilloDropArmadilloEgg": "Armadillo (Huevo)",
"questArmadilloUnlockText": "Desbloquea la compra de huevos de armadillo en el Mercado",
"questCowText": "La Vaca Muutante",
"questCowNotes": "Ha sido un largo y cálido día en las Granjas Sparring, y nada te apetece más que un buen trago de agua y dormir un poco. Estás con la cabeza en las nubes cuando, de repente, @Soloana lanza un grito.¡Corred todos! ¡La vaca que iba a ser el premio ha muutado!<br><br> @eevachu traga saliva. Nuestras malas costumbres han debido de contagiarla.<br><br>¡Rápido! Dice @Feralem Tau. Debemos hacer algo antes de que el resto de vacas muuten.<br><br> Ya lo has oído. Se acabó lo de dormir despierto ¡Es hora de poner esas malas costumbres bajo control!",
"questCowNotes": "Ha sido un largo y cálido día en las Granjas Sparring, y nada te apetece más que un buen trago de agua y dormir un poco. Estás con la cabeza en las nubes cuando, de repente, @Soloana lanza un grito.\n—¡Corred todos! ¡La vaca que iba a ser el premio ha muutado!<br><br> @eevachu traga saliva. Nuestras malas costumbres han debido de contagiarla.<br><br>\n—¡Rápido! Dice @Feralem Tau. Debemos hacer algo antes de que el resto de vacas muuten.<br><br>\nYa lo has oído. Se acabó lo de dormir despierto. ¡Es hora de poner esas malas costumbres bajo control!",
"questCowCompletion": "Ordeñas tus buenos hábitos todo lo que puedes mientras que la vaca vuelve a su forma original. La vaca te mira con sus preciosos ojos marrones y acerca de un empujoncito tres huevos.<br><br>@fuzzytrees se ríe y te da los huevos.\n—\"A lo mejor sigue mutada si hay terneros en esos huevos. ¡Pero confío en que seguirás con tus buenos hábitos cuando los críes!\"",
"questCowBoss": "Vaca Muutante",
"questCowDropCowEgg": "Vaca (Huevo)",
@@ -387,7 +387,7 @@
"questTaskwoodsTerror2CollectDryads": "Dríadas",
"questTaskwoodsTerror2DropArmor": "Ropajes de Pirómano (Armadura)",
"questTaskwoodsTerror3Text": "Terror en Bosquetarea, Parte 3: Jacko de la Linterna",
"questTaskwoodsTerror3Notes": "Preparado para la batalla, tu grupo marcha hacia el corazón del bosque, donde el espíritu renegado está intentando destruir un manzano ancestral rodeado de arbustos de bayas. Su cabeza de calabaza irradia una terrible luz dondequiera que se gire, y en la mano izquierda sujeta una larga vara, con una linterna colgando de su punta. En vez de fuego o llama, no obstante, la linterna tiene un oscuro cristal que te hace estremecer todos los huesos. <br><br> El Segador Alegre levanta una huesuda mano a su boca. “Ese — Ese es Jacko, ¡el Espíritu Linterna! Pero es un fantasma recolector útil que guía a nuestros granjeros. ¿Qué ha podido conducir a su entrañable alma a actuar de esta forma?\"<br><br> \"No lo sé\" dice @bridgetteempress. \"¡Pero parece que esa 'entrañable alma' está a punto de atacarnos!\"",
"questTaskwoodsTerror3Notes": "Preparado para la batalla, tu grupo marcha hacia el corazón del bosque, donde el espíritu renegado está intentando destruir un manzano ancestral rodeado de arbustos de bayas. Su cabeza de calabaza irradia una terrible luz dondequiera que se gire, y en la mano izquierda sujeta una larga vara, con una linterna colgando de su punta. En vez de fuego o llama, no obstante, la linterna tiene un oscuro cristal que te hace estremecer todos los huesos.<br><br>La Segadora Alegre alza una huesuda mano a su boca.\n—\"Ese... Ese es Jacko, ¡el Espíritu Linterna! Pero es un fantasma recolector útil que guía a nuestros granjeros. ¿Qué ha podido conducir a su entrañable alma a actuar de esta forma?\"\n<br><br>\"No lo sé\" dice @bridgetteempress. \"¡Pero parece que esa 'entrañable alma' está a punto de atacarnos!\"",
"questTaskwoodsTerror3Completion": "Tras una larga batalla, consigues disparar una flecha a la linterna que Jacko lleva, y el cristal se hace pedazos. Jacko de pronto vuelve bruscamente a sus sentidos y estalla en resplandecientes lágrimas.\n—Oh, ¡mi precioso bosque! ¡¿Qué he hecho?! —llora. Sus lágrimas extinguen los fuegos que quedan, y el manzano y las bayas silvestres están salvados.<br><br>Después de que le ayudes a relajarse, te explica:\n—Conocí a una encantadora señora llamada Tzina, y me dio este resplandesciente cristal como regalo. Siguiendo su recomendación, lo puse en mi linterna... pero es lo último que recuerdo. —Se vuelve hacia ti con una sonrisa dorada—. A lo mejor deberías cogerlo para tenerlo a salvo mientras ayudo a los huertos a que vuelvan a crecer.",
"questTaskwoodsTerror3Boss": "Jacko de la Linterna",
"questTaskwoodsTerror3DropStrawberry": "Fresa (alimento)",
@@ -425,14 +425,14 @@
"questSlothDropSlothEgg": "Perezoso (Huevo)",
"questSlothUnlockText": "Desbloquea la compra de huevos de perezoso en el Mercado",
"questTriceratopsText": "El Aplastante Triceratops",
"questTriceratopsNotes": "Los volcanes Estoïcalma cubiertos de nieve siempre están llenos de excursionistas y espectadores. Un turista, @plumilla, llama a una multitud, “¡Mira! He encantado el suelo para que brille y podamos jugar juegos de campo con él para nuestras Actividades Diarias al aire libre! Efectivamente, el suelo está girando con brillantes patrones rojos. Incluso algunos de los animales prehistóricos de la zona vienen a jugar. <br><br> De repente, hay un ruido fuerte¡un curioso Triceratops ha pisado en la varita de @plumilla! Está envuelto en una explosión de energía mágica, y la tierra empieza a temblar y calentarse. ¡Los ojos del Triceratops brillan rojos, y ruge y comienza a estallar! <br><br>Eso no es bueno, dice @McCoyly, apuntando en la distancia. ¡Cada pisada alimentada con magia está causando los volcanes a erupción, y la tierra que brilla intensamente está volviéndose lava debajo de los pies del dinosaurio! ¡Rápido! ¡Debes contenar al aplastante Triceratops hasta que alguien pueda revertir el hechizo!",
"questTriceratopsNotes": "Los volcanes Estoïcalma cubiertos de nieve siempre están llenos de excursionistas y espectadores. Un turista, @plumilla, llama a una multitud:\n—¡Mira! He encantado el suelo para que brille y podamos jugar juegos de campo con él para nuestras Actividades Diarias al aire libre! Efectivamente, el suelo está girando con brillantes patrones rojos. Incluso algunos de los animales prehistóricos de la zona vienen a jugar. <br><br> De repente, hay un ruido fuerte: ¡un curioso Triceratops ha pisado en la varita de @plumilla! Está envuelto en una explosión de energía mágica, y la tierra empieza a temblar y calentarse. ¡Los ojos del Triceratops brillan rojos, y ruge y comienza a estallar! <br><br>\n—Eso no es bueno\", dice @McCoyly, apuntando en la distancia. ¡Cada pisada alimentada con magia está causando los volcanes a erupción, y la tierra que brilla intensamente está volviéndose lava debajo de los pies del dinosaurio! ¡Rápido! ¡Debes contenar al aplastante Triceratops hasta que alguien pueda revertir el hechizo!",
"questTriceratopsCompletion": "Pensando rápido, atraes a la criatura a las calmantes estepas de Stoïkalma para que @*~Seraphina~* y @PainterProphet puedan deshacer el hechizo de lava sin distracciones. La atmósfera tranquila de las Estepas hace efecto, y el Triceratops se acurruca mientras los volcanes vuelven a quedar inactivos. @PainterProphet te pasa algunos huevos que rescató de la lava.\n—Sin ti, no habríamos podido parar las erupciones. Dales un buen hogar a estas mascotas.",
"questTriceratopsBoss": "Aplastante triceratops",
"questTriceratopsDropTriceratopsEgg": "Triceratops (huevo)",
"questTriceratopsUnlockText": "Desbloquea la compra de huevos de triceratops en el Mercado",
"questGroupStoikalmCalamity": "Calamidad de Estoïcalma",
"questStoikalmCalamity1Text": "Calamidad de Estoïcalma, Parte 1: Enemigos de tierra",
"questStoikalmCalamity1Notes": "Llega una concisa misiva de @Kiwibot, y el frasco helado como la escarcha provoca escalofríos tanto a tu corazón como a la yema de tus dedos.Visitando las Estepas Estoïcalma monstruos surgiendo de la tierra —¡enviad ayuda! Coges tu equipo y cabalgas al norte, pero tan pronto como te aventuras por las montañas, la nieve bajo tus pies salta por los aires y te rodea un montón de horribles calaveras sonrientes! <br><br>De repente, una lanza pasa volando a tu lado, hundiéndose en una calavera que salía de entre la nieve con la intención de pillarte desprevenido. Una mujer alta de armadura finamente forjada se metió en el combate en la parte cabalgando un mastodonte. Su larga trenza se balanceó mientras recuperaba su lanza de la espachurrada calavera. ¡Es hora de luchar contra estos enemigos con la ayuda de Lady Glaciar, la líder de los Jinetes de Mamut!",
"questStoikalmCalamity1Notes": "Llega una concisa misiva de @Kiwibot, y el frasco helado como la escarcha provoca escalofríos tanto a tu corazón como a la yema de tus dedos.\n—Visitando las Estepas Estoïcalma -- monstruos surgiendo de la tierra - enviar ayuda!\" Coges tu equipo y cabalgas al norte, pero tan pronto como te aventuras por las montañas, la nieve bajo tus pies salta por los aires y te rodea un montón de horribles calaveras sonrientes! <br><br>De repente, una lanza pasa volando a tu lado, hundiéndose en una calavera que salía de entre la nieve con la intención de pillarte desprevenido. Una mujer alta de armadura finamente forjada se metió en el combate en la parte cabalgando un mastodonte. Su larga trenza se balanceó mientras recuperaba su lanza de la espachurrada calavera. ¡Es hora de luchar contra estos enemigos con la ayuda de Lady Glaciar, la líder de los Jinetes de Mamut!",
"questStoikalmCalamity1Completion": "En el momento que le das el impacto final a las calaveras, se disipan como magia.\n—El hechizo se podrá haber disipado —expresa Lady Glaciate— pero tenemos problemas más grandes. Sígueme.\nRecibes en ese momento una capa para protegerte de el aire frío, y la acompañas a donde te lleva.",
"questStoikalmCalamity1Boss": "Enjambre de Calaveras Terrestres",
"questStoikalmCalamity1RageTitle": "Reaparición del Enjambre",
@@ -442,7 +442,7 @@
"questStoikalmCalamity1DropDesertPotion": "Poción de eclosión del desierto",
"questStoikalmCalamity1DropArmor": "Armadura de jinete de mamut",
"questStoikalmCalamity2Text": "Calamidad de Estoïcalma, 2ª Parte: Busca las Cavernas de Témpano",
"questStoikalmCalamity2Notes": "La majestuosa sala de los Jinetes de Mamut es una austera obra maestra de arquitectura, pero también está completamente vacía. No hay muebles, ni un solo arma y hasta faltan los ornamentos a sus columnas.<br><br>Esas calaveras lo desvalijaron todo dice Lady Glaciar con tono frío. Humillante. Nadie debe mencionar esto al Bromista de Abril, o me lo restregará eternamente.<br><br>¡Qué misterioso! dice @Beffymaroo. Pero, ¿dónde se lo han llev —?”<br><br>A las Cavernas Carámbano interrumpe Lady Glaciar señalando unas cuantas monedas desparramadas fuera sobre la nieve. Un robo poco riguroso.<br><br>¿Pero no suelen ser criaturas extremadamente cuidadosas con sus botines? pregunta @Beffymaroo. ¿Cómo es que —?”<br><br>Control mental continúa Lady Glaciar con gran frialdad. O algo igualmente melodramático e inconveniente.Comienza a recorrer el pasillo a grandes zancadas.¿Por qué sigues ahí de pie?<br><br> ¡Rápido, sigue el rastro de monedas!",
"questStoikalmCalamity2Notes": "La majestuosa sala de los Jinetes de Mamut es una austera obra maestra de arquitectura, pero también está completamente vacía. No hay muebles, ni un solo arma y hasta faltan los ornamentos a sus columnas.<br><br>\n—Esas calaveras lo desvalijaron todo dice Lady Glaciar con tono frío. Humillante. Nadie debe mencionar esto al Bufón de Abril, o me lo restregará eternamente.<br><br>\n—¡Qué misterioso! dice @Beffymaroo. Pero, ¿dónde se lo han llev..?<br><br>\n—A las Cavernas Carámbano interrumpe Lady Glaciar señalando unas cuantas monedas desparramadas fuera sobre la nieve. Un robo poco riguroso.<br><br>\n—¿Pero no suelen ser criaturas extremadamente cuidadosas con sus botines? pregunta @Beffymaroo. ¿Cómo es que...?<br><br>\n—Control mental continúa Lady Glaciar con gran frialdad. O algo igualmente melodramático e inconveniente.\nComienza a recorrer el pasillo a grandes zancadas.\n—¿Por qué sigues ahí de pie?<br><br>\n¡Rápido, sigue el rastro de monedas!",
"questStoikalmCalamity2Completion": "Las Monedas Gélidas te conducen directamente a una entrada bajo tierra de una cueva cuidadosamente escondida. Aunque el tiempo fuera de la cueva es agradable, con los rayos de sol brillando sobre la inmensidad de la nieve, un feroz aullido invernal emana desde el interior. Lady Glaciate frunce el ceño y te entrega un casco de los Jinetes de Mamuts.\n—Ponte esto —dice—. Lo vas a necesitar.",
"questStoikalmCalamity2CollectIcicleCoins": "Monedas de Hielo",
"questStoikalmCalamity2DropHeadgear": "Casco de jinete de mamut (equipamiento para la cabeza)",
@@ -454,19 +454,19 @@
"questStoikalmCalamity3DropShield": "Cuerno de Jinete de Mamut (Objeto de Fuera de Mano)",
"questStoikalmCalamity3DropWeapon": "Arpón de jinete de mamut (arma)",
"questGuineaPigText": "La Pandilla de Cobayas",
"questGuineaPigNotes": "Estás paseando casualmente por el famoso mercado de Ciudad de los Hábitos, cuando @Pandah llama tu atención.¡Oye, mira esto! Sostiene un huevo marrón y beige que no reconoces.<br><br> Alexander el Mercader frunce el ceño.No recuerdo haberlo sacado, me pregunto de dónde ha salido—Una pequeña pata sale de él rompiéndolo.<br><br>¡Entrégame todo tu oro, comerciante! Gritó una diminuta voz llena de malicia.<br><br> ¡Oh, no, el huevo era una distracción! exclama @mewrose. ¡Es la arrogante y codiciosa Pandilla de los Cerdos de Guinea! Nunca hacen sus Tareas Diarias, así que roban oro constantemente para comprar pociones de salud. <br><br>¿Robando en el Mercado? dice @emmavig. ¡No durante nuestra guardia!Sin más dilación, acudes en ayuda de Alexander.",
"questGuineaPigCompletion": "¡Nos rendimos! El Jefe De La Banda Cobaya agita sus patas ante ti, la cabeza esponjosa baja en remordimiento. De debajo de su sombrero se cae una lista, y @snazzyorange lo arranca rápidamente para evidencia.Espera un minuto dices. ¡No es una sorpresa que hayas estado haciéndote daño! Tienes demasiadas Diarias. No necesitas pociones de salud solo necesitas ayuda para organizarte.<br><br>¿De verdad? chilla el Cobaya Jefe De La Banda. ¡Hemos robado tantas personas a causa de esto! Por favor, llévate nuestros huevos como una disculpa por nuestras maneras fraudulentas.",
"questGuineaPigNotes": "Estás paseando casualmente por el famoso mercado de Ciudad de los Hábitos, cuando @Pandah llama tu atención.\n—¡Oye, mira esto! Sostiene un huevo marrón y beige que no reconoces.<br><br> Alexander el Mercader frunce el ceño.\n—No recuerdo haberlo sacado, me pregunto de dónde ha salido... —Una pequeña pata sale de él rompiéndolo.<br><br>\n—¡Entrégame todo tu oro, comerciante! Gritó una diminuta voz llena de malicia.<br><br> \n—¡Oh, no, el huevo era una distracción! exclama @mewrose. ¡Es la arrogante y codiciosa Pandilla de los Cerdos de Guinea! Nunca hacen sus Tareas Diarias, así que roban oro constantemente para comprar pociones de salud. <br><br>\n—¿Robando en el Mercado? dice @emmavig. ¡No durante nuestra guardia!\nSin más dilación, acudes en ayuda de Alexander.",
"questGuineaPigCompletion": "¡Nos rendimos! El Jefe De La Banda Cobaya agita sus patas ante ti, la cabeza esponjosa baja en remordimiento. De debajo de su sombrero se cae una lista, y @snazzyorange lo arranca rápidamente para evidencia.\n—Espera un minuto dices. ¡No es una sorpresa que hayas estado haciéndote daño! Tienes demasiadas Diarias. No necesitas pociones de salud... solo necesitas ayuda para organizarte.<br><br>\n—¿De verdad? chilla el Cobaya Jefe De La Banda. ¡Hemos robado tantas personas a causa de esto! Por favor, llévate nuestros huevos como una disculpa por nuestras maneras fraudulentas.",
"questGuineaPigBoss": "Pandilla de Cobayas",
"questGuineaPigDropGuineaPigEgg": "Cobaya (Huevo)",
"questGuineaPigUnlockText": "Desbloquea la compra de huevos de cobaya en el Mercado",
"questPeacockText": "El Pavo Real del Tira y Afloja",
"questPeacockNotes": "Caminas a través de Bosquetarea, preguntándote qué nuevos objetivos vas a escoger. A medida que te adentras en el bosque, te percatas de que no estás solo en tu indecisión. \nPodría aprender un nuevo idioma, o ir al gimnasio... —murmura @Cecily Perez.\n—Podría dormir más —medita @Lilith de Alfheim— o pasar tiempo con mis amigos...\nParece que @PainterProphet, @Pfeffernusse y @Draayder están igualmente abrumados por la multitud de posibilidades.<br><br> Te das cuenta de que estos cada vez más exigentes sentimientos no son realmente tuyos... ¡Has caído directamente en la trampa del Pavo Real Tira-y-Afloja! Antes de que puedas huir, salta de entre los arbustos. A causa de la indecisión que invade tus pensamientos, comienzas a sentirte terriblemente superado por el estrés. No se puede derrotar a dos enemigos a la vez, por lo que sólo tienes una opción:¡concentrarte en la tarea más cercana para pelear!",
"questPeacockNotes": "Caminas a través de Bosquetarea, preguntándote qué nuevos objetivos vas a escoger. A medida que te adentras en el bosque, te percatas de que no estás solo en tu indecisión. \nPodría aprender un nuevo idioma, o ir al gimnasio... —murmura @Cecily Perez.\n—Podría dormir más —medita @Lilith de Alfheim— o pasar tiempo con mis amigos...\nParece que @PainterProphet, @Pfeffernusse y @Draayder están igualmente abrumados por la multitud de posibilidades.<br><br> Te das cuenta de que estos cada vez más exigentes sentimientos no son realmente tuyos... ¡Has caído directamente en la trampa del Pavo Real Tira-y-Afloja! Antes de que puedas huir, salta de entre los arbustos. A causa de la indecisión que invade tus pensamientos, comienzas a sentirte terriblemente superado por el estrés. No se puede derrotar a dos enemigos a la vez, por lo que sólo tienes una opción: ¡concentrarte en la tarea más cercana para pelear!",
"questPeacockCompletion": "El Pavo Real Tira-y-Afloja es sorprendido por tu repentina convicción. Derrotado por tu determinación en una única tarea, sus cabezas se fusionan de nuevo en una, revelando la criatura más hermosa que has visto jamás.\n—Gracias —dice el Pavo Real—. He pasado tanto tiempo dudando qué hacer, que he perdido de vista lo que realmente quería. Por favor, acepta estos huevos como muestra de mi gratitud.",
"questPeacockBoss": "Pavo Real del Tira y Afloja",
"questPeacockDropPeacockEgg": "Pavo Real (Huevo)",
"questPeacockUnlockText": "Desbloquea la compra de huevos de pavo real en el Mercado",
"questButterflyText": "Adiós, Mariposa",
"questButterflyNotes": "Tu amiga jardinera @Megan te envía una invitación:Estos cálidos días son perfectos para visitar el jardín de mariposas de Habitica en la campiña Tareia. ¡Ven a verlas emigrar!Sin embargo, cuando llegas, el jardín está en ruinas poco más que hierba quemada y malas hierbas secas. Ha hecho tanto calor que los habiticanos no han salido a regar las flores, y las Tareas Diarias rojo oscuro se han transformado en un seco y quemado peligro de incendio. Solo hay una mariposa allí, y hay algo raro en ella...<br><br>¡Oh no! Este es el terreno de eclosión perfecto para la Mariposa Ardiente .”grita @Leephon.<br><br>¡Si no la capturamos lo destruirá todo!jadea @Eevachu.<br><br>¡Hora de decir adiós a la Mariposa!",
"questButterflyNotes": "Tu amiga jardinera @Megan te envía una invitación:\n—Estos cálidos días son perfectos para visitar el jardín de mariposas de Habitica en la campiña Tareia. ¡Ven a verlas emigrar!\nSin embargo, cuando llegas, el jardín está en ruinas... poco más que hierba quemada y malas hierbas secas. Ha hecho tanto calor que los habiticanos no han salido a regar las flores, y las Tareas Diarias rojo oscuro se han transformado en un seco y quemado peligro de incendio. Solo hay una mariposa allí, y hay algo raro en ella...<br><br>\n—¡Oh no! Este es el terreno de eclosión perfecto para la Mariposa Ardiente grita @Leephon.<br><br>\n—¡Si no la capturamos lo destruirá todo!jadea @Eevachu.<br><br>¡Hora de decir adiós a la Mariposa!",
"questButterflyCompletion": "Después de una dura batalla, la Mariposa Ardiente es capturada. “Gran trabajo atrapando a esa pirómana en potencia,” dice @Megan suspirando con alivio. “A pesar de todo, es difícil demonizar a esta pobre mariposa. Será mejor que la liberemos en un lugar seguro... como el desierto.”<br><br>Uno de los otros jardineros, @Beffymaroo, se acerca a ti, chamuscado y sonriente. “¿Quieres ayudar a criar estas crisálidas que hemos encontrado? Tal vez el año que viene tengamos un jardín mucho más verde para ellas.”",
"questButterflyBoss": "Mariposa Ardiente",
"questButterflyDropButterflyEgg": "Oruga (Huevo)",
@@ -612,7 +612,7 @@
"questSeaSerpentDropSeaSerpentEgg": "Serpiente marina (huevo)",
"questSeaSerpentUnlockText": "Desbloquea la compra de huevos de serpiente de agua en el Mercado",
"questKangarooText": "Catástrofe del Canguro",
"questKangarooNotes": "A lo mejor deberías haber terminado la última tarea... Ya sabes, la que sigues evitando aunque siempre vuelve. ¡Pero @Mewrose y @LilithofAlfheim os han invitado a ti y a @stefalupagus a ver una extraña manada de canguros saltando por Sabana Calmoilento! ¿Cómo negarte? Cuando la manada aparece, ¡algo te golpea por detrás de la cabeza con un poderoso <em>golpe!</em><br><br> Todavía viendo las estrellas, coges el objeto responsable un boomerang rojo oscuro, con esa tarea que estás todo el rato intentando ignorar. Una mirada rápida confirma que el resto de tu equipo se ha encontrado con un destino similar. ¡Una canguro más grande que el resto te mira con una sonrisilla sucia, como si te estuviera retando a enfrentarte a ella y a la tarea, de una vez y para siempre!",
"questKangarooNotes": "A lo mejor deberías haber terminado la última tarea... Ya sabes, la que sigues evitando aunque siempre vuelve. ¡Pero @Mewrose y @LilithofAlfheim os han invitado a ti y a @stefalupagus a ver una extraña manada de canguros saltando por Sabana Calmoilento! ¿Cómo negarte? Cuando la manada aparece, ¡algo te golpea por detrás de la cabeza con un poderoso <em>golpe!</em><br><br> Todavía viendo las estrellas, coges el objeto responsable: un boomerang rojo oscuro, con esa tarea que estás todo el rato intentando ignorar. Una mirada rápida confirma que el resto de tu equipo se ha encontrado con un destino similar. ¡Una canguro más grande que el resto te mira con una sonrisilla sucia, como si te estuviera retando a enfrentarte a ella y a la tarea, de una vez y para siempre!",
"questKangarooCompletion": "—¡Ahora!\n\nHaces una señal a tu equipo para lanzar los boomerang de vuelta al canguro. La bestia salta más lejos con cada golpe hasta que huye, dejando nada más que una polvareda roja, unos pocos huevos y algunas monedas.<br><br> @Mewrose avanza hacia donde estaba el canguro.\n\n—Hey, ¿a dónde han ido los boomerangs?\n\n<br><br>—Seguramente se han disuelto en polvo, creando esa nube roja, cuando terminamos nuestras tareas especula @stefalupagus.\n\n<br><br>@LilithofAlfheim escudriña el horizonte.\n\n—¿Eso es otra manada de canguros viniendo hacia nosotros?\n\n<br><br>Todos vosotros echáis a correr de vuelta a Ciudad de los Hábitos. ¡Mejor enfrentaros a vuestras tareas difíciles que aguantar más golpes en la cabeza!",
"questKangarooBoss": "Canguro Catastrófico",
"questKangarooDropKangarooEgg": "Canguro (Huevo)",
@@ -670,7 +670,7 @@
"delightfulDinosNotes": "Contiene las Misiones para obtener los huevos de Mascota de Triceratops, Tiranosaurio y Pterodáctilo: \"El Aplastante Triceratops\" y \"El Dinosaurio Desenterrado\" y \"El Terror-dáctilo\".",
"delightfulDinosText": "Lote de Misiones de Dinos Encantadores",
"questAmberText": "La Alianza Ámbar",
"questAmberCompletion": "“¿Trerezina?” apeló @-Tyr- con calma . “¿Podrías soltar a @Vikte? No creo que lo esté pasando demasiado bien ahí arriba.”<br><br>La piel ámbar de Trerezina se sonrojó, soltando gentilmente a @Vikte sobre el suelo. “¡Mis disculpas!¡Hacía tanto que no tenía invitados que he olvidado mis modales!”. Se deslizó hacia a ti para saludarte adecuadamente antes de desaparecer en su casa del árbol, ¡volviendo cargada de pociones de eclosión ámbar como regalo de agradecimiento!<br><br>“¡Pociones mágicas!” exclamó @Vikte.<br><br>“¿Oh, estas viejas cosas?” La lengua de Trerezina siseó mientras pensaba. “¿Qué os parece esto? Os daré este montón de pociones si prometéis visitarme de vez en cuando...”<br><br>Y así, abandonamos el Bosquetarea, emocionados por contar a todo el mundo lo de las nuevas pociones, ¡y lo de tu nueva amiga!",
"questAmberCompletion": "“¿Trerezina?” apeló @-Tyr- con calma . “¿Podrías soltar a @Vikte? No creo que lo esté pasando demasiado bien ahí arriba.”<br><br>La piel ámbar de Trerezina se sonrojó, soltando gentilmente a @Vikte sobre el suelo. “¡Mis disculpas!¡Hacía tanto que no tenía invitados que he olvidado mis modales!”. Se deslizó hacia a ti para saludarte adecuadamente antes de desaparecer en su casa del árbol, ¡volviendo cargada de pociones de eclosión ámbar como regalo de agradecimiento!<br><br>“¡Pociones mágicas!” exclamó @Vikte.<br><br>“¿Oh, estas viejas cosas?” La lengua de Trerezina siseó mientras pensaba. “¿Qué os parece esto? Os daré este montón de pociones si prometéis visitarme de vez en cuando...”<br><br>Y así, abandonamos el Bosquetarea, emocionados por contar a todo el mundo lo de las nuevas pociones, ¡y lo de tu nueva amiga!",
"questAmberUnlockText": "Desbloquea la compra de pociones de eclosión ámbar en el mercado",
"questAmberDropAmberPotion": "Poción de eclosión ámbar",
"questAmberBoss": "Trerezina",
@@ -680,7 +680,7 @@
"questRubyNotes": "Los picos de los volcanes Estoïcalma, habitualmente bulliciosos, permanecen silenciosos en la nieve. “¿Supongo que los senderistas y los turistas están hibernando?” os dice @gully a ti y a @Aspiring_Advocate. “Esto facilita nuestra busqueda.”<br><br>Conforme alcanzais la cima, el viento helado se mezcla con el vapor que emana del crater. “¡Ahí!” exclama @Aspiring_Advocate, señalando a una fuente termal. “¿Qué mejor lugar para encontrar refrescantes runas de Acuario y fervientes runas de Venus que donde el hielo y el fuego se encuentran?”<br><br>Los tres os apresurais hacia la fuente termal. “Según mis investigaciones,” dice @Aspiring_Advocate, “¡combinar las runas con rubíes con forma de corazón creará una poción de eclosión que puede fomentar la amistad y el amor!”<br><br>Entusiasmados por la perspectiva de un nuevo descubrimiento, los tres sonreís. “De acuerdo,” dice @gully, “¡Empecemos a buscar!”",
"questWaffleRageTitle": "Cienaga de Arce",
"questWaffleBoss": "Tortita Terrible",
"questWaffleCompletion": "Maltrecho y cubierto de mantequilla pero triunfante, saboreas la dulce victoria mientrasl la Tortita Terrible se desintegra en un charco de pringue pegajoso.<br><br>“Wow, realmente has batido a ese monstruo,” dice Lady Glaciate, impresionada.<br><br>“¡Pan comido!” suelta el April Fool.<br><br>“Aunque es una pena,” dice @beffymaroo. “tenía una pinta lo bastante buena como para comerselo.”<br><br> el April Fool saca un conjunto de pociones de algún lugar bajo su capa, las rellena de los restos de sirope de la Tortita y lo mezcla con una pizca de polvo brillante. El liquido se torna en un remolino de color¡nuevas pociones de eclosión! Las lanza a tus brazos.<br><br>“Tanta aventura me ha abierto el apetito. ¡Quién se viene a desayunar conmigo?”",
"questWaffleCompletion": "Maltrecho y cubierto de mantequilla pero triunfante, saboreas la dulce victoria mientrasl la Tortita Terrible se desintegra en un charco de pringue pegajoso.<br><br>“Wow, realmente has batido a ese monstruo,” dice Lady Glaciate, impresionada.<br><br>“¡Pan comido!” suelta el April Fool.<br><br>“Aunque es una pena,” dice @beffymaroo. “tenía una pinta lo bastante buena como para comerselo.”<br><br> el April Fool saca un conjunto de pociones de algún lugar bajo su capa, las rellena de los restos de sirope de la Tortita y lo mezcla con una pizca de polvo brillante. El liquido se torna en un remolino de color--¡nuevas pociones de eclosión! Las lanza a tus brazos.<br><br>“Tanta aventura me ha abierto el apetito. ¡Quién se viene a desayunar conmigo?”",
"questWaffleText": "Haciendo tortitas con el bufón:¡Desayuno Desastroso!",
"questRubyUnlockText": "Desbloquea la compra de pociones de eclosión rubí en el Mercado",
"questRubyDropRubyPotion": "Poción de eclosión rubí",
@@ -721,7 +721,7 @@
"questStoneText": "Un Laberinto de Musgo",
"questFluoriteNotes": "Los minerales inusuales tienen una gran demanda en estos días, por lo que algunos amigos y tú os habéis adentrado en las minas de las Montañas Serpenteantes, en busca de minerales emocionantes. Es una expedición larga y aburrida, hasta que @-Tyr- tropieza con una gran roca, que estaba justo en el medio del túnel. <br><br>\"Esto debería ayudar a iluminar las cosas\", dice @nirbhao, antes de conjurar un orbe de luz. <br><br>Un brillo cálido llena el túnel, pero algo extraño comienza a sucederle a esa gran roca. Al alimentarse de la luz mágica, comienza a brillar con azules, verdes y púrpuras fluorescentes. Luego se erige, desvelando una forma vagamente humanoide, ¡con ojos rojos brillantes fijos en ti! Entras en acción con hechizos destellantes y armas brillantes.",
"questFluoriteCompletion": "A medida que avanza el combate, la criatura cristalina parece más y más distraida por el espectáculo de luces que estais creando. \"Que brillante...\" murmura. <br><br>\"¡Por supuesto!\" exclama @nirbhao. \"Debe de ser un elemental de fluorita, lo unico que quieren es luz que los haga brillar. Ayudémosle a resplandecer. \" <br><br> El elemental suelta una risilla feliz y brilla más intensamente a medida que encendéis antorchas y motas de magia. Está tan contento de volver a brillar que os conduce a un deposito de cristales de fluorita. <br><br> \"Este es el ingrediente perfecto para una nueva Poción de eclosión.\" dice @nirbhao. \"Una que hará que nuestras mascotas sean tan brillantes como nuestro fluorescente amigo.\"",
"questWindupNotes": "Villahábito rara vez está en calma, pero aún así, no estabas preparado para la cacofonía de crujidos, chillidos y gritos que se salían de el Buen Guardatiempo, el mejor emporio de relojería de Habitica. Suspiras, solo querías que te arreglaran el reloj. El propietario, conocido sólo como “Grande y Poderoso”, irrumpe por la puerta, ¡perseguido por un ruidoso coloso de cobre! <br><br> “¡GA-! ¡GA-! GA!\" resuena mientras enormes brazos arramblan arriba y abajo. Sus engranajes retumban y rechinan con violencia. <br><br> “¡Mi robot Clankton se ha vuelto loco! ¡Está intentando matarme! \" gritó el que supuestamente era \"grande y poderoso\". <br><br> Incluso con un reloj roto puedes saber cuándo es momento de pelear. Saltas hacia adelante y te preparas para defender al asustado relojero. ¡@Vikte y @a_diamond también se unen para ayudar! <br><br> “¡GA-! ¡GA-! GA!\" resuena Clankton con cada golpe. \"¡Miau!\" <br><br> Espera, ¿qué ha sido ese maullido mecánico que se ha escuchado en medio del monótono \"GA-GA-GA\"?",
"questWindupNotes": "Villahábito rara vez está en calma, pero aún así, no estabas preparado para la cacofonía de crujidos, chillidos y gritos que se salían de el Buen Guardatiempo, el mejor emporio de relojería de Habitica. Suspiras, solo querías que te arreglaran el reloj. El propietario, conocido sólo como “Grande y Poderoso”, irrumpe por la puerta, ¡perseguido por un ruidoso coloso de cobre! <br><br> “¡GA-! ¡GA-! GA!\" resuena mientras enormes brazos arramblan arriba y abajo. Sus engranajes retumban y rechinan con violencia. <br><br> “¡Mi robot Clankton se ha vuelto loco! ¡Está intentando matarme! \" gritó el que supuestamente era \"grande y poderoso\". <br><br> Incluso con un reloj roto puedes saber cuándo es momento de pelear. Saltas hacia adelante y te preparas para defender al asustado relojero. ¡@Vikte y @a_diamond también se unen para ayudar! <br><br> “¡GA-! ¡GA-! GA!\" resuena Clankton con cada golpe. \"¡Miau!\" <br><br> Espera, ¿qué ha sido ese maullido mecánico que se ha escuchado en medio del monótono \"GA-GA-GA\"?",
"questSolarSystemBoss": "Diversinoides",
"sandySidekicksNotes": "Contiene las Misiones para obtener los huevos de Mascota de Araña, Armadillo y Serpiente: \"El Arácnido Helado\", \"El Armadillo Indulgente\" y \"La Serpiente de la Distracción\".",
"questWindupCompletion": "Mientras esquivas los ataques, notas algo extraño: una cola de latón a rayas que sobresale del chasis del robot. Introduces una mano entre sus rechinantes engranajes y sacas... un tembloroso cachorro de tigre que parece ser de cuerda. Se acurruca contra tu camisa. <br><br> El robot mecánico deja de agitarse inmediatamente y sonríe, mientras sus engranajes vuelven encajarse en su sitio. “¡GA-GA-GATITO! ¡gatito se metió en mí! \"<br><br>\" ¡Genial! \" dice el Poderoso sonrojándose. \"He estado trabajando duro en estas pociones para mascotas a cuerda. Supongo que perdí de pista a una de mis nuevas creaciones. Últimamente he estado fallando mucho mi tarea diaria de 'Ordenar el taller' ... \"<br><br> Sigues dentro del taller al relojero y a Clankton. Piezas, herramientas y pociones cubren todo cuanto ves. \"Poderoso\" coge tu reloj, pero deja en tus manos algunas pociones. <br><br> \"Cógelas, ¡seguro que estarán más seguras contigo! \"",

View File

@@ -1,18 +1,18 @@
{
"achievement": "Logro",
"onwards": "¡Adelante!",
"levelup": "Por alcanzar tus metas de la vida real, ¡has subido de nivel y te has curado por completo!",
"levelup": "¡Por alcanzar tus metas de la vida real, has subido de nivel y te has curado por completo!",
"reachedLevel": "Has alcanzado el nivel <%= level %>",
"achievementLostMasterclasser": "Completista de misiones: Serie Maestro de Clases",
"achievementLostMasterclasserText": "¡Completaste las dieciséis misiones de la Serie Maestros de Clases y resolviiste el misterio de la Maestra de la Clase Perdida!",
"achievementLostMasterclasserModalText": "¡Completaste las dieciséis misiones en la Serie Maestros de Clases y resolviste el misterio de la Maestra de la Clase Perdida!",
"achievementMindOverMatter": "Mente sobre Materia",
"achievementMindOverMatterText": "Ha completado las misiones de mascota de Roca, Slime e Hilo.",
"achievementMindOverMatterModalText": Has completado las misiones de mascota de Roca, Slime e Hilo!",
"achievementMindOverMatterText": "Ha completado las misiones de mascota de Roca, Baba e Hilo.",
"achievementMindOverMatterModalText": Completaste las misiones de mascota de Roca, Baba e Hilo!",
"achievementJustAddWater": "Sólo Añade Agua",
"achievementJustAddWaterText": "Ha completado las misiones de mascota de Pulpo, Caballito de Mar, Ballena, Tortuga, Nudibranquia, Serpiente Marina, y Delfín.",
"achievementJustAddWaterModalText": "¡Completaste las misiones de mascota de Pulpo, Caballito de Mar, Ballena, Tortuga, Nudibranquia, Serpiente Marina y Delfín!",
"achievementBackToBasics": "De Vuelta a lo Básico",
"achievementBackToBasics": "De vuelta a lo básico",
"achievementBackToBasicsText": "Ha coleccionado todas las Mascotas Básicas.",
"achievementBackToBasicsModalText": "¡Coleccionaste todas las Mascotas Base!",
"achievementAllYourBase": "Toda tu Base",
@@ -70,7 +70,7 @@
"foundNewItemsCTA": "¡Ve a tu inventario e intenta combinar tu nueva poción de eclosión y un huevo!",
"foundNewItemsExplanation": "Completar tareas te da la oportunidad de encontrar artículos como Huevos, Pociones de Eclosión y Comida para Mascotas.",
"foundNewItems": "¡Encontraste nuevos artículos!",
"onboardingCompleteDescSmall": "Si quieres aún más, ¡revisa los Logros y comienza a coleccionarlos!",
"onboardingCompleteDescSmall": "¡Si quieres aún más, revisa los Logros y comienza a coleccionar!",
"onboardingComplete": "¡Completaste tus tareas de integración!",
"achievementRosyOutlookModalText": "¡Has domesticado todas las monturas de algodón de azúcar rosa!",
"achievementRosyOutlookText": "Ha domesticado todas las monturas de algodón de azúcar rosa.",
@@ -133,7 +133,7 @@
"achievementReptacularRumbleText": "¡Eclosionaste todos los colores estándar de las mascotas reptiles: Caimán, Pterodáctilo, Serpiente, Triceratops, Tortuga, Tiranosaurio, y Velociraptor!",
"achievementReptacularRumble": "Reptacularmente Retumbado",
"achievementReptacularRumbleModalText": "¡Coleccionaste todas las mascotas reptiles!",
"achievementGroupsBeta2022Text": "Tú y tu grupo brindaron un valioso aporte para ayudar a Habitica a realizar pruebas.",
"achievementGroupsBeta2022Text": "Tú y tu grupo brindaron un valioso aporte para ayudar a Habitica a realizar las pruebas.",
"achievementGroupsBeta2022ModalText": "Tú y tus grupos han ayudado a Habitica realizando pruebas y dando sugerencias!",
"achievementGroupsBeta2022": "Verificador interactivo de la versión beta",
"achievementWoodlandWizardText": "¡Eclosionaste todos los colores estándar de las criaturas del bosque: tejón, oso, venado, zorro, rana, erizo, búho, caracol, ardilla y arbolito!",
@@ -144,14 +144,14 @@
"achievementBoneToPick": "Hueso para elegir",
"achievementPolarPro": "Profesional polar",
"achievementPolarProText": "¡Ha conseguido todos los colores estándar de mascotas polares: oso, zorro, pingüino, ballena y lobo!",
"achievementPolarProModalText": "¡Has obtenido todas las Mascotas Polares!",
"achievementPolarProModalText": "¡Has obtenido todas las mascotas polares!",
"achievementPlantParent": "Padres de las plantas",
"achievementPlantParentText": "¡Ha eclosionado todos los colores estándar de mascotas plantas: ctus y árbol!",
"achievementPlantParentText": "¡Ha eclosionado todos los colores estándar de mascotas planta: Cactus y Arbolito!",
"achievementDinosaurDynasty": "Dinastía de Dinosaurios",
"achievementDinosaurDynastyModalText": "¡Has coleccionado todas las mascotas Ave y Dinosaurio!",
"achievementBonelessBoss": "Jefe Sin Huesos",
"achievementBonelessBossModalText": "¡Has coleccionado todas las mascotas invertebradas!",
"achievementPlantParentModalText": "¡Has obtenido todas las Mascotas Planta!",
"achievementPlantParentModalText": "¡Has coleccionado todas las Mascotas Planta!",
"achievementRoughRider": "Jinete Bruto",
"achievementRoughRiderText": "¡Has eclosionado todos los colores básicos de las mascotas y montas incómodas: Cactus, Erizo y Roca!",
"achievementDinosaurDynastyText": "¡Has eclosionado todos los colores estándar de Mascotas pájaro y dinosaurio: Halcón, Búho, Loro, Pavo Real, Pingüino, Gallo, Pterodáctilo, T-Rex, Triceratops y Velociraptor!",

View File

@@ -891,35 +891,5 @@
"backgrounds032025": "Conjunto 130: Lanzado en Marzo de 2025",
"backgrounds112024": "Conjunto 126: Lanzado en Noviembre de 2024",
"backgroundCastleHallWithHearthText": "Salón de Castillo con Chimenea",
"backgroundCastleHallWithHearthNotes": "Deléitate de la calidez de este salón del castillo con chimenea.",
"backgrounds082025": "Conjunto 135: Publicado en Agosto de 2025",
"backgroundSunnyStreetWithShopsText": "Calle Soleada con Tiendas",
"backgroundSunnyStreetWithShopsNotes": "Disfrute de las vistas y sonidos de una Calle Soleada con Tiendas.",
"backgrounds092025": "Conjunto 136: Publicado en Septiembre de 2025",
"backgroundAutumnSwampText": "Pantano Otoñal",
"backgroundAutumnSwampNotes": "Sienta las sensaciónes fantasmales de un Pantano Otoñal.",
"backgrounds102025": "Conjunto 137: Publicado en Octubre de 2025",
"backgroundInsideForestWitchsCottageText": "Cabaña de una Bruja en el Bosque",
"backgroundInsideForestWitchsCottageNotes": "Teje hechizos adentro de la Cabaña de una Bruja en el Bosque.",
"backgrounds112025": "Conjunto 138: Publicado en Noviembre de 2025",
"backgroundCastleKeepWithBannersNotes": "Canta las hazañas de los héroes heroicos en el Salón del Castillo con Banderas.",
"backgrounds0420205": "Conjunto 131: Publicado en Abril de 2025",
"backgroundGardenWithFlowerBedsText": "Jardín con Canteros de Flores",
"backgroundGardenWithFlowerBedsNotes": "Disfruta la explosión floral de la primavera en el Jardín con Canteros de Flores.",
"backgroundBirthdayBashText": "Fiesta de Cumpleaños",
"backgroundMountainSceneWithBlossomsText": "Escena Floreada Montañosa",
"backgroundMountainSceneWithBlossomsNotes": "Aprecie las vistas y aromas de una Floreada Escena Montañosa.",
"backgrounds062025": "Conjunto 133: Publicado en Junio de 2025",
"backgroundSummerSeashoreText": "Verano en la Costa",
"backgroundSummerSeashoreNotes": "Atrapa una ola este Verano en la Costa.",
"backgroundCastleKeepWithBannersText": "Salón del Castillo con Banderas",
"backgrounds052025": "Conjunto 132: Publicado en Mayo de 2025",
"backgroundTrailThroughAForestText": "Camino a través del Bosque",
"backgroundTrailThroughAForestNotes": "Camina por el Camino a través del Bosque.",
"monthlyBackgrounds": "Fondos Mensuales",
"backgrounds072025": "Conjunto 134: Publicado en Julio de 2025",
"backgroundSirensLairText": "Guarida de Sirena",
"backgroundSirensLairNotes": "Atrévete a nadar en la Guarida de Sirena.",
"eventBackgrounds": "Fondos de Evento",
"backgroundBirthdayBashNotes": "Habitica está celebrando una fiesta de cumpleaños, ¡todos están invitados!"
"backgroundCastleHallWithHearthNotes": "Deléitate de la calidez de este salón del castillo con chimenea."
}

View File

@@ -7,8 +7,8 @@
"tier5": "Nivel 5 (Campeón)",
"tier6": "Nivel 6 (Campeón)",
"tier7": "Nivel 7 (Legendario)",
"tierModerator": "Moderador",
"tierStaff": "Personal",
"tierModerator": "Moderador (Guardián)",
"tierStaff": "Personal (Heroico)",
"tierNPC": "PNJ",
"friend": "Amigo",
"elite": "Élite",
@@ -16,13 +16,13 @@
"legendary": "Legendario",
"moderator": "Moderador",
"guardian": "Guardián",
"staff": "Personal de Habitica",
"staff": "Personal",
"heroic": "Heroico",
"modalContribAchievement": "¡Logro de colaborador!",
"contribModal": "¡<%= name %>, eres una persona genial! Ahora eres un contribuidor nivel <%= level %> por ayudar a Habitica.",
"contribLink": "¡Mira qué premios has ganado por tu contribución!",
"contribName": "Contribuidor",
"contribText": "Ha contribuido a Habitica, ya sea a través de código, arte, música, escritura, u otro método.",
"contribText": "Ha contribuido a Habitica, ya sea a través de código, arte, música, escritura, u otro método. Para saber más, ¡únete al gremio de Aspiring Legends (Aspirantes a Leyenda)!",
"kickstartName": "Patrocinador de Kickstarter - Nivel $<%= key %>",
"kickstartText": "Respaldó el proyecto Kickstarter",
"helped": "Ayudó al Crecimiento de Habitica",
@@ -40,10 +40,10 @@
"backerTier": "Nivel de Patrocinador",
"playerTiers": "Niveles de Jugador",
"tier": "Nivel",
"conRewardsURL": "https://github.com/HabitRPG/habitica/wiki/Contributing-to-Habitica#contributor-tier-rewards",
"conRewardsURL": "https://habitica.fandom.com/es/wiki/Recompensas_de_Contribuidor",
"surveysSingle": "Ayudó a Habitica a crecer, ya sea completando una encuesta o ayudando con pruebas a gran escala. ¡Gracias!",
"surveysMultiple": "Ayudó a Habitica a crecer en <%= count %> ocasiones, ya sea completando una encuesta o ayudando con pruebas a gran escala. ¡Gracias!",
"blurbHallPatrons": "Este es el Salón de Patrocinadores, donde honramos a los nobles aventureros que respaldaron el Kickstarter original de Habitica. ¡Les agradecemos por ayudarnos a dar vida a Habitica!",
"blurbHallContributors": "Éste es el Salón de Contribuidores, donde los contribuidores del código abierto de Habitica son honrados. Ya sea a través de código, arte, música, escritura o incluso su servicio a la comunidad, han ganado <a href='github.com/HabitRPG/habitica/wiki/Contributing-to-Habitica#contributor-tier-rewards' target='_blank'> gemas, equipamento exclusivo</a> y <a href='github.com/HabitRPG/habitica/wiki/Contributing-to-Habitica#contributor-tiers' target='_blank'> títulos prestigiosos</a>. ¡Tú también puedes contribuir a Habitica! <a href='github.com/HabitRPG/habitica/wiki/Contributing_-to_-Habitica' target='_blank'> Encuentra más información aquí. </a>",
"blurbHallContributors": "Éste es el Salón de Contribuidores, donde los contribuidores del código abierto de Habitica son honrados. Ya sea a través de código, arte, música, escritura o incluso su servicio a la comunidad, han ganado <a href='https://habitica.fandom.com/wiki/Contributor_Rewards' target='_blank'> gemas, equipamento exclusivo</a> y <a href='https://habitica.fandom.com/wiki/Contributor_Titles' target='_blank'> títulos prestigiosos</a>. ¡Tú también puedes contribuir a Habitica! <a href='https://habitica.fandom.com/wiki/Contributing_to_Habitica' target='_blank'> Encuentra más información aquí. </a>",
"noPrivAccess": "No tiene los requisitos requeridos."
}

View File

@@ -3,7 +3,7 @@
"dontDespair": "¡No desesperes!",
"deathPenaltyDetails": "Perdiste un Nivel, tu Oro y un artículo de Equipamiento, ¡pero puedes recuperarlos trabajando duro! Buena suerte -- lo harás muy bien.",
"refillHealthTryAgain": "Recuperar Salud e Intentar de Nuevo",
"dyingOftenTips": "¿Te pasa seguido? <a href='/static/faq#prevent-damage' target='_blank'>¡Aquí hay algunos consejos!</a>",
"dyingOftenTips": "¿Te pasa seguido? <a href='https://habitica.fandom.com/wiki/Death_Mechanics#Strategies_for_Staying_Alive' target='_blank'>¡Aquí hay algunos consejos!</a>",
"losingHealthWarning": "¡Cuidado! - ¡Estás perdiendo Salud!",
"losingHealthWarning2": "¡No dejes que tu Salud llegue a cero! Si eso sucede, perderás un nivel, tu Oro y un artículo de equipamiento.",
"toRegainHealth": "Para recuperar Salud:",

View File

@@ -15,7 +15,7 @@
"faqQuestion29": "¿Cómo recupero HP?",
"webFaqAnswer29": "Puedes recuperar 15 HP comprando una Poción de Salud en tu columna de Recompensas por 25 de oro. Además, siempre recuperarás HP completo cuando subas de nivel!",
"faqQuestion30": "¿Qué pasa cuando me quedo sin HP?",
"webFaqAnswer30": "Si tus Puntos de Vida descienden por debajo de cero, perderás un nivel, el punto de atributo de ese nivel, todas tus monedas de oro y una pieza aleatoria de Equipo que, podrás volver a adquirir recomprándola. Puedes reconstruir lo logrado completando tareas y subiendo de nivel otra vez.",
"webFaqAnswer30": "Si tu HP llega a cero, perderás un nivel, todo tu oro y una pieza de equipo que podrás volver a comprar.",
"faqQuestion31": "¿Por qué perdí HP al interactuar con una tarea que no es negativa?",
"webFaqAnswer31": "Si completas una tarea y pierdes HP cuando no deberías, es porque hubo un retraso mientras el servidor sincronizaba los cambios hechos en otras plataformas. Por ejemplo, si usas oro, maná o pierdes HP en la aplicación móvil y luego completas una tarea en el sitio web, el servidor simplemente está confirmando que todo esté sincronizado.",
"faqQuestion32": "¿Cómo puedo elegir una clase?",
@@ -243,7 +243,5 @@
"subscriptionDetail40": "Soy suscriptor, ¿cuándo recibiré mi primer Reloj de arena místico normal y el aumento del tope de gemas del nuevo calendario?",
"subscriptionDetail450": "Dado que los Relojes de arena místicos y el aumento del tope de gemas son ahora un beneficio mensual, la compra de varias suscripciones de regalos no otorgará más beneficios a la vez.",
"subscriptionDetail480": "Estos cambios solo afectan a los relojes de arena místicos y a las gemas de abonado. Todas las demás ventajas seguirán siendo las mismas.",
"subscriptionPara3": "Esperamos que este nuevo calendario sea más predecible, permita un mayor acceso a las increíbles existencias de artículos de la Tienda de los Viajeros en el Tiempo y ofrezca aún más motivación para progresar en tus tareas cada mes!",
"faqQuestion68": "Cómo puedo evitar perder puntos de vida?",
"webFaqAnswer68": "Si sueles perder vida con frecuencia, prueba alguno de los siguientes consejos:\n\n- Pausa tus Tareas Diarias. El botón “Pausar Daño” en los Ajustes evitará que pierdas vida por las Tareas Diarias no completadas.\n- Ajusta el horario de tus Tareas Diarias. Al ajustarlas como nunca pendientes, puedes completarlas solo por loas recompensas sin riesgo a perder PV.\n- Intenta usar las habilidades de tu clase:\n- Los Pícaros pueden lanzar Sigilo para evitar daño de las Tareas Diarias no completadas\n- Los Guerreros pueden lanzar Golpe Brutal para reducir el color rojo y así también reducir el daño causado por las no completadas\n- Los Sanadores pueden lanzar Claridad Abrasadora para reducir el color rojo y así también reducir el daño por las no completadas"
"subscriptionPara3": "Esperamos que este nuevo calendario sea más predecible, permita un mayor acceso a las increíbles existencias de artículos de la Tienda de los Viajeros en el Tiempo y ofrezca aún más motivación para progresar en tus tareas cada mes!"
}

View File

@@ -24,12 +24,12 @@
"invalidEmail": "Se requiere una dirección de correo electrónico válida para restablecer la contraseña.",
"login": "Iniciar Sesión",
"logout": "Cerrar Sesión",
"marketing1Header": "Mejora tus Hábitos un paso a la vez!",
"marketing1Lead1Title": "Integra tu vida al juego",
"marketing1Lead1": "Habitica es la aplicación perfecta para aquellos que les cuesta completar su lista de tareas pendientes. Usamos mecánicas conocidas en los juegos como recompensar con monedas de Oro, Experiencia, y artículos, para ayudarte a sentirte productivo y fortalecer tu sentido de logro cuando completes tus tareas. Cuando mejor y más eficazmente logres tu tareas, más progresarás en el juego.",
"marketing1Header": "Mejora tus Hábitos Jugando",
"marketing1Lead1Title": "Tu Vida, el Juego de Rol",
"marketing1Lead1": "Habitica es un videojuego que te ayuda a mejorar tus hábitos en la vida real. \"Ludifica\" tu vida convirtiendo todas tus tareas (Hábitos, Diarias, y Pendientes) en pequeños monstruos que tienes que vencer. Mientras mejor lo hagas, más progresarás en el juego. Si incumples algo en la vida real, tu personaje empezará a sufrir las consecuencias en el juego.",
"marketing1Lead2Title": "Obtén Equipamiento Genial",
"marketing1Lead2": "Colecciona espadas, armaduras, y mucho más con el Oro que vas a obtener por completar tus tareas. Con cientos de piezas que coleccionar y que seleccionar, nunca se te acabarán las combinaciones a probar. ¡Optimiza tus estadísticas, mejora tu estilo, o ambas! ",
"marketing1Lead3Title": "Sé recompensado por tu esfuerzo",
"marketing1Lead2": "Mejora tus hábitos para mejorar tu personaje. ¡Luce el genial equipamiento que has ganado!",
"marketing1Lead3Title": "Encuentra Premios Aleatorios",
"marketing1Lead3": "Para algunos, es el juego lo que los motiva: un sistema llamado \"recompensas estocásticas\". Habitica acoge todos los estilos de reforzamiento y castigo: positivo, negativo, predecible y aleatorio.",
"marketing2Header": "Compite con tus amigos, únete a grupos de interés",
"marketing2Lead1Title": "Productividad Social",
@@ -174,8 +174,5 @@
"learnMore": "Aprende Más",
"minPasswordLength": "La contraseña debe contener 8 caracteres o más.",
"communityInstagram": "Instagram",
"footerProduct": "Producto",
"incorrectResetPhrase": "Por favor, escribe <%= magicWord %> en mayúsculas para reiniciar tu cuenta.",
"marketing3Lead1Title": "Aplicaciones para Android e iOS",
"enterValidEmail": "Por favor, ingresa un correo electrónico válido."
"footerProduct": "Producto"
}

View File

@@ -921,14 +921,5 @@
"backgroundInsideForestWitchsCottageNotes": "Concotez des sorts dans le Cottage de la Sorcière de la Forêt.",
"backgrounds112025": "Ensemble 138 : Sortie en Novembre 2025",
"backgroundCastleKeepWithBannersText": "Hall de Château avec Bannières",
"backgroundCastleKeepWithBannersNotes": "Contez des épopées fantastiques dans ce Hall de Château avec des Bannières.",
"backgrounds122025": "Ensemble 139 : Sortie Décembre 2025",
"backgroundNighttimeStreetWithShopsNotes": "Profitez de la chaude lumière d'une Balade nocturne en Ville.",
"backgrounds012026": "Ensemble 140 : Sortie Janvier 2026",
"backgroundWinterDesertWithSaguarosText": "Saguaros dans un Désert Hivernal",
"backgrounds022026": "Ensemble 141 : Sortie Février 2026",
"backgroundElegantPalaceText": "Palace Élégant",
"backgroundNighttimeStreetWithShopsText": "Balade nocturne en Ville",
"backgroundWinterDesertWithSaguarosNotes": "Inspirez l'air piquant dans un Désert Hivernal de Saguaros.",
"backgroundElegantPalaceNotes": "Admirez les pièces hautes en couleur d'un Palace Élégant."
"backgroundCastleKeepWithBannersNotes": "Contez des épopées fantastiques dans ce Hall de Château avec des Bannières."
}

View File

@@ -3,7 +3,7 @@
"dontDespair": "Ne désespérez pas !",
"deathPenaltyDetails": "Vous avez perdu un niveau, tout votre or, et une pièce d'équipement, mais vous pouvez tous les récupérer en travaillant dur ! Bonne chance--vous y arriverez.",
"refillHealthTryAgain": "Reprendre vie et essayer à nouveau",
"dyingOftenTips": "Cela vous arrive trop souvent ? <a href='/static/faq#prevent-damage' target='_blank'>Voici quelques astuces !</a>",
"dyingOftenTips": "Cela vous arrive trop souvent ? <a href='https://habitica.fandom.com/fr/wiki/Mort#Strat.C3.A9gies_pour_rester_en_vie' target='_blank'>Voici quelques astuces !</a>",
"losingHealthWarning": "Attention - Vous perdez de la santé !",
"losingHealthWarning2": "Ne laissez pas votre santé tomber à zéro ! Si cela arrive, vous perdrez un niveau, votre or, et un élément d'équipement.",
"toRegainHealth": "Pour regagner de la Santé :",

View File

@@ -62,7 +62,7 @@
"faqQuestion29": "Comment récupérer des Points de Vie ?",
"webFaqAnswer29": "Vous pouvez vous soigne de 15 points de vie en achetant une Potion de Santé dans votre colonne des Récompenses pour 25 Or. De puis, vous retrouvez tous vos points de vie en gagnant un niveau !",
"faqQuestion30": "Que se passe-t-il si je perds tous mes points de vie ?",
"webFaqAnswer30": "Si vos points de vie descendent à zéro, vous perdrez un niveau, les points de statistique de ce niveau, tout votre Or, et un élément d'équipement que vous pourrez racheter. Vous pouvez vous retaper en accomplissant vos tâches et en montant de niveau.",
"webFaqAnswer30": "Si vos points de vie descendent à zéro, vous perdrez un niveau, tout votre Or, et un élément d'Équipement que vous pourrez racheter.",
"faqQuestion31": "Pourquoi ai-je perdu des points de vie en interagissant avec une tâche qui n'était pas dans le négatif ?",
"webFaqAnswer31": "Si vous remplissez une tâche et perdez des points de vie alors que vous n'auriez pas dû, c'est que vous avez subi un délai pendant que le serveur synchronise les changements faits sur d'autres plateformes. Par exemple, si vous utilisez de l'Or, du Mana, ou perdez de la vie sur l'application mobile puis que vous complétez une tâche sur le site, le serveur confirme simplement que tout est synchronisé.",
"faqQuestion32": "Comment puis-je choisir une classe ?",
@@ -243,7 +243,5 @@
"subscriptionPara3": "Nous espérons que ce nouveau calendrier permettra une meilleure anticipation, ainsi qu'un plus grand accès au stock fabuleux de la Boutique des Voyageu·r·se·s Temporel·le·s, et encouragera toujours plus la motivation de faire des progrès sur vos tâches chaque mois !",
"subscriptionDetail470": "Les avantages liés aux Offres de Groupe ne changeront pas pour les abonnements récurrents d'1 mois. Vous recevrez un Sablier Mystique au début de chaque mois et le nombre de Gemmes que vous pourrez acheter tous les mois au Marché augmentera de 2 jusqu'à atteindre la limite de 50.",
"webFaqAnswer67": "Les classes correspondent aux différents rôles que votre personnage peut incarner. Chaque classe dispose d'un ensemble unique d'avantages et de capacités disponibles en montant de niveau. Ces capacités correspondent à la façon dont vous gérez vos tâches ou au soutien que vous proposerez lors des Quêtes de votre Équipe.\n\nVotre classe détermine également l'Équipement que vous pourrez acquérir dans vos Récompenses, au Marché et dans la Boutique Saisonnière.\n\nVoici une description de chaque classe afin de vous aider à choisir laquelle correspond le mieux à votre façon de jouer :\n#### **Guerri·er·ère** :\n* Les Guerri·er·ère·s font de gros dégâts aux boss et ont de bonnes chances de faire des dégâts critiques quand il·elle·s accomplissent leurs tâches, obtenant ainsi plus d'Expérience et d'Or.\n* La Force est leur statistique principale, augmentant les dégâts infligés.\n* La Constitution est leur statistique secondaire, réduisant les dommages reçus.\n* Les compétences des Guerri·er·ère·s permettent d'augmenter la Constitution et la Force des allié·e·s de leur Équipe.\n* Vous pouvez choisir cette classe si vous aimez combattre des boss mais souhaitez rester protégé·e si vous n'accomplissez pas quelques tâches.\n#### **Guérisseu·r·se**\n* Les Guérisseu·r·se·s se spécialisent dans la défense et peuvent se soigner ainsi que les allié·e·s de leur Équipe.\n* La Constitution est leur statistique principale, augmentant leurs soins et diminuant les dommages reçus.\n* L'Intelligence est leur statistique secondaire, augmentant leur Mana et Expérience.\n* Les compétences des Guérisseu·r·se·s permettent de rendre leurs tâches moins rouge et d'augmenter la Constitution des allié·e·s de leur Équipe.\n* Vous pouvez choisir cette classe s'il vous arrive de ne pas accomplir toutes vos tâches et avez besoin de vous soigner, ou les membres de votre Équipe. Les Guérisseu·r·se·s montent également plus vite en niveau.\n#### **Mage**\n* Les Mages montent rapidement en niveau, gagnent beaucoup de Mana and font des dégâts aux boss de Quêtes.\n* L'Intelligence est leur statistique principale, augmentant leur Mana et Expérience.\n* La Perception est leur statistique secondaire, augmentant leurs chances d'obtenir de l'Or et des objets.\n* Les compétences des Mages gèlent leurs combos de tâches, restaure la mana des allié·e·s de leur Équipe, et augmente leur Intelligence.\n* Vous pouvez choisir cette classe si vous souhaitez monter rapidement en niveau tout en faisant des dégâts aux boss de Quêtes.\n#### **Voleu·r·se**\n* Les Voleu·r·se·s obtiendront plus d'Or et d'objets en accomplissant leurs tâches, et ont de grandes chances d'asséner des coups critiques leur permettant d'obtenir plus d'Expérience et d'Or.\n* La Perception est leur statistique principale, augmentant leurs chances d'obtenir de l'Or et des objets.\n* La Force est leur statistique secondaire, augmentant les dégâts infligés.\n* Les compétences des Voleu·r·se·s leur permettent d'éviter les Quotidiennes non-accomplies, voler de l'Or, et augmenter la Perception des allié·e·s de leur Équipe.\n* Vous pouvez choisir cette classe si vous êtes motivé·e·s par les récompenses.",
"faqQuestion67": "À quoi correspondent les classes dans Habitica ?",
"faqQuestion68": "Comment puis-je éviter de perdre des PV ?",
"webFaqAnswer68": "Si vous perdez souvent des PV, voici quelques conseils :\n\n- Mettez vos Quotidiennes en pause. L'option \"Désactiver les Dégâts\" dans les paramètres vous permettra de ne plus perdre de PV si vous n'accomplissez pas vos quotidiennes.\n- Ajustez le planning de vos Quotidiennes. Si vous ne renseignez pas de répétitions, vous pourrez les accomplir sans risquer la perte de PV.\n- Utilisez les talents de classe :\n\t- Les Voleu·r·se·s peuvent lancer Furtivité pour ne pas prendre les dégâts des Quotidiennes manquées\n\t- Les Guerri·er·ère·s peuvent lancer Frappe Brutale pour que la Quotidienne ne soit plus dans le rouge, baissant ainsi les dégâts causés\n\t- Les Guérisseu·r·se·s peuvent lancer Éclat Brûlant pour que la Quotidienne ne soit plus dans le rouge, baissant ainsi les dégâts causés"
"faqQuestion67": "À quoi correspondent les classes dans Habitica ?"
}

View File

@@ -132,7 +132,7 @@
"invalidReqParams": "Paramètres de la requête invalides.",
"memberIdRequired": "\"member\" doit être un UUID valide.",
"heroIdRequired": "\"heroId\" doit être un UUID valide.",
"cannotFulfillReq": "Cette adresse mail est déjà utilisée. Essayez de vous connecter avec celle-ci ou d'entrer une nouvelle adresse mail pour vous enregistrer. Si vous rencontrez des difficultés, merci de nous contacter à admin@habitica.com.",
"cannotFulfillReq": "Merci d'entrer une adresse email valide. Contactez admin@habitica.com si cette erreur persiste",
"modelNotFound": "Ce modèle n'existe pas.",
"signUpWithSocial": "Continuer via <%= social %>",
"loginWithSocial": "Connexion via <%= social %>",

View File

@@ -138,13 +138,13 @@
"weaponSpecialSummerHealerText": "Baguette des bas-fonds",
"weaponSpecialSummerHealerNotes": "Cette baguette d'aigue-marine et de corail vivant est très attrayante pour les bancs de poissons. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lété 2014.",
"weaponSpecialFallRogueText": "Pieu en argent",
"weaponSpecialFallRogueNotes": "Liquide les mort·e·s-vivant·e·s. Accorde aussi un bonus contre les lou·p·ve-garous, parce qu'on n'est jamais trop prudent·e. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2014.",
"weaponSpecialFallRogueNotes": "Liquide les morts-vivants. Accorde aussi un bonus contre les loup-garous, parce qu'on n'est jamais trop prudent. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2014.",
"weaponSpecialFallWarriorText": "Pince avide de science",
"weaponSpecialFallWarriorNotes": "Cette pince avide est à la pointe de la technologie. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2014.",
"weaponSpecialFallWarriorNotes": "Cette pince avide est à la pointe de la technologie. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2014.",
"weaponSpecialFallMageText": "Balai magique",
"weaponSpecialFallMageNotes": "Ce balai enchanté vole plus vite que les dragons ! Augmente l'Intelligence de <%= int %> et la Perception de <%= per %>. Équipement Édition Limitée Automne 2014.",
"weaponSpecialFallMageNotes": "Ce balai enchanté vole plus vite que les dragons ! Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de l'automne 2014.",
"weaponSpecialFallHealerText": "Baguette de scarabée",
"weaponSpecialFallHealerNotes": "Le scarabée qui orne cette baguette protège et guérit son porteur. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2014.",
"weaponSpecialFallHealerNotes": "Le scarabée qui orne cette baguette protège et guérit son porteur. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2014.",
"weaponSpecialWinter2015RogueText": "Stalagmite gelé",
"weaponSpecialWinter2015RogueNotes": "Vous venez vraiment, sérieusement, absolument, de les ramasser par terre. Augmente la force de <%= str %>. Équipement en édition limitée de l'hiver 2014-2015.",
"weaponSpecialWinter2015WarriorText": "Épée gélatineuse",
@@ -170,13 +170,13 @@
"weaponSpecialSummer2015HealerText": "Baguette des vagues",
"weaponSpecialSummer2015HealerNotes": "Guérit le mal de mer et le mal des mers ! Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lété 2015.",
"weaponSpecialFall2015RogueText": "Hache de bat-aille",
"weaponSpecialFall2015RogueNotes": "Même les Tâches les plus redoutables s'enfuient devant le battement d'ailes de cette hache. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2015.",
"weaponSpecialFall2015RogueNotes": "De redoutables tâches s'enfuient devant le battement d'ailes de cette hache. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2015.",
"weaponSpecialFall2015WarriorText": "Planche de bois",
"weaponSpecialFall2015WarriorNotes": "Parfait pour surélever quelque chose dans un champ de maïs et/ou frapper les tâches. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2015.",
"weaponSpecialFall2015WarriorNotes": "Parfait pour surélever quelque chose dans un champ de maïs et/ou frapper les tâches. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2015.",
"weaponSpecialFall2015MageText": "Fil enchanté",
"weaponSpecialFall2015MageNotes": "Une puissante Sorcière Couturière peut contrôler ce fil enchanté sans même le toucher ! Augmente l'Intelligence de <%= int %> et la perception de <%= per %>. Équipement Édition Limitée Automne 2015.",
"weaponSpecialFall2015MageNotes": "Une puissante Sorcière couturière peut contrôler ce fil enchanté sans même le toucher ! Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de l'automne 2015.",
"weaponSpecialFall2015HealerText": "Potion de bave des marais",
"weaponSpecialFall2015HealerNotes": "Brassée à la perfection ! Vous n'avez à présent plus qu'à vous convaincre de la boire. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2015.",
"weaponSpecialFall2015HealerNotes": "Brassée à la perfection ! Vous n'avez à présent plus qu'à vous convaincre de la boire. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2015.",
"weaponSpecialWinter2016RogueText": "Chocolat chaud",
"weaponSpecialWinter2016RogueNotes": "Boisson chaude ou projectile bouillant ? C'est votre choix... Augmente la force de <%= str %>. Équipement en édition limitée de l'hiver 2015-2016.",
"weaponSpecialWinter2016WarriorText": "Pelle robuste",
@@ -202,13 +202,13 @@
"weaponSpecialSummer2016HealerText": "Trident de guérison",
"weaponSpecialSummer2016HealerNotes": "Une pointe fait du mal, l'autre guérit. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lété 2016.",
"weaponSpecialFall2016RogueText": "Dague de morsure d'araignée",
"weaponSpecialFall2016RogueNotes": "Sentez la douleur de la morsure de l'araignée ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2016.",
"weaponSpecialFall2016RogueNotes": "Sentez la piqûre de la morsure de l'araignée ! Augmente la force de <%= str %>. Équipement en édition limitée de lautomne 2016.",
"weaponSpecialFall2016WarriorText": "Racines offensives",
"weaponSpecialFall2016WarriorNotes": "Attaquez vos tâches avec ces racines tortueuses ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2016.",
"weaponSpecialFall2016WarriorNotes": "Attaquez vos tâches avec ces racines tortueuses ! Augmente la force de <%= str %>. Équipement en édition limitée de lautomne 2016.",
"weaponSpecialFall2016MageText": "Orbe de mauvais augure",
"weaponSpecialFall2016MageNotes": "Ne demandez pas à cet orbe de vous dire votre avenir... Augmente l'Intelligence de <%= int %> et la Perception de <%= per %>. Équipement Édition Limitée Automne 2016.",
"weaponSpecialFall2016MageNotes": "Ne demandez pas à cet orbe de vous dire votre avenir... Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de lautomne 2016.",
"weaponSpecialFall2016HealerText": "Serpent venimeux",
"weaponSpecialFall2016HealerNotes": "Une morsure blesse, une autre soigne. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2016.",
"weaponSpecialFall2016HealerNotes": "Une morsure blesse, une autre soigne. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lautomne 2016.",
"weaponSpecialWinter2017RogueText": "Piolet",
"weaponSpecialWinter2017RogueNotes": "Ce piolet est idéal pour attaquer, se défendre et pour escalader des cascades de glace ! Augmente la force de <%= str %>. Équipement en édition limitée de l'hiver 2016-2017.",
"weaponSpecialWinter2017WarriorText": "Bâton de puissance",
@@ -234,13 +234,13 @@
"weaponSpecialSummer2017HealerText": "Baguette de perle",
"weaponSpecialSummer2017HealerNotes": "Un simple contact de cette baguette magique surmontée d'une perle guérit toutes les plaies. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'été 2017.",
"weaponSpecialFall2017RogueText": "Masse en pomme d'amour",
"weaponSpecialFall2017RogueNotes": "Terrassez vos ennemis par la douceur ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2017.",
"weaponSpecialFall2017RogueNotes": "Terrassez vos ennemis par la douceur ! Augmente la force de <%= str %>. Équipement en édition limitée de lautomne 2017.",
"weaponSpecialFall2017WarriorText": "Lance en sucre d'orge",
"weaponSpecialFall2017WarriorNotes": "Tou·te·s vos ennemi·e·s vont battre en retraite devant cette lance appétissante, qu'il s'agisse de fantômes, de monstres ou de Tâches. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2017.",
"weaponSpecialFall2017WarriorNotes": "Tous vos ennemis vont battre en retraite devant cette lance appétissante, qu'importe qu'il s'agisse de fantômes, de monstres ou de tâches. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2017.",
"weaponSpecialFall2017MageText": "Bâton effrayant",
"weaponSpecialFall2017MageNotes": "La magie et le mystère irradient des yeux du crâne brillant à l'extrémité de ce bâton. Augmente l'Intelligence de <%= int %> et la Perception de <%= per %>. Équipement Édition Limitée Automne 2017.",
"weaponSpecialFall2017MageNotes": "La magie et le mystère irradient des yeux du crâne brillant à l'extrémité de ce bâton. Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de l'automne 2017.",
"weaponSpecialFall2017HealerText": "Candélabre horrifique",
"weaponSpecialFall2017HealerNotes": "Cette lumière désamorce la peur et fait savoir aux autres que vous êtes là pour les aider. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2017.",
"weaponSpecialFall2017HealerNotes": "Cette lumière désamorce la peur et fait savoir aux autres que vous êtes là pour les aider. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2017.",
"weaponSpecialWinter2018RogueText": "Crochet menthe poivrée",
"weaponSpecialWinter2018RogueNotes": "Parfait pour grimper les murs ou distraire vos ennemis avec des bonbons tout doux. Augmente la force de <%= str %>. Équipement en édition limitée de l'hiver 2017-2018.",
"weaponSpecialWinter2018WarriorText": "Marteau de fête à nœud",
@@ -266,13 +266,13 @@
"weaponSpecialSummer2018HealerText": "Trident de Sirène Monarque",
"weaponSpecialSummer2018HealerNotes": "D'un geste bienveillant, vous commandez aux eaux revigorantes de couler en vagues à travers votre équipement. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'été 2018.",
"weaponSpecialFall2018RogueText": "Fiole de clarté",
"weaponSpecialFall2018RogueNotes": "Quand vous avez besoin de revenir à la raison, quand vous avez besoin d'un petit coup de pouce, prenez une grande inspiration et une gorgée. Ça va aller ! Augmente la Force de<%= str %>. Équipement Édition Limitée Automne .",
"weaponSpecialFall2018RogueNotes": "Quand vous avez besoin de revenir à la raison, quand vous avez besoin d'un petit coup de pouce, prenez une grande inspiration et une gorgée. Ça va aller ! Augmente la force de<%= str %>. Équipement d'Automne en édition limitée 2018.",
"weaponSpecialFall2018WarriorText": "Fouet de Minos",
"weaponSpecialFall2018WarriorNotes": "Pas vraiment assez long pour se dérouler derrière vous afin de vous aider à trouver votre chemin dans un labyrinthe. Enfin, peut-être dans un très petit labyrinthe. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2018.",
"weaponSpecialFall2018WarriorNotes": "Pas vraiment assez long pour se dérouler derrière vous et vous aider à trouver votre chemin dans un labyrinthe. Enfin, peut-être dans un très petit labyrinthe. Augmente la force de <%= str %>. Équipement d'Automne en édition limitée 2018.",
"weaponSpecialFall2018MageText": "Bâton du Délice",
"weaponSpecialFall2018MageNotes": "C'est loin d'être une sucette ordinaire ! L'orbe rougeoyante de sucre magique perchée en haut de ce bâton possède le pouvoir de vous coller des bonnes habitudes. Augmente l'Intelligence de <%= int %> et la perception de <%= per %>. Équipement Édition Limitée Automne 2018.",
"weaponSpecialFall2018MageNotes": "C'est loin d'être une sucette ordinaire ! L'orbe rougeoyante de sucre magique perchée en haut de ce bâton possède le pouvoir de coller les bonnes habitudes à vous. Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement d'Automne en édition limitée 2018.",
"weaponSpecialFall2018HealerText": "Bâton glouton",
"weaponSpecialFall2018HealerNotes": "Il suffit de nourrir ce bâton, et celui-ci accordera des bénédictions. Si vous oubliez de le nourrir, attention à vos doigts. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2018.",
"weaponSpecialFall2018HealerNotes": "Il suffit de nourrir ce bâton, et celui-ci accordera des bénédictions. Si vous oubliez de le nourrir, attention à vos doigts. Augmente l'intelligence de <%= int %>. Équipement d'Automne en édition limitée 2018.",
"weaponSpecialWinter2019RogueText": "Bouquet de poinsettia",
"weaponSpecialWinter2019RogueNotes": "Utilisez ce bouquet festif pour vous camoufler encore mieux, ou pour l'offrir et égayer la journée d'un ami. Augmente la force de <%= str %>. Équipement en édition limitée de l'hiver 2018-2019.",
"weaponSpecialWinter2019WarriorText": "Hallebarde flocon-de-neige",
@@ -492,13 +492,13 @@
"armorSpecialSummerHealerText": "Nageoire de poissoigneur",
"armorSpecialSummerHealerNotes": "Cet habit d'écailles scintillantes transforme son porteur en véritable Poissoigneur ! Augmente la constitution de <%= con %>. Équipement en édition limitée de lété 2014.",
"armorSpecialFallRogueText": "Tunique rouge sang",
"armorSpecialFallRogueNotes": "Vive. Veloutée. Vampirique. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2014.",
"armorSpecialFallRogueNotes": "Vive. Veloutée. Vampirique. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2014.",
"armorSpecialFallWarriorText": "Blouse de labo de science",
"armorSpecialFallWarriorNotes": "Vous protège des éclaboussures de potions mystérieuses. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2014.",
"armorSpecialFallWarriorNotes": "Vous protège des éclaboussures de potions mystérieuses. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2014.",
"armorSpecialFallMageText": "Robes de sorcière",
"armorSpecialFallMageNotes": "Cette robe dispose de nombreuses poches pour stocker un supplément d'yeux de tritons et de langues de grenouille. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2014.",
"armorSpecialFallMageNotes": "Cette robe dispose de nombreuses poches pour stocker un supplément d'yeux de tritons et de langues de grenouille. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2014.",
"armorSpecialFallHealerText": "Armure de gaze",
"armorSpecialFallHealerNotes": "Jetez-vous dans la mêlée en ayant déjà des bandages sur le corps ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2014.",
"armorSpecialFallHealerNotes": "Jetez-vous dans la mêlée en ayant déjà des bandages sur le corps ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2014.",
"armorSpecialWinter2015RogueText": "Armure de guivre-givre",
"armorSpecialWinter2015RogueNotes": "Cette armure est gelée, mais il ne fait aucun doute qu'elle en vaudra la chandelle, quand les richesses enfouies dans les tréfonds des cavernes des guivres-givres s'offriront à vous. Non pas que vous convoitiez ces richesses inouïes non bien-sûr! car vous êtes vraiment, sérieusement, absolument une guivre-givre, n'est-ce pas?! Arrêtez de poser des questions! Augmente la perception de <%= per %>. Équipement en édition limitée de l'hiver 2014-2015.",
"armorSpecialWinter2015WarriorText": "Armure en pain dépice",
@@ -524,13 +524,13 @@
"armorSpecialSummer2015HealerText": "Armure de matelot",
"armorSpecialSummer2015HealerNotes": "Cette armure montre à tout le monde que vous êtes un honnête marchand maritime qui ne se comporterait jamais en voyou. Même pas en rêve ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'été 2015.",
"armorSpecialFall2015RogueText": "Armure de bat-aille",
"armorSpecialFall2015RogueNotes": "Volez vers la batte-aïe ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2015.",
"armorSpecialFall2015RogueNotes": "Volez vers la bat-aille ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2015.",
"armorSpecialFall2015WarriorText": "Armure d'épouvantail",
"armorSpecialFall2015WarriorNotes": "Bien qu'elle soit bourrée de paille, cette armure est extrêmement résistante! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2015.",
"armorSpecialFall2015WarriorNotes": "Bien qu'elle soit bourrée de paille, cette armure est extrêmement résistante! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2015.",
"armorSpecialFall2015MageText": "Robe rapiécée",
"armorSpecialFall2015MageNotes": "Chaque couture de cette armure scintille d'un enchantement. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2015.",
"armorSpecialFall2015MageNotes": "Chaque couture de cette armure scintille d'un enchantement. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2015.",
"armorSpecialFall2015HealerText": "Robe d'alchimiste",
"armorSpecialFall2015HealerNotes": "Quoi ? Mais bien sûr que c'était une potion de constitution. Non, vous n'êtes sûrement pas en train de vous transformer en grenouille ! Qu'est-ce que vous allez croa-re. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2015.",
"armorSpecialFall2015HealerNotes": "Quoi ? Mais bien sûr que c'était une potion de constitution. Non, vous n'êtes sûrement pas en train de vous transformer en grenouille ! Allons, c'est ridicule. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2015.",
"armorSpecialWinter2016RogueText": "Armure cacao",
"armorSpecialWinter2016RogueNotes": "Cette armure de cuir vous garde bien au chaud. Est-elle réellement faite de cacao ? Vous ne saurez dire. Augmente la perception de <%= per %>. Équipement en édition limitée de l'hiver 2015-2016.",
"armorSpecialWinter2016WarriorText": "Équipement de bonhomme de neige",
@@ -556,13 +556,13 @@
"armorSpecialSummer2016HealerText": "Queue d'hippocampe",
"armorSpecialSummer2016HealerNotes": "Cet habit piquant transforme son porteur en véritable guérisseur hippocampe ! Augmente la constitution de <%= con %>. Équipement en édition limitée de lété 2016.",
"armorSpecialFall2016RogueText": "Armure de veuve-noire",
"armorSpecialFall2016RogueNotes": "Les yeux sur cette armure clignent en permanence. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2016.",
"armorSpecialFall2016RogueNotes": "Les yeux sur cette armure clignent en permanence. Augmente la perception de <%= per %>. Équipement en édition limitée de lautomne 2016.",
"armorSpecialFall2016WarriorText": "Armure gluante",
"armorSpecialFall2016WarriorNotes": "Mystérieusement humide et moussue ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2016.",
"armorSpecialFall2016WarriorNotes": "Mystérieusement humide et moussue ! Augmente la constitution de <%= con %>. Équipement en édition limitée de lautomne 2016.",
"armorSpecialFall2016MageText": "Cape de malice",
"armorSpecialFall2016MageNotes": "Quand votre cape vole, vous entendez des ricanements. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2016.",
"armorSpecialFall2016MageNotes": "Quand votre cape vole, vous entendez des ricanements. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lautomne 2016.",
"armorSpecialFall2016HealerText": "Robe de gorgone",
"armorSpecialFall2016HealerNotes": "Ces robes sont en réalité faites de pierre. Comment peuvent-elles être si confortables ? Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2016.",
"armorSpecialFall2016HealerNotes": "Ces robes sont en réalité faites de pierre. Comment peuvent-elles être si confortable ? Augmente la constitution de <%= con %>. Équipement en édition limitée de lautomne 2016.",
"armorSpecialWinter2017RogueText": "Armure givrée",
"armorSpecialWinter2017RogueNotes": "Ce costume furtif reflète la lumière et éblouit les tâches sans méfiance tandis que vous obtenez d'elles vos justes récompenses ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'hiver 2016-2017.",
"armorSpecialWinter2017WarriorText": "Armure de hockey sur glace",
@@ -588,13 +588,13 @@
"armorSpecialSummer2017HealerText": "Nageoire des mers d'argent",
"armorSpecialSummer2017HealerNotes": "Ce vêtement fait d'écailles argentées transforme son porteur en véritable guérisseur des mers ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'été 2017.",
"armorSpecialFall2017RogueText": "Tunique champ-de-citrouilles",
"armorSpecialFall2017RogueNotes": "Besoin de passer incognito ? Rampez parmi les lanternes citrouilles et cette tunique vous cachera ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2017.",
"armorSpecialFall2017RogueNotes": "Besoin de passer incognito ? Rampez parmi les lanternes citrouilles et cette tunique vous cachera ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2017.",
"armorSpecialFall2017WarriorText": "Armure solide et sucrée",
"armorSpecialFall2017WarriorNotes": "Cette armure vous protégera comme une délicieuse coquille de sucre. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2017.",
"armorSpecialFall2017WarriorNotes": "Cette armure vous protégera comme une délicieuse coquille de sucre. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2017.",
"armorSpecialFall2017MageText": "Tunique de mascarade",
"armorSpecialFall2017MageNotes": "Quelle bal masqué serait réussi sans cette large tunique dramatique ? Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2017.",
"armorSpecialFall2017MageNotes": "Quelle mascarade serait complète sans cette large tunique dramatique ? Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2017.",
"armorSpecialFall2017HealerText": "Armure de maison hantée",
"armorSpecialFall2017HealerNotes": "Votre cœur est une porte ouverte. Et vos épaules sont des tuiles ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2017.",
"armorSpecialFall2017HealerNotes": "Votre cœur est une porte ouverte. Et vos épaules sont des tuiles ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2017.",
"armorSpecialWinter2018RogueText": "Costume de renne",
"armorSpecialWinter2018RogueNotes": "Avec votre air mignon et duveteux, qui pourrait vous suspecter après le pillage des fêtes ? Augmente la perception de <%= per %>. Équipement en édition limitée de l'hiver 2017-2018.",
"armorSpecialWinter2018WarriorText": "Armure en papier cadeau",
@@ -620,13 +620,13 @@
"armorSpecialSummer2018HealerText": "Robes de sirène monarque",
"armorSpecialSummer2018HealerNotes": "Ces robes céruléennes révèles que vous avez des pieds terrestres... certes. Même un monarque peut ne pas être parfait. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'été 2018.",
"armorSpecialFall2018RogueText": "Redingote Alter Ego",
"armorSpecialFall2018RogueNotes": "Du style pendant la journée, du confort et de la protection pendant la nuit. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2018.",
"armorSpecialFall2018RogueNotes": "Du style pendant la journée, du confort et de la protection pendant la nuit. Augmente la perception de <%= per %>. Équipement d'automne en édition limitée 2018.",
"armorSpecialFall2018WarriorText": "Côte de mailles minotaure",
"armorSpecialFall2018WarriorNotes": "Elle inclut des sabots pour tambouriner une cadence apaisante tandis que vous parcourez votre labyrinthe méditatif. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne .",
"armorSpecialFall2018WarriorNotes": "Elle inclut des sabots pour tambouriner une cadence apaisante tandis que vous parcourez votre labyrinthe méditatif. Augmente la constitution de <%= con %>. Équipement d'automne en édition limitée 2018.",
"armorSpecialFall2018MageText": "Habits de sucromancien",
"armorSpecialFall2018MageNotes": "Des bonbons magiques sont tissés dans l'étoffe même de cette tunique. Par contre, nous vous recommandons de ne pas chercher à les manger. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2018.",
"armorSpecialFall2018MageNotes": "Des bonbons magiques sont tissés dans l'étoffe même de cette tunique. Par contre, nous vous recommandons de ne pas chercher à les manger. Augmente l'intelligence de <%= int %>. Équipement d'automne en édition limitée 2018.",
"armorSpecialFall2018HealerText": "Habits de carnivorie",
"armorSpecialFall2018HealerNotes": "Elle est constituée de plantes, mais ça ne veut pas dire qu'elle est végétarienne. Les mauvaises habitudes ont peur d'approcher à moins d'un kilomètre de cette tunique. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2018.",
"armorSpecialFall2018HealerNotes": "Elle est constituée de plantes, mais ça ne veut pas dire qu'elle est végétarienne. Les mauvaises habitudes ont peur d'approcher à moins d'un kilomètre de cette tunique. Augmente la constitution de <%= con %>. Équipement d'automne en édition limitée 2018.",
"armorSpecialWinter2019RogueText": "Armure de poinsettia",
"armorSpecialWinter2019RogueNotes": "Avec la verdure des fêtes, personne ne remarquera la présence d'un arbuste supplémentaire ! Vous pouvez vous déplacer à travers les rassemblements saisonniers avec aisance et furtivité. Augmente la perception de <%= per %>. Équipement en édition limitée de l'hiver 2018-2019.",
"armorSpecialWinter2019WarriorText": "Armure glaciale",
@@ -924,13 +924,13 @@
"headSpecialSummerHealerText": "Couronne de corail",
"headSpecialSummerHealerNotes": "Permet à son porteur de régénérer les récifs endommagés. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lété 2014.",
"headSpecialFallRogueText": "Capuche rouge sang",
"headSpecialFallRogueNotes": "L'identité d'un·e Chasseu·r·se de Vampire doit toujours demeurer secrète. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2014.",
"headSpecialFallRogueNotes": "L'identité d'un chasseur de vampire doit toujours demeurer secrète. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2014.",
"headSpecialFallWarriorText": "Scalp monstrueux de science",
"headSpecialFallWarriorNotes": "Greffez-vous ce heaume ! Il n'a que TRÈS PEU servi. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2014.",
"headSpecialFallWarriorNotes": "Greffez-vous ce heaume ! Il n'a que TRÈS PEU servi ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2014.",
"headSpecialFallMageText": "Chapeau à pointe",
"headSpecialFallMageNotes": "La magie imprègne chaque fil de ce chapeau. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2014.",
"headSpecialFallMageNotes": "La magie imprègne chaque fil de ce chapeau. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2014.",
"headSpecialFallHealerText": "Bandages pour tête",
"headSpecialFallHealerNotes": "Hautement hygiénique tout en restant à la mode. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2014.",
"headSpecialFallHealerNotes": "Hautement hygiénique tout en restant à la mode. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2014.",
"headSpecialNye2014Text": "Chapeau pointu rigolo",
"headSpecialNye2014Notes": "Vous avez reçu un chapeau pointu rigolo ! Portez-le avec fierté en célébrant le Nouvel an ! Ne confère aucun bonus.",
"headSpecialWinter2015RogueText": "Masque de guivre-givre",
@@ -958,13 +958,13 @@
"headSpecialSummer2015HealerText": "Bonnet de matelot",
"headSpecialSummer2015HealerNotes": "Avec votre bonnet de matelot résolument vissé sur la tête, vous pouvez naviguer même sur les mers déchaînées ! Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lété 2015.",
"headSpecialFall2015RogueText": "Ailes de bat-aille",
"headSpecialFall2015RogueNotes": "Trouvez vos ennemi·e·s par écholocalisation avec ce heaume puissant ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2015.",
"headSpecialFall2015RogueNotes": "Trouvez vos ennemis par écholocation avec ce heaume puissant ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2015.",
"headSpecialFall2015WarriorText": "Chapeau d'épouvantail",
"headSpecialFall2015WarriorNotes": "Tout le monde voudrait ce chapeau si seulement il·elle·s avaient un cerveau. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2015.",
"headSpecialFall2015WarriorNotes": "Tout le monde voudrait ce chapeau -- si seulement ils avaient un cerveau! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2015.",
"headSpecialFall2015MageText": "Chapeau rapiécé",
"headSpecialFall2015MageNotes": "Chaque couture dans ce chapeau augmente sa puissance. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2015.",
"headSpecialFall2015MageNotes": "Chaque couture dans ce chapeau augmente sa puissance. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2015.",
"headSpecialFall2015HealerText": "Chapeau de grenouille",
"headSpecialFall2015HealerNotes": "C'est un chapeau extrêmement sérieux, digne seulement d'un·e alchimiste expérimenté·e. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2015.",
"headSpecialFall2015HealerNotes": "C'est un chapeau extrêmement sérieux, digne seulement de l'un des faiseurs de potions les plus avancés. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2015.",
"headSpecialNye2015Text": "Chapeau pointu ridicule",
"headSpecialNye2015Notes": "Vous avez reçu un chapeau pointu ridicule ! Portez-le avec fierté en célébrant le Nouvel an ! Ne confère aucun bonus.",
"headSpecialWinter2016RogueText": "Heaume-cacao",
@@ -992,13 +992,13 @@
"headSpecialSummer2016HealerText": "Heaume d'hippocampe",
"headSpecialSummer2016HealerNotes": "Ce casque indique que son porteur a été entraîné par les hippocampes guérisseurs magiques de Dilatoire. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de lété 2016.",
"headSpecialFall2016RogueText": "Heaume de veuve-noire",
"headSpecialFall2016RogueNotes": "Les pattes sur ce heaume tremblent constamment. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2016.",
"headSpecialFall2016RogueNotes": "Les pattes sur ce heaume tremblent constamment. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2016.",
"headSpecialFall2016WarriorText": "Heaume en écorce noueuse",
"headSpecialFall2016WarriorNotes": "Ce heaume détrempé par les marécages est couvert de morceaux de tourbe. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2016.",
"headSpecialFall2016WarriorNotes": "Ce heaume détrempé par les marécages est couvert de morceaux de tourbe. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2016.",
"headSpecialFall2016MageText": "Capuche de malice",
"headSpecialFall2016MageNotes": "Dissimulez vos complots sous cette capuche sombre. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2016.",
"headSpecialFall2016MageNotes": "Dissimulez vos complots sous cette capuche sombre. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2016.",
"headSpecialFall2016HealerText": "Couronne de méduse",
"headSpecialFall2016HealerNotes": "Malheur à toute personne qui osera vous regarder dans les yeux... Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2016.",
"headSpecialFall2016HealerNotes": "Malheur à toute personne qui osera vous regarder dans les yeux... Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2016.",
"headSpecialNye2016Text": "Chapeau pointu fantasque",
"headSpecialNye2016Notes": "Vous avez reçu un chapeau pointu fantasque ! Portez-le avec fierté en célébrant le Nouvel an ! Ne confère aucun bonus.",
"headSpecialWinter2017RogueText": "Heaume givré",
@@ -1026,13 +1026,13 @@
"headSpecialSummer2017HealerText": "Couronne de créatures marines",
"headSpecialSummer2017HealerNotes": "Ce casque est fait de créatures marines amicales qui se reposent temporairement sur votre tête, vous donnant de sages conseils. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'été 2017.",
"headSpecialFall2017RogueText": "Heaume de citrouille d'Habitoween",
"headSpecialFall2017RogueNotes": "Prêt·e pour les surprises ? Il est temps d'utiliser ce casque festif et brillant ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2017.",
"headSpecialFall2017RogueNotes": "Prêt pour les surprises ? Il est temps d'utiliser ce casque festif et luisant ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2017.",
"headSpecialFall2017WarriorText": "Casque en sucre d'orge",
"headSpecialFall2017WarriorNotes": "Ce casque pourrait être un régal, mais les tâches rebelles ne le trouveront pas si doux ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2017.",
"headSpecialFall2017WarriorNotes": "Ce casque pourrait être un régal, mais les tâches rebelles ne le trouveront pas si doux ! Augmente la force de <%= str %> Équipement d'automne 2017 en édition limitée.",
"headSpecialFall2017MageText": "Heaume de mascarade",
"headSpecialFall2017MageNotes": "Lorsque vous apparaîtrez avec ce chapeau à plumes, tout le monde cherchera à deviner l'identité de cet·te inconnu·e magique ! Augmente la perception de <%= per %>. Équipement Édition Limitée Automne 2017.",
"headSpecialFall2017MageNotes": "Lorsque vous apparaîtrez avec ce chapeau à plumes, tout le monde cherchera l'identité de cet inconnu sorcier qui vient d'arriver. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2017.",
"headSpecialFall2017HealerText": "Heaume de maison hantée",
"headSpecialFall2017HealerNotes": "Invitez des esprits effrayants et des créatures amicales à solliciter vos pouvoirs régénérateurs dans ce heaume ! Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2017.",
"headSpecialFall2017HealerNotes": "Invitez des esprits effrayants et des créatures amicales à solliciter vos pouvoirs régénérateurs dans ce heaume ! Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2017.",
"headSpecialNye2017Text": "Chapeau de soirée fantaisiste",
"headSpecialNye2017Notes": "Vous avez reçu un chapeau de soirée fantaisiste ! Portez-le avec fierté en levant votre verre à cette nouvelle année ! Ne confère aucun bonus.",
"headSpecialWinter2018RogueText": "Heaume de renne",
@@ -1060,13 +1060,13 @@
"headSpecialSummer2018HealerText": "Couronne de Sirène Monarque",
"headSpecialSummer2018HealerNotes": "Orné d'aigues-marines, ce fin diadème marque l'autorité sur les gens, les poissons, et celles et ceux qui sont un peu des deux ! Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'été 2018.",
"headSpecialFall2018RogueText": "Visage Alter Ego",
"headSpecialFall2018RogueNotes": "La plupart des gens préfèrent cacher leurs conflits internes. Ce masque montre que tout le monde vit des tensions entre ses pulsions de bien et de mal. En plus, un chapeau super cool est inclus ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2018.",
"headSpecialFall2018RogueNotes": "La plupart des gens préfèrent cacher leurs luttes intérieures. Ce masque montre que tout le monde vit des tensions entre ses pulsions de bien et de mal. Et en plus un chapeau super cool est inclus ! Augmente la perception de <%= per %>. Équipement d'automne en édition limitée 2018.",
"headSpecialFall2018WarriorText": "Visage du minotaure",
"headSpecialFall2018WarriorNotes": "Ce masque effrayant montre que vous pouvez vraiment prendre vos tâches par les cornes ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2018.",
"headSpecialFall2018WarriorNotes": "Ce masque effrayant montre que vous pouvez vraiment prendre vos tâches par les cornes ! Augmente la force de <%= str %>. Équipement en édition limitée de lautomne 2018.",
"headSpecialFall2018MageText": "Chapeau de sucromancien",
"headSpecialFall2018MageNotes": "Ce chapeau pointu est imprégné de puissants sortilèges sucrés. Attention, s'il est mouillé, il pourrait coller ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2018.",
"headSpecialFall2018MageNotes": "Ce chapeau pointu est imprégné de puissants sortilèges sucrés. Attention, s'il se mouille il pourrait coller ! Augmente la perception de <%= per %>. Équipement d'automne en édition limitée 2018.",
"headSpecialFall2018HealerText": "Heaume vorace",
"headSpecialFall2018HealerNotes": "Ce heaume est façonné à partir d'une plante carnivore rendue célèbre par sa capacité à se débarrasser de zombies et d'autres nuisances. Faites seulement attention à ce qu'elle ne mâchouille pas votre tête. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2018.",
"headSpecialFall2018HealerNotes": "Ce heaume est façonné à partir d'une plante carnivore rendue célèbre par sa capacité à se débarrasser de zombies et d'autres nuisances. Faites seulement attention à ce qu'elle ne mâchouille pas votre tête. Augmente l'intelligence de <%= int %>. Équipement d'automne en édition limitée 2018.",
"headSpecialNye2018Text": "Chapeau de fête farfelu",
"headSpecialNye2018Notes": "Vous avez reçu un chapeau de fête farfelu ! Portez-le avec fierté en fêtant la nouvelle année ! Ne confère aucun bonus.",
"headSpecialWinter2019RogueText": "Casque de poisettia",
@@ -1325,9 +1325,9 @@
"shieldSpecialSummerHealerText": "Bouclier des bas-fonds",
"shieldSpecialSummerHealerNotes": "Personne n'osera s'en prendre au récif corallien, confronté à cet étincelant bouclier ! Augmente la constitution de <%= con %>. Équipement en édition limitée de lété 2014.",
"shieldSpecialFallWarriorText": "Puissante potion de science",
"shieldSpecialFallWarriorNotes": "Éclabousse mystérieusement les blouses de labo. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2014.",
"shieldSpecialFallWarriorNotes": "Éclabousse mystérieusement les blouses de labo. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2014.",
"shieldSpecialFallHealerText": "Bouclier incrusté de joyaux",
"shieldSpecialFallHealerNotes": "Cet étincelant bouclier a été découvert dans une tombe antique. Augmente la Constitution de <%= con %>.Équipement Édition Limitée Automne 2014.",
"shieldSpecialFallHealerNotes": "Cet étincelant bouclier a été découvert dans une tombe antique. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2014.",
"shieldSpecialWinter2015WarriorText": "Bouclier gélatineux",
"shieldSpecialWinter2015WarriorNotes": "Ce bouclier qui semble être fait de sucre est, en fait, constitué de légumes gélatineux riches en vitamines. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'hiver 2014-2015.",
"shieldSpecialWinter2015HealerText": "Bouclier apaisant",
@@ -1341,9 +1341,9 @@
"shieldSpecialSummer2015HealerText": "Bouclier costaud",
"shieldSpecialSummer2015HealerNotes": "Utilisez ce bouclier pour vous débarrasser des rats dans la cale. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'été 2015.",
"shieldSpecialFall2015WarriorText": "Sac de graines",
"shieldSpecialFall2015WarriorNotes": "C'est vrai que vous êtes censé·e ÉPOUVANTER les corbeaux, mais il n'y a rien de mal à se faire des ami·e·s ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2015.",
"shieldSpecialFall2015WarriorNotes": "C'est vrai que vous êtes censé EFFRAYER les corbeaux, mais il n'y a rien de mal à se faire des amis ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2015.",
"shieldSpecialFall2015HealerText": "Bâton mélangeur",
"shieldSpecialFall2015HealerNotes": "Ce bâton peut mélanger ce que vous voulez sans fondre, se dissoudre ou s'enflammer ! On peut aussi l'utiliser pour tapoter violemment les tâches adverses. Augmente la constitution de <%= con %>. Équipement Édition Limitée Automne 2015.",
"shieldSpecialFall2015HealerNotes": "Ce bâton peut mélanger ce que vous voulez sans fondre, se dissoudre ou s'enflammer ! On peut aussi l'utiliser pour frapper violemment les tâches adverses. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2015.",
"shieldSpecialWinter2016WarriorText": "Bouclier luge",
"shieldSpecialWinter2016WarriorNotes": "Utilisez cette luge pour bloquer les attaques, ou glissez triomphalement avec au cœur de la bataille ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'hiver 2015-2016.",
"shieldSpecialWinter2016HealerText": "Cadeau lutin",
@@ -1357,9 +1357,9 @@
"shieldSpecialSummer2016HealerText": "Bouclier en étoile de mer",
"shieldSpecialSummer2016HealerNotes": "Parfois confondu avec un bouclier étoile de mer. Augmente la constitution de <%= con %>. Équipement en édition limitée de lété 2016.",
"shieldSpecialFall2016WarriorText": "Racines défensives",
"shieldSpecialFall2016WarriorNotes": "Défendez-vous contre vos Quotidiennes avec ces racines tordues ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2016.",
"shieldSpecialFall2016WarriorNotes": "Défendez-vous contre vos quotidiennes avec ces racines tordues ! Augmente la constitution de <%= con %>. Équipement en édition limitée de lautomne 2016.",
"shieldSpecialFall2016HealerText": "Bouclier de gorgone",
"shieldSpecialFall2016HealerNotes": "N'admirez pas votre reflet dans ce bouclier. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2016.",
"shieldSpecialFall2016HealerNotes": "N'admirez pas votre reflet dans ce bouclier. Augmente la constitution de <%= con %>. Équipement en édition limitée de lautomne 2016.",
"shieldSpecialWinter2017WarriorText": "Bouclier-palet",
"shieldSpecialWinter2017WarriorNotes": "Fabriqué à partir d'un palet de hockey géant, ce bouclier peut encaisser une bonne trempe. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'hiver 2016-2017.",
"shieldSpecialWinter2017HealerText": "Bouclier amélanche",
@@ -1373,9 +1373,9 @@
"shieldSpecialSummer2017HealerText": "Bouclier-huître",
"shieldSpecialSummer2017HealerNotes": "Cette huître magique génère constamment des perles aussi bien qu'elle vous protège. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'été 2017.",
"shieldSpecialFall2017WarriorText": "Bouclier en sucre d'orge",
"shieldSpecialFall2017WarriorNotes": "Ce bouclier en sucre d'orge détient de puissants pouvoirs de protection, alors essayez de ne pas le grignoter ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2017.",
"shieldSpecialFall2017WarriorNotes": "Ce bouclier en sucre d'orge détient de puissants pouvoirs de protection, alors essayez de ne pas le grignoter ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2017.",
"shieldSpecialFall2017HealerText": "Orbe hanté",
"shieldSpecialFall2017HealerNotes": "Cette orbe pousse des cris stridents de temps à autre. Nous sommes désolé·e·s, nous ne savons pas vraiment pourquoi. Mais une chose est sûre, ça vous donne un sacré style ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2017.",
"shieldSpecialFall2017HealerNotes": "Cette orbe pousse des cris stridents de temps à autre. Nous sommes désolés, nous ne savons pas vraiment pourquoi. Mais une chose est sûre, quelle classe ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2017.",
"shieldSpecialWinter2018WarriorText": "Sac à cadeaux magique",
"shieldSpecialWinter2018WarriorNotes": "Quasiment tout ce dont vous avez besoin se trouve dans ce sac, si vous savez murmurer le mot magique. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'hiver 2017-2018.",
"shieldSpecialWinter2018HealerText": "Clochette en gui",
@@ -1389,11 +1389,11 @@
"shieldSpecialSummer2018HealerText": "Emblème de sirène monarque",
"shieldSpecialSummer2018HealerNotes": "Ce bouclier peut produire un dôme d'air au bénéfice des visiteurs terrestres de votre royaume aquatique. Augmente la constitution de <%= con %>Équipement en édition limitée de l'été 2018.",
"shieldSpecialFall2018RogueText": "Fiole de tentation",
"shieldSpecialFall2018RogueNotes": "Cette bouteille représente tous les problèmes et les distractions qui vous empêchent de donner le meilleur de vous-même. Résistez ! On est là pour vous encourager ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2018.",
"shieldSpecialFall2018RogueNotes": "Cette bouteille représente tous les problèmes et les distractions qui vous empêchent de donner le meilleur de vous-même. Résistez ! On est là pour vous encourager ! Augmente la force de <%= str %>. Équipement d'automne en édition limitée 2018.",
"shieldSpecialFall2018WarriorText": "Bouclier brillant",
"shieldSpecialFall2018WarriorNotes": "Il est super réfléchissant pour dissuader les Gorgones de jouer à cache-cache ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2018.",
"shieldSpecialFall2018WarriorNotes": "Il est super réfléchissant pour dissuader les Gorgones de jouer à cache-cache ! Augmente la constitution de <%= con %>. Équipement d'automne en édition limitée 2018.",
"shieldSpecialFall2018HealerText": "Bouclier affamé",
"shieldSpecialFall2018HealerNotes": "La gueule grande ouverte, ce bouclier absorbe tous les coups de vos ennemi·e·s. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2018.",
"shieldSpecialFall2018HealerNotes": "La gueule grande ouverte, ce bouclier absorbe tous les coups de vos ennemis. Augmente la constitution de <%= con %>. Équipement d'automne en édition limitée 2018.",
"shieldSpecialWinter2019WarriorText": "Bouclier gelé",
"shieldSpecialWinter2019WarriorNotes": "Ce bouclier a été construit en utilisant les plus épaisses couches de glace des plus vieux glaciers des steppes de Stoïkalm. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'hiver 2018-2019.",
"shieldSpecialWinter2019HealerText": "Cristaux de glace enchantés",
@@ -1868,41 +1868,41 @@
"weaponArmoireResplendentRapierText": "Rapière resplendissante",
"weaponArmoireFloridFanNotes": "Cet éventail mignon en soie se replie quand vous ne l'utilisez pas. Augmente la constitution de <% con %>. Armoire enchantée : objet indépendant.",
"weaponArmoireFloridFanText": "Éventail fleuri",
"eyewearSpecialFall2019HealerNotes": "Endurcissez-vous contre les plus grands ennemi·e·s avec ce masque impénétrable. Ne confère aucun bonus. Équipement Édition Limitée Automne 2019.",
"eyewearSpecialFall2019HealerNotes": "Endurcissez-vous contre les plus grands ennemis avec ce masque impénétrable. Ne confère aucun bonus. Équipement en édition limitée de l'automne 2019.",
"eyewearSpecialFall2019HealerText": "Visage sombre",
"eyewearSpecialFall2019RogueNotes": "Vous pourriez penser qu'un masque complet protégerait mieux votre identité, mais les gens ont tendance à être trop étonnés par son design austère pour remarquer n'importe quel détail révélateur. Ne confère aucun bonus. Équipement Édition Limitée Automne 2019.",
"eyewearSpecialFall2019RogueNotes": "Vous pourriez penser qu'un masque complet protégerait mieux votre identité, mais les gens ont tendance à être trop étonnés par son design austère pour remarquer n'importe quel détail révélateur. Ne confère aucun bonus. Équipement en édition limitée de l'automne 2019.",
"eyewearSpecialFall2019RogueText": "Demi-masque blanc-os",
"shieldSpecialFall2019HealerNotes": "Exploitez le côté obscur des arts des Guérisseu·r·se·s avec ce grimoire ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2019.",
"shieldSpecialFall2019HealerNotes": "Exploitez le côté obscur des arts guérisseurs avec ce grimoire ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2019.",
"shieldSpecialFall2019HealerText": "Grimoire grotesque",
"shieldSpecialFall2019WarriorNotes": "Sombre éclat d'une plume de corbeau rendue solide, ce bouclier déviera toute les attaques. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2019.",
"shieldSpecialFall2019WarriorNotes": "Sombre éclat d'une plume de corbeau rendue solide, ce bouclier déviera toute les attaques. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2019.",
"shieldSpecialFall2019WarriorText": "Bouclier Sombre-Corbeau",
"headMystery201909Notes": "Tous les glands ont besoin d'un chapeau ! Enfin, d'une cupule si vous voulez vraiment parler technique. Ne confère aucun bonus. Équipement d'abonnement de septembre 2019.",
"headMystery201909Text": "Chapeau de gland affable",
"headSpecialFall2019HealerNotes": "Revêtez cette mitre ténébreuse pour exploiter les pouvoirs de la terrifiante Liche. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2019.",
"headSpecialFall2019HealerNotes": "Revêtez cette mitre ténébreuse pour exploiter les pouvoirs de la terrifiante liche. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2019.",
"headSpecialFall2019HealerText": "Mitre ténébreuse",
"headSpecialFall2019MageNotes": "Son unique œil funeste inhibe la perception de profondeur, mais c'est un petit prix à payer pour la façon dont il vous aide à rester concentré sur un seul et unique point. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2019.",
"headSpecialFall2019MageNotes": "son unique œil funeste inhibe la perception de profondeur, mais c'est un petit prix à payer pour la façon dont il vous aide à rester concentré sur un seul et unique point. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2019.",
"headSpecialFall2019MageText": "Masque de cyclope",
"headSpecialFall2019WarriorNotes": "Les orbites sombres de ce casque en forme de crâne intimideront les plus courageu·x·ses des ennemi·e·s. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2019.",
"headSpecialFall2019WarriorNotes": "Les orbites sombres de ce casque en forme de crâne intimideront les plus courageux des ennemis. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2019.",
"headSpecialFall2019WarriorText": "Casque du crâne d'obsidienne",
"headSpecialFall2019RogueNotes": "Avez-vous trouvé ce couvre-chef dans une enchère de pièces de costumes possiblement maudites, ou dans le grenier d'un·e aïeul·e excentrique ? Quelle que soit son origine, son âge et son usure vous donnent un air de mystère. Augmente la Perception de <%= per %>.Équipement Édition Limitée Automne 2019.",
"headSpecialFall2019RogueNotes": "Avez-vous trouvé ce couvre-chef dans une enchère de pièces de costumes possiblement maudites, ou dans le grenier d'un grand-parent excentrique ? Quelle que soit son origine, son âge et son usure vous donnent un air de mystère. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2019.",
"headSpecialFall2019RogueText": "Chapeau d'opéra antique",
"armorMystery201909Notes": "Son revêtement extérieur est solide, mais il vaut mieux garder un œil sur les écureuils... Ne confère aucun bonus. Équipement d'abonnement de septembre 2019.",
"armorMystery201909Text": "Armure du gland affable",
"armorSpecialFall2019HealerNotes": "Il est dit que ces robes sont faites de nuit pure. Utilisez ses sombres pouvoirs avec précaution ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2019.",
"armorSpecialFall2019HealerNotes": "Il est dit que ces robes sont faites de nuit pure. Utilisez ses sombres pouvoirs avec précaution ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2019.",
"armorSpecialFall2019HealerText": "Robes des ténèbres",
"armorSpecialFall2019MageNotes": "Son homonyme a rencontré un destin tragique. Mais vous ne vous ferez pas avoir aussi facilement ! Revêtez ce costume de légende et personne ne vous surpassera. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2019.",
"armorSpecialFall2019MageNotes": "Son homonyme a rencontré un destin tragique. Mais vous ne vous ferez pas avoir aussi facilement ! Revêtez ce costume de légende et personne ne vous surpassera. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2019.",
"armorSpecialFall2019MageText": "Blouse de Polyphème",
"armorSpecialFall2019WarriorNotes": "Ces robes à plumes vous confèrent le pouvoir de voler, vous permettant de vous élever au-dessus de n'importe quel combat. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2019.",
"armorSpecialFall2019WarriorNotes": "Ces robes à plumes vous confèrent le pouvoir de vol, vous permettant de vous élever au dessus de n'importe quel combat. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2019.",
"armorSpecialFall2019WarriorText": "Ailes nocturnes",
"armorSpecialFall2019RogueNotes": "Cette tenue est accompagnée de gants blancs, et est idéale pour ruminer dans votre loge au dessus de la scène, ou pour faire des entrées dramatiques sur des escaliers gigantesques. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2019.",
"armorSpecialFall2019RogueNotes": "Cette tenue est accompagnée de gants blancs, et est idéale pour ruminer dans votre loge au dessus de la scène, ou pour faire des entrées dramatiques sur des escaliers gigantesques. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2019.",
"armorSpecialFall2019RogueText": "Manteau d'opéra",
"weaponSpecialFall2019HealerNotes": "Ce phylactère peut appeler les esprits de tâche éliminées depuis longtemps pour utiliser leurs puissance régénérante. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2019.",
"weaponSpecialFall2019HealerNotes": "Ce phylactère peut appeler les esprits de tâche éliminées depuis longtemps pour utiliser leurs puissance régénérante. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2019.",
"weaponSpecialFall2019HealerText": "Phylactère redoutable",
"weaponSpecialFall2019MageNotes": "Que ce soit pour forger les éclairs, lever des fortifications ou simplement instiller la peur dans le cœur des mortel·le·s, ce bâton vous prêtera la force des géant·e·s pour réaliser des merveilles. Augmente l'Intelligence de <%= int %> et la Perception de <%= per %>. Équipement Édition Limitée Automne 2019.",
"weaponSpecialFall2019MageNotes": "Que ce soit pour forger les éclairs, lever des fortifications ou simplement instiller la peur dans le cœur des mortels, ce bâton vous prêtera la force des géants pour réaliser des merveilles. Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de l'automne 2019.",
"weaponSpecialFall2019MageText": "Bâton à un œil",
"weaponSpecialFall2019WarriorNotes": "Préparez-vous à déchiqueter vos ennemi·e·s avec les serres d'un corbeau ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2019.",
"weaponSpecialFall2019WarriorNotes": "Préparez-vous à déchirer vos ennemis avec les serres d'un corbeau ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2019.",
"weaponSpecialFall2019WarriorText": "Trident serre",
"weaponSpecialFall2019RogueNotes": "Que vous dirigiez un orchestre ou que vous chantiez une aria, cet équipement vous laisse les mains libres pour toutes sortes de gestes dramatiques ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2019.",
"weaponSpecialFall2019RogueNotes": "Que vous dirigiez un orchestre ou que vous chantiez une aria, cet équipement vous laisse les mains libres pour toutes sortes de gestes dramatiques ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2019.",
"weaponSpecialFall2019RogueText": "Podium",
"eyewearSpecialKS2019Notes": "Chauve comme ... hmm, les griffons n'ont pas de visière. Cela vous rappellera de ... Oh, mais de qui se moque-t-on ? Ça a juste l'air cool ! Ne confère aucun bonus.",
"eyewearSpecialKS2019Text": "Visière mythique du griffon",
@@ -2135,33 +2135,33 @@
"weaponArmoireGuardiansCrookNotes": "Ce crochet de bergerie pourrait vous être utile la prochaine fois que vous emmènerez vos familiers dans les pâturages... Augmente la force de <%= str %>. Armoire enchantée : ensemble de gardiennage des brouteurs (objet 2 de 3).",
"weaponArmoireGuardiansCrookText": "Crochet de bergerie",
"armorSpecialFall2020MageText": "Illumination aérienne",
"shieldSpecialFall2020HealerNotes": "Est-ce un autre papillon de nuit que vous portez, toujours en cours de métamorphose ? Ou simplement un sac à main en soie, contenant vos outils de guérison et de prophétie ? Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2020.",
"shieldSpecialFall2020HealerNotes": "Est-ce un autre papillon de nuit que vous portez, toujours en cours de métamorphose ? Ou simplement un sac à main en soie, contenant vos outils de guérison et de prophétie ? Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2020.",
"shieldSpecialFall2020HealerText": "Cocon fourre-tout",
"shieldSpecialFall2020WarriorNotes": "Il peut paraître immatériel, mais ce bouclier spectral peut vous protéger de toutes sortes de dangers. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2020.",
"shieldSpecialFall2020WarriorNotes": "Il peut paraître immatériel, mais ce bouclier spectral peut vous protéger de toutes sortes de dangers. Augmente la Constitution de <%= con %>. Équipement en édition limitée de l'automne 2020.",
"shieldSpecialFall2020WarriorText": "Bouclier de l'esprit",
"shieldSpecialFall2020RogueNotes": "En brandissant un katar, vous feriez mieux d'être rapide... Cette lame vous servira bien si vous frappez vite, mais ne vous engagez pas trop ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2020.",
"shieldSpecialFall2020RogueNotes": "En brandissant un katar, vous feriez mieux d'être rapide... Cette lame vous servira bien si vous frappez vite, mais ne vous engagez pas trop ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2020.",
"shieldSpecialFall2020RogueText": "Katar rapide",
"headSpecialFall2020HealerNotes": "L'affreuse pâleur de ce visage en forme de crâne est un avertissement pour tou·te·s les mortel·le·s : Le temps est éphémère ! Respectez vos délais, avant qu'il ne soit trop tard ! Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2020.",
"headSpecialFall2020HealerNotes": "L'affreuse pâleur de ce visage en forme de crâne est un avertissement pour tous les mortels : Le temps est éphémère ! Respectez vos délais, avant qu'il ne soit trop tard ! Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2020.",
"headSpecialFall2020HealerText": "Masque de tête de mort",
"headSpecialFall2020MageNotes": "Avec cette coiffe parfaitement placée sur votre front, votre troisième œil s'ouvre, vous permettant de vous concentrer sur ce qui est invisible d'ordinaire : le flot de mana, les esprits agités et les Tâches oubliées. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2020.",
"headSpecialFall2020MageNotes": "Avec cette coiffe parfaitement placée sur votre front, votre troisième œil s'ouvre, vous permettant de vous concentrer sur ce qui est autrement invisible : le flot de mana, les esprits agités et les To-Dos oubliés. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2020.",
"headSpecialFall2020MageText": "Clarté éveillée",
"headSpecialFall2020WarriorNotes": "L·e·a Guerri·er·ère qui portait cette capuche n'a jamais reculé devant les tâches les plus lourdes ! Mais d'autres pourraient s'écarter de vous lorsque vous la portez... Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2020.",
"headSpecialFall2020WarriorNotes": "Le guerrier qui portait cette capuche n'a jamais reculé devant les tâches les plus lourdes ! Mais d'autres pourraient s'écarter de vous lorsque vous le portez... Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2020.",
"headSpecialFall2020WarriorText": "Capuche effrayante",
"headSpecialFall2020RogueNotes": "Regardez deux fois, agissez une fois : ce masque vous facilite la tâche. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2020.",
"headSpecialFall2020RogueNotes": "Regardez deux fois, agissez une fois : ce masque vous facilite la tâche. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2020.",
"headSpecialFall2020RogueText": "Masque de pierre à deux têtes",
"armorSpecialFall2020HealerNotes": "Votre splendeur se déploie la nuit, et ce·ux·lles qui vous voient en vol se demandent ce que ce présage pourrait signifier. Augmente la constitution de <%= con %>. Équipement Édition Limitée Automne 2020.",
"armorSpecialFall2020HealerNotes": "Votre splendeur se déploie la nuit, et ceux qui vous voient en vol se demandent ce que ce présage pourrait signifier. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2020.",
"armorSpecialFall2020HealerText": "Ailes de Sphinx",
"armorSpecialFall2020MageNotes": "Ces robes à larges ailes donnent l'impression de planer ou de voler, symbolisant la perspective lointaine qu'offrent les vastes connaissances. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2020.",
"armorSpecialFall2020WarriorNotes": "Cette tenue protégeait autrefois un·e puissant·e Guerri·er·ère du danger. On dit que son esprit hante l'habit pour protéger sa potentielle succession. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2020.",
"armorSpecialFall2020RogueNotes": "Absorbez la force de la roche avec cette armure, qui vous garantit de pouvoir repousser les attaques les plus féroces. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2020.",
"armorSpecialFall2020MageNotes": "Ces robes à larges ailes donnent l'impression de planer ou de voler, symbolisant la perspective lointaine qu'offrent les vastes connaissances. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2020.",
"armorSpecialFall2020WarriorNotes": "Cette tenue protégeait autrefois un puissant guerrier du danger. On dit que l'esprit du guerrier hante l'habit pour protéger un digne successeur. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2020.",
"armorSpecialFall2020RogueNotes": "Absorbez la force de la pierre avec cette armure, garanti de repousser les attaques les plus féroces. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2020.",
"armorSpecialFall2020RogueText": "Armure sculpturale",
"weaponSpecialFall2020HealerNotes": "Maintenant que votre transformation est complète, les vestiges de votre vie de chrysalide servent désormais de baguette divinatoire avec laquelle vous jaugez les destinées. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2020.",
"weaponSpecialFall2020HealerNotes": "Maintenant que votre transformation est complète, ces vestiges de votre vie de chrysalide servent désormais de baguette divinatoire avec laquelle vous mesurez les destinées. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2020.",
"weaponSpecialFall2020HealerText": "Baguette chrysalide",
"weaponSpecialFall2020MageNotes": "Si quelque chose devait échapper à votre vue de mage, les cristaux brillants au sommet de cette crosse éclaireront ce que vous avez négligé. Augmente l'Intelligence de <%= int %> et la Perception de <%= per %>. Équipement Édition Limitée Automne 2020.",
"weaponSpecialFall2020MageNotes": "Si quelque chose devait échapper à votre vue de mage, les cristaux brillants au sommet de cette crosse éclaireront ce que vous avez négligé. Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de l'automne 2020.",
"weaponSpecialFall2020MageText": "Troisième œil",
"weaponSpecialFall2020WarriorNotes": "Cette épée a voyagé dans l'au-delà avec un·e puissant·e Guerri·er·ère et est revenue pour vous rendre encore plus puissant·e ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2020.",
"weaponSpecialFall2020WarriorNotes": "Cette épée a voyagé dans l'au-delà avec un puissant guerrier et c'est maintenant vos mains qui usent de son pouvoir ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2020.",
"weaponSpecialFall2020WarriorText": "Épée de spectre",
"weaponSpecialFall2020RogueNotes": "Transpercez votre ennemi d'un seul coup ! Même l'armure la plus épaisse cédera sous votre lame. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2020.",
"weaponSpecialFall2020RogueNotes": "Transpercez votre ennemi d'un seul coup ! Même l'armure la plus épaisse cédera sous votre lame. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2020.",
"weaponSpecialFall2020RogueText": "Katar aiguisé",
"armorSpecialFall2020WarriorText": "Toges de revenant",
"backMystery202010Notes": "La nuit vous appartient ! Alors volez aussi silencieusement qu'un nuage de minuit avec ces douces ailes pourpres. Ne confère aucun bonus. Équipement d'abonnement d'octobre 2020.",
@@ -2407,33 +2407,33 @@
"backMystery202109Notes": "Planez délicatement et sans un bruit dans l'air du crépuscule. Ne confère aucun bonus. Équipement d'abonnement de septembre 2021.",
"weaponArmoireHeraldsBuisineNotes": "N'importe quelle annonce sonnera mieux après la fanfare de cette trompette. Augmente la force de <%= str %>. Armoire enchantée : ensemble héraldique (objet 3 de 4).",
"weaponSpecialFall2021WarriorText": "Hache de cavalier",
"weaponSpecialFall2021WarriorNotes": "Cette hache stylisée à une lame est idéale pour décapiter... les citrouilles ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2021.",
"weaponSpecialFall2021WarriorNotes": "Cette hache stylisée à une lame est idéale pour décapiter... les citrouilles ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2021.",
"weaponSpecialFall2021MageText": "Bâton de pensées pûres",
"weaponSpecialFall2021RogueText": "Gelée dégoulinante",
"weaponSpecialFall2021RogueNotes": "Où avez-vous traîné ? Quand on dit que les Voleu·r·se·s ont les doigts collants, ce n'est pas ça qu'on veut dire ! Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2021.",
"weaponSpecialFall2021MageNotes": "Le savoir appelle le savoir. Formé de souvenirs et de désirs, ce terrifiant bâton en veut plus. Augmente l'Intelligence de <%= int %> et la Perception de <%= per %>. Équipement Édition Limitée Automne 2021.",
"weaponSpecialFall2021RogueNotes": "Où avez-vous traîné ? Quand on dit que les voleurs ont les doigts collants, ce n'est pas ça qu'on veut dire ! Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2021.",
"weaponSpecialFall2021MageNotes": "La connaissance encourage la connaissance. Formé de souvenirs et de désirs, ce terrifiant bâton en veut plus. Augmente l'intelligence de <%= int %> et la perception de <%= per %>. Équipement en édition limitée de l'automne 2021.",
"weaponSpecialFall2021HealerText": "Baquette d'invocation",
"weaponSpecialFall2021HealerNotes": "Utilisez cette baguette pour invoquer des flammes régénérantes et une créature fantomatique pour vous aider. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2021.",
"weaponSpecialFall2021HealerNotes": "Utilisez cette baguette pour invoquer des flammes régénérantes et une créature fantomatique pour vous aider. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2021.",
"armorSpecialFall2021RogueText": "Armure malheureusement pas étanche",
"armorSpecialFall2021WarriorText": "Costume formel en laine",
"armorSpecialFall2021MageText": "Robe de l'obscurité des profondeurs",
"armorSpecialFall2021HealerText": "Robes d'invocation",
"armorSpecialFall2021MageNotes": "Les colliers avec plein de protrusions pointues sont la haute couture des méchant·e·s de bas-étage. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2021.",
"armorSpecialFall2021MageNotes": "Les colliers avec plein de protrusions pointues sont la haute couture des vilains de bas-étage. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2021.",
"headSpecialFall2021WarriorText": "Cravate sans tête",
"headSpecialFall2021WarriorNotes": "Vous allez perdre la tête en voyant ce col formel et la cravate qui complète votre costume. Augmente la Force de <%= str %>. Équipement Édition Limitée Automne 2021.",
"headSpecialFall2021WarriorNotes": "Vous allez perdre la tête avec ce col formel et la cravate qui complète votre costume. Augmente la force de <%= str %>. Équipement en édition limitée de l'automne 2021.",
"headSpecialFall2021MageText": "Masque de mange-cervelle",
"headSpecialFall2021HealerText": "Masque d'invocation",
"headSpecialFall2021HealerNotes": "Votre propre magie transforme vos cheveux en flammes violentes et intenses lorsque vous portez ce masque. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Automne 2021.",
"headSpecialFall2021HealerNotes": "Votre propre magie transforme vos cheveux en flammes violentes et intenses lorsque vous portez ce masque. Augmente l'intelligence de <%= int %>. Équipement en édition limitée de l'automne 2021.",
"shieldSpecialFall2021HealerText": "Créature invoquée",
"shieldSpecialFall2021HealerNotes": "Un être éthéré surgit de vos flammes magiques pour vous fournir une protection supplémentaire. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2021.",
"armorSpecialFall2021RogueNotes": "Il y a une cervelière, une tunique en cuir et des rivets métalliques ! C'est génial ! Mais ça n'offre pas une protection hermétique contre les masses baveuses ! Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2021.",
"armorSpecialFall2021WarriorNotes": "Un costume étonnant qu'il est parfait de porter lorsque vous traversez les ponts au milieu de la nuit. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2021.",
"armorSpecialFall2021HealerNotes": "Fait de tissu durable et inflammable, ces robes sont parfaites à porter lorsque vous invoquez des flammes régénératrices. Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2021.",
"shieldSpecialFall2021HealerNotes": "Un être éthéré surgit de vos flammes magiques pour vous fournir une protection supplémentaire. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2021.",
"armorSpecialFall2021RogueNotes": "Il y a une cervelière, une tunique en cuir et des rivets métalliques ! C'est génial ! Mais ça n'offre pas une protection hermétique contre les masses baveuses ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2021.",
"armorSpecialFall2021WarriorNotes": "Un costume étonnant qu'il est parfait de porter lorsque vous traversez les ponts au milieu de la nuit. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2021.",
"armorSpecialFall2021HealerNotes": "Fait de tissu durable et inflammable, ces robes sont parfaites à porter lorsque vous convoquez les flammes régénératrices. Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2021.",
"headSpecialFall2021RogueText": "Vous venez de vous faire engloutir",
"headSpecialFall2021RogueNotes": "Bah bien joué, vous voilà coincé·e. Vous êtes désormais condamné·e à arpenter les couloirs des donjons en ramassant les débris. CONDAMNÉÉÉ·E ! Augmente la Perception de <%= per %>.Équipement Édition Limitée Automne 2021.",
"headSpecialFall2021MageNotes": "Les tentacules qui entourent la bouche servent à attraper votre proie et retenir à portée ses délicieuses pensées pour que vous les savouriez. Augmente la Perception de <%= per %>. Équipement Édition Limitée Automne 2021.",
"headSpecialFall2021RogueNotes": "Cette gélatine vous a coincé, et condamné à arpenter les couloirs des donjons en ramassant les débris. C'est fichu ! Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2021.",
"headSpecialFall2021MageNotes": "Les tentacules qui entourent la bouche servent à attraper votre proie et retenir ses délicieuses pensées à portée pour que vous les savouriez. Augmente la perception de <%= per %>. Équipement en édition limitée de l'automne 2021.",
"shieldSpecialFall2021WarriorText": "Bouclier de citrouille",
"shieldSpecialFall2021WarriorNotes": "Ce bouclier festif avec son sourire tordu vous protégera et éclairera votre route par les nuits sombres. Ça peut aussi vous servir de tête au besoin ! Augmente la Constitution de <%= con %>. Équipement Édition Limitée Automne 2021.",
"shieldSpecialFall2021WarriorNotes": "Ce bouclier festif avec un sourire fendu vous protégera et éclairera votre route par les nuits sombres. Ca peut aussi servir de tête si vous en avez besoin ! Augmente la constitution de <%= con %>. Équipement en édition limitée de l'automne 2021.",
"armorMystery202110Text": "Armure de gargouille moussue",
"armorMystery202110Notes": "Cette mousse de velours vous fait paraître fragile à l'extérieur, mais vous êtes protégé par de la pierre solide. Ne confère aucun bonus.Équipement d'abonnement d'octobre 2021.",
"headMystery202110Text": "Casque de gargouille moussue",
@@ -3074,7 +3074,7 @@
"shieldArmoireHappyThoughtsText": "Pensées Joyeuses",
"shieldArmoireHappyThoughtsNotes": "Que ce soit en vous rappelant de moments joyeux de votre passé ou en imaginant les meilleurs possibilités pour votre futur, regardez toujours le bon côté de la vie. Augmente toutes les caractéristiques de <%= attrs %> chacun. Armoire Enchantée : Ensemble Optimiste (Objet 3 sur 4).",
"eyewearArmoireRoseColoredGlassesText": "Lunettes à Verres Rose",
"eyewearArmoireRoseColoredGlassesNotes": "Ces lunettes vous permettront de discerner le meilleur en toute situation, et cette monture stylée vous mettra sur votre 31. Augmente la Perception de <%= per %>. Armoire Enchantée : Ensemble Optimiste (Objet 2 sur 4).",
"eyewearArmoireRoseColoredGlassesNotes": "Ces lunettes vous permettront de voir le meilleur d'une situation, et ces montures vous permettront d'être au top. Augmente la Perception de <%= per %>. Armoire Enchantée : Ensemble Optimiste (Objet 2 sur 4).",
"weaponArmoirePottersWheelNotes": "Jetez de l'argile sur ce tour et faites un bol ou une tasse ou un vase ou un bol un peu différent. Avec un peu de chance, un fantôme pourrait vous rendre visite pendant que vous êtes en train de créer ! Augmente la Perception de <%= per %>. Armoire Enchantée : Ensemble Poti·er·ère (Objet 4 sur 4).",
"weaponArmoirePottersWheelText": "Tour de Poti·er·ère",
"armorArmoirePottersApronText": "Tablier de Poti·er·ère",
@@ -3231,7 +3231,7 @@
"headSpecialWinter2025RogueText": "Masque de Neige",
"headSpecialWinter2025HealerText": "Nœud de Guirlandes Lumineuses",
"headSpecialWinter2025HealerNotes": "Ne vous embêtez pas à démêler ça car elle est déjà en forme de chapeau. Augmente l'Intelligence de <%= int %>. Équipement Édition Limitée Hiver 2024-2025.",
"headSpecialWinter2025MageText": "Coiffe Aurore",
"headSpecialWinter2025MageText": "Chapeau Aurore",
"headSpecialWinter2025MageNotes": "Plus qu'un fascinateur fantastique, cet accessoire vous fait ressembler à une vraie aurore boréale. Augmente la Perception de <%= per %>. Équipement Édition Limitée Hiver 2024-2025.",
"headMystery202412Text": "Capuche du Lapin Sucre d'Orge",
"headMystery202412Notes": "Chaud et confort, comme une bonne tasse de chocolat chaud mentholé un soir d'hiver ! Ne confère aucun bonus. Équipement d'abonnement Décembre 2024.",

View File

@@ -422,9 +422,5 @@
"readyToUpgrade": "Prêt·e à Passer à la Version Supérieure ?",
"interestedLearningMore": "Vous souhaitez en Apprendre Plus ?",
"checkGroupPlanFAQ": "Allez voir la <a href='/static/faq#what-is-group-plan'> FAQ des Offres de Groupe</a> pour en apprendre plus sur comment profiter complètement de l'expériences des tâches partagées.",
"messageCopiedToClipboard": "Message copié dans le presse-papier.",
"groupFriends": "Utilisation avec des ami·e·s",
"groupTeacher": "Utilisation pour les études",
"groupManager": "Utilisation pour le travail",
"groupParentChildren": "Utilisation dans mon foyer"
"messageCopiedToClipboard": "Message copié dans le presse-papier."
}

View File

@@ -54,7 +54,7 @@
"questRoosterUnlockText": "Déverrouille l'achat dœufs de coq au marché",
"questSpiderText": "L'arachnide de glace",
"questSpiderNotes": "Alors que le temps commence à se rafraîchir, une délicate dentelle de givre s'est mise à apparaître sur les carreaux des Habiticiens et des Habiticiennes... sauf chez @Arcosine, dont les fenêtres sont complètement bloquées, gelées par l'araignée givrée qui est en train de s'installer dans sa maison. Oh mince.",
"questSpiderCompletion": "L'Araignée Givrée s'effondre, ne laissant derrière elle qu'un petit tas de givre et quelques-unes de ses poches d'œufs enchantés. @Arcosine s'empresse de vous les offrir comme récompense ; peut-être pourrez-vous élever quelques araignées inoffensives et en faire vos familiers ?",
"questSpiderCompletion": "L'araignée givrée s'effondre, ne laissant derrière elle qu'un petit tas de givre et quelques-unes de ses poches d'œufs enchantés. @Arcosine s'empresse de vous les offrir comme récompense ; peut-être pourrez-vous élever quelques araignées inoffensives et en faire vos familiers ?",
"questSpiderBoss": "Araignée givrée",
"questSpiderDropSpiderEgg": "Araignée (œuf)",
"questSpiderUnlockText": "Déverrouille l'achat dœufs d'araignée au marché",
@@ -113,7 +113,7 @@
"questGoldenknight3DropWeapon": "Masse massacreuse majeure de Mustaine (arme secondaire)",
"questGroupEarnable": "Quêtes à gagner",
"questBasilistText": "Le basi-liste",
"questBasilistNotes": "Il règne une certaine agitation sur la place du marché, le genre d'agitation qui devrait vous faire fuir. Pourtant, votre courage vous pousse à vous précipiter dans la mêlée, et vous découvrez un Basi-liste, émergeant d'un agglomérat de tâches non-complétées ! Les Habiticien·ne·s les plus proches du Basi-liste sont paralysé·e·s par la peur, incapables de se mettre au travail. Non loin, vous entendez @Arcosine s'écrier : \"Vite ! Complétez vos tâches À Faire et Quotidiennes pour affaiblir le monstre, avant que quelqu'un·e ne soit blessé·e !\" Frappez rapidement Aventuri·er·ère, et cochez quelque chose, mais prenez garde ! Si vous laissez ne serait-ce qu'une Quotidienne inachevée, le Basi-liste vous attaquera, vous et votre équipe !",
"questBasilistNotes": "Il règne une certaine agitation sur la place du marché. Le genre d'agitation qui devrait vous faire fuir. Pourtant, votre courage vous pousse à vous précipiter dans la mêlée, et vous découvrez un basi-liste, émergeant d'un agglomérat de tâches non-complétées ! Les Habiticiens et Habiticiennes les plus proches du basi-liste sont paralysés par la peur, incapables de se mettre au travail. De quelque part dans les environs, vous entendez @Arcosine s'écrier : \"Vite ! Complétez vos tâches À Faire et Quotidiennes pour affaiblir le monstre, avant que quelqu'un ne soit blessé !\" Aventurières, aventuriers... frappez rapidement, et cochez quelque chose, mais prenez garde ! Si vous laissez ne serait-ce qu'une Quotidienne inachevée, le basi-liste vous attaquera, vous et votre équipe !",
"questBasilistCompletion": "Le basi-liste a explosé en une multitude de bouts de papiers, qui scintillent doucement dans les couleurs de l'arc-en-ciel. \"Pfiou !\" dit @Arcosine. \"Une chance que vous soyez passé par là !\" Vous sentant plus expérimenté qu'auparavant, vous récoltez de l'or tombé au milieu des papiers.",
"questBasilistBoss": "Basi-liste",
"questEggHuntText": "Chasse aux œufs",
@@ -253,7 +253,7 @@
"questDilatoryDistress3DropWeapon": "Trident des marées déferlantes (arme)",
"questDilatoryDistress3DropShield": "Bouclier perle-de-lune (équipement secondaire)",
"questCheetahText": "Quel tricheur, ce guépard",
"questCheetahNotes": "Alors que vous vous promenez dans la Savane Tanfépaï avec vos ami·e·s @PainterProphet, @tivaquinn, @Unruly Hyena et @Crawford, vous êtes surpris·e de voir un Guépard tenant un nouvel Habiticien·ne dans sa gueule. Sous les pattes enflammées du Guépard, les tâches se consument comme si elles étaient complétées avant même que quiconque ne puisse les achever ! L'Habiticien·ne vous aperçoit et s'écrie : \"Aidez-moi s'il-vous-plaît ! Ce Guépard me fait gagner des niveaux trop vite, mais je n'accomplis rien. Je veux prendre mon temps et profiter du jeu. Arrêtez-le !\" Vous vous souvenez avec mélancolie de vos premiers jours sur Habitica et vous savez que vous devez aider l·e·a petit·e nouve·au·lle en arrêtant ce Guépard !",
"questCheetahNotes": "Alors que vous vous promenez dans la savane Tanfépaï avec vos amis @PainterProphet, @tivaquinn, @Unruly Hyena et @Crawford, vous êtes surpris de voir un guépard tenant un nouvel Habiticien dans sa gueule. Sous les pattes enflammées du guépard, les tâches se consument comme si elles étaient complétées avant même que quiconque ne puisse les achever ! L'Habiticien vous voit et crie : \"Aidez-moi s'il vous plait ! Ce guépard me fait gagner des niveaux trop vite, mais je n'accomplis rien. Je veux prendre mon temps et profiter du jeu. Arrêtez-le !\" Vous vous souvenez de votre premier jour et vous savez que vous devez aider le petit nouveau à arrêter ce guépard !",
"questCheetahCompletion": "Le nouvel Habiticien respire lourdement après cette chevauchée sauvage, mais vous remercie, vous et vos amis, pour votre aide. \"Je suis content que ce guépard ne puisse plus attraper qui que ce soit. Il a laissé quelques œufs de guépard pour vous, peut-être pourrions-nous en élever quelques-uns pour en faire des familiers dignes de confiance !\"",
"questCheetahBoss": "Guépard",
"questCheetahDropCheetahEgg": "Guépard (œuf)",
@@ -277,7 +277,7 @@
"questBurnoutBossRageSeasonalShop": "`Burnout lance une ATTAQUE D'EXTÉNUATION!`\n\nAhh!!! Nos quotidiennes inachevées ont alimenté les flammes de Burnout, et voilà qu'il a suffisamment d'énergie pour frapper de nouveau! Il envoie une langue de feu spectral qui calcine la boutique saisonnière. Vous êtes horrifié de voir que l'enthousiaste sorcière saisonnière a été transformée en un esprit d'exténuation tout mou.\n\nNous devons sauver nos PNJ! Vite, Habiticiens et Habiticiennes, effectuez vos tâches et vainquez Burnout avant qu'il ne frappe pour la troisième fois!",
"questBurnoutBossRageTavern": "`Burnout lance ATTAQUE D'ÉCHAPPEMENT!`\n\nBeaucoup d'Habiticiens et d'Habiticiennes ont échappé à Burnout dans la taverne, mais c'est terminé! Avec un hurlement perçant, Burnout ratisse la taverne avec ses mains chauffées à blanc. Alors que les usagers de la taverne s'enfuient, Daniel est empoigné par Burnout et se transforme en esprit d'échappement sous vos yeux!\n\nCette horreur exaltée se prolonge vraiment trop. N'abandonnez pas... nous sommes si près de vaincre Burnout une fois pour toutes!",
"questFrogText": "Marécage de la grenouille du désordre",
"questFrogNotes": "Alors que vous et vos ami·e·s cheminez péniblement dans les Marécages de Stagnation, @starsystemic désigne un grand panneau. \"Restez sur le chemin principal si vous le pouvez.\"<br><br> \"Ça ne peut pas être si compliqué !\", dit @RosemonkeyCT. \"Il est large, et bien délimité.\"<br><br>Mais, alors que vous poursuivez votre chemin, vous remarquez que le chemin disparaît petit à petit sous la boue du marécage, mêlée d'étranges petits débris bleus et de tout un bric-à-brac, jusqu'à ce qu'il devienne impossible de continuer à le suivre.<br><br> Alors que vous regardez tout autour de vous en vous demandant comment la route a bien pu finir dans cet état, @Jon Arjinborn pousse un cri. \"Attention !\" Une grenouille, manifestement furieuse, bondit hors de la vase, enroulée dans du linge sale et éclairée d'une flamme bleue. Il vous faudra vaincre cette Grenouille du Désordre empoisonnée pour poursuivre votre route !",
"questFrogNotes": "Alors que vous et vos amis cheminez péniblement dans les marécages de Stagnation, @starsystemic désigne un grand panneau. \"Restez sur le chemin principal si vous le pouvez.\"<br><br> \"Ça ne peut pas être si compliqué !\", dit @RosemonkeyCT. \"Il est large, et bien délimité.\"<br><br>Mais, alors que vous poursuivez votre chemin, vous remarquez que le chemin disparaît petit à petit sous la boue du marécage, mêlée d'étranges petits débris bleus et de tout un bric-à-brac, jusqu'à ce qu'il devienne impossible de continuer à le suivre.<br><br> Alors que vous regardez tout autour de vous en vous demandant comment la route a bien pu finir dans cet état, @Jon Arjinborn pousse un cri. \"Attention !\" Une grenouille, manifestement furieuse, bondit hors de la vase, enroulée dans du linge sale et éclairée d'une flamme bleue. Il vous faudra vaincre cette grenouille du désordre empoisonnée pour poursuivre votre route !",
"questFrogCompletion": "La grenouille se replie dans la vase, vaincue. Tandis qu'elle s'éloigne en titubant, la vase bleue disparaît, laissant la voie libre. <br><br> Au beau milieu du chemin se trouvent trois œufs immaculés. \"L'enveloppe est tellement claire qu'on peut même voir les têtards au travers !\" dit @Breadstrings. \"Tenez, vous devriez les prendre.\"",
"questFrogBoss": "Grenouille du désordre",
"questFrogDropFrogEgg": "Grenouille (œuf)",
@@ -313,7 +313,7 @@
"questSnailDropSnailEgg": "Escargot (œuf)",
"questSnailUnlockText": "Déverrouille l'achat dœufs d'escargot au marché",
"questBewilderText": "L'être déchaîné",
"questBewilderNotes": "La fête commence comme n'importe quelle autre.<br><br>Les amuse-bouches sont excellents, la musique est entraînante, même les éléphants dansants font partie de la routine. Les Habiticien·ne·s rient et s'amusent entre les centres de table regorgeant de fleurs, heureu·x·ses d'être distrait·e·s de leurs tâches les plus ingrates. Le Fou d'avril tournoie parmi la foule, contant une blague marrante par-ci et jouant un mauvais tour par-là.<br><br>Alors que l'horloge de Mistivolant sonne minuit, le Fou d'avril saute sur la scène pour faire un discours :<br><br>« Acolytes ! Adversaires ! Connaissances tolérantes ! Prêtez-moi oreille ! » Les spectat·eur·rice·s gloussent alors que des oreilles d'animaux sortent de leur tête, puis prennent la pose, portant fièrement leurs nouveaux accessoires.<br><br>« Comme vous le savez, continue le Fou, mes illusions confuses ne durent normalement qu'une journée. Mais je suis heureux de vous annoncer que j'ai découvert un moyen de nous amuser perpétuellement, sans avoir à nous soucier de l'assommant poids de nos responsabilités. Habiticiens, Habiticiennes, je vous présente mon nouvel ami magique... l'Être Déchaîné ! »<br><br>Lemoness pâlit soudainement, laissant échapper ses hors-d'oeuvres. « Attendez ! Ne faites pas confiance- »<br><br>Tout à coup, une épaisse brume scintillante envahit la pièce et tourbillonne autour du Fou d'avril, l'enveloppant pour se couvrir de plumes embrumées et allonger son cou. La foule reste bouche bée devant ce monstrueux oiseau déployant ses ailes miroitantes d'illusions. Il pousse un horrible rire strident.<br><br>« Oh, il y a des siècles qu'un·e Habiticien·ne avait été assez fo·u·lle pour m'invoquer ! Qu'il est bon de retrouver une forme physique. »<br><br>Bourdonnant de terreur, les abeilles féeriques de Mistivolant s'enfuient hors de la ville flottante, qui s'affaisse dans le ciel. Une à une, les jolies fleurs de printemps se fanent et disparaissent.<br><br>« Mes très ch·er·ère·s camarades, pourquoi tant d'affolement ? », s'écrit l'être déchaîné en battant des ailes. « Vous n'avez plus à travailler interminablement pour obtenir des récompenses ; je vous donnerai tout ce que vous désirez ! »<br><br>Des pièces d'or se mettent à pleuvoir du ciel, atteignant le sol avec une force brutale. La foule cherche refuge en hurlant. « C'est une blague ? », s'écrie Baconsaur, au moment même où des pièces fracassent les fenêtres et détruisent les bardeaux des toits.<br><br>PainterProphet se baisse pour éviter les éclairs qui tonnent là-haut. La brume voile le soleil. « Non ! Cette fois, je ne crois pas que c'en soit une ! »<br><br>Vite, Habiticien·ne·s, ne laissons pas cet énorme Boss nous distraire de nos objectifs ! Concentrons-nous sur les tâches que nous devons accomplir pour sauver Mistivolant et, espérons-le... nous-mêmes.",
"questBewilderNotes": "La fête commence comme d'habitude.<br><br>Les amuse-bouches sont excellents, la musique, entraînante, même les éléphants dansants font partie de la routine. Les Habiticiens et Habiticiennes rient et s'amusent entre les centres de table regorgeant de fleurs, heureux d'être distraits de leurs tâches les plus ingrates. Le Fou d'avril tournoyant parmi la foule, conte une blague marrante par-ci et joue un mauvais tour par-là.<br><br>Alors que l'horloge de Mistivolant sonne minuit, le Fou d'avril saute sur la scène pour faire un discours :<br><br>« Acolytes ! Adversaires ! Connaissances tolérantes ! Prêtez-moi vos oreilles ! » Les spectateurs gloussent alors que des oreilles d'animaux sortent de leur tête, puis ils prennent la pose, portant fièrement leur nouvel accessoire.<br><br>« Comme vous le savez tous, continue le Fou, mes illusions confuses ne durent normalement qu'une journée. Mais je suis heureux de vous annoncer que j'ai découvert un moyen de nous amuser perpétuellement, sans avoir à nous soucier de l'assommant poids de nos responsabilités. Habiticiens, Habiticiennes, je vous présente mon nouvel ami magique... l'être déchaîné ! »<br><br>Lemoness pâlit soudainement, laissant échappant ses hors-d'oeuvres. « Attendez ! Ne faites pas confiance... »<br><br>Tout à coup, une épaisse brume scintillante envahit la pièce et tourbillonne autour du Fou d'avril, l'enveloppant pour se transformer en plumes embrumées et en long cou. La foule est bouche bée devant ce monstrueux oiseau déployant ses ailes miroitantes d'illusions. Il pousse un horrible rire strident.<br><br>« Oh, il y a des siècles qu'un Habiticien avait été assez fou pour m'invoquer ! Comme c'est merveilleux d'avoir une forme physique à nouveau. »<br><br>Bourdonnant de terreur, les abeilles féeriques de Mistivolant s'enfuient hors de la ville flottante, qui s'affaisse dans le ciel. Une à une, les jolies fleurs de printemps se fanent et disparaissent.<br><br>« Mes très chers camarades, pourquoi tant d'affolement ? », s'écrit l'être déchaîné en battant des ailes. « Vous n'avez plus à travailler interminablement pour obtenir des récompenses ; je vous donnerai tout ce que vous désirez ! »<br><br>Des pièces d'or se mettent à pleuvoir du ciel, atteignant le sol avec une force brutale. La foule cherche refuge en hurlant. « C'est une blague ? », s'écrie Baconsaur, au moment même où des pièces fracassent les fenêtres et détruisent les bardeaux des toits.<br><br>PainterProphet se baisse pour éviter les éclairs qui tonnent là-haut. La brume voile le soleil. « Non ! Cette fois, je ne crois pas que c'en soit une ! »<br><br>Vite, Habiticiens, Habiticiennes, ne laissons pas ce boss mondial nous distraire de nos objectifs ! Concentrons-nous sur les tâches que nous devons accomplir pour sauver Mistivolant et, espérons-le... nous-mêmes.",
"questBewilderCompletion": "<strong>L'être déchaîné est VAINCU !</strong><br><br>Nous avons réussi ! L'être déchaîné lâche un hululement de désespoir en tournoyant dans les airs, ses plumes tombant comme de la pluie. Peu à peu, il se transforme en nuage de brume étincelante, qui, une fois percée par le soleil réapparu, se dissipe pour laisser place aux formes humaines, toussotantes et indulgentes, de Bailey, de Matt, d'Alex... et du Fou d'avril lui-même.<br><br><strong>Mistivolant est sauvée !</strong><br><br>Le Fou d'avril est si honteux qu'il a l'air penaud. « Oh, hum, dit-il. Je me suis peut-être laissé... emporter ! »<br><br>La foule marmonne. Des fleurs détrempées s'échouent sur le trottoir. Au loin, un toit s'écroule en un spectaculaire splash.<br><br>« Heu... oui, dit le Fou. C'est que... je voulais plutôt dire que je suis terriblement désolé. » Il soupire. « Je suppose qu'on ne peut pas toujours jouer et avoir du plaisir après tout. Ça ne fait pas de mal de travailler quelques fois. Je pense prendre une longueur d'avance sur mes tours de l'année prochaine. »<br><br>Redphoenix s'éclaircit la voix méchamment.<br><br>« Je veux dire... prendre une longueur d'avance sur ce ménage du printemps, se reprend le Fou d'avril. N'ayez rien à craindre : je remettrai Habitiville en état en un rien de temps. Heureusement, personne n'égale mes talents de nettoyage à double serpillière. »<br><br>Encouragée, la foule s'y met.<br><br>En peu de temps, Habitiville retrouve son état normal. Maintenant que l'être déchaîné s'est évaporé, les abeilles féeriques de Mistivolant se remettent au travail, et en un rien de temps, les fleurs éclosent et la ville flotte de nouveau.<br><br>Alors que les Habiticiens et Habiticiennes caressent les fourrures des abeilles féeriques, les yeux du Fou d'avril s'illuminent : « Oh ! j'ai une idée, s'exclame-t-il. Pourquoi ne garderiez-vous pas tous ces abeilles duveteuses comme familier et monture ? C'est un cadeau parfait pour symboliser l'équilibre entre dur labeur et récompense méritée, si je puis me permettre une allégorie. » Il vous fait un clin dœil. « En plus, elles ne piquent pas. Parole de Fou ! »",
"questBewilderCompletionChat": "`L'être déchaîné est VAINCU !`\n\nNous avons réussi ! L'être déchaîné lâche un hululement de désespoir en tournoyant dans les airs, ses plumes tombant comme de la pluie. Peu à peu, il se transforme en nuage de brume étincelante, qui, une fois percée par le soleil réapparu, se dissipe pour laisser place aux formes humaines, toussotantes et pardonnantes, de Bailey, de Matt, d'Alex... et du Fou d'avril lui-même.\n\n`Mistivolant est sauvée !`\n\nLe Fou d'avril est si honteux qu'il a l'air penaud. « Oh, hum, dit-il. Je me suis peut-être laissé... emporter ! »\n\nLa foule marmonne. Des fleurs détrempées atterrissent sur le trottoir. Au loin, un toit s'écroule en un spectaculaire splash.\n\n« Heu... oui, dit le Fou. C'est que... je voulais plutôt dire que je suis terriblement désolé. » Il soupire. « Je suppose qu'on ne peut pas toujours jouer et avoir du plaisir après tout. Ça ne fait pas de mal de travailler quelques fois. Je crois que je vais prendre une longueur d'avance sur mes tours de l'année prochaine... peut-être. »\n\nRedphoenix tousse méchamment.\n\n« Je veux dire... prendre une longueur d'avance sur ce ménage du printemps, se reprend le Fou d'avril. N'ayez rien à craindre : je remettrai Habitiville en état en un rien de temps. Heureusement, personne n'égale mes talents de nettoyage à double serpillière. »\n\nEncouragée, la foule s'y met.\n\nEn peu de temps, Habitiville retrouve son état normal. Maintenant que l'être déchaîné s'est évaporé, les abeilles féeriques de Mistivolant se remettent au travail, et en un rien de temps, les fleurs éclosent et la ville flotte de nouveau.\n\nAlors que les Habiticiens et Habiticiennes câlinent les abeilles féeriques touffues, les yeux du Fou d'avril s'illuminent : « Oh ! j'ai une idée, s'exclame-t-il. Pourquoi ne garderiez-vous pas tous ces abeilles touffues comme familier et monture ? C'est un cadeau parfait pour symboliser l'équilibre entre dur labeur et récompense méritée, si je puis me permettre une allégorie. » Il vous fait un clin dœil. « En plus, elles ne piquent pas. Parole de Fou ! »",
"questBewilderBossRageTitle": "Frappe séductrice",
@@ -357,7 +357,7 @@
"questArmadilloDropArmadilloEgg": "Tatou (œuf)",
"questArmadilloUnlockText": "Déverrouille l'achat d'œufs de tatou au marché",
"questCowText": "La vache meuhtante",
"questCowNotes": "Ce fut une longue et chaude journée aux Fermes Entraînantes et vous rêvez d'une grande gorgée d'eau et d'un peu de sommeil. Vous êtes là à rêvasser quand @Soloana crie tout à coup \"Tout le monde, courez ! La vache de concours a meuhté !\"<br><br>@eevachu s'étrangle. \"Nos mauvaises habitudes doivent l'avoir infectée.\"<br><br>\"Vite !\" dit @Feralem Tau. \"Faisons quelque chose avant que les autres vaches ne meuhtent aussi.\"<br><br>Vous en avez assez entendu. Trêve de rêveries il est temps d'en finir avec ces mauvaises habitudes !",
"questCowNotes": "Ce fut une longue et chaude journée aux fermes entraînantes et il n'y a rien que vous ne vouliez plus qu'une grande gorgée d'eau et un peu de sommeil. Vous êtes là à rêvasser quand @Soloana crie tout à coup \"Tout le monde, courez ! La vache de concours a meuhté !\"<br><br>@eevachu s'étrangle. \"Nos mauvaises habitudes doivent l'avoir infectée.\"<br><br>\"Vite !\" dit Feralem Tau. \"Faisons quelque chose avant que les autres vaches ne meuhtent aussi.\"<br><br>Vous en avez assez entendu. Trêve de rêveries il est temps d'en finir avec ces mauvaises habitudes !",
"questCowCompletion": "Vous extrayez le maximum de vos bonnes habitudes jusqu'à faire revenir la vache à son aspect de départ. La vache vous regarde avec ses beaux petits yeux bruns et fait apparaître trois œufs.<br><br>@fuzzytrees rit et vous tend les œufs : \"S'il y a des petites vaches dans ces œufs, peut-être qu'elles sont toujours meuhtées. Mais j'ai confiance en vous, vous respecterez vos bonnes habitudes quand vous les élèverez !\"",
"questCowBoss": "Vache meuhtante",
"questCowDropCowEgg": "Vache (œuf)",
@@ -387,7 +387,7 @@
"questTaskwoodsTerror2CollectDryads": "Dryades",
"questTaskwoodsTerror2DropArmor": "Robe de pyromancienne (armure)",
"questTaskwoodsTerror3Text": "Terreur dans le bois des Tâches, 3e partie : Jacko à la lanterne",
"questTaskwoodsTerror3Notes": "Prêt·e·s pour la bataille, votre groupe marche jusqu'au cœur de la forêt, où l'esprit renégat tente de détruire un vénérable pommier entouré de buissons pleins de baies. De sa tête-citrouille irradie une affreuse lumière partout où son regard porte et il tient fermement dans sa main gauche un long bâton au bout duquel pend une lanterne. En lieu et place de la flamme, la lanterne contient un cristal noir dont la simple vue vous glace le sang.<br><br>La Joyeuse Faucheuse porte sa main osseuse à sa bouche. \"C'est... c'est Jacko, l'esprit de la lanterne ! Mais c'est un esprit moissonneur bien utile qui guide nos fermi·er·ère·s. Qu'est ce qui a pu conduire cette âme respectable à se comporter de la sorte ?\"<br><br>\"Je n'en sais rien, dit @bridgetteempress, mais on dirait bien que cette \"âme respectable\" soit sur le point de nous attaquer !\"",
"questTaskwoodsTerror3Notes": "Prêt pour la bataille, votre groupe marche jusqu'au cœur de la forêt, où l'esprit renégat tente de détruire un vénérable pommier entouré de buissons pleins de baies. Sa tête-citrouille irradie une affreuse lumière partout où son regard porte et il tient fermement dans sa main gauche un long bâton au bout duquel pend une lanterne. En lieu et place de la flamme, la lanterne contient un cristal noir dont la simple vue vous glace le sang.<br><br>La Joyeuse faucheuse porte sa main osseuse à sa bouche. \"C'est... c'est Jacko, l'esprit de la lanterne ! Mais c'est un esprit moissonneur bien utile qui guide nos fermiers. Qu'est ce qui a pu conduire cette âme respectable à se comporter de la sorte ?\"<br><br>\"Je n'en sais rien, dit @bridgetteempress, mais on dirait bien que cette 'âme respectable' est sur le point de nous attaquer !\"",
"questTaskwoodsTerror3Completion": "Après une longue bataille, vous parvenez à faire tomber le cristal contenu dans la lanterne que Jacko tient. Il revient soudainement à lui-même et se répand en larmes. \"Oh, ma forêt, ma magnifique forêt ! Qu'ai-je fait ?!\" gémit-il. Ses larmes éteignent l'incendie et sauvent les pommes et les buissons.<br><br>Vous aidez Jacko à se reprendre, puis il s'explique : \"J'ai rencontré une charmante dame, nommée Tzina, et elle m'a donné ce cristal en cadeau. Puisqu'elle insistait, je l'ai mis dans ma lanterne... mais c'est tout ce dont je me souviens.\" Il se tourne vers vous avec un sourire rayonnant. \"Peut-être devriez-vous le garder en sécurité pendant que j'aiderai les vergers à repousser.\"",
"questTaskwoodsTerror3Boss": "Jacko à la lanterne",
"questTaskwoodsTerror3DropStrawberry": "Fraise (nourriture)",
@@ -425,14 +425,14 @@
"questSlothDropSlothEgg": "Paresseux (œuf)",
"questSlothUnlockText": "Déverrouille l'achat dœufs de paresseux au marché",
"questTriceratopsText": "Le tricératops trépignant",
"questTriceratopsNotes": "Les sommets enneigés des Volcans de Stoïcalme grouillent toujours de randonneu·r·se·s et de touristes. L'une de ces personnes, @plumilla, crie à la foule. \"Regardez ! J'ai lancé sur le sol un sortilège de lueur, afin que nous puissions jouer à des sports de terrain ! Cela nous permettra de valider nos Quotidiennes d'activité en plein air !\" Et en effet, par terre virevoltent des motifs rougeoyants. Il y a même des familiers préhistoriques du coin qui viennent jouer.<br><br>Soudain, un bruit sec se fait entendre. Un Tricératops un peu curieux vient de marcher sur la baguette magique de @plumilla ! Le voici dévoré par une gerbe d'énergie magique, et le sol commence à trembler et à chauffer. Les yeux du Tricératops brillent de rouge, il barrit et se lance dans une cavalcade !<br><br>\"Ça s'annonce mal\", déclare @McCoyly en montrant l'horizon. Chacun des pas emplis de magie du dinosaure provoque des éruptions volcaniques et transforme le sol en lave ! Vite, vous devez tenir à distance le Tricératops Trépignant jusqu'à ce que quelqu'un·e parvienne à inverser le sort !",
"questTriceratopsNotes": "Les sommets enneigés des volcans de Stoïcalme grouillent toujours de randonneurs et de touristes. L'une de ces personnes, @plumilla, crie à la foule. \"Regardez ! J'ai lancé sur le sol un sortilège de lueur, afin que nous puissions jouer à des sports de terrain ! Cela nous permettra de valider nos Quotidiennes d'activité en plein air !\" Et en effet, par terre virevoltent des motifs rougeoyants. Il y a même des familiers préhistoriques du coin qui viennent jouer.<br><br>Soudain on entend un bruit sec. Un tricératops un peu curieux vient de marcher sur la baguette magique de @plumilla ! Le voici dévoré par une gerbe d'énergie magique, et le sol commence à trembler et à chauffer. Les yeux du tricératops brillent de rouge, il barrit et se lance dans une cavalcade !<br><br>\"Ça s'annonce mal\", déclare @McCoyly en montrant l'horizon. Chacun des pas emplis de magie du dinosaure provoque des éruptions volcaniques et transforme le sol en lave ! Vite, vous devez tenir à distance le tricératops trépignant jusqu'à ce que quelqu'un parvienne à inverser le sort !",
"questTriceratopsCompletion": "Sans plus tergiverser, vous dirigez la bête vers les étendues apaisantes des steppes stoïcalmes afin que @*~Seraphina~ et @PainterProphet puissent annuler le sort de rougeoiement lavique sans être dérangés. Les steppes produisent leur effet rassérénant, et le tricératops se pelotonne tandis que les volcans se rendorment. @PainterProphet vous tend les quelques œufs épargnés par la lave. \"Sans vous, nous n'aurions jamais pu nous concentrer suffisamment pour stopper les éruptions. Accueillez ces familiers en votre foyer.\"",
"questTriceratopsBoss": "Tricératops trépignant",
"questTriceratopsDropTriceratopsEgg": "Tricératops (œuf)",
"questTriceratopsUnlockText": "Déverrouille l'achat d'œufs de tricératops au marché",
"questGroupStoikalmCalamity": "Calamité de Stoïcalme",
"questStoikalmCalamity1Text": "Calamité de Stoïcalme, 1re partie : les ennemis telluriques",
"questStoikalmCalamity1Notes": "Une missive laconique vous parvient de @Kiwibot, et le rouleau couvert de givre glace votre cœur aussi bien que vos doigts. \"Visitais Steppes Stoïcalmes monstres sortant de terre envoyez aide !\" Vous rassemblez votre équipe et chevauchez en direction du nord, mais aussitôt que vous vous aventurez au pied des montagnes, la neige sous vos pieds explose et des crânes aux sourires macabres vous encerclent !<br><br>Soudain, une lance vous passe sous le nez, puis s'enfonce dans un crâne qui creusait sous la neige afin de vous attraper par surprise. Une grande femme, vêtue d'une armure de belle facture, galope dans la mêlée à dos d'un mastodonte, et sa longue natte balance au vent tandis qu'elle récupère sa lance fichée dans la bête, en tirant d'un coup sec. L'heure est venue d'affronter ces adversaires avec l'aide de Dame Givre, la meneuse des Chevaucheu·r·se·s de Mammouths !",
"questStoikalmCalamity1Notes": "Une missive laconique vous parvient de @Kiwibot, et le rouleau couvert de givre glace votre cœur aussi bien que vos doigts. \"Visitais steppes stoïcalmes monstres sortant de terre envoyez aide !\" Vous rassemblez votre équipe et chevauchez en direction du nord, mais aussitôt que vous vous aventurez au pied des montagnes, la neige sous vos pieds explose et des crânes aux sourires macabres vous encerclent !<br><br>Soudain, une lance vous passe sous le nez, puis s'enfonce dans un crâne qui creusait sous la neige afin de vous attraper par surprise. Une grande femme, vêtue d'une armure de belle facture, galope dans la mêlée à dos d'un mastodonte, et sa longue natte balance au vent tandis qu'elle récupère sa lance fichée dans la bête, en tirant d'un coup sec. Est venue l'heure d'affronter ces adversaires avec l'aide de Dame Givre, la meneuse des chevaucheurs de mammouths !",
"questStoikalmCalamity1Completion": "Tandis que vous assénez un dernier coup aux crânes belliqueux, ces derniers se dissipent en une bouffée de magie. \"Cette maudite nuée s'en est allée, dit Dame Givre, mais nous affrontons de plus gros problèmes. Suivez-moi.\" Elle vous lance un manteau afin que vous vous protégiez de l'air frais, et vous vous élancez derrière elle.",
"questStoikalmCalamity1Boss": "Nuée de crânes telluriques",
"questStoikalmCalamity1RageTitle": "Régénération de la nuée",
@@ -442,7 +442,7 @@
"questStoikalmCalamity1DropDesertPotion": "Potion d'éclosion du désert",
"questStoikalmCalamity1DropArmor": "Armure de chevaucheur de mammouths",
"questStoikalmCalamity2Text": "Calamité de Stoïcalme, 2e partie : à la recherche des cavernes de givre",
"questStoikalmCalamity2Notes": "La grande salle des Chevaucheu·r·se·s de Mammouths est un chef-d'œuvre de sobriété architecturale, mais surtout, elle est complètement vide. On ne trouve aucun meuble à l'horizon, les râteliers d'armes ne contiennent rien, et même les incrustations qui ornaient les colonnes ont été subtilisées.<br><br>\"Ces crânes ont ratissé l'endroit\", observe Dame Givre, et l'on devine à sa voix qu'une tempête s'agite en elle. \"C'est humiliant. Que personne n'en parle au Fou d'avril, ou je n'aurai pas fini d'en entendre parler.\"<br><br>\"Comme c'est étrange !\", dit @Beffymaroo. \"Où ont-ils bien pu-\"<br><br>\"Dans les cavernes de givre\", coupe Dame Givre, en pointant du doigt des pièces éparpillées dans la neige dehors. \"Glissant.\"<br><br> \"Pourtant, les guivres-givres qui vivent dans ces cavernes sont d'honorables créatures, qui possèdent leurs propres trésors !\" s'étonne @Beffymaroo, \"Pourquoi se mettraient-elles à-\"<br><br>\"Contrôle mental\", coupe encore Dame Givre, d'un calme olympien, \"ou quelque chose dans le genre, désagréable et mélodramatique\". Elle fonce vers la sortie extérieure. \"Qu'est-ce que vous attendez ?\"<br><br>Vite, remontez la piste des Pièces de Givre !",
"questStoikalmCalamity2Notes": "La grande salle des chevaucheurs de mammouths est un chef-d'œuvre de sobriété architecturale, mais surtout, elle est complètement vide. On ne trouve aucun meuble à l'horizon, les râteliers d'armes ne contiennent rien, et même les incrustations qui ornaient les colonnes ont été subtilisées.<br><br>\"Ces crânes ont ratissé l'endroit\", observe Dame Givre, et l'on devine à sa voix qu'une tempête s'agite en elle. \"C'est humiliant. Que personne n'en parle au Fou d'avril, ou je n'aurai pas fini d'en entendre parler.\"<br><br>\"Comme c'est étrange !\", dit @Beffymaroo. \"Où ont-ils bien pu...\"<br><br>\"Dans les cavernes de givre\", coupe Dame Givre, en pointant du doigt des pièces éparpillées dans la neige dehors. \"Travail bâclé.\"<br><br>@Beffymaroo s'interroge. \"Pourtant, les guivres-givres qui vivent dans ces cavernes sont d'honorables créatures, qui possèdent leurs propres trésors ! Pourquoi se mettraient-elles à...\"<br><br>\"Contrôle mental\", coupe encore Dame Givre, d'un calme olympien, \"ou quelque chose dans le genre, désagréable et mélodramatique\". Elle fonce vers la sortie extérieure. \"Qu'est-ce que vous attendez ?\"<br><br>Vite, remontez la piste des pièces de givre !",
"questStoikalmCalamity2Completion": "Les pièces givrées vous mènent droit à l'entrée d'une caverne astucieusement dissimulée. Bien que le temps extérieur soit calme et agréable, que le soleil scintille sur les étendues de neige, un hurlement s'échappe de la caverne, pareil au bruit d'un vent hivernal particulièrement féroce. Dame Givre grimace et vous tend un heaume de chevaucheur de mammouths. \"Tenez, vous lance-t-elle, vous en aurez besoin.\"",
"questStoikalmCalamity2CollectIcicleCoins": "Pièces givrées",
"questStoikalmCalamity2DropHeadgear": "Heaume de chevaucheur de mammouths (couvre-chef)",
@@ -454,19 +454,19 @@
"questStoikalmCalamity3DropShield": "Olifant de chevaucheur de mammouths (équipement secondaire)",
"questStoikalmCalamity3DropWeapon": "Lance de chevaucheur de mammouths (arme)",
"questGuineaPigText": "Le gang des cochons d'Inde",
"questGuineaPigNotes": "Vous vous baladez nonchalamment sur le célèbre marché d'Habitiville quand @Pandah vous fait signe. \"Hé, regardez ça !\" Plus loin, un groupe exhibe à Alexander le Marchand un œuf aux teintes brunes et beiges, que vous n'arrivez pas à identifier.<br><br>Alexander fronce les sourcils. \"Je ne me souviens pas avoir proposé cet œuf à la vente. D'où peut-il bien...\" Une petite patte lui coupe la parole.<br><br>\"D'inde-nous tout ton argent, marchand !\" couine une petite voix machiavélique.<br><br>\"Oh non, lœuf était un leurre !\" s'exclame @mewrose. \"Ces brutes avides forment le Gang des Cochons d'Inde ! Ils ne font jamais leurs Quotidiennes, du coup, il·elle·s passent leur temps à voler de l'or pour s'acheter des potions de santé !\"<br><br>\"Dévaliser le marché ?, dit @emmavig. Pas si nous sommes là !\" Sans plus attendre, vous vous lancez au secours d'Alexander.",
"questGuineaPigCompletion": "\"On se rend !\" Le boss du Gang des Cochons d'Inde lève les pattes en l'air, la tête basse et duveteuse. De sous son chapeau tombe un papier, une liste, que @snazzyorange ramasse aussitôt. Vous l'inspectez et dites \"Attendez une minute... Pas étonnant que vous perdiez de la santé ! Vous vous imposez beaucoup trop de quotidiennes. Ce ne sont pas des potions de santé dont vous avez besoin... mais d'une meilleure organisation.\"<br><br>\"Vraiment ?\" couine le Chef du Gang des Cochons d'Inde. \"Ça nous a poussé à voler tellement de gens ! Veuillez accepter nos œufs, comme geste d'excuse pour nos méthodes véreuses.\"",
"questGuineaPigNotes": "Vous vous baladez nonchalamment sur le célèbre marché d'Habitiville quand @Pandah vous fait signe. \"Hé, regardez ça !\" Plus loin, un groupe exhibe à Alexandre le marchand un œuf aux teintes brunes et beiges, que vous n'arrivez pas à identifier.<br><br>Alexander fronce les sourcils. \"Je ne me souviens pas avoir proposé cet œuf à la vente. D'où peut-il bien...\" Une petite patte lui coupe la parole.<br><br>\"D'inde-nous tout ton argent, marchand !\" couine une petite voix machiavélique.<br><br>\"Oh non, lœuf était un hameçon !\" s'exclame @mewrose. \"Ces brutes avides forment le gang des cochons d'Inde ! Ils ne font jamais leurs quotidiennes. Du coup, ils passent leur temps à voler de l'or pour s'acheter des potions de santé !\"<br><br>\"Dévaliser le marché ?\", dit @emmavig. \"Pas si nous sommes là !\" Sans plus attendre, vous vous lancez au secours d'Alexander.",
"questGuineaPigCompletion": "\"On se rend !\" Le boss du gang des cochons d'Inde lève les pattes en l'air, la tête basse et duveteuse. De sous son chapeau tombe un papier, une liste, que @snazzyorange ramasse aussitôt. Vous l'inspectez et dites \"Attendez une minute... Pas étonnant que vous perdiez de la santé ! Vous vous imposez beaucoup trop de quotidiennes. Ce ne sont pas des potions de santé dont vous avez besoin... mais d'une meilleure organisation.\"<br><br>\"Vraiment ?\" couine le chef du gang des cochons d'Inde. \"Cela nous a poussé à voler tellement de gens ! Veuillez accepter nos œufs, comme geste d'excuse pour nos méthodes véreuses.\"",
"questGuineaPigBoss": "Gang des cochons d'Inde",
"questGuineaPigDropGuineaPigEgg": "Cochon d'Inde (œuf)",
"questGuineaPigUnlockText": "Déverrouille l'achat dœufs de cochon d'Inde au marché",
"questPeacockText": "Le paon oscillant",
"questPeacockNotes": "Au cours d'une randonnée dans le Bois des Tâches, vous vous demandez quel nouvel objectif vous attire le plus. Pris dans votre indécision, vous vous enfoncez toujours plus loin dans la forêt, et vous réalisez que vous n'êtes pas seul·e·s dans votre cas. \"Je pourrais apprendre une nouvelle langue, ou me mettre au fitness\", murmure @Cecily Perez. \"Je pourrais dormir un peu plus, chuchote @Lilith of Alfheim, ou passer plus de temps avec mes ami·e·s.\" Il semblerait que @PainterProphet, @Pfeffernusse et @Draayder soient également paralysé·e·s par une trop grande variété de choix.<br><br>Vous réalisez que ces atermoiements toujours plus pesants ne sont pas réellement les vôtres... vous êtes tombé·e·s tout droit dans le piège du maléfique Paon Oscillant ! Avant que vous ne puissiez vous enfuir, il jaillit des buissons. Chacune de ses têtes vous attire dans des directions opposées, et une sensation d'épuisement vous envahit. Vous ne pouvez abattre ces deux adversaires à la fois, ce qui ne vous laisse qu'une option : concentrez-vous sur la tâche la plus proche pour répliquer !",
"questPeacockNotes": "Au cours d'une randonnée dans le bois des Tâches, vous vous demandez quel nouvel objectif vous attire le plus. Pris dans votre indécision, vous vous enfoncez toujours plus loin dans la forêt, et vous réalisez que votre cas n'est pas unique. \"Je pourrais apprendre une nouvelle langue, ou me mettre au fitness\", murmure @Cecily Perez. \"Je pourrais dormir un peu plus, chuchote @Lilith of Alfheim, ou passer plus de temps avec mes amis.\" Il semblerait que @PainterProphet, @Pfeffernusse et @Draayder sont également paralysés par une trop grande variété de choix.<br><br>Vous réalisez que ces atermoiements toujours plus pesants ne sont pas réellement les vôtres... vous êtes tombés tout droit dans le piège du maléfique paon oscillant ! Avant que vous ne puissiez vous enfuir, il jaillit des buissons. Chacune de ses têtes vous attire dans des directions opposées, et une sensation d'épuisement vous envahit. Vous ne pouvez abattre ces deux adversaires à la fois, ce qui ne vous laisse qu'une option concentrez-vous sur la tâche la plus urgente pour répliquer !",
"questPeacockCompletion": "Le paon oscillant est pris au dépourvu par votre soudaine force de conviction. Défait, battu par votre conduite résolue, ses deux têtes fusionnent de nouveau en une seule, révélant à vos yeux la plus belle créature que vous ayez jamais vue. \"Merci\", dit le paon. \"J'avais passé tant de temps à me pousser dans des directions différentes que j'en avais perdu de vue ce que je désirais vraiment. Veuillez recevoir ces œufs, en gage de ma gratitude.\"",
"questPeacockBoss": "Paon oscillant",
"questPeacockDropPeacockEgg": "Paon (œuf)",
"questPeacockUnlockText": "Déverrouille l'achat dœufs de paon au marché",
"questButterflyText": "Minute, papillon",
"questButterflyNotes": "Votre camarade jardinière @Megan vous envoie une invitation : \"Les températures actuelles sont idéales pour une visite du jardin aux papillons d'Habitica, dans l'arrière-pays Tâcheray. Venez observer la migration des papillons !\" Quand vous arrivez, cela dit, le jardin est en pagaille. À l'horizon, rien d'autre que des herbes roussies et des fleurs séchées. Il a fait si chaud que les habitant·e·s d'Habitica ne sont pas venu·e·s arroser les plantes, et les Quotidiennes rouge foncé ont transformé l'endroit en un gigantesque champ roussi, avec un inquiétant risque de départ de feu. Il n'y a qu'un seul papillon dans le coin... et il a l'air étrange...<br><br>\"Ho non ! Toutes les conditions sont réunies pour qu'un Papiromane puisse grandir ici !\" s'exclame @Leephon.<br><br>\"Si nous ne l'attrapons pas, il va tout détruire\", s'étrangle @Eevachu.<br><br>Minute papillon, ne t'en va pas comme ça !",
"questButterflyNotes": "Votre camarade jardinier @Megan vous envoie une invitation : \"Les températures actuelles sont idéales pour une visite du jardin aux papillons d'Habitica, dans l'arrière-pays Tâcheray. Venez observer la migration des papillons !\" Quand vous arrivez, cela dit, le jardin est en pagaille. À l'horizon, rien d'autre que des herbes roussies et des fleurs séchées. Il a fait si chaud que les habitants d'Habitica ne sont pas venus arroser les plantes, et les quotidiennes rouge foncé ont transformé l'endroit en un gigantesque champ roussi, avec un inquiétant risque de départ de feu. Il n'y a qu'un seul papillon dans le coin... et il a l'air étrange...<br><br>\"Ho non ! Toutes les conditions sont réunies pour qu'un papyromane puisse grandir ici !\" s'exclame @Leephon.<br><br>\"Si nous ne l'attrapons pas, il va tout détruire\", s'étrangle @Eevachu.<br><br>Minute papillon, ne t'en va pas comme ça !",
"questButterflyCompletion": "Après un bouillonnant combat, le papyromane ardent est capturé. \"Beau boulot, il fallait à tout prix attraper cet incendiaire en puissance\", vous lance @Megan dans un soupir de soulagement. \"Bon, ne papillonnons pas trop, il faut encore libérer ce papyromane dans un endroit sûr... comme le désert.\"<br><br>Un autre membre de l'équipe des jardiniers, @Beffymaroo, se dirige vers vous, un peu cramoisie mais souriante. \"Nous aiderez-vous à élever ces chrysalides abandonnées que nous venons de trouver ? Peut-être que l'an prochain, nous aurons un jardin plus luxuriant pour les accueillir.\"",
"questButterflyBoss": "Papyromane ardent",
"questButterflyDropButterflyEgg": "Chenille (œuf)",
@@ -612,7 +612,7 @@
"questSeaSerpentDropSeaSerpentEgg": "Serpent de mer (œuf)",
"questSeaSerpentUnlockText": "Débloque les oeufs de serpents de mer dans la boutique",
"questKangarooText": "Catastrophe kangourou",
"questKangarooNotes": "Vous auriez peut-être dû terminer cette dernière tâche.... vous savez, celle que vous évitez toujours, même si elle revient toujours? Mais @Mewrose et @LilithofAlfheim vous invitent, vous et @stefalupagus, à voir un kangourou rare sauter à travers la Savane Tanfépaï: comment refuser?! Alors que la troupe entre en vue, quelque chose vous frappe à l'arrière de la tête d'un puissant <em>boum</em><br><br>! Des étoiles devant les yeux, vous ramassez l'objet responsable - un boomerang rouge foncé, avec la tâche même que vous repoussez continuellement gravée sur sa surface. Un coup d'œil rapide confirme que le reste de votre groupe a connu le même sort. Une plus grande kangourou vous regarde avec un sourire suffisant, comme si elle vous mettait au défi de l'affronter, elle et cette tâche redoutée, une bonne fois pour toutes!",
"questKangarooNotes": "Vous auriez peut-être dû terminer cette dernière tâche.... vous savez, celle que vous évitez toujours, même si elle revient toujours? Mais @Mewrose et @LilithofAlfheim vous invitent, vous et @stefalupagus, à voir un kangourou rare sauter à travers la savane Tanfépaï; comment pourriez-vous dire non?! Alors que la troupe entre en vue, quelque chose vous frappe à l'arrière de la tête d'un puissant <em>boum</em><br><br>! Des étoiles devant les yeux, vous ramassez l'objet responsable - un boomerang rouge foncé, avec la tâche même que vous repoussez continuellement gravée sur sa surface. Un coup d'œil rapide confirme que le reste de votre groupe a connu le même sort. Une plus grande kangourou vous regarde avec un sourire suffisant, comme si elle vous mettait au défi de l'affronter, elle et cette tâche redoutée une fois pour toutes!",
"questKangarooCompletion": "\"MAINTENANT !\" Vous faites signe à votre groupe de lancer les boomerangs sur la kangourou. La bête saute plus loin à chaque coup jusqu'à ce qu'elle s'enfuit, ne laissant rien de plus qu'un nuage de poussière rouge foncé, quelques œufs et quelques pièces d'or.<br><br>@Mewrose marche jusqu'à l'endroit où la kangourou se tenait autrefois. \"Hé, où sont allés les boomerangs ?\"<br><br>\"Ils se sont probablement dissous dans la poussière, soulevant ce nuage rouge foncé, quand nous avons terminé nos tâches respectives\", spécule @stefalupagus.<br><br>@LilithofAlfheim louche à l'horizon. \"Est-ce qu'une autre troupe de kangourou se dirige vers nous ?\"<br><br>Vous vous lancez séance tenante dans une course vers Habitville. Mieux vaut affronter vos tâches difficiles que de prendre une autre bosse à l'arrière de la tête !",
"questKangarooBoss": "Kangourou catastrophique",
"questKangarooDropKangarooEgg": "Kangourou (œuf)",
@@ -674,7 +674,7 @@
"questAmberUnlockText": "Déverrouille l'achat de potions d'éclosion d'ambre au marché",
"questAmberDropAmberPotion": "Potion d'éclosion d'ambre",
"questAmberBoss": "Arbrésine",
"questAmberCompletion": "\"Arbrésine ?\" dit @-Tyr- calmement. \"Pourriez-vous laisser partir @Vikte ? Je ne pense pas qu'il apprécie d'être si haut.\"<br><br>La peau ambrée de l'Arbrésine rougit de pourpre et elle descend doucement @Vikte vers le sol. \"Mes excuses ! Ça fait si longtemps que je n'ai pas eu d'invité·e·s que j'ai oublié mes manières !\" Elle se glisse vers l'avant pour vous saluer correctement avant de disparaître dans sa cabane dans l'arbre et de revenir avec une brassée de Potions d'Éclosion d'Ambre en guise de remerciement !<br><br>\"Des Potions Magiques !\" s'étonne @Vikte.<br><br>\"Oh, ces vieilles choses ?\"Pendant qu'elle réflechit, la langue de l'Arbrésine scintille \"Je vous propose un marché : je vous donnerai toute cette pile si vous promettez de me rendre visite de temps en temps...\"<br><br> Vous quittez donc le Bois des Tâches, impatient·e·s de parler de vos nouvelles potions et de votre nouvelle amie à tout le monde !",
"questAmberCompletion": "\"Arbrésine ?\" dit @-Tyr- calmement. \"Pourriez-vous laisser partir @Vikte ? Je ne pense pas qu'ils apprécient d'être si haut.\"<br><br>La peau ambrée de l'arbrésine rougit de pourpre et elle descend doucement @Vikte vers le sol. \"Mes excuses ! Ça fait si longtemps que je n'ai pas eu d'invités que j'ai oublié mes manières !\" Elle se glisse vers l'avant pour vous saluer correctement avant de disparaître dans sa cabane dans l'arbre et de revenir avec une brassée de potions d'éclosion d'ambre en guise de remerciement!<br><br>\"Potions magiques !\" @Vikte gasps.<br><br>\"Oh, ces vieilles choses ?\" La langue de l'arbrésine scintille comme elle le pense. \"Que penses-tu de ça ? Je vous donnerai toute cette pile si vous promettez de me rendre visite de temps en temps...\"<br><br>Et donc vous quittez le bois des tâches, excités de parler des nouvelles potions - et de votre nouvelle amie - à tout le monde !",
"evilSantaAddlNotes": "Notez que les quêtes Père Noël Trappeur et Trouve l'ourson sont récompensées par des succès qui se cumulent, mais donnent un familier et une monture rare que vous ne pouvez ajouter à votre écurie qu'une seule fois.",
"questRubyUnlockText": "Déverrouille l'achat de potions d'éclosion rubis au marché",
"questRubyDropRubyPotion": "Potion d'éclosion rubis",
@@ -690,7 +690,7 @@
"questWaffleRageDescription": "Bourbier d'érable : Cette barre se remplit quand vous n'effectuez pas vos quotidiennes. Lorsqu'elle est pleine, l'affreuse gaufre diminuera d'autant les dégâts en cours accumulés par les membres de l'équipe !",
"questWaffleRageTitle": "Bourbier d'érable",
"questWaffleBoss": "Affreuse gaufre",
"questWaffleCompletion": "Battue et beurré mais triomphant, vous savourez la douce victoire alors que l'Affreuse Gaufre s'effondre dans une mare gluante.<br><br> \"Wow, vous avez vraiment écrémé ce monstre\", dit Lady Glaciate, impressionnée.<br><br> \"C'était pas de la tarte !\" rayonne le Fou d'avril.<br><br> \"C'est vraiment dommage, dit @beffymaroo, Ç'avait l'air vraiment bon à manger.\"<br><br>\"Le Fou d'avril prend un ensemble de flacons de potion quelque part dans sa cape, les remplit avec les restes sirupeux de la Gaufre, et les mélange dans une pincée de poussière pétillante. Le liquide tourbillonne de couleurs... de nouvelles Potions d'Éclosion ! Il les jette dans vos bras. \"Toute cette aventure m'a mis en appétit. Qui veut se joindre à moi pour le petit déjeuner ?\"",
"questWaffleCompletion": "Battue et beurré mais triomphant, vous savourez la douce victoire alors que l'Affreuse Gaufre s'effondre dans une mare gluante.<br><br> \"Wow, vous avez vraiment écrémé ce monstre\", dit Lady Glaciate, impressionnée.<br><br> \"C'était pas de la tarte !\" rayonne le Fou d'avril.<br><br> \"Quelle honte, cependant\", dit @beffymaroo. \"Ça avait l'air vraiment bon à manger.\"<br><br>\"Le Fou d'avril prend un ensemble de flacons de potion quelque part dans sa cape, les remplit avec les restes sirupeux de la Gaufre, et les mélange dans une pincée de poussière pétillante. Le liquide tourbillonne de couleurs... de nouvelles potions d'éclosion ! Il les jette dans vos bras. \"Toute cette aventure m'a mis en appétit. Qui veut se joindre à moi pour le petit déjeuner ?\"",
"questWaffleNotes": "\"Fou d'avril !\" tonne Dame Givre. \"Vous avez dit que votre farce sur le thème du dessert était 'terminée et complètement nettoyée' !\" <br><br> \"Mais, c'était et c'est encore le cas, ma chère\", réplique le Fou d'avril, perplexe. \"Et je suis le plus honnête des Fous. Qu'est-ce qui ne va pas ? \"<br><br>\"Il y a un monstre géant sucré qui approche de Habitiville !\"<br><br>\"Hmm,\" dit le Fou. \"J'ai fait un raid dans quelques tanières pour les réactifs mystiques de mon dernier événement. J'ai peut-être attiré une attention non désirée. Est-ce le Serpent Saccharine ? La Torte-oise ? Le Tiramisu Rex ?\"<br><br>\"Non ! C'est une sorte de... d'Affreuse Gaufre !\"<br><br>\"Huh. C'est une nouvelle ! Peut-être qu'elle est née de toute l'énergie ambiante des bêtises.\" Il se tourne vers vous et @beffymaroo avec un sourire en coin. \"Je suppose que vous ne seriez pas disponible pour quelques actes héroïques ?\"",
"questWaffleText": "Gaufrer le poisson : Petit déjeuner désastreux !",
"jungleBuddiesNotes": "Contient les Quêtes pour l'obtention des œufs de familier Singe, Arbre et Paresseux : Le Monstrueux Mandrill et les Malicieux Macaques, L'Arbre Tortueux, et Le Paresseux Somnolent.",
@@ -701,7 +701,7 @@
"questFluoriteDropFluoritePotion": "Potion d'éclosion fluorine",
"questFluoriteBoss": "Élémentaire de fluorine",
"questFluoriteCompletion": "Alors que vous combattez, la créature de cristal semble de plus en plus distraite par le spectacle lumineux que vous créez. \"Ça brille...\", murmure-t-elle.<br><br>\"C'est évident !\" s'exclame @nirbhao. \"Ce doit être un élémentaire de fluorine. Ce qu'ils veulent, c'est une lumière pour luire. Aidons-le à briller.\"<br><br>L'élémentaire ricane joyeusement et brille de plus en plus fort au fur et à mesure que vous allumez des torches et criez des mots magiques. Il est tellement content de rayonner à nouveau qu'il vous conduit à un filon riche en cristaux de fluorine.<br><br>\"C'est l'ingrédient parfait pour une nouvelle potion d'éclosion,\" dit @nirbhao. \"Celle-là rendra nos familiers aussi lumineux que notre nouvel ami fluorescent.\"",
"questWindupNotes": "Habitiville est rarement calme, mais vous n'étiez pas préparé·e à la cacophonie des craquements, des grincements et des cris qui s'échappent du Coucou Carillonnant, le meilleur magasin d'horlogerie d'Habitica. Vous soupirez : vous vouliez juste faire réparer votre montre. Le propriétaire, connu seulement sous le nom de «Grand et Puissant», dégringole par la porte, poursuivi par un colosse de cuivre qui crépite!<br><br>«Ki-! Ki-! Ki! » il résonne, ses bras se propulsent de haut en bas. Ses engrenages grincent et hurlent en signe de protestation.<br><br>«Mon robot Clankton est devenu fou! Il essaie de me tuer! » hurle l'autoproclamé Puissant.<br><br>Même avec une montre cassée, vous pouvez deviner quand il est temps de se battre. Vous bondissez pour défendre l'horloger paniqué. @Vikte et @a_diamond viennent à votre rescousse!<br><br>“Ki-! Ki-! Ki-! » Clankton grésille à chaque coup. «Miaou!»<br><br>Attendez, cest quoi ce miaulement mécanique qui fait écho au grésillement meurtier ?",
"questWindupNotes": "Habitiville est rarement calme, mais vous n'étiez pas préparé à la cacophonie des craquements, des grincements et des cris qui s'échappent du Coucou carillonnant, le meilleur magasin d'horlogerie d'Habitica. Vous soupirez - vous vouliez juste que votre montre soit réparée. Le propriétaire, connu seulement sous le nom de «Grand et Puissant», dégringole par la porte, poursuivi par un colosse de cuivre qui crépite!<br><br>«Ki-! Ki-! Ki! » il résonne, ses bras se propulsent de haut en bas. Ses engrenages grincent et hurlent en signe de protestation.<br><br>«Mon robot Clankton est devenu fou! Il essaie de me tuer! » hurle le soi-disant Puissant.<br><br>Même avec une montre cassée, vous pouvez savoir quand il est temps de se battre. Vous bondissez pour défendre l'horloger paniqué. @Vikte et @a_diamond viennent en renfort à votre rescousse!<br><br>“Ki-! Ki-! Ki-! » Clankton grésille à chaque coup. «Mew!»<br><br>Attendez, cest quoi ce miaulement mécanique qui fait écho au grésillement du ravageur?",
"questWindupText": "Un réactif Robor-hâtif",
"questWindupCompletion": "Tout en esquivant les attaques, vous remarquez quelque chose détrange: une queue en laiton rayée sortant du châssis du robot. Vous plongez une main parmi les engrenages et vous en sortez… un petit tigre tremblant. Il se blottit contre votre chemise.<br><br>Le robot mécanique s'arrête immédiatement de s'agiter et sourit, ses rouages se remettant en place. \"Ki-Ki-Kitty! Kitty est entré en moi!\"<br><br>\"Super!\" dit le Puissant en rougissant. \"J'ai travaillé dur sur ces potions pour animaux de compagnie. Je suppose que j'ai perdu la trace de mes nouvelles créations. Ces derniers temps, jai beaucoup manqué ma quotidienne 'range latelier' …\"<br><br>Vous suivez le génie du bidouilllage et Clankton à lintérieur. Des pièces, des outils et des potions couvrent toutes les surfaces. \"Puissant\" prend votre montre, mais vous donne quelques potions.<br><br>\"Prenez-les. Clairement, ils seront plus en sécurité avec vous!\"",
"questWindupBoss": "Clankton",

View File

@@ -1,15 +1,15 @@
{
"achievement": "Postignuće",
"onwards": "Naprijed!",
"levelup": "Postizanjem svojih životnih ciljeva, dosegnuli ste višu razinu i sad ste u potpunosti iscijeljeni!",
"reachedLevel": "Dosegnuli ste razinu <%= level %>",
"achievementLostMasterclasser": "Kompletist Pustolovina: Serijal Majstorske Klase",
"achievementLostMasterclasserText": "Završili su svih šesnaest pustolovina u serijalu Potraga Majstorske Klase i riješili misterij Izgubljenog Majstora Klase!",
"levelup": "Postizanjem svojih životnih ciljeva, dosegnuli ste viši razinu i sad ste u potpunosti iscijeljeni!",
"reachedLevel": "Dostigli ste razinu <%= level %>",
"achievementLostMasterclasser": "Ispunitelj Pustolovina: Serijal Majstorske Klase",
"achievementLostMasterclasserText": "Završili su svih šesnaest potraga u serijalu Potraga Majstorske Klase i riješili misterij Izgubljenog Majstora Klase!",
"achievementBackToBasics": "Natrag na Osnove",
"foundNewItems": "Pronašli ste nove predmete!",
"hideAchievements": "Sakrij <%= category%>",
"showAllAchievements": "Prikaži sve <%= category%>",
"viewAchievements": "Pogledajte Postignuća",
"viewAchievements": "Pogledaj Postignuća",
"letsGetStarted": "Krenimo!",
"yourProgress": "Tvoj Napredak",
"yourRewards": "Vaše Nagrade",
@@ -19,7 +19,7 @@
"achievementAridAuthorityModalText": "Pripitomili ste sve Pustinjske jahaće životinje!",
"earnedAchievement": "Osvojili ste postignuće!",
"gettingStartedDesc": "Dovršite ove početne zadatke i osvojit ćete <strong>5 postignuća</strong> i <strong class=\"gold-amount\">100 zlata</strong> kada završite!",
"achievementLostMasterclasserModalText": "Završili ste svih šesnaest pustolovina u serijalu Potraga Majstorske Klase i riješili misterij Izgubljenog Majstora Klase!",
"achievementLostMasterclasserModalText": "Završili ste svih šesnaest potraga u serijalu Potraga Majstorske Klase i riješili misterij Izgubljenog Majstora Klase!",
"achievementAllYourBaseModalText": "Pripitomili ste sve Osnovne jahaće životinje!",
"achievementBackToBasicsModalText": "Prikupili ste sve Osnovne ljubimce!",
"achievementDustDevilText": "Prikupili su sve Pustinjske ljubimce.",
@@ -29,14 +29,14 @@
"achievementDustDevilModalText": "Prikupili ste sve Pustinjske ljubimce!",
"achievementJustAddWater": "Samo Dodaj Vode",
"onboardingComplete": "Dovršili ste svoje zadatke za početnike!",
"foundNewItemsExplanation": "Završavanje zadataka vam daje priliku da nađete predmete poput jaja, napitaka za izlijeganje, i hrane za ljubimce.",
"foundNewItemsExplanation": "Završavanje zadataka ti daje priliku da nađeš predmete poput jaja, napitaka za izlijeganje, i hrane za ljubimce.",
"achievementDustDevil": "Pustinjski Vrag",
"onboardingCompleteDesc": "Osvojili ste <strong>5 postignuća</strong> i <strong class=\"gold-amount\">100 zlatnika </strong> za završene zadatke s liste.",
"achievementAridAuthority": "Suhi Autoritet",
"achievementGroupsBeta2022": "Interaktivni Beta Ispitivač",
"achievementGroupsBeta2022Text": "Vi i vaša grupa pružili ste neprocjenjive povratne informacije kako biste pomogli testiranju Habitice.",
"achievementGroupsBeta2022ModalText": "Vi i vaše grupe pomogli ste Habitici testiranjem i pružanjem povratnih informacija!",
"foundNewItemsCTA": "Uđite u svoj Inventar i pokušajte kombinirati svoj novi napitak za izlijeganje i jaje!",
"foundNewItemsCTA": "Otiđi u svoj Inventar i pokušaj kombinirati svoj novi napitak za izlijeganje i jaje!",
"achievementMindOverMatterText": "Završili su pustolovine za ljubimce Kamen, Sluz i Vuna.",
"achievementJustAddWaterModalText": "Završili ste pustolovine za ljubimce Hobotnica, Morski konjic, Sipa, Kit, Kornjača, Gološkržnjak, Morska zmija i Dupin!",
"achievementAllYourBase": "Sve Vaše Osnovno",
@@ -58,8 +58,8 @@
"achievementPrimedForPaintingModalText": "Prikupili ste sve Bijele ljubimce!",
"achievementPearlyProModalText": "Pripitomili ste sve Bijele životinje za jahanje!",
"achievementTickledPinkText": "Prikupili su sve Ljubimce Ružičaste boje Šećerne vune.",
"achievementTickledPinkModalText": "Prikupili ste sve ljubimce Boje Ružičaste vune!",
"achievementRosyOutlookText": "Pripitomili su sve životinje za jahanje Boje Ružičaste vune.",
"achievementTickledPinkModalText": "Prikupili ste sve ljubimce Boje Roze vune!",
"achievementRosyOutlookText": "Pripitomili su sve životinje za jahanje Boje Roze vune.",
"achievementBugBonanzaModalText": "Završili ste pustolovine za ljubimce Buba, Leptir, Puž i Pauk!",
"achievementBareNecessities": "Najosnovnije Stvari",
"achievementAllThatGlittersText": "Pripitomili su sve Zlatne jahaće životinje.",
@@ -76,7 +76,7 @@
"achievementShadeOfItAllText": "Pripitomili su sve jahaće životinje Sjene.",
"achievementZodiacZookeeperText": "Izlegli su sve standardne boje zodijačkih ljubimaca: Štakor, Krava, Zec, Zmija, Konj, Ovca, Majmun, Pijetao, Vuk, Tigar, Leteći praščić i Zmaj!",
"achievementPrimedForPainting": "Temelj za Bojanje",
"achievementRosyOutlookModalText": "Pripitomili ste sve životinje za jahanje Boje Ružičaste vune!",
"achievementRosyOutlookModalText": "Pripitomili ste sve životinje za jahanje Boje Roze vune!",
"achievementPolarPro": "Polarni Profesionalac",
"achievementPolarProText": "Izlegli su sve standardne boje Polarnih ljubimaca: Medvjed, Lisica, Pingvin, Kit i Vuk!",
"achievementPolarProModalText": "Prikupili ste sve Polarne ljubimce!",
@@ -94,7 +94,7 @@
"achievementDomesticatedText": "Izlegli su sve standardne boje pripitomljenih ljubimaca: Tvor, Zamorac, Pijetao, Leteći praščić, Štakor, Zec, Konj i Krava!",
"achievementTickledPink": "Presretni",
"achievementDomesticated": "IJA-IJA-JO",
"achievementBareNecessitiesModalText": "Završili ste pustolovine za ljubimce Majmun, Ljenivac i Stablo!",
"achievementBareNecessitiesModalText": "Završili ste pustolovine za ljubimce Majmun, Lijenivac i Stablo!",
"achievementHatchedPet": "Izlezi Ljubimca",
"achievementMindOverMatterModalText": "Završili ste pustolovine za ljubimce Kamen, Sluz i Vuna!",
"achievementGoodAsGold": "Dobar Kao Zlato",
@@ -132,7 +132,7 @@
"achievementRedLetterDayModalText": "Pripitomili ste sve Crvene jahaće životinje!",
"achievementPearlyProText": "Pripitomili su sve Bijele životinje za jahanje.",
"achievementSeasonalSpecialistModalText": "Završili ste sve sezonske pustolovine!",
"achievementBareNecessitiesText": "Završili su pustolovine za ljubimce Majmun, Ljenivac i Stablo.",
"achievementBareNecessitiesText": "Završili su pustolovine za ljubimce Majmun, Lijenivac i Stablo.",
"achievementDomesticatedModalText": "Prikupili ste sve pripitomljene ljubimce!",
"achievementSeasonalSpecialist": "Sezonski Specijalist",
"achievementBirdsOfAFeather": "Ptice Istog Pera",

View File

@@ -1,7 +1,7 @@
{
"challenge": "Izazov",
"challengeDetails": "Izazovi su događaji u zajednici u kojima se igrači natječu i osvajaju nagrade izvršavajući grupu povezanih zadataka.",
"brokenChaLink": "Neispravna Poveznica Izazova",
"brokenChaLink": "Neispravna poveznica Izazova",
"brokenTask": "Neispravna poveznica Izazova: ovaj je zadatak bio dio izazova, ali je uklonjen iz njega. Što želite učiniti?",
"keepIt": "Zadrži",
"removeIt": "Ukloni",
@@ -50,11 +50,11 @@
"onlyChalLeaderEditTasks": "Zadatke koji pripadaju izazovu može uređivati samo vođa.",
"userAlreadyInChallenge": "Korisnik već sudjeluje u ovom izazovu.",
"cantOnlyUnlinkChalTask": "Samo se zadaci neispravnih izazova mogu ukloniti s poveznice.",
"joinedChallenge": "Pridružili se Izazovu",
"joinedChallenge": "Pridružio se Izazovu",
"joinedChallengeText": "Ovaj je korisnik stavio sam sebe na kušnju pridruživanjem Izazovu!",
"myChallenges": "Moji Izazovi",
"findChallenges": "Otkrij Izazove",
"noChallengeTitle": "Nemate nijedan Izazov.",
"noChallengeTitle": "Nemaš nijedan Izazov.",
"challengeDescription2": "Pronađi preporučene Izazove na temelju svojih interesa, pregledaj Habitica javne Izazove ili stvori vlastite Izazove.",
"noChallengeMatchFilters": "Nismo mogli pronaći nijedan Izazov koji se podudara.",
"createdBy": "Stvorili",
@@ -65,17 +65,17 @@
"challengeDescription": "Opis Izazova",
"selectChallengeWinnersDescription": "Odaberi pobjednika među sudionicima Izazova",
"awardWinners": "Nagradi Dobitnika",
"doYouWantedToDeleteChallenge": "Želite li izbrisati ovaj Izazov?",
"doYouWantedToDeleteChallenge": "Želiš li izbrisati ovaj Izazov?",
"deleteChallenge": "Izbriši Izazov",
"challengeNamePlaceholder": "Kako se zove vaš Izazov?",
"challengeNamePlaceholder": "Kako se zove tvoj Izazov?",
"challengeSummary": "Sažetak",
"challengeSummaryPlaceholder": "Napišite kratak opis kojim oglašavate svoj Izazov drugim Habitičanima. Koja je glavna svrha vašeg Izazova i zašto bi mu se ljudi trebali pridružiti? Pokušajte uključiti korisne ključne riječi u opis kako bi ga Habitičani lako pronašli prilikom pretraživanja!",
"challengeDescriptionPlaceholder": "Koristite ovaj odjeljak za detaljnije objašnjenje svega što sudionici Izazova trebaju znati o vašem Izazovu.",
"challengeSummaryPlaceholder": "Napiši kratak opis kojim oglašavaš svoj Izazov drugim Habitičanima. Koja je glavna svrha tvog Izazova i zašto bi mu se ljudi trebali pridružiti? Pokušaj uključiti korisne ključne riječi u opis kako bi ga Habitičani lako pronašli prilikom pretraživanja!",
"challengeDescriptionPlaceholder": "Koristi ovaj odjeljak za detaljnije objašnjenje svega što sudionici Izazova trebaju znati o tvom Izazovu.",
"challengeGuild": "Dodaj u",
"challengeMinimum": "Minimum 1 Dragulj za javne Izazove (uistinu pomaže u sprječavanju spama).",
"participantsTitle": "Sudionici",
"shortName": "Kratki Naziv",
"shortNamePlaceholder": "Koja kratka oznaka bi trebala biti korištena za identifikaciju vašeg Izazova?",
"shortNamePlaceholder": "Koja kratka oznaka bi trebala biti korištena za identifikaciju tvog Izazova?",
"updateChallenge": "Ažuriraj Izazov",
"haveNoChallenges": "Ova grupa nema Izazova",
"loadMore": "Učitaj više",
@@ -91,7 +91,7 @@
"viewProgressOf": "Prikaži Napredak",
"viewProgress": "Prikaži Napredak",
"selectMember": "Odaberi Člana",
"confirmKeepChallengeTasks": "Želite li zadržati zadatke Izazova?",
"confirmKeepChallengeTasks": "Želiš li zadržati zadatke Izazova?",
"selectParticipant": "Odaberi Sudionika",
"filters": "Filteri",
"yourReward": "Vaša Nagrada",

View File

@@ -10,11 +10,11 @@
"displayName": "Ime za prikazivanje",
"changeDisplayName": "Promijeni ime za prikazivanje",
"newDisplayName": "Novo ime za prikazivanje",
"displayBlurbPlaceholder": "Molimo vas da se predstavite",
"displayBlurbPlaceholder": "Molimo te da se predstaviš",
"photoUrl": "URL fotografije",
"imageUrl": "URL slike",
"inventory": "Inventar",
"social": "Društveno",
"social": "Društvo",
"lvl": "Raz",
"buffed": "Ojačan",
"bodyBody": "Tijelo",
@@ -36,42 +36,42 @@
"flower": "Cvijet",
"accent": "Naglasak",
"headband": "Traka za glavu",
"wheelchair": "Kolica",
"wheelchair": "Invalidska kolica",
"extra": "Dodatno",
"rainbowSkins": "Kože u duginim bojama",
"pastelSkins": "Pastelne Kože",
"spookySkins": "Jezive Kože",
"supernaturalSkins": "Nadnaravne Kože",
"splashySkins": "Vodene Kože",
"winterySkins": "Zimske Kože",
"rainbowColors": "Dugine Boje",
"shimmerColors": "Svjetlucave Boje",
"hauntedColors": "Uklete Boje",
"winteryColors": "Zimske Boje",
"rainbowSkins": "Teme u duginim bojama",
"pastelSkins": "Pastelne teme",
"spookySkins": "Jezive teme",
"supernaturalSkins": "Nadnaravne teme",
"splashySkins": "Vodene teme",
"winterySkins": "Zimske teme",
"rainbowColors": "Dugine boje",
"shimmerColors": "Svjetlucave boje",
"hauntedColors": "Uklete boje",
"winteryColors": "Zimske boje",
"equipment": "Oprema",
"equipmentBonus": "Oprema",
"classEquipBonus": "Bonus Klase",
"battleGear": "Ratna Oprema",
"classEquipBonus": "Klasni bonus",
"battleGear": "Ratna oprema",
"gear": "Oprema",
"autoEquipBattleGear": "Automatski opremi novu opremu",
"costume": "Kostim",
"useCostume": "Koristi Kostim",
"costumePopoverText": "Odaberite \"Koristi kostim\" kako bi odjenuli svog avatara bez utjecaja na bonuse svoje ratne opreme! Ovo znači da svog avatara možete obući kako god želite, a da pritom i dalje na sebi imate najbolju ratnu opremu.",
"autoEquipPopoverText": "Odaberite ovu opciju za automatsko opremanje opreme kad ju kupite.",
"costumePopoverText": "Odaberi \"Koristi kostim\" kako bi odjenuo svog avatara bez utjecaja na bonuse svoje ratne opreme! Ovo znači da svog avatara možeš obući kako god želiš, a da pritom i dalje na sebi imaš najbolju ratnu opremu.",
"autoEquipPopoverText": "Odaberi ovu opciju za automatsko opremanje opreme kad ju kupiš.",
"costumeDisabled": "Uklonili ste svoj kostim.",
"gearAchievement": "Zaradili ste postignuće \"Ultimativna Oprema\" za nadograđivanje svoje opreme do najjačeg kompleta za svoju klasu! Postigli ste sljedeće potpune komplete:",
"gearAchievementNotification": "Zaradili ste postignuće \"Ultimativna Oprema\" za nadograđivanje svoje opreme do najjačeg seta opreme za svoju klasu!",
"moreGearAchievements": "Kako bi dobili više znački za Ultimativnu Opremu, promijenite klasu pod <a href='/user/settings/site' target='_blank'>Postavke &gt; Stranica</a> i počnite kupovati opremu svoje nove klase!",
"armoireUnlocked": "Za više opreme bacite pogled u <strong>Začarani Ormar!</strong> Kliknite na Začarani Ormar u stupcu Nagrada za nasumičnu priliku da dobijete dio posebne Opreme! Ovo vam također može donijeti nasumični XP ili predmete hrane.",
"moreGearAchievements": "Kako bi dobili više znački za Ultimativnu Opremu, promijeni klasu pod <a href='/user/settings/site' target='_blank'>Postavke &gt; Stranica</a> i počni kupovati opremu svoje nove klase!",
"armoireUnlocked": "Za više opreme baci pogled u <strong>Začarani Ormar!</strong> Klikni na Začarani Ormar u stupcu Nagrada za nasumičnu priliku da dobiješ dio posebne Opreme! Ovo ti također može donijeti nasumični XP ili artikle hrane.",
"ultimGearName": "Ultimativna Oprema - <%= ultClass %>",
"ultimGearText": "Su maksimalno nadogradili komplet oružja i oklopa za klasu <%= ultClass %>.",
"ultimGearText": "su maksimalno nadogradili komplet oružja i oklopa za klasu <%= ultClass %>.",
"level": "Razina",
"levelUp": "Razina Više!",
"levelUp": "Razina više!",
"gainedLevel": "Dosegli ste višu razinu!",
"leveledUp": "Postizanjem svojih životnih ciljeva, dostigli ste <strong>Razinu<%= level %>!</strong>",
"huzzah": "Hura!",
"mana": "Mana",
"hp": "PZ",
"hp": "Zdravlje",
"mp": "MP",
"xp": "XP",
"health": "Zdravlje",
@@ -86,18 +86,18 @@
"noMoreAllocate": "Sada kada ste dosegli Razinu 100, nećete dobivati više Bodova Statistike. Možete nastaviti s podizanjem razine, ili započeti novu pustolovinu na Razini 1 koristeći <a href='/shops/market'>Kuglu Preporoda</a>!",
"stats": "Statistika",
"strength": "Snaga",
"strText": "Snaga povećava šansu za nasumične \"kritične udarce\" i dodatne Zlatnike, Iskustvo i poklone koje možeš dobiti od njih. Također pomaže u nanošenju štete Bossovima čudovišta.",
"strText": "Snaga povećava šansu za nasumične \"kritične udarce\" i dodatne Zlatnike, Iskustvo i poklone koje možeš dobiti od njih. Također pomaže u nanošenju štete Bosovima čudovišta.",
"constitution": "Konstitucija",
"conText": "Konstitucija smanjuje štetu koju dobiješ od loših Navika i neizvršenih Dnevnih zadataka.",
"conText": "Konstitucija smanjuje štetu koju dobiješ od loših Navika i neizvršenih Svakodnevnih zadataka.",
"perception": "Percepcija",
"perText": "Percepcija uvećava količinu Zlata koje zaradiš, a nakon što otključaš Dućan ti povećava šansu da pronađeš nove stvari prilikom rješavanja zadataka.",
"perText": "Percepcija uvećava količinu Zlata koje zaradiš, a nakon što otključaš Tržnicu ti povećava šansu da pronađeš nove stvari prilikom rješavanja zadataka.",
"intelligence": "Inteligencija",
"intText": "Inteligencija povećava količinu Iskustva koju dobivaš, a nakon što otključaš Klase, ona određuje maksimalnu količinu dostupne Mane za sposobnosti Klase.",
"levelBonus": "Bonus za Razinu",
"allocatedPoints": "Raspodijeljeni Bodovi",
"allocatedPoints": "Raspodijeljeni bodovi",
"allocated": "Raspodijeljeno",
"buffs": "Ojačanja",
"characterBuild": "Izgradnja Lika",
"characterBuild": "Izgradnja lika",
"class": "Klasa",
"experience": "Iskustvo",
"warrior": "Ratnik",
@@ -105,51 +105,51 @@
"rogue": "Lupež",
"mage": "Čarobnjak",
"wizard": "Čarobnjak",
"mystery": "Misterija",
"mystery": "Tajna",
"changeClass": "Promijeni klasu, refundiraj Statističke bodove",
"lvl10ChangeClass": "Za promjenu Klase morate biti barem na razini 10.",
"changeClassConfirmCost": "Jeste li sigurni da želite promijeniti svoju klasu za 3 Dragulja?",
"lvl10ChangeClass": "Za promjenu Klase moraš biti barem na levelu 10.",
"changeClassConfirmCost": "Jesi li sigurni da želite promijeniti svoju klasu za 3 Dragulja?",
"invalidClass": "Nepostojeća klasa. Molimo te da odabereš 'ratnik', 'lupež', 'čarobnjak' ili 'iscjelitelj'.",
"levelPopover": "Svaka razina donosi Vam jedan Bod koji možete dodijeliti Statistici po svom izboru. To možete učiniti ručno ili dopustiti igri da odluči umjesto Vas koristeći jednu od opcija Automatskog dodjeljivanja.",
"levelPopover": "Svaka razina donosi Vam jedan Bod koji možete dodijeliti Statu po svom izboru. To možete učiniti ručno ili dopustiti igri da odluči umjesto Vas koristeći jednu od opcija Automatskog dodjeljivanja.",
"unallocated": "Neraspodijeljeni Statistički bodovi",
"autoAllocation": "Automatska Raspodjela",
"autoAllocation": "Automatska raspodjela",
"autoAllocationPop": "Dodjeljuje Bodove Statističkim podacima prema Vašim željama, kada pređete na višu razinu.",
"evenAllocation": "Ravnomjerno Raspodijeli Statističke bodove",
"evenAllocation": "Ravnomjerno raspodijeli Statističke bodove",
"evenAllocationPop": "Dodjeljuje jednak broj Bodova svakoj Statistici.",
"classAllocation": "Raspodijeli Bodove na Osnovu Klase",
"classAllocation": "Raspodijeli Bodove na osnovu Klase",
"classAllocationPop": "Dodjeljuje više bodova Statistikama koje su važne za tvoju Klasu.",
"taskAllocation": "Raspodijeli Bodove na Bazi Aktivnosti Zadatka",
"taskAllocation": "Raspodijeli Bodove na bazi aktivnosti zadatka",
"taskAllocationPop": "Dodjeljuje Bodove na osnovu kategorija Snage, Inteligencije, Konstitucije i Percepcije koje su povezane sa zadacima koje obaviš.",
"distributePoints": "Raspodjela Nedodijeljenih Bodova",
"distributePoints": "Raspodjela nedodijeljenih Bodova",
"distributePointsPop": "Dodjeljuje sve neraspodijeljene Statističke bodove prema odabranoj shemi dodjeljivanja.",
"warriorText": "Ratnici postižu više i bolje \"kritične pogotke\", koji nasumično daju bonus Zlato, Iskustvo i veću šansu za pronalazak predmeta prilikom izvršavanja zadatka. Također nanose veliku štetu čudovištima bossevima. Igrajte kao Ratnik ako Vas motiviraju nepredvidive nagrade poput jackpota ili ako želite zadavati jaku bol u Pustolovinama s bossevima!",
"warriorText": "Ratnici postižu više i bolje \"kritične pogotke\", koji nasumično daju bonus Zlato, Iskustvo i veću šansu za pronalazak predmeta prilikom izvršavanja zadatka. Također nanose veliku štetu čudovištima-šefovima. Igrajte kao Ratnik ako Vas motiviraju nepredvidive nagrade poput jackpota ili ako želite zadavati jaku bol u Pustolovinama s šefovima!",
"wizardText": "Čarobnjaci brzo uče, stječući Iskustvo i Razine brže od ostalih klasa. Također dobivaju puno Mane za korištenje posebnih sposobnosti. Igrajte kao Čarobnjak ako uživate u taktičkim aspektima igre u Habitici, ili ako ste snažno motivirani prelaskom na višu razinu i otključavanjem naprednih značajki!",
"mageText": "Čarobnjaci brzo uče, stječući Iskustvo i Razine brže od ostalih klasa. Također dobivaju puno Mane za korištenje posebnih sposobnosti. Igrajte kao Čarobnjak ako uživate u taktičkim aspektima igre u Habitici, ili ako ste snažno motivirani prelaskom na višu razinu i otključavanjem naprednih značajki!",
"rogueText": "Lupeži vole gomilati bogatstvo, stječući više Zlata nego itko drugi, i vješti su u pronalaženju nasumičnih predmeta. Njihova prepoznatljiva sposobnost Skrivanja omogućuje im da izbjegnu posljedice propuštenih Dnevnih zadataka. Igrajte kao Lupež ako Vas snažno motiviraju Nagrade i Postignuća, te ako težite plijenu i bedževima!",
"healerText": "Iscjelitelji stoje nepokolebljivo protiv ozljeda i proširuju tu zaštitu na druge. Propušteni Dnevni zadaci i loše Navike ih ne uzrujavaju previše, a imaju načine da se oporave od neuspjeha. Igrajte kao Iscjelitelj ako uživate pomagati drugima u svojoj Grupi, ili ako Vas inspirira ideja da marljivim radom prevarite Smrt!",
"optOutOfClasses": "Izaberi Kasnije",
"optOutOfClasses": "Izaberi kasnije",
"chooseClass": "Odaberi svoju Klasu",
"chooseClassLearnMarkdown": "[Saznajte više o Habitica sustavu klasa](/static/faq#what-classes)",
"optOutOfClassesText": "Niste spremni za odabir? Nema žurbe! Ako odustanete, možete pročitati o svakoj klasi u <a href='/static/faq#what-classes' target='_blank'>našim FAQ-ima</a> i posjetiti Postavke kako biste omogućili Sustav klasa kada budete spremni.",
"selectClass": "Odaberi <%= heroClass %>",
"optOutOfClassesText": "Niste spremni za odabir? Nema žurbe! Ako odustanete, možete pročitati o svakoj klasi u <a href='/static/faq#what-classes' target='_blank'>našim ČPP-ima</a> i posjetiti Postavke kako biste omogućili Sustav klasa kada budete spremni.",
"selectClass": "Odaberi klasu <%= heroClass %>",
"select": "Odaberi",
"stealth": "Tajnovitost",
"stealth": "Tajnost",
"stealthNewDay": "Kada novi dan počne, izbjeći ćeš štetu od ovoliko propuštenih Dnevnih zadataka.",
"streaksFrozen": "Broj ponavljanja je zamrznut",
"streaksFrozenText": "Broj ponavljanja neobavljenih Dnevnih zadataka se neće resetirati na kraju dana.",
"purchaseFor": "Kupi za <%= cost %> Dragulja?",
"purchaseForHourglasses": "Kupi u zamjenu za <%= cost %> Pješčanih satova?",
"notEnoughMana": "Nemate dovoljno mane.",
"invalidTarget": "Ne možete iskoristiti vještinu na tome.",
"notEnoughMana": "Nemaš dovoljno Mane.",
"invalidTarget": "Ne možeš iskoristiti vještinu na tome.",
"youCast": "Izveli ste <%= spell %>.",
"youCastTarget": "Izveli ste <%= spell %> na <%= target %>.",
"youCastParty": "Izveli ste <%= spell %> za grupu.",
"critBonus": "Kritični Udarac! Bonus: ",
"gainedGold": "Dobili ste nešto Zlata",
"youCastParty": "Izveli ste <%= spell %> za Grupu.",
"critBonus": "Kritični udarac! Bonus: ",
"gainedGold": "Dobili ste nešto Zlatnika",
"gainedMana": "Dobili ste nešto Mane",
"gainedHealth": "Dobili ste nešto Zdravlja",
"gainedExperience": "Dobili ste nešto Iskustva",
"lostGold": "Potrošili ste nešto Zlata",
"lostGold": "Potrošili ste nešto Zlatnika",
"lostMana": "Potrošili ste nešto Mane",
"lostHealth": "Izgubili ste nešto Zdravlja",
"lostExperience": "Izgubili ste nešto Iskustva",
@@ -160,33 +160,33 @@
"con": "KON",
"per": "PER",
"int": "INT",
"notEnoughAttrPoints": "Nemate dovoljno Statističkih Bodova.",
"classNotSelected": "Prije nego što počnete dodjeljivati statističke bodove, morate odabrati klasu.",
"notEnoughAttrPoints": "Nemaš dovoljno Statističkih bodova.",
"classNotSelected": "Prije nego što počneš dodjeljivati statističke bodove, moraš odabrati klasu.",
"style": "Stil",
"facialhair": "Na Lice",
"facialhair": "Na licu",
"photo": "Slika",
"info": "Informacije",
"joined": "Pridružili ste se",
"totalLogins": "Ukupne Prijave",
"latestCheckin": "Posljednja Prijava",
"totalLogins": "Ukupne prijave",
"latestCheckin": "Posljednja prijava",
"editProfile": "Uredi Profil",
"challengesWon": "Dobiveni Izazovi",
"questsCompleted": "Dovršene Pustolovine",
"headAccess": "Dodaci za Glavu.",
"backAccess": "Dodaci za Leđa.",
"bodyAccess": "Dodaci za Tijelo.",
"mainHand": "Primarna Ruka",
"offHand": "Sporedna Ruka",
"statPoints": "Statistički Bodovi",
"mainHand": "Primarna ruka",
"offHand": "Sporedna ruka",
"statPoints": "Statistički bodovi",
"pts": "bdv",
"purchasePetItemConfirm": "Ova bi kupnja premašila broj stavki koje su vam potrebne da biste izlegli sve moguće <%= itemText %> ljubimce. Jeste li sigurni?",
"chatCastSpellParty": "<%= username %> baca <%= spell%> za grupu.",
"notEnoughGold": "Nemate dovoljno zlata.",
"notEnoughGold": "Nema dovoljno zlata.",
"chatCastSpellUser": "<%= username %> baca <%= spell%> na <%= target%>.",
"purchaseForGold": "Kupnja za <%= cost %> Zlata?",
"chatCastSpellPartyTimes": "<%= username %> koristi <%= spell %> za grupu<%= times %> puta.",
"chatCastSpellUserTimes": "<%= username %> koristi <%= spell %> za <%= target %> <%= times %> puta.",
"nextReward": "Nagrada za Slijedeću Prijavu",
"nextReward": "Nagrada za slijedeću prijavu",
"skins": "Kože",
"titleFacialHair": "Dlake na Licu",
"titleHaircolor": "Boja Kose",

View File

@@ -1,16 +1,16 @@
{
"tavernCommunityGuidelinesPlaceholder": "Prijateljski podsjetnik: ovo je razgovor za sve uzraste, stoga molimo da sadržaj i jezik budu prikladni! Ako imate pitanja, pogledajte Smjernice Zajednice u bočnoj traci.",
"tavernCommunityGuidelinesPlaceholder": "Prijateljski podsjetnik: ovo je chat za sve uzraste, stoga molimo da sadržaj i jezik budu prikladni! Ako imate pitanja, pogledajte Smjernice Zajednice u bočnoj traci.",
"lastUpdated": "Zadnje ažurirano:",
"commGuideHeadingWelcome": "Dobrodošli u Habiticu!",
"commGuidePara001": "Pozdrav, pustolovu! Dobrodošli u Habiticu, zemlju produktivnosti, zdravog življenja i povremenih razjarenih grifona.",
"commGuidePara002": "Kako bismo pomogli svima da ostanu sigurni, sretni i produktivni, imamo nekoliko smjernica za Izazove, profile igrača, razgovor u Grupi i privatne poruke. Pažljivo smo izradili ove Smjernice kako bi bile što ugodnije i lakše za čitanje. Molimo Vas da ih odvojite vrijeme pročitati prije nego što započnete interakciju s drugim igračima.",
"commGuidePara002": "Kako bismo pomogli svima da ostanu sigurni, sretni i produktivni, imamo nekoliko smjernica za Izazove, profile igrača, chat u Grupi i privatne poruke. Pažljivo smo izradili ove Smjernice kako bi bile što ugodnije i lakše za čitanje. Molimo Vas da ih odvojite vrijeme pročitati prije nego što započnete interakciju s drugim igračima.",
"commGuidePara003": "Ova pravila se s vremena na vrijeme mogu prilagođavati. Kada dođe do značajnih promjena u ovdje navedenim pravilima zajednice, bit ćete obaviješteni putem Bailey najave i/ili naših društvenih mreža!",
"commGuideHeadingInteractions": "Interakcije u Habitici",
"commGuidePara015": "Habitica ima nekoliko prostora gdje možete komunicirati s drugim igračima. Oni uključuju kontekste privatnog razgovora (privatne poruke i chat u Grupi), kao i značajku Traženje Grupe te Izazove.",
"commGuidePara015": "Habitica ima nekoliko prostora gdje možete komunicirati s drugim igračima. Oni uključuju kontekste privatnog chata (privatne poruke i chat u Grupi), kao i značajku Traženje Grupe te Izazove.",
"commGuidePara016": "Prilikom kretanja društvenim komponentama Habitice, postoji nekoliko općih pravila kako bi svi ostali sigurni i sretni.",
"commGuideList02A": "<strong>Poštujte jedni druge</strong>. Budite pristojni, ljubazni, prijateljski nastrojeni i od pomoći. Zapamtite: Habiticanci dolaze iz svih sredina i imaju potpuno različita iskustva.",
"commGuideList02C": "<strong>Ne objavljujte slike ili tekst koji su nasilni, prijeteći ili seksualno eksplicitni/sugestivni, ili koji promiču diskriminaciju, netrpeljivost, rasizam, seksizam, mržnju, uznemiravanje ili nanošenje štete bilo kojoj osobi ili grupi</strong>. Ni pod razno kao šalu ili meme. Ovo uključuje pogrdne izraze, kao i izjave. Nemaju svi isti smisao za humor, stoga nešto što smatrate šalom drugima može biti uvredljivo.",
"commGuideList02D": "<strong>Budite svjesni da su Habitičani svih dobi i porijekla</strong>. Izazovi i profili igrača ne smiju spominjati teme za odrasle, koristiti psovke ili poticati na sukob ili svađu.",
"commGuideList02D": "<strong>Budite svjesni da su Habitikanci svih dobi i porijekla</strong>. Izazovi i profili igrača ne smiju spominjati teme za odrasle, koristiti psovke ili poticati na sukob ili svađu.",
"commGuideList02E": "<strong>Ako Vam član Osoblja kaže da je neki izraz zabranjen na Habitici, čak i ako niste znali da je problematičan, ta je odluka konačna.</strong> Uz to, pogrdni izrazi će se tretirati vrlo strogo jer su oni također kršenje Uvjeta korištenja.",
"commGuideList02G": "<strong>Odmah se pridržavajte svakog zahtjeva Osoblja.</strong> To može uključivati, ali nije ograničeno na, traženje da ograničite svoje objave u određenom prostoru, uređivanje vašeg profila radi uklanjanja neprikladnog sadržaja itd. Nemojte se prepirati s Osobljem. Ako imate nedoumice ili komentare u vezi s postupcima Osoblja, pošaljite e-poruku na <a href='mailto:admin@habitica.com' target='_blank'>admin@habitica.com</a> kako biste kontaktirali našeg voditelja zajednice.",
"commGuideList02J": "<strong>Nemojte slati neželjenu poštu</strong>. Slanje neželjene pošte može uključivati, ali nije ograničeno na: slanje više neželjenih privatnih poruka, slanje besmislenih poruka, slanje više promotivnih poruka o Grupi ili Izazovu ili uzastopno stvaranje više sličnih Izazova ili Izazova niske kvalitete. Osoblje ima diskrecijsko pravo odlučiti koje se poruke smatraju neželjenom poštom.",
@@ -19,7 +19,7 @@
"commGuidePara037": "<strong>Nijedna Grupa ne smije biti osnovana s ciljem napada na bilo koju grupu ili pojedinca</strong>. Borite se protiv loših navika, a ne protiv svojih kolega pustolova!",
"commGuideHeadingInfractionsEtc": "Kršenja, Posljedice i Oporavak",
"commGuideHeadingInfractions": "Kršenja",
"commGuidePara050": "Pretežno, Habitičani pomažu jedni drugima, puni su poštovanja i rade na tome da ovdašnja atmosfera bude zabavna i prijateljska. Međutim, jednom u sto godina, nešto što neki Habitičan učini može prekršiti jednu od gore navedenih Smjernica. Kada se to dogodi, Osoblje će poduzeti sve radnje koje smatra potrebnima kako bi Habitica ostala sigurna i ugodna za sve.",
"commGuidePara050": "Pretežno, Habitikanci pomažu jedni drugima, puni su poštovanja i rade na tome da ovdašnja atmosfera bude zabavna i prijateljska. Međutim, jednom u sto godina, nešto što neki Habitikan učini može prekršiti jednu od gore navedenih Smjernica. Kada se to dogodi, Osoblje će poduzeti sve radnje koje smatra potrebnima kako bi Habitica ostala sigurna i ugodna za sve.",
"commGuidePara051": "<strong>Postoji niz kršenja, a rješavaju se ovisno o njihovoj ozbiljnosti</strong>. Ovdje se ne radi o sveobuhvatnim popisima, a Osoblje može donositi odluke o temama koje ovdje nisu obrađene, prema vlastitom nahođenju. Osoblje će uzeti kontekst u obzir prilikom procjene kršenja.",
"commGuideHeadingSevereInfractions": "Teška kršenja",
"commGuidePara052": "Teška kršenja znatno narušavaju sigurnost Habiticine zajednice i korisnika te stoga rezultiraju ozbiljnim posljedicama.",
@@ -71,7 +71,7 @@
"commGuidePara013": "U zajednici velikoj poput Habitice, igrači dolaze i odlaze, a ponekad član osoblja ili moderator moraju odložiti svoj plemeniti plašt i opustiti se. Slijede bivši članovi osoblja i moderatori. Oni više ne djeluju s ovlastima člana Osoblja ili Moderatora, ali bismo i dalje željeli odati počast njihovom radu!",
"commGuidePara014": "Bivše Osoblje i Moderatori:",
"commGuideHeadingFinal": "Završni odjeljak",
"commGuidePara067": "I eto ga, hrabri Habitičane -- Smjernice zajednice! Obriši taj znoj s čela i daj si nešto EXP jer si sve pročitao. Ako imate bilo kakvih pitanja ili nedoumica u vezi s ovim Smjernicama zajednice, molimo Vas da nam se obratite putem <a href='mailto:admin@habitica.com' target='_blank'>admin@habitica.com</a> i rado ćemo Vam pomoći da razjasnimo stvari.",
"commGuidePara067": "I eto ga, hrabri Habitikanče -- Smjernice zajednice! Obriši taj znoj s čela i daj si nešto EXP jer si sve pročitao. Ako imate bilo kakvih pitanja ili nedoumica u vezi s ovim Smjernicama zajednice, molimo Vas da nam se obratite putem <a href='mailto:admin@habitica.com' target='_blank'>admin@habitica.com</a> i rado ćemo Vam pomoći da razjasnimo stvari.",
"commGuidePara068": "Sada kreni, hrabri pustolove, i uništi neke Dnevne zadatke!",
"commGuideHeadingLinks": "Korisne poveznice",
"commGuideLink02": "<a href='https://habitica.fandom.com/wiki/Habitica_Wiki' target='_blank'>Wiki</a>: najveća zbirka informacija o Habitici. Imajte na umu da je ovaj prostor neslužben, hostira ga Fandom i održavaju ga igrači.",

View File

@@ -1,5 +1,5 @@
{
"potionText": "Ljekoviti Napitak",
"potionText": "Ljekoviti napitak",
"potionNotes": "Obnavlja 15 zdravlja (trenutačna upotreba)",
"armoireText": "Začarani Ormar",
"armoireNotesFull": "Otvorite Ormar kako biste nasumično dobili posebnu Opremu, Iskustvo ili hranu! Preostalih dijelova opreme:",
@@ -182,7 +182,7 @@
"questEggVelociraptorText": "Velociraptor",
"questEggVelociraptorMountText": "Velociraptor",
"questEggVelociraptorAdjective": "oštroumni",
"eggNotes": "Pronađite napitak za izlijeganje koji ćete izliti na ovo jaje, i ono će se izleći u <%= eggAdjective(locale) %> <%= eggText(locale) %>.",
"eggNotes": "Pronađi napitak za valjenje koji ćeš izliti na ovo jaje, i ono će se izleći u <%= eggAdjective(locale) %> <%= eggText(locale) %>.",
"hatchingPotionBase": "Osnovni",
"hatchingPotionWhite": "Bijeli",
"hatchingPotionDesert": "Pustinjski",
@@ -211,7 +211,7 @@
"hatchingPotionGlow": "Svijetleći",
"hatchingPotionFrost": "Mrzli",
"hatchingPotionIcySnow": "Ledeni snijeg",
"hatchingPotionNotes": "Izlijte ovo na jaje, i ono će se izleći kao <%= potText(locale) %> Ljubimac.",
"hatchingPotionNotes": "Izlij ovo na jaje, i ono će se izleći kao <%= potText(locale) %> Ljubimac.",
"foodMeat": "Meso",
"foodMeatThe": "Meso",
"foodMeatA": "Meso",
@@ -222,62 +222,62 @@
"foodPotatoeThe": "Krumpir",
"foodPotatoeA": "Krumpir",
"foodStrawberry": "Jagoda",
"foodStrawberryThe": "Jagoda",
"foodStrawberryThe": "Jagodu",
"foodStrawberryA": "Jagodu",
"foodChocolate": "Čokolada",
"foodChocolateThe": "Čokolada",
"foodChocolateThe": "Čokoladu",
"foodChocolateA": "Čokolada",
"foodFish": "Riba",
"foodFishThe": "Riba",
"foodFishA": "Riba",
"foodFishThe": "Ribu",
"foodFishA": "Ribu",
"foodRottenMeat": "Pokvareno Meso",
"foodRottenMeatThe": "Pokvareno Meso",
"foodRottenMeatA": "Pokvareno Meso",
"foodCottonCandyPink": "Ružičasta šećerna vuna",
"foodCottonCandyPinkThe": "Ružičasta šećerna vuna",
"foodCottonCandyPinkA": "Ružičasta šećerna vuna",
"foodCottonCandyPinkThe": "Ružičastu šećernu vuna",
"foodCottonCandyPinkA": "Ružičastu šećernu vuna",
"foodCottonCandyBlue": "Plava šećerna vuna",
"foodCottonCandyBlueThe": "Plava šećerna vuna",
"foodCottonCandyBlueA": "Plava šećerna vuna",
"foodCottonCandyBlueThe": "Plavu šećernu vunu",
"foodCottonCandyBlueA": "Plavu šećernu vunu",
"foodHoney": "Med",
"foodHoneyThe": "Med",
"foodHoneyA": "Med",
"foodCakeSkeleton": "Goli Kostur Torta",
"foodCakeSkeletonThe": "Goli Kostur Torta",
"foodCakeSkeletonA": "Goli Kostur Torta",
"foodCakeSkeletonThe": "Gole Kostur Torte",
"foodCakeSkeletonA": "Gole Kostur Torte",
"foodCakeBase": "Bazična Torta",
"foodCakeBaseThe": "Bazična Torta",
"foodCakeBaseA": "Bazična Torta",
"foodCakeBaseThe": "Bazične Torte",
"foodCakeBaseA": "Bazične Torte",
"foodCakeCottonCandyBlue": "Slatkiš Plava Torta",
"foodCakeCottonCandyBlueThe": "Slatkiš Plava Torta",
"foodCakeCottonCandyBlueA": "Slatkiš Plava Torta",
"foodCakeCottonCandyBlueThe": "Slatkiš Plave Torte",
"foodCakeCottonCandyBlueA": "Slatkiš Plave Torte",
"foodCakeCottonCandyPink": "Slatkiš Roza Torta",
"foodCakeCottonCandyPinkThe": "Slatkiš Roza Torta",
"foodCakeCottonCandyPinkA": "Slatkiš Roza Torta",
"foodCakeCottonCandyPinkThe": "Slatkiš Roze Torte",
"foodCakeCottonCandyPinkA": "Slatkiš Roze Torte",
"foodCakeShade": "Čokoladna Torta",
"foodCakeShadeThe": "Čokoladna Torta",
"foodCakeShadeA": "Čokoladna Torta",
"foodCakeShadeThe": "Čokoladnu Tortu",
"foodCakeShadeA": "Čokoladnu Tortu",
"foodCakeWhite": "Krem Torta",
"foodCakeWhiteThe": "Krem Torta",
"foodCakeWhiteA": "Krem Torta",
"foodCakeWhiteThe": "Krem Tortu",
"foodCakeWhiteA": "Krem Tortu",
"foodCakeGolden": "Medenjak",
"foodCakeGoldenThe": "Medenjak",
"foodCakeGoldenA": "Medenjak",
"foodCakeZombie": "Trula Torta",
"foodCakeZombieThe": "Trula Torta",
"foodCakeZombieA": "Trula Torta",
"foodCakeZombieThe": "Trulu Tortu",
"foodCakeZombieA": "Trulu Tortu",
"foodCakeDesert": "Pješčana Torta",
"foodCakeDesertThe": "Pješčana Torta",
"foodCakeDesertA": "Pješčana Torta",
"foodCakeDesertThe": "Pješčanu Tortu",
"foodCakeDesertA": "Pješčanu Tortu",
"foodCakeRed": "Jagodna Torta",
"foodCakeRedThe": "Jagodna Torta",
"foodCakeRedA": "Jagodna Torta",
"foodCakeRedThe": "Jagodne Torte",
"foodCakeRedA": "Jagodne Torte",
"foodCandySkeleton": "Bombon-kostur",
"foodCandySkeletonThe": "Bombon-kostur",
"foodCandySkeletonA": "Bombon-kostur",
"foodCandyBase": "Osnovni Bombon",
"foodCandyBaseThe": "Osnovni Bombon",
"foodCandyBaseA": "Osnovni Bombon",
"foodCandyBaseThe": "Osnovnog Bombona",
"foodCandyBaseA": "Osnovnog Bombona",
"foodCandyCottonCandyBlue": "Kiseli Plavi Bombon",
"foodCandyCottonCandyBlueThe": "Kiseli Plavi Bombon",
"foodCandyCottonCandyBlueA": "Kiseli Plavi Bombon",
@@ -305,7 +305,7 @@
"foodSaddleText": "Sedlo",
"foodSaddleNotes": "Odmah pretvara jednog od tvojih ljubimaca u jahaću životinju.",
"foodSaddleSellWarningNote": "Hej! Ovo je baš koristan predmet! Znaš li kako se koristi sedlo za ljubimce?",
"foodNotes": "Nahranite ovime ljubimca i možda će izrasti u snažnu jahaću životinju.",
"foodNotes": "Nahrani ovime ljubimca i možda će izrasti u snažnu jahaću životinju.",
"questEggRobotAdjective": "futuristički",
"hatchingPotionSilver": "Srebrni",
"questEggDolphinText": "Dupin",
@@ -373,7 +373,7 @@
"hatchingPotionFungi": "Gljivičasti",
"hatchingPotionCryptid": "Kriptidni",
"hatchingPotionOpal": "Sedefast",
"wackyPotionNotes": "Izlijte ovo na jaje, i ono će se izleći kao Otkačeni <%= potText(locale) %> Ljubimac.",
"wackyPotionNotes": "Izlij ovo na jaje, i ono će se izleći kao Otkačeni <%= potText(locale) %> Ljubimac.",
"wackyPotionAddlNotes": "Ne može se pretvoriti u Jahaću životinju niti koristiti na jajima ljubimaca za pustolovine.",
"premiumPotionUnlimitedNotes": "Nije upotrebljivo na jajima ljubimaca pustolovine.",
"hatchingPotionOnyx": "Oniksov",
@@ -381,34 +381,34 @@
"hatchingPotionVirtualPet": "Virtualni ljubimac",
"hatchingPotionPinkMarble": "Ružičastomramorni",
"hatchingPotionTeaShop": "Čajdžinica",
"foodPieGolden": "Pita sa Zlatnom Kremom od Banane",
"foodPieSkeletonThe": "Pita s Koštanom Srži",
"foodPieBase": "Osnovna Pita od Jabuka",
"foodPieBaseA": "Kriška Osnovne Pite od Jabuka",
"foodPieCottonCandyBlue": "Pita od Borovnica",
"foodPieCottonCandyPink": "Pita od Ružičaste Rabarbare",
"foodPieCottonCandyBlueThe": "Pita od Borovnica",
"foodPieCottonCandyPinkThe": "Pita od Ružičaste Rabarbare",
"foodPieCottonCandyBlueA": "Kriška Pite od Borovnica",
"foodPieCottonCandyPinkA": "Kriška Pite od Ružičaste Rabarbare",
"foodPieShade": "Pita od Tamne Čokolade",
"foodPieGolden": "Pita sa zlatnom kremom od banane",
"foodPieSkeletonThe": "Pite s koštanom srži",
"foodPieBase": "Osnovna pita od jabuka",
"foodPieBaseA": "Kriška osnovne pite od jabuka",
"foodPieCottonCandyBlue": "Pita od borovnica",
"foodPieCottonCandyPink": "Pita od ružičaste rabarbare",
"foodPieCottonCandyBlueThe": "Pite od borovnica",
"foodPieCottonCandyPinkThe": "Pite od ružičaste rabarbare",
"foodPieCottonCandyBlueA": "Kriška pite od borovnica",
"foodPieCottonCandyPinkA": "Kriška pite od ružičaste rabarbare",
"foodPieShade": "Pita od tamne čokolade",
"foodPieZombie": "Trula Pita",
"foodPieDesertA": "Kriška Pustinjske Desertne Pite",
"foodPieZombieThe": "Trula Pita",
"foodPieRedThe": "Pita od Crvenih Trešanja",
"foodPieRedA": "Kriška Pite od Crvenih Trešanja",
"foodPieWhiteThe": "Pita s Pudingom od Vanilije",
"foodPieBaseThe": "Osnovna Pita od Jabuka",
"foodPieShadeA": "Kriška Pite od Tamne Čokolade",
"foodPieGoldenThe": "Pita sa Zlatnom Kremom od Banane",
"foodPieGoldenA": "Kriška Pite sa Zlatnom Kremom od Banane",
"foodPieRed": "Pita od Crvenih Trešanja",
"foodPieSkeleton": "Pita s Koštanom Srži",
"foodPieWhite": "Pita s Pudingom od Vanilije",
"foodPieWhiteA": "Kriška Pite s Pudingom od Vanilije",
"foodPieDesertThe": "Pustinjska Desertna Pita",
"foodPieShadeThe": "Pita od Tamne Čokolade",
"foodPieSkeletonA": "Kriška pite s Koštanom Srži",
"foodPieDesertA": "Kriška pustinjske desertne pite",
"foodPieZombieThe": "Trule Pite",
"foodPieRedThe": "Pite od crvenih trešanja",
"foodPieRedA": "Kriška pite od crvenih trešanja",
"foodPieWhiteThe": "Pite s pudingom od vanilije",
"foodPieBaseThe": "Osnovne pite od jabuka",
"foodPieShadeA": "Kriška pite od tamne čokolade",
"foodPieGoldenThe": "Pite sa zlatnom kremom od banane",
"foodPieGoldenA": "Kriška pite sa zlatnom kremom od banane",
"foodPieRed": "Pita od crvenih trešanja",
"foodPieSkeleton": "Pita s koštanom srži",
"foodPieWhite": "Pita s pudingom od vanilije",
"foodPieWhiteA": "Kriška pite s pudingom od vanilije",
"foodPieDesertThe": "Pustinjske desertne pite",
"foodPieShadeThe": "Pite od tamne čokolade",
"foodPieSkeletonA": "Kriška pite s koštanom srži",
"foodPieZombieA": "Kriška Trule Pite",
"foodPieDesert": "Pustinjska Desertna Pita"
"foodPieDesert": "Pustinjska desertna pita"
}

View File

@@ -1,5 +1,5 @@
{
"playerTiersDesc": "Obojena korisnička imena koja vidite u razgovorima predstavljaju razinu doprinositelja te osobe. Što je razina viša, to je osoba više doprinijela Habitici kroz umjetnost, kôd, zajednicu ili nešto drugo!",
"playerTiersDesc": "Obojena korisnička imena koja vidite u četu predstavljaju razinu doprinositelja te osobe. Što je razina viša, to je osoba više doprinijela Habitici kroz umjetnost, kôd, zajednicu ili nešto drugo!",
"tier1": "Razina 1 (Prijatelj)",
"tier2": "Razina 2 (Prijatelj)",
"tier3": "Razina 3 (Elita)",

View File

@@ -1,17 +1,17 @@
{
"lostAllHealth": "Ostali ste bez Zdravlja!",
"dontDespair": "Ne očajavajte!",
"deathPenaltyDetails": "Izgubili ste Razinu, Zlato i komad Opreme, ali sve to možete vratiti napornim radom! Sretno—bit ćete sjajani.",
"refillHealthTryAgain": "Obnovi Zdravlje i Pokušaj Ponovno",
"dyingOftenTips": "Događa li se ovo često?(<a href='/static/faq#prevent-damage' target='_blank'>Evo nekoliko savjeta!</a>)",
"losingHealthWarning": "Pripazite- gubite Zdravlje!",
"losingHealthWarning2": "Ne dopustite da vam Zdravlje padne na nulu! Ako se to dogodi, izgubit ćete razinu, svoje Zlato i komad opreme.",
"toRegainHealth": "Da bi vratili Zdravlje:",
"lowHealthTips1": "Dosegnite višu razinu za potpuno izlječenje!",
"lowHealthTips2": "Kupite Napitak za zdravlje iz stupca Nagrade da povratite 15 Bodova Zdravlja.",
"losingHealthQuickly": "Brzo gubite Zdravlje?",
"lowHealthTips3": "Nedovršeni Dnevni zadaci nanose vam štetu preko noći, stoga pazite da ih ispočetka ne dodavate previše!",
"lowHealthTips4": "Ako Dnevni zadatak nije dospio određenog dana, možete ga onemogućiti klikom na ikonu olovke.",
"lostAllHealth": "Ostao/la si bez Zdravlja!",
"dontDespair": "Ne očajavaj!",
"deathPenaltyDetails": "Izgubio/la si Level, Zlatnike i komad Opreme, ali možeš ih vratiti marljivim radom! Sretno--sjajno će te i.",
"refillHealthTryAgain": "Obnovi Zdravlje i pokušaj ponovno",
"dyingOftenTips": "Događa li ti se ovo često? <a href='https://habitica.wikia.com/wiki/Death_Mechanics#Strategies_for_Staying_Alive' target='_blank'>Evo nekoliko savjeta!</a>",
"losingHealthWarning": "Pripazi- gubiš Zdravlje!",
"losingHealthWarning2": "Nemoj dopustiti da ti Zdravlje padne na nulu! Ako se to dogodi, izgubit ćeš level, svoje Zlatnike, i komad Opreme.",
"toRegainHealth": "Da bi vratio/la Zdravlje:",
"lowHealthTips1": "Dostigni idući level da bi se potpuno iscijelio/la!",
"lowHealthTips2": "Kupi Čarobni napitak za Zdravlje iz stupca Nagrada za obnovu 15 bodova Zdravlja.",
"losingHealthQuickly": "Brzo gubiš Zdravlje?",
"lowHealthTips3": "Neobavljeni Svakodnevni zadaci ti nanose štetu preko noći, zato pripazi da ih ne dodaš previše na početku!",
"lowHealthTips4": "Ako Svakodnevni zadatak nije aktivan na određeni dan, možeš ga deaktivirati klikom na ikonu olovke.",
"goodLuck": "Sretno!",
"cannotRevive": "Nije moguće oživjeti ako niste mrtvi"
}

View File

@@ -2,38 +2,38 @@
"defaultHabit1Text": "Produktivan rad (Klikni na olovku za uređivanje)",
"defaultHabit2Text": "Jedi nezdravu hranu (Klikni na olovku za uređivanje)",
"defaultHabit3Text": "Popni se uz stube/Upotrijebi dizalo (Klikni na olovku za uređivanje)",
"defaultHabit4Text": "Dodaj zadatak u Habiticu",
"defaultHabit4Notes": "Ili Naviku, Dnevni zadatak ili Obavezu",
"defaultHabit4Text": "Dodaj zadatak na Habiticu",
"defaultHabit4Notes": "Ili Naviku, Svakodnevni zadatak ili Zadatak",
"defaultTodo1Text": "Postani član Habitice (Prekriži me!)",
"defaultTodoNotes": "Možete dovršiti ovu obavezu, urediti je ili ukloniti.",
"defaultReward1Text": "15 minuta pauze",
"defaultReward2Text": "Nagradi se",
"defaultReward2Notes": "Gledaj TV, igraj igru ili pojedi slatkiš, na tebi je!",
"defaultTag1": "Posao",
"defaultTag2": "Trening",
"defaultTag3": "Zdravlje + Dobrobit",
"defaultTag1": "Radi",
"defaultTag2": "Vježbaj",
"defaultTag3": "Zdravlje + Wellness",
"defaultTag4": "Škola",
"defaultTag5": "Timovi",
"defaultTag6": "Obaveze",
"defaultTag6": "Sitni zadaci",
"defaultTag7": "Kreativnost",
"healthDailyNotes": "Dodirnite za promjene!",
"workHabitMail": "Obrada email-a",
"healthHabit": "Jedite Zdravo/Brza Hrana",
"exerciseTodoText": "Postavite raspored vježbanja",
"workTodoProjectNotes": "Dotaknite da odredite ime vašeg trenutnog projekta + odredi krajnji rok!",
"workDailyImportantTaskNotes": "Dotaknite da odredite vaš najvažniji zadatak",
"exerciseDailyNotes": "Dotaknite da odredite vaš raspored i nabroji vježbe!",
"healthDailyText": "Koristite Zubni Konac",
"defaultHabitText": "Pritisnite ovdje da ovo preuredite u lošu naviku koje se želite riješiti",
"choresDailyNotes": "Dotaknite da odredite vaš raspored!",
"workHabitMail": "Obrada e-pošte",
"healthHabit": "Jedite zdravu/Brza Hrana",
"exerciseTodoText": "Postavi raspored vježbanja",
"workTodoProjectNotes": "Dotakni da odrediš ime svojeg trenutnog projekta + odredi krajnji rok!",
"workDailyImportantTaskNotes": "Dotakni da odrediš svoj najvažniji zadatak",
"exerciseDailyNotes": "Dotakni da odrediš svoj raspored i nabroji vježbe!",
"healthDailyText": "Koristi zubni konac",
"defaultHabitText": "Pritisni ovdje da ovo preurediš u lošu naviku koje se želiš riješiti",
"choresDailyNotes": "Dotakni da odrediš svoj raspored!",
"schoolTodoText": "Završi zadatak za nastavu",
"defaultHabitNotes": "Ili izbrišite s ekrana za uređivanje",
"creativityTodoNotes": "Dotaknite da odredite naziv vašeg projekta",
"defaultHabitNotes": "Ili izbriši s ekrana za uređivanje",
"creativityTodoNotes": "Dotakni da odrediš naziv svog projekta",
"selfCareDailyText": "5 minuta mirnog disanja",
"selfCareTodoNotes": "Dotaknite da odredite što planirate učiniti!",
"selfCareTodoNotes": "Dotakni da odrediš što planiraš učiniti!",
"choresTodoText": "Organiziraj ormar >> Smanji nered",
"choresTodoNotes": "Dotaknite da odredite neuredan prostor!",
"creativityDailyNotes": "Dotaknite da odaberete ime vašeg trenutnog projekta + postavite raspored!",
"choresTodoNotes": "Dotakni da odrediš neuredan prostor!",
"creativityDailyNotes": "Dotakni da odabereš ime svog trenutnog projekta + postavi raspored!",
"selfCareHabit": "Napravite kratku stanku",
"schoolDailyNotes": "Dotakni za odabir rasporeda domaćih zadaća!",
"choresHabit": "10 minuta čišćenja",
@@ -42,15 +42,15 @@
"choresDailyText": "Operi posuđe",
"creativityTodoText": "Završi kreativni projekt",
"schoolTodoNotes": "Dotakni za imenovanje zadatka i odaberi krajnji rok!",
"selfCareDailyNotes": "Dotaknite za odabir vašeg rasporeda!",
"selfCareDailyNotes": "Dotakni za odabir svog rasporeda!",
"selfCareTodoText": "Uključi se u zabavnu aktivnost",
"creativityDailyText": "Radi na kreativnom projektu",
"schoolDailyText": "Završi domaću zadaću",
"exerciseHabit": "10 min kardio >> + 10 minuta kardio",
"exerciseHabit": "10 minuta kardio >> + 10 minuta kardio",
"exerciseDailyText": "Istezanje >> Dnevna rutina vježbanja",
"workDailyImportantTask": "Najvažniji zadatak >> Radio/la na današnjem najvažnijem zadatku",
"exerciseTodoNotes": "Dodirnite za dodavanje spiska!",
"workDailyImportantTask": "Najvažniji zadatak >> Radio na današnjem najvažnijem zadatku",
"exerciseTodoNotes": "Dodirnite za dodavanje kontrolnog popisa!",
"workTodoProject": "Radni projekt >> Cjeloviti radni projekt",
"healthTodoNotes": "Dodirnite za dodavanje spiska!",
"healthTodoNotes": "Dodirnite za dodavanje kontrolnih popisa!",
"healthTodoText": "Zakažite pregled >> Razmislite o zdravoj promjeni"
}

View File

@@ -1,13 +1,13 @@
{
"frequentlyAskedQuestions": "Često Postavljena Pitanja",
"frequentlyAskedQuestions": "Često postavljena pitanja",
"iosFaqStillNeedHelp": "Ako imate pitanje koje nije na ovom popisu ili na [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), dođite pitati u Tavern chat pod Menu > Tavern! Rado ćemo pomoći.",
"androidFaqStillNeedHelp": "Ako imate pitanje koje nije na ovom popisu ili na [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), dođite pitati u Tavern chat pod Menu > Tavern! Rado ćemo pomoći.",
"webFaqStillNeedHelp": "Ako imate pitanje koje nije na ovom popisu ili na [Wiki FAQ](https://habitica.fandom.com/wiki/FAQ), dođite pitati u [Habitica Help guild](https://habitica .com/groups/guild/5481ccf3-5d2d-48a9-a871-70a7380cee5a)! Rado ćemo pomoći.",
"commonQuestions": "Uobičajena Pitanja",
"commonQuestions": "Uobičajena pitanja",
"faqQuestion25": "Što su različite vrste zadataka?",
"faqQuestion26": "Koji su neki jednostavni zadatci?",
"faqQuestion27": "Zašto zadaci mijenjaju boju?",
"webFaqAnswer32": "Svi igrači počinju kao klasa Ratnik dok ne dosegnu 10. razinu. Kada dosegneš 10. razinu, dobit ćeš izbor između odabira nove klase ili nastavka igranja kao Ratnik.\n\nSvaka klasa ima različitu Opremu i Vještine. Ako ne želiš odabrati klasu, možeš odabrati \"Odustani\". Ako odustaneš, sustav klasa uvijek možeš kasnije omogućiti u Postavkama.\n\nAko želiš promijeniti klasu nakon 10. razine, to možeš učiniti pomoću Kugle Ponovnog Rođenja. Kugla Ponovnog Rođenja postaje dostupna u Dućanu za 6 Dragulja na 50. razini ili besplatno na 100. razini.\n\nAlternativno, klasu možeš promijeniti bilo kada u Postavkama za 3 Dragulja. To neće resetirati tvoju razinu kao Kugla Ponovnog Rođenja, ali će ti omogućiti da ponovno raspodijeliš bodove vještina koje ste akumulirali tijekom podizanja razina kako bi odgovarali tvojoj novoj klasi.",
"faqQuestion27": "Zašto zadatci mijenjaju boju?",
"webFaqAnswer32": "U Habitici postoje četiri klase: Ratnik. Čarobnjak, Odmetnik i Iscjelitelj. Svi igrači započinju kao klasa Ratnik dok ne dostignu razinu 10. Kada dostigneš razinu 10 možeš odabrati klasu ili nastaviti kao Ratnik.\n\nSvaka klasa ima različitu Opremu i Sposobnosti. Ako ne želiš odabrati klasu, odaberi \"",
"faqQuestion33": "Što je plava traka koja se pojavljuje nakon razine 10?",
"faqQuestion34": "Kakvu hranu moj ljubimac voli?",
"faqQuestion36": "Kako da promijenim izgled svog Avatara?",
@@ -15,31 +15,19 @@
"faqQuestion29": "Kako mogu oporaviti HP?",
"webFaqAnswer29": "Možete oporaviti 15 HP kupnjom napitka za zdravlje iz stupca Nagrade za 25 zlata. Osim toga, uvijek ćete oporaviti puni HP kada se popnete na višu razinu!",
"faqQuestion30": "Što se događa kada mi ponestane HP-a?",
"webFaqAnswer30": "Ako ti HP dosegne nulu, izgubit ćeš jednu razinu, bod za atribut te razine, svo svoje Zlato i komad opreme koji se može ponovno kupiti. Možeš se oporaviti dovršavanjem zadataka i ponovnim podizanjem razine.",
"faqQuestion31": "Zašto sam gubio HP prilikom interakcije s ne-negativnim zadatkom?",
"faqQuestion32": "Kako mogu odabrati klasu?",
"webFaqAnswer30": "Ako vam HP dosegne nulu, izgubit ćete jednu razinu, svo svoje zlato i komad opreme koji se može ponovno kupiti.",
"faqQuestion31": "Zašto sam gubio HP prilikom interakcije s nenegativnim zadatkom?",
"faqQuestion32": "Kako mogu odabrati razred?",
"webFaqAnswer33": "Nakon što otključate Klasni Sustav, otključavate i Vještine za koje je potrebna Mana. Mana je određena vašom INT statistikom i može se prilagoditi vještinama i opremom.",
"faqQuestion35": "Nahranio sam svog ljubimca i nestao je! Što se dogodilo?",
"faqQuestion38": "Zašto ne mogu kupiti određene artikle?",
"faqQuestion39": "Gdje mogu nabaviti više opreme?",
"faqQuestion40": "Što su dragulji i kako ih mogu dobiti?",
"faqQuestion41": "Što su Mistični pješčani satovi i kako ih mogu dobiti?",
"faqQuestion42": "Što mogu učiniti kako bih povećao/la odgovornost?",
"faqQuestion42": "Što mogu učiniti kako bih povećao odgovornost?",
"faqQuestion43": "Kako mogu prihvatiti zadatke?",
"faqQuestion44": "Kako mogu izbrisati zadatke Izazova?",
"faqQuestion45": "Moj avatar se transformirao u snjegovića, morsku zvijezdu, cvijet ili duha. Kako se mogu vratiti u to stanje?",
"webFaqAnswer26": "Pozitivne navike (Ponašanja koja želiš potaknuti; trebaju imati gumb s plusom)\n\n*Uzeti vitamine\n*Koristiti zubni konac\n*Jedan sat učenja\n\nNegativne navike (Ponašanja koja želiš ograničiti ili izbjegavati; trebaju imati gumb s minusom)\n\n*Pušenje\n*Beskrajno \"skrolanje\" (doom scrolling)\n*Grizenje noktiju\n\nDvostruke navike (Navike koje uključuju pozitivnu i negativnu opciju; trebaju imati i plus i minus gumb)\n\n*Piti vodu vs. piti gazirano piće\n*Učiti vs. odugovlačiti\n\nPrimjeri dnevnih zadataka (Zadaci koje želiš ponavljati po redovnom rasporedu)\n*Oprati suđe\n*Zaliti biljke\n*30 minuta tjelesne aktivnosti\n\nPrimjeri obaveza (Zadaci koje trebaš napraviti samo jednom)\n\n*Zakazati termin\n*Organizirati ormar\n*Završiti esej",
"webFaqAnswer25": "Habitica koristi tri različite vrste zadataka kako bi se prilagodila vašim potrebama: Navike, Dnevne zadatke i Obaveze.\n\nNavike mogu biti pozitivne ili negativne i predstavljaju nešto što želite pratiti više puta dnevno ili po nepredviđenom rasporedu. Pozitivne navike donose nagrade, poput zlata i iskustva (Exp), dok te negativne navike koštaju zdravlja (HP).\n\nDnevni zadaci su ponavljajući zadaci koje želite obavljati po strukturiranom rasporedu. Na primjer, jednom dnevno, tri puta tjedno ili četiri puta mjesečno. Neizvršeni dnevni zadaci uzrokuju gubitak HP-a, ali što su teži, to su nagrade bolje!\n\nObaveze su jednokratni zadaci koji vam daju nagrade nakon što ih završite. Mogu imati rok, ali nećete izgubiti HP ako ga propustite.\n\nOdaberite vrstu zadatka koja najbolje odgovara onome što želite postići!",
"webFaqAnswer37": "Provjeri je li opcija Kostim uključena. Ako tvoj Avatar nosi Kostim, taj set Opreme će biti prikazan umjesto tvoje Borbene Opreme.\n\nZa uključivanje/isključivanje Kostima na mobilnim aplikacijama:\nIz Izbornika, odaberi \"Oprema\" da bi pronašli prekidač za Kostim\n\nZa uključivanje/isključivanje Kostima na web stranici:\nIz Inventara, odaberi \"Oprema\" i pronađi prekidač za Kostim na kartici Kostim u ladici Opreme",
"webFaqAnswer27": "Boja zadatka vizualni je prikaz njegove vrijednosti. Svi zadaci počinju kao žuti (neutralno), plava je bolja, a crvena je lošija. Evo kako se vrijednost zadatka određuje za svaki tip:\n\nNavike postaju više plave ili crvene ovisno o tome tapnete li gumb plus (+) ili minus (-). Pozitivne i negativne Navike s vremenom se spuštaju na žutu boju ako ih ne dovršavate. Dvostruke navike (Dual Habits) mijenjaju boju isključivo na temelju tvojih unosa.\n\nDnevni zadaci mijenjaju boju ovisno o tome koliko se često dovršavaju; postaju više plavi kako se dovršavaju ili više crveni ako ih propuštaš.\n\nObaveze postupno postaju više crveni što duže ostaju nedovršene.\n\nŠto je zadatak više crven, to ćeš više Zlata i Iskustva zaraditi za njegovo dovršavanje, stoga se svakako uhvati u koštac i s najtežim zadacima!",
"faqQuestion28": "Mogu li pauzirati svoje Dnevne zadatke ako trebam odmor?",
"webFaqAnswer28": "Da! Gumb \"Pauziraj štetu\" možeš pronaći u Postavkama. On će spriječiti da gubiš HP zbog propuštenih Dnevnih zadataka. To je korisno ako si na odmoru, trebaš predah, ili zbog bilo kojeg drugog razloga zbog kojeg ti treba pauza. Ako sudjeluješ u Pustolovini, tvoj vlastiti preostali napredak bit će pauziran, ali i dalje ćeš primiti štetu od propuštenih Dnevnih zadataka članova tvoje Grupe.\n\nDa bi pauzirali samo određene Dnevne zadatke, možeš urediti njihovo raspoređivanje tako da dospijevaju svakih 0 dana dok ih ne budete spremani ponovno pokrenuti.",
"webFaqAnswer31": "Ako dovršiš zadatak i izgubiš HP, iako ne bi trebali, to znači da ste naišlo na kašnjenje dok poslužitelj sinkronizira promjene napravljene na drugim platformama. Na primjer, ako na mobilnoj aplikaciji potrošiš Zlato, Manu ili izgubiš HP, a zatim dovršiš zadatak na web stranici, poslužitelj samo potvrđuje da je sve sinkronizirano.",
"webFaqAnswer34": "Kućni ljubimci vole hranu koja odgovara njihovoj boji. Osnovni ljubimci su iznimka, ali svi Osnovni ljubimci vole istu stavku. Specifičnu hranu koju svaki Ljubimac voli možeš vidjeti u nastavku:\n\n * Osnovni ljubimci vole Meso\n * Bijeli ljubimci vole Mlijeko\n * Pustinjski ljubimci vole Krumpir\n * Crveni ljubimci vole Jagode\n * Sjenoviti ljubimci vole Čokoladu\n * Ljubimci kosturi vole Ribu\n * Zombi ljubimci vole Trulo meso\n * Ružičasti ljubimci Šećerne vate vole Ružičastu šećernu vatu\n * Plavi ljubimci Šećerne vate vole Plavu šećernu vatu\n * Zlatni ljubimci vole Med",
"webFaqAnswer35": "Nakon što nahraniš svog Ljubimca dovoljno da ga pretvoriš u Životinju za jahanje, morat ćeš ponovno izleći tog tipa Ljubimca da bi ga imali u svojoj štali.\n\nZa pregled Životinju za jahanje na mobilnim aplikacijama:\n\nIz Izbornika, odaberi \"Ljubimci i Životinje za jahanje\" i prebaci se na karticu Životinje za jahanje.\n\nZa pregled Životinja za jahanje na web stranici:\n\nIz izbornika Inventar , odaberi \"Ljubimci i Životinje za jahanje\" i pomakni se dolje do sekcije Životinje za jahanje",
"webFaqAnswer36": "Postoje bezbrojni načini da prilagodiš izgled svog Habitica Avatara! Možeš promijeniti oblik tijela svog Avatara, frizuru i boju kose, boju kože, ili dodati naočale ili pomagala za kretanje odabirom \"Prilagodi Avatara\" iz izbornika.\n\nZa prilagođavanje Avatara na mobilnim aplikacijama:\nIz Izbornika, odaberi \"Prilagodi Avatara\"\n\nZa prilagođavanje Avatara na web stranici:\nIz korisničkog izbornika u navigaciji, odaberi \"Prilagodi Avatara\"",
"webFaqAnswer38": "Novi igrači Habitice mogu kupiti samo osnovnu Opremu klase Ratnik. Igrači moraju kupovati Opremu u slijednom redu kako bi otključali sljedeći komad.\n\nMnogi komadi Opreme specifični su za klase, što znači da igrač može kupiti samo Opremu koja pripada njegovoj trenutnoj klasi.",
"webFaqAnswer39": "Ako želiš dobiti više Opreme, možeš postati pretplatnik Habitice, okušati sreću s Začaranim Ormarom, ili se rasipati tijekom jedne od Habitica Velikih Gala.\n\nPretplatnici Habitice primaju poseban ekskluzivni set opreme svakog mjeseca i Mistične pješčane satove za kupnju setova Opreme iz prošlosti u Dućanu Putnika kroz Vrijeme.\n\nŠkrinja s blagom Začarani Ormar u tvojim Nagradama sadrži preko 350 komada Opreme! Za 100 Zlata, imat ćeš priliku dobiti posebnu Opremu, Hranu za podizanje tvog Ljubimca u Životinju za jahanje, ili Iskustvo za podizanje razine!\n\nTijekom četiri sezonske Velike Gale, potpuno nova oprema specifična za klase postaje dostupna za kupnju Zlatom, a prijašnji setovi Gala mogu se kupiti Draguljima.",
"webFaqAnswer40": "Dragulji su Habitica valuta unutar aplikacije koja se plaća, a služi za kupnju Opreme, prilagodbi Avatara, Pozadina i još mnogo toga! Dragulje se može kupiti u paketima ili, ako ste pretplatnik Habitice, Zlatom. Dragulje također možete osvojiti ako ste odabrani kao pobjednik u Izazovu.",
"webFaqAnswer41": "Mistični pješčani satovi su Habitica ekskluzivna valuta za pretplatnike koja se koristi u Trgovini Putnika kroz Vrijeme . Pretplatnici primaju jedan Mistični pješčani sat na početku svakog mjeseca u kojem imaju pretplatničke pogodnosti, zajedno s hrpom drugih povlastica. Svakako provjeri naše pretplatničke opcije ako te zanimaju posebne Pozadine, Ljubimci, Pustolovine i Oprema koji se nude u Trgovini Putnika kroz Vrijeme!"
"webFaqAnswer26": "Pozitivne navike (Ponašanja koja želiš potaknuti; trebaju imati gumb s plusom)\n\n Uzeti vitamine\n Koristiti zubni konac\n Jedan sat učenja\n\nNegativne navike (Ponašanja koja želiš ograničiti ili izbjegavati; trebaju imati gumb s minusom)\n\n Pušenje\n Beskrajno \"skrolanje\" (doom scrolling)\n Grizenje noktiju\n\nDvostruke navike (Navike koje uključuju pozitivnu i negativnu opciju; trebaju imati i plus i minus gumb)\n\n Piti vodu vs. piti gazirano piće\n Učiti vs. odugovlačiti\n\nPrimjeri dnevnih zadataka (Zadaci koje želiš ponavljati po redovnom rasporedu)\n Oprati suđe\n Zaliti biljke\n 30 minuta tjelesne aktivnosti\n\nPrimjeri zadataka za obaviti (Zadaci koje trebaš napraviti samo jednom)\n\n Zakazati termin\n Organizirati ormar\n Završiti esej",
"webFaqAnswer25": "Habitica koristi tri različite vrste zadataka kako bi se prilagodila tvojim potrebama: Navike (Habits), Dnevne zadatke (Dailies) i Zadatke za obaviti (To Do's).\n\nNavike mogu biti pozitivne ili negativne i predstavljaju nešto što želiš pratiti više puta dnevno ili po nepredviđenom rasporedu. Pozitivne navike donose nagrade, poput zlata i iskustva (Exp), dok te negativne navike koštaju zdravlja (HP).\n\nDnevni zadaci su ponavljajući zadaci koje želiš obavljati po strukturiranom rasporedu. Na primjer, jednom dnevno, tri puta tjedno ili četiri puta mjesečno. Neizvršeni dnevni zadaci uzrokuju gubitak HP-a, ali što su teži, to su nagrade bolje!\n\nZadaci za obaviti su jednokratni zadaci koji ti daju nagrade nakon što ih završiš. Mogu imati rok, ali nećeš izgubiti HP ako ga propustiš.\n\nOdaberi vrstu zadatka koja najbolje odgovara onome što želiš postići!"
}

View File

@@ -1,38 +1,38 @@
{
"oldNews": "Novosti",
"footerMobile": "Za Mobitel",
"oldNews": "Vijesti",
"footerMobile": "Za mobitel",
"history": "Povijest",
"FAQ": "Često Postavljena Pitanja",
"FAQ": "Često postavljena pitanja",
"companyDonate": "Doniraj Habitici",
"footerProduct": "Proizvod",
"footerSocial": "Društveno",
"free": "Pridružite se Besplatno",
"logout": "Odjavi se",
"marketing1Header": "Igrom poboljšajte svoje navike!",
"marketing1Lead1Title": "Pretvorite vaš život u igru",
"marketing1Lead2Title": "Opremi se sa stilom",
"marketing1Lead3Title": "Budite nagrađeni za svoj trud",
"marketing2Header": "Udružite se s prijateljima",
"free": "Pridruži se besplatno",
"logout": "Odjava",
"marketing1Header": "Igrom poboljšajte svoje navike",
"marketing1Lead1Title": "Tvoj život, Igra igranja uloga",
"marketing1Lead2Title": "Osvoji fora opremu",
"marketing1Lead3Title": "Pronađi nasumične nagrade",
"marketing2Header": "Natječi se s prijateljima i pridruži se zanimljivim grupama",
"marketing2Lead1Title": "Društvena Produktivnost",
"marketing2Lead2Title": "Borite se protiv čudovišta na Pustolovinama",
"marketing2Lead2": "Prihvatite se jedne od naših stotina Pustolovina s Grupom prijatelja kako biste ušli u borbu. Čudovišta iz Pustolovina guraju Vašu odgovornost do maksimuma. Zaboravljanje čišćenja zubnim koncem znači štetu nanesenu svima!",
"marketing2Lead2Title": "Bori se s čudovištima na misijama",
"marketing2Lead2": "Što je igranje uloga bez bitaka? Borite se protiv čudovišta sa svojom družinom. Čudovišta su \"način super odgovornosti\" - dan kada propustite teretanu je dan kada čudovište ozlijede *sve!*",
"marketing2Lead3Title": "Izazovite jedni druge",
"marketing2Lead3": "Pridružite se Izazovima koje je kreirala naša zajednica kako biste dobili probrane liste zadataka koje odgovaraju Vašim interesima i ciljevima. Dajte sve od sebe kako biste se natjecali za nagradu u Draguljima koja se dodjeljuje pobjedniku!",
"marketing3Lead1": "Možete nabaviti Habiticu na svom Android ili iOS uređaju kako biste označavali zadatke bilo gdje. Pogledajte naše nagrađivane aplikacije za svjež pristup izvršavanju obveza.",
"marketing3Lead2Title": "Zajednica Otvorenog Koda",
"marketing4Header": "Više od kućanskih poslova",
"marketing4Lead1Title": "Gamifikacija u Obrazovanju",
"marketing4Lead2": "Izgradnja zdravijeg načina života lako može postati preplavljujući pothvat. Habitica vam pomaže pratiti sve aspekte vaših fitness ciljeva uz fleksibilno raspoređivanje i intenzitet koji vam odgovara. Stoga se zabavite dok radite na putu prema boljem zdravlju!",
"marketing4Lead2Title": "Gamifikacija u Zdravlju i Dobrobiti",
"marketing4Lead3-1": "Jeste li spremni da se zabavite dok obavljate zadatke?",
"marketing4Lead3-2": "Zainteresirani ste za vođenje grupe u obrazovanju, dobrobiti i još mnogo toga?",
"marketing4Lead3Title": "Započnite svoju pustolovinu!",
"marketing2Lead3": "Izazovi vam omogućuju da se natječete s prijateljima i strancima. Tko bude najbolji na kraju izazova, osvaja posebne nagrade.",
"marketing3Lead1": "Aplikacije za **iPhone i Android** omogućuju vam da vodite računa o poslu dok ste u pokretu. Shvaćamo da prijava na web mjesto radi klikanja gumba može biti naporna.",
"marketing3Lead2Title": "Integracija",
"marketing4Header": "Organizacijska upotreba",
"marketing4Lead1Title": "Gamifikacija u obrazovanju",
"marketing4Lead2": "Troškovi zdravstvene zaštite su u porastu i nešto mora popustiti. Izrađene su stotine programa za smanjenje troškova i poboljšanje dobrobiti. Vjerujemo da Habitica može utrti značajan put prema zdravim stilovima života.",
"marketing4Lead2Title": "Gamifikacija u zdravlju i dobrobiti",
"marketing4Lead3-1": "Želite gamificirati svoj život?",
"marketing4Lead3-2": "Zainteresirani ste za vođenje grupe u obrazovanju, wellnessu i još mnogo toga?",
"marketing4Lead3Title": "Gamificirajte Sve",
"mobileAndroid": "Android Aplikacija",
"mobileIOS": "iOS Aplikacija",
"setNewPass": "Postavite Novu Zaporku",
"setNewPass": "Postavite novu lozinku",
"playButton": "Igraj",
"enterHabitica": "Uđite u Habiticu",
"presskitText": "Hvala vam na interesu za Habiticu! Slike u nastavku možete koristiti za članke ili videozapise o Habitici. Za više informacija, kontaktirajte nas na <%= pressEnquiryEmail %>.",
"presskitText": "Hvala na interesu za Habiticu! Sljedeće slike mogu se koristiti za članke ili video zapise o Habitici. Za više informacija kontaktirajte nas na <%= pressEnquiryEmail %>.",
"pkQuestion1": "Što je inspiriralo Habiticu? Kako je sve počelo?",
"pkQuestion2": "Zašto Habitica djeluje?",
"pkQuestion3": "Zašto ste dodali društvene značajke?",
@@ -41,75 +41,75 @@
"pkAnswer5": "Jedan od načina na koji je Habitica bila najuspješnija u korištenju gamifikacije jest to što smo uložili puno truda u razmišljanje o aspektima igre kako bismo osigurali da su one zapravo zabavne. Također smo uključili mnoge društvene komponente jer smatramo da vam neke od najmotivirajućih igara omogućuju igranje s prijateljima i jer je istraživanje pokazalo da je lakše stvoriti navike kada imate odgovornost prema drugim ljudima.",
"pkQuestion6": "Tko je tipični korisnik Habitice?",
"login": "Prijava",
"marketing3Header": "Više načina za korištenje Habitice",
"marketing1Lead1": "Habitica je savršena aplikacija za sve koji se muče s obavezama. Koristimo poznate mehanike igre, poput nagrađivanja Zlatom, Iskustvom i predmetima, kako bismo Vam pomogli da se osjećate produktivno i povećate svoj osjećaj postignuća kada izvršite zadatke. Što ste bolji u svojim zadacima, to više napredujete u igri.",
"marketing3Header": "Aplikacije i Proširenja",
"marketing1Lead1": "Habitica je video igra koja će ti pomoći da poboljšaš svoje navike. Habitica tvoje obveze (Navike, Dnevne zadatke i Zadatke) pretvara u mala čudovišta koja trebaš pobijediti. Što si u tome bolji, to brže napreduješ. Ako, pak, ne izvršavaš svoje obveze, tvom liku ide loše, Tvoj lik u igri odraz je tebe u stvarnom životu.",
"pkAnswer1": "Ako ste ikada uložili vrijeme u podizanje razine lika u igrici, teško je ne zapitati se kako bi vaš život bio sjajan da sav taj trud uložite u poboljšanje sebe u stvarnom životu umjesto svog avatara. Počinjemo s izgradnjom Habitice kako bismo odgovorili na to pitanje. <br /> Habitica je službeno pokrenuta s Kickstarterom 2013. i ideja je doista zaživjela. Od tada je prerastao u ogroman projekt, koji podržavaju naši sjajni open source volonteri i naši velikodušni korisnici.",
"pkAnswer2": "Stvaranje nove navike je teško jer ljudi stvarno trebaju tu očitu, trenutnu nagradu. Na primjer, teško je početi koristiti zubni konac, jer iako nam stomatolog kaže da je to dugoročno zdravije, u trenu samo zabole desni. <br /> Habiticina gamifikacija dodaje osjećaj trenutnog zadovoljstva svakodnevnim ciljevima nagrađujući težak zadatak iskustvom, zlatom... a možda čak i nasumičnim predmetima, poput zmajevog jajeta! To pomaže da ljudi ostanu motivirani čak i kada sam zadatak nema intrinzičnu nagradu, a vidjeli smo kako ljudi preokreću svoje živote kao rezultat toga.",
"pkAnswer3": "Društveni pritisak veliki je motivirajući faktor za mnoge ljude, pa smo znali da želimo imati snažnu zajednicu koja će jedni druge smatrati odgovornima za svoje ciljeve i navijati za njihove uspjehe. Srećom, jedna od stvari koje videoigre za više igrača rade najbolje jest poticanje osjećaja zajedništva među svojim korisnicima! Habiticina struktura zajednice posuđuje od ovih vrsta igara; možete osnovati malu grupu bliskih prijatelja, ali se također možete pridružiti većim grupama zajedničkih interesa poznatim kao klan. Iako neki korisnici odluče igrati solo, većina odluči formirati mrežu podrške koja potiče društvenu odgovornost kroz značajke kao što su misije, gdje članovi grupe udružuju svoju produktivnost kako bi se zajedno borili protiv čudovišta.",
"companyContribute": "Doprinesi Habitici",
"pkAnswer2": "Stvaranje nove navike je teško jer ljudi stvarno trebaju tu očitu, trenutnu nagradu. Na primjer, teško je početi koristiti zubni konac, jer iako nam stomatolog kaže da je to dugoročno zdravije, u trenu samo zaboli desni. <br /> Habiticina igrivost dodaje osjećaj trenutnog zadovoljstva svakodnevnim ciljevima nagrađujući težak zadatak iskustvom, zlatom... a možda čak i nasumičnim izborom, poput zmajevog jajeta! To pomaže da ljudi ostanu motivirani čak i kada sam zadatak nema intrinzičnu nagradu, a vidjeli smo kako ljudi preokreću svoje živote kao rezultat toga.",
"pkAnswer3": "Društveni pritisak veliki je motivirajući faktor za mnoge ljude, pa smo znali da želimo imati snažnu zajednicu koja će jedni druge smatrati odgovornima za svoje ciljeve i navijati za njihove uspjehe. Srećom, jedna od stvari koje videoigre za više igrača rade najbolje jest poticanje osjećaja zajedništva među svojim korisnicima! Habiticina struktura zajednice posuđuje od ovih vrsta igara; možete osnovati malu grupu bliskih prijatelja, ali se također možete pridružiti većim grupama zajedničkih interesa poznatim kao ceh. Iako neki korisnici odluče igrati solo, većina odluči formirati mrežu podrške koja potiče društvenu odgovornost kroz značajke kao što su misije, gdje članovi stranke udružuju svoju produktivnost kako bi se zajedno borili protiv čudovišta.",
"companyContribute": "Pridonesi Habitici",
"pkAnswer4": "Ako preskočite jedan od svojih dnevnih ciljeva, vaš će avatar sljedeći dan izgubiti zdravlje. Ovo služi kao važan motivirajući čimbenik za poticanje ljudi da slijede svoje ciljeve jer ljudi stvarno mrze povrijediti svojeg malog avatara! Osim toga, društvena odgovornost ključna je za mnoge ljude: ako se s prijateljima borite protiv čudovišta, preskakanje zadataka šteti i njihovim avatarima.",
"emailNewPass": "Pošaljite mi poveznicu za promjenu Zaporke",
"sendLink": "Pošalji mi Poveznicu",
"emailNewPass": "Pošaljite mi poveznicu za promjenu lozinke",
"sendLink": "Pošalji mi poveznicu",
"footerCommunity": "Zajednica",
"invalidEmail": "Za promjenu zaporke potrebna je važeća email adresa.",
"marketing1Lead2": "Skupljajte mačeve, oklope i još mnogo toga Zlatom koje zaradite izvršavajući zadatke. S obzirom na stotine predmeta koje možete skupiti i birati, nikada Vam neće ponestati kombinacija za isprobavanje. Optimizirajte opremu zbog statistike, stila ili oboje! ",
"marketing1Lead3": "Imati nešto čemu se veselite može biti razlika između izvršavanja zadatka i toga da Vas zadatak progoni tjednima. Kada Vam život ne nudi nagradu, Habitica će se pobrinuti za to! Bit ćete nagrađeni za svaki zadatak, ali iznenađenja vrebaju iza svakog ugla zato nastavite napredovati! ",
"marketing2Lead1": "Povećajte svoju motivaciju suradnjom, natjecanjem i interakcijom s drugima! Habitica je osmišljena da iskoristi najučinkovitiji dio svakog programa za osobni uspjeh: društvenu odgovornost.",
"marketing4Lead1": "Obrazovanje je jedno od najboljih mjesta za malo gamifikacije! Razbijte monotoniju svakodnevnog rada u razredu dodavanjem malo igre u miks. Habitica može biti zabavan način za praćenje domaće zadaće, kreiranje razrednih Izazova i omogućavanje učenicima da se pohvale svojim postignućima.",
"clearBrowserData": "Izbriši Podatke Preglednika",
"companyAbout": "Kako Radi",
"forgotPassword": "Zaboravili ste Zaporku?",
"invalidEmail": "Za promjenu lozinke potrebna je važeća email adresa",
"marketing1Lead2": "Skupljaj mačeve, oklope i još mnogo toga uz zlato koje zaradiš ispunjavanjem zadataka. S obzirom na to da možeš skupiti stotine predmeta, nikad ti neće ponestati kombinacija koje možeš isprobati. Optimiziraj za statistiku, stil ili oboje! ",
"marketing1Lead3": "Neke motivira kockanje: sustav zvan \"stohastičke nagrade.\" Habitica sadrži sve oblike nagrade i kazne: pozitivne, negativne, predvidljive i nasumične. ",
"marketing2Lead1": "Potakni svoju motivaciju suradnjom, natjecanjem i interakcijom s drugima! Habitica je osmišljena tako da iskoristi najučinkovitiji dio svakog programa za samopoboljšanje: društvenu odgovornost.",
"marketing4Lead1": "Obrazovanje je jedan od najboljih sektora za gamifikaciju. Svi znamo koliko su studenti ovih dana zalijepljeni za telefone i igre; iskoristi tu moć! Suprotstavite svoje učenike u prijateljskom natjecanju. Nagradite dobro ponašanje rijetkim nagradama. Gledajte kako im ocjene i ponašanje rastu.",
"clearBrowserData": "Izbriši podatke preglednika",
"companyAbout": "Kako radi",
"forgotPassword": "Zaboravili ste lozinku?",
"communityFacebook": "Facebook",
"communityExtensions": "Dodaci i Proširenja",
"chores": "Obaveze",
"footerDevs": "Razvojni Programeri",
"communityExtensions": "<a href='http://habitica.fandom.com/wiki/Extensions,_Add-Ons,_and_Customizations' target='_blank'>Dodaci i prilagodbe</a>",
"chores": "Obveze",
"footerDevs": "Razvojni programeri",
"communityInstagram": "Instagram",
"forgotPasswordSteps": "Unesite email adresu kojom ste se registrirali na svoj Habitica račun.",
"forgotPasswordSteps": "Unesite email adresu kojom ste se registrirali na svoj Habitica račun",
"companyBlog": "Blog",
"marketing3Lead2": "Ponosni smo što smo projekt otvorenog koda koji pozdravlja doprinose naše posvećene zajednice. Prilagodite Habiticu vlastitim potrebama ili doprinesite poboljšanju iskustva svih igrača širom svijeta. Posjetite nas na [GitHubu](https://github.com/HabitRPG/habitica/wiki/Contributing-to-Habitica) kako biste saznali više!",
"password": "Zaporka",
"register": "Registracija",
"missingNewPassword": "Nedostaje nova zaporka.",
"marketing3Lead2": "Ostali **alati trećih strana** povezuju Habiticu s raznim aspektima vašeg života. Naš API pruža jednostavnu integraciju za stvari poput [Chrome Extension](https://chrome.google.com/webstore/detail/habitica/pidkmpibnnnhneohdgjclfdjpijggmjj?hl=en-US), za koje gubite bodove prilikom pregledavanja neproduktivnih web stranica i dobivaju bodove kada su na produktivnim. [Više pogledajte ovdje](https://habitica.fandom.com/wiki/Extensions,_Add-Ons,_and_Customizations).",
"password": "Lozinka",
"register": "Prijavi se",
"missingNewPassword": "Nedostaje nova lozinka.",
"pkQuestion7": "Zašto Habitica koristi pixel art?",
"pkQuestion8": "Kako je Habitica utjecala na stvarne živote ljudi?",
"pkAnswer8": "Ovdje možete pronaći mnogo svjedočanstava o tome kako je Habitica pomogla ljudima: https://habitversary.tumblr.com",
"pkPromo": "Promocije",
"pkLogo": "Logotipi",
"pkSamples": "Uzorci Zaslona",
"pkWebsite": "Web Stranica",
"pkSamples": "Uzorci zaslona",
"pkWebsite": "Web stranica",
"sync": "Sinkroniziraj",
"tasks": "Zadaci",
"teams": "Timovi",
"terms": "Uvjeti korištenja",
"terms": "Odredbe i uvjeti",
"tumblr": "Tumblr",
"localStorageTryNext": "Ako se problem nastavi, <%= linkStart %>Prijavite grešku<%= linkEnd %> ako već niste.",
"localStorageClear": "Obriši Podatke",
"localStorageClear": "Obriši podatke",
"localStorageClearExplanation": "Ovaj gumb će izbrisati lokalnu pohranu i većinu kolačića te vas odjaviti.",
"username": "Korisničko Ime",
"emailOrUsername": "Korisničko ime ili Email (razlikuje velika i mala slova)",
"reportAccountProblems": "Prijavite Probleme s Računom",
"reportCommunityIssues": "Prijavite Probleme Zajednice",
"subscriptionPaymentIssues": "Problemi s Pretplatom i Plaćanjem",
"generalQuestionsSite": "Opća Pitanja o Stranici",
"businessInquiries": "Poslovni/Marketinški Upiti",
"merchandiseInquiries": "Upiti o fizičkoj robi (Majice, Naljepnice)",
"emailOrUsername": "E-pošta ili korisničko ime (razlikuje velika i mala slova)",
"reportAccountProblems": "Prijavite probleme s računom",
"reportCommunityIssues": "Prijavite probleme zajednice",
"subscriptionPaymentIssues": "Problemi s pretplatom i plaćanjem",
"generalQuestionsSite": "Opća pitanja o stranici",
"businessInquiries": "Poslovni/marketinški upiti",
"merchandiseInquiries": "Upiti o fizičkoj robi (majice, naljepnice).",
"tweet": "Tweetaj",
"checkOutMobileApps": "Provjerite naše mobilne aplikacije!",
"missingAuthHeaders": "Nedostaju zaglavlja za provjeru autentičnosti.",
"missingUsernameEmail": "Nedostaje korisničko ime ili adresa email-a.",
"missingUsernameEmail": "Nedostaje korisničko ime ili adresa e-pošte.",
"missingEmail": "Nedostaje email.",
"missingUsername": "Nedostaje korisničko ime.",
"missingPassword": "Nedostaje zaporka.",
"wrongPassword": "Zaporka je netočna. Ako ste zaboravili zaporku, kliknite \"Zaboravljena zaporka\"",
"missingPassword": "Nedostaje lozinka.",
"wrongPassword": "Pogrešna lozinka.",
"incorrectDeletePhrase": "Upišite <%= magicWord %> velikim slovima kako biste izbrisali svoj račun.",
"notAnEmail": "Nevažeća email adresa.",
"emailTaken": "Email adresa već se koristi za račun.",
"notAnEmail": "Nevažeća adresa e-pošte.",
"emailTaken": "Adresa e-pošte već se koristi na računu.",
"usernameTime": "Vrijeme je da postavite svoje korisničko ime!",
"usernameTaken": "Korisničko ime je već zauzeto.",
"passwordConfirmationMatch": "Potvrda zaporke ne odgovara zaporci.",
"minPasswordLength": "Zaporka mora imati 8 znakova ili više.",
"passwordResetPage": "Resetiranje Zaporke",
"passwordReset": "Ako imamo vašu email adresu ili korisničko ime u evidenciji, upute za postavljanje nove zaporke poslane su na vašu email adresu.",
"minPasswordLength": "Lozinka mora imati 8 znakova ili više.",
"passwordResetPage": "Resetiranje lozinke",
"passwordReset": "Ako imamo vašu e-poštu ili korisničko ime u evidenciji, upute za postavljanje nove lozinke poslane su na vašu e-poštu.",
"invalidCredentials": "Ne postoji račun koji koristi te vjerodajnice.",
"accountSuspendedTitle": "Račun je suspendiran",
"unsupportedNetwork": "Ova mreža trenutno nije podržana.",
@@ -118,74 +118,64 @@
"socialAlreadyExists": "Ova društvena prijava već je povezana s postojećim Habitica računom.",
"memberIdRequired": "\"član\" mora biti važeći UUID.",
"heroIdRequired": "\"heroId\" mora biti važeći UUID.",
"cannotFulfillReq": "Ova email adresa je već u upotrebi. Možete se pokušati prijaviti ili upotrijebiti drugu e-mail adresu za registraciju. Ako trebate pomoć, obratite se admin@habitica.com.",
"cannotFulfillReq": "Vaš zahtjev ne može biti ispunjen. Pošaljite e-poruku na admin@habitica.com ako se ova pogreška nastavi pojavljivati.",
"modelNotFound": "Ovaj model ne postoji.",
"signUpWithSocial": "Prijavite se putem <%= social %>",
"signUpWithSocial": "Prijavite se na <%= social %>",
"loginWithSocial": "Prijavite se s <%= social %>",
"confirmPassword": "Potvrdi Zaporku",
"confirmPassword": "Potvrdi lozinku",
"usernamePlaceholder": "npr. HabitRabbit",
"emailPlaceholder": "npr. gryphon@example.com",
"passwordPlaceholder": "npr. *******************",
"confirmPasswordPlaceholder": "Provjerite je li to ista zaporka!",
"confirmPasswordPlaceholder": "Provjerite je li to ista lozinka!",
"joinHabitica": "Pridružite se Habitici",
"alreadyHaveAccountLogin": "Već imate Habitica račun? <strong>Prijavite se.</strong>",
"dontHaveAccountSignup": "Nemate Habitica račun? <strong>Registrirajte se.</strong>",
"motivateYourself": "Motivirajte se da postignete svoje ciljeve.",
"timeToGetThingsDone": "Vrijeme je za zabavu kada završite stvari! Pridružite se više od <%= userCountInMillions %> milijuna Habitičana i poboljšajte svoj život zadatak po zadatak.",
"singUpForFree": "Prijavite se Besplatno",
"singUpForFree": "Prijavite se besplatno",
"or": "ILI",
"gamifyYourLife": "Gamificirajte Svoj Život",
"trackYourGoals": "Pratite Svoje Navike i Ciljeve",
"trackYourGoalsDesc": "Ostanite odgovorni praćenjem i upravljanjem svojim navikama, dnevnim zadacima i popisom obveza pomoću Habiticinih mobilnih aplikacija i web sučelja jednostavnih za korištenje.",
"earnRewardsDesc": "Označite zadatke kako biste podigli razinu svog Avatara i otključali značajke u igri kao što su borbeni oklopi, misteriozni kućni ljubimci, čarobne vještine, pa čak i pustolovine!",
"battleMonsters": "Borite se protiv Čudovištima s Prijateljima",
"gamifyYourLife": "Gamificirajte svoj život",
"trackYourGoals": "Pratite svoje navike i ciljeve",
"trackYourGoalsDesc": "Ostanite odgovorni praćenjem i upravljanjem svojim navikama, dnevnim ciljevima i popisom obveza pomoću Habiticinih mobilnih aplikacija i web sučelja jednostavnih za korištenje.",
"earnRewardsDesc": "Označite zadatke kako biste podigli razinu svog Avatara i otključali značajke u igri kao što su borbeni oklopi, misteriozni kućni ljubimci, čarobne vještine, pa čak i misije!",
"battleMonsters": "Borite se s čudovištima s prijateljima",
"battleMonstersDesc": "Borite se protiv čudovišta s drugim Habitičanima! Iskoristite zlato koje zaradite za kupnju nagrada u igri ili prilagođenih nagrada, poput gledanja epizode vaše omiljene TV emisije.",
"playersUseToImprove": "Igrači Koriste Habiticu za Poboljšanje",
"healthAndFitness": "Zdravlje i Fitnes",
"playersUseToImprove": "Igrači koriste Habiticu za poboljšanje",
"healthAndFitness": "Zdravlje i kondicija",
"schoolAndWork": "Škola i Posao",
"schoolAndWorkDesc": "Bez obzira pripremate li izvještaj za svog učitelja ili svog šefa, lako je pratiti svoj napredak dok se hvatate u koštac s najtežim zadacima.",
"muchmuchMore": "I mnogo, mnogo više!",
"levelUpAnywhere": "Napredujte bilo gdje",
"schoolAndWorkDesc": "Bilo da pripremate izvješće za svog učitelja ili šefa, lako je pratiti svoj napredak dok rješavate svoje najteže zadatke.",
"muchmuchMore": "I još puno, puno više!",
"levelUpAnywhere": "Pređite na višu razinu bilo gdje",
"levelUpAnywhereDesc": "Naše mobilne aplikacije olakšavaju praćenje vaših zadataka dok ste u pokretu. Ostvarite svoje ciljeve jednim dodirom, bez obzira gdje se nalazite.",
"joinMany": "Pridružite se više od <%= userCountInMillions %> milijuna ljudi koji se zabavljaju dok ostvaruju svoje ciljeve!",
"joinToday": "Pridružite se Habitici već Danas",
"joinToday": "Pridružite se Habitici već danas",
"featuredIn": "Spominjano u",
"getStarted": "Započnite",
"earnRewards": "Zaradite Nagrade za Svoje Ciljeve",
"getStarted": "Započnite!",
"earnRewards": "Zaradite nagrade za svoje ciljeve",
"school": "Škola",
"work": "Posao",
"pkAnswer6": "Puno različitih ljudi koristi Habiticu! Više od polovice naših korisnika ima od 18 do 34 godine, ali imamo bake i djedove koji koriste stranicu sa svojim mladim unucima i sve dobi između. Često će se obitelji pridružite grupi i zajedno se bore protiv čudovišta. <br /> Mnogi naši korisnici imaju iskustvo u igricama, ali iznenađujuće, kada smo prije nekog vremena proveli anketu, 40% naših korisnika identificiralo se kao neigrači! Stoga se čini da naša metoda može biti učinkovita za svakoga tko želi produktivnost i dobrobit kako bi se osjećao zabavnije.",
"pkAnswer6": "Puno različitih ljudi koristi Habiticu! Više od polovice naših korisnika ima od 18 do 34 godine, ali imamo bake i djedove koji koriste stranicu sa svojim mladim unucima i sve dobi između. Često će se obitelji pridružiti zabavi i zajedno se boriti protiv čudovišta. <br /> Mnogi naši korisnici imaju iskustvo u igricama, ali iznenađujuće, kada smo prije nekog vremena proveli anketu, 40% naših korisnika identificiralo se kao neigrači! Stoga se čini da naša metoda može biti učinkovita za svakoga tko želi produktivnost i dobrobit kako bi se osjećao zabavnije.",
"pkAnswer7": "Habitica koristi pixel art iz nekoliko razloga. Osim faktora zabavne nostalgije, pikselna umjetnost je vrlo pristupačna našim umjetnicima volonterima koji žele dati svoj doprinos. Mnogo je lakše održati našu pikselnu umjetnost dosljednom čak i kada puno različitih umjetnika pridonosi, a omogućuje nam brzo stvaranje gomile novih sadržaj!",
"invalidEmailDomain": "Ne možete se registrirati s email-om sa sljedećim domenama: <%= domains %>",
"invalidEmailDomain": "Ne možete se registrirati s e-poštom sa sljedećim domenama: <%= domene %>",
"localStorageTryFirst": "Ako imate problema s Habiticom, kliknite donji gumb za brisanje lokalne pohrane i većine kolačića za ovo web mjesto (druga web mjesta neće utjecati). Morat ćete se ponovno prijaviti nakon što to učinite, pa prvo provjerite znate li svoje podatke za prijavu, koji se mogu pronaći u Postavke -> <%= linkStart %>Site<%= linkEnd %>.",
"usernameTOSRequirements": "Korisnička imena moraju biti u skladu s našim <a href='/static/terms' target='_blank'>Uvjetima Korištenja</a> i <a href='/static/community-guidelines' target='_blank'>Smjernicama Zajednice</a>. Ako niste prethodno postavili ime za prijavu, vaše je korisničko ime automatski generirano.",
"invalidLoginCredentialsLong": "Vaša email adresa, korisničko ime ili zaporka su netočni. Molimo, pokušajte ponovo ili upotrijebite \"Zaboravljena Zaporka\"",
"accountSuspended": "Vaš račun @<%= username %> je blokiran. Za dodatne informacije ili za podnošenje žalbe, pošaljite e-mail na admin@habitica.com s vašim Habitica korisničkim imenom ili ID-jem korisnika.",
"usernameTOSRequirements": "Korisnička imena moraju biti u skladu s našim <a href='/static/terms' target='_blank'>Uvjetima pružanja usluge</a> i <a href='/static/community-guidelines' target='_blank'>Smjernicama zajednice< /a>. Ako prethodno niste postavili ime za prijavu, vaše korisničko ime je automatski generirano.",
"invalidLoginCredentialsLong": "O-Ne - vaša adresa e-pošte/korisničko ime ili lozinka nisu točni.\n- Provjerite jesu li ispravno upisani. Vaše korisničko ime i lozinka razlikuju velika i mala slova.\n- Možda ste se prijavili s Facebook ili Google prijavom, a ne putem e-pošte, pa provjerite i isprobajte ih.\n- Ako ste zaboravili lozinku, kliknite na \"Zaboravljena lozinka\".",
"accountSuspended": "Ovaj račun, ID korisnika \"<%= userId %>\", blokiran je zbog kršenja Smjernica zajednice (https://habitica.com/static/community-guidelines) ili Uvjeta pružanja usluge (https://habitica.com/ static/terms). Za pojedinosti ili zahtjev za deblokiranje, pošaljite e-poruku našem upravitelju zajednice na <%= communityManagerEmail %> ili zamolite svog roditelja ili skrbnika da im pošalje e-poruku. Uključite svoje @Username u e-poruku.",
"invalidReqParams": "Nevažeći parametri zahtjeva.",
"usernameLimitations": "Korisnička imena se mogu promijeniti u bilo kojem trenutku. Moraju imati između 1 i 20 znakova, a smiju sadržavati samo slova a do z, brojeve 0 do 9, crtice ili donje crte.",
"healthAndFitnessDesc": "Nikada niste motivirani za čišćenje zubnim koncem? Nikako da stignete u teretanu? Habitica napokon čini zabavnim put do zdravlja.",
"muchmuchMoreDesc": "Naša potpuno prilagodljiva lista zadataka znači da Habiticu možete oblikovati tako da odgovara vašim osobnim ciljevima. Radite na kreativnim projektima, naglasite brigu o sebi ili slijedite neki drugi san sve je na vama.",
"usernameLimitations": "Korisničko ime mora imati od 1 do 20 znakova, samo slova od a do z, brojeve od 0 do 9, crtice ili podvlake i ne smije sadržavati neprikladne pojmove.",
"healthAndFitnessDesc": "Nikad niste bili motivirani za čišćenje zubnim koncem? Čini se da ne možete doći u teretanu? Habitica napokon čini zabavnim ozdravljenje.",
"muchmuchMoreDesc": "Naš potpuno prilagodljivi popis zadataka znači da možete oblikovati Habiticu kako bi odgovarala vašim osobnim ciljevima. Radite na kreativnim projektima, naglašavajte brigu o sebi ili slijedite drugačiji san -- sve ovisi o vama.",
"learnMore": "Saznaj Više",
"pkMoreQuestions": "Imate li pitanje koje nije na ovom popisu? Pošaljite e-mail na admin@habitica.com!",
"usernameInfo": "Imena za prijavu sada su jedinstvena korisnička imena koja će biti vidljiva pored vašeg imena za prikaz i koristit će se za pozivnice, @spominjanja u chatu i slanje poruka.<br><br>Ako želite saznati više o ovoj promjeni, <a href='https ://habitica.fandom.com/wiki/Player_Names' target='_blank'>posjetite naš wiki</a>.",
"privacy": "Politika Privatnosti",
"privacy": "Politika privatnosti",
"mobileApps": "Mobilne Aplikacije",
"newEmailRequired": "Nedostaje nova email adresa.",
"newEmailRequired": "Nedostaje nova adresa e-pošte.",
"signup": "Prijavite se",
"emailUsernamePlaceholder": "npr. habitrabbit ili gryphon@example.com",
"aboutHabitica": "Habitica je besplatna aplikacija za stjecanje navika i produktivnost koja vaš stvarni život tretira kao igru. S nagradama i kaznama unutar igre koje vas motiviraju i snažnom društvenom mrežom koja vas inspirira, Habitica vam može pomoći da postignete svoje ciljeve da postanete zdravi, vrijedni i sretni.",
"translateHabitica": "Prevedi Habiticu",
"footerCompany": "Društvo",
"presskit": "Novinarski Paket",
"guidanceForBlacksmiths": "Vodič za \"Kovače\"",
"marketing3Lead1Title": "Android i iOS aplikacije",
"emailBlockedRegistration": "Ovaj E-Mail je blokiran za registraciju. Ako mislite da je ovo greška, molimo vas da nas kontaktirate na admin@habitica.com.",
"minPasswordLengthLogin": "Vaša zaporka mora biti duga barem 8 znakova.",
"enterValidEmail": "Molimo vas da unesete valjanu email adresu.",
"whatToCallYou": "Kako da vas zovemo?",
"incorrectResetPhrase": "Molimo vas da upišete <%= magicWord %> sve velikim slovima kako biste resetirali svoj račun.",
"pkBoss": "Bossevi",
"marketing4Lead3Button": "Započnite Danas",
"missingClientHeader": "Nedostaju zaglavlja x-klijenta.",
"acceptPrivacyTOS": "Potvrđujete da imate najmanje 18 godina te da ste pročitali i da se slažete s našim <a href='/static/terms' target='_blank'>Uvjetima Korištenja</a> i <a href='/static/privacy' target='_blank'>Pravilima Privatnosti</a>"
"presskit": "Stisnite Kit",
"guidanceForBlacksmiths": "Vodič za \"kovače\""
}

View File

@@ -1,41 +1,41 @@
{
"languageName": "Engleski",
"stringNotFound": "Niz znakova '<%= string %>' nije pronađen.",
"languageName": "Hrvatski",
"stringNotFound": "Niz '<%= string %>' nije pronađen.",
"habitica": "Habitica",
"onward": "Naprijed!",
"done": "Gotovo",
"gotIt": "Razumijem!",
"titleTimeTravelers": "Putnici kroz Vrijeme",
"titleSeasonalShop": "Sezonski Dućan",
"saveEdits": "Sačuvaj Izmjene",
"showMore": "Prikaži Više",
"showLess": "Prikaži Manje",
"gotIt": "Sve ok!",
"titleTimeTravelers": "Vremenski putnici",
"titleSeasonalShop": "Sezonski dućan",
"saveEdits": "Sačuvaj izmjene",
"showMore": "Prikaži više",
"showLess": "Prikaži manje",
"markdownHelpLink": "Pomoć s markdown formatiranjem",
"bold": "**Podebljano**",
"markdownImageEx": "![obavezan alt tekst](https://habitica.com/cake.png \"neobavezni lebdeći naslov\")",
"code": "`kod`",
"achievements": "Postignuća",
"basicAchievs": "Osnovna Postignuća",
"seasonalAchievs": "Sezonska Postignuća",
"specialAchievs": "Posebna Postignuća",
"basicAchievs": "Osnovna postignuća",
"seasonalAchievs": "Sezonska postignuća",
"specialAchievs": "Posebna postignuća",
"modalAchievement": "Postignuće!",
"special": "Posebno",
"site": "Stranica",
"help": "Pomoć",
"user": "Korisnik",
"market": "Dućan",
"newSubscriberItem": "Imate nove <span class=\"notification-bold-blue\">Misteriozne Predmete</span>",
"subscriberItemText": "Pretplatnici dobivaju novi mistični set opreme na početku svakog mjeseca!",
"market": "Tržnica",
"newSubscriberItem": "Imaš nove <span class=\"notification-bold-blue\">Tajne artikle</span>",
"subscriberItemText": "Svaki mjesec, pretplatnici će dobivati tajni artikal. Taj predmet se obično izdaje tjedan prije kraja mjeseca. Za više informacija pogledaj wiki stranicu 'Tajni artikal'.",
"all": "Sve",
"none": "Ništa",
"more": "<%= count %> više",
"and": "i",
"submit": "Pošalji",
"close": "Zatvori",
"saveAndClose": "Spremi i Zatvori",
"saveAndConfirm": "Spremi i Potvrdi",
"saveAndClose": "Spremi i zatvori",
"saveAndConfirm": "Spremi i potvrdi",
"cancel": "Otkaži",
"ok": "OK",
"ok": "Ok",
"add": "Dodaj",
"undo": "Poništi",
"continue": "Nastavi",
@@ -43,204 +43,158 @@
"reject": "Odbij",
"neverMind": "Nije važno",
"notEnoughGems": "Nema dovoljno Dragulja",
"alreadyHave": "Ups! Već imate ovaj predmet. Nema potrebe da ga ponovno kupujete!",
"alreadyHave": "Ups! Već imaš ovaj artikal. Nema potrebe da ga ponovno kupuješ!",
"delete": "Obriši",
"gems": "Dragulji",
"needMoreGems": "Treba vam više Dragulja?",
"needMoreGemsInfo": "Kupite Dragulje sada ili postanite pretplatnik da bi Zlatnicima mogli kupovati Dragulje, dobivati mjesečne mistične predmete , uživali u povećanom limitu poklona i više!",
"needMoreGems": "Treba ti više Dragulja?",
"needMoreGemsInfo": "Kupi Dragulje sada ili postani pretplatnik da bi Zlatnicima mogao/la kupovati Dragulje, dobivao/la mjesečne tajne artikle, uživao/la u povećanom limitu poklona i više!",
"veteran": "Veteran",
"veteranText": "Preživjeli su Habit The Gray (našu web-stranicu prije Angulara) i stekli su mnoge borbene ožiljke od njenih grešaka.",
"originalUser": "Originalni Korisnik!",
"veteranText": "Korisnik/ca je izdržao/la na Habit The Grey (našoj stranici prije prelaska na Angular) i zaradio/la mnogo ožiljaka uslijed njenih greški.",
"originalUser": "Originalni korisnik!",
"originalUserText": "Jedan od <em>prvih</em> korisnika. Pravi alfa tester!",
"habitBirthday": "Rođendanski Tulum Habitice",
"habitBirthdayText": "Bili su na Rođendanskom Tulumu Habitice!",
"habitBirthdayPluralText": "Slavili su <%= count %> Rođendanskih Tuluma Habitice!",
"habitBirthday": "Rođendanski tulum Habitice",
"habitBirthdayText": "Bio/la je na rođendanskom tulumu Habitice!",
"habitBirthdayPluralText": "Slavio/la je <%= count %> rođendanskih tuluma Habitice!",
"habiticaDay": "Imendan Habitice",
"habiticaDaySingularText": "Proslavili ste imendan Habitice! Hvala vam što ste fantastičan korisnik.",
"habiticaDayPluralText": "Proslavili su <%= count %> Imendana Habitice! Hvala vam što ste fantastičan korisnik.",
"habiticaDaySingularText": "Proslavio/la si imendan Habitice! Hvala ti što si fantastičan korisnik.",
"habiticaDayPluralText": "Proslavio/la je <%= count %> imendana Habitice! Hvala ti što si fantastičan korisnik.",
"achievementDilatory": "Spasitelj Lijenograda",
"achievementDilatoryText": "Pomogli su pobijediti Stravičnog Zmaja Lijenograda za vrijeme Ljetnog Bala 2014.!",
"costumeContest": "Kostimirani Natjecatelj",
"costumeContestText": "Sudjelovali su u Habitoween natjecanju kostima. Pogledajte neke od fenomenalnih prijava na adresi blog.habitrpg.com!",
"costumeContestTextPlural": "Sudjelovali su u <%= count %> Habitoween natjecanju kostima. Pogledajte neke od fenomenalnih prijava na adresi blog.habitrpg.com!",
"newPassSent": "Ako imamo vaš email na spisku, upute za postavljanje nove zaporke su poslane na vašu adresu.",
"achievementDilatoryText": "Pomogao/la je pobijediti Stravičnog Zm'aja Lijenograda za vrijeme Ljetnog bala 2014.!",
"costumeContest": "Kostimirani natjecatelj",
"costumeContestText": "Sudjelovao/la je u Habitoween natjecanju kostima. Pogledaj neke od fenomenalnih prijava na adresi blog.habitrpg.com!",
"costumeContestTextPlural": "Sudjelovao/la je u <%= count %> Habitoween natjecanju kostima. Pogledaj neke od fenomenalnih prijava na adresi blog.habitrpg.com!",
"newPassSent": "Ako imamo tvoj e-mail na spisku, upute za postavljanje nove lozinke su poslane na tvoju adresu.",
"error": "Greška",
"menu": "Izbornik",
"notifications": "Obavijesti",
"noNotifications": "Sve ste pohvatali!",
"noNotificationsText": "Vile obavijesti vam daju gromoglasni aplauz! Bravo!",
"noNotifications": "Sve si pohvatao/la!",
"noNotificationsText": "Vile notifikacija ti daju gromoglasni aplauz! Bravo!",
"clear": "Očisti",
"audioTheme": "Audio Tema",
"audioTheme": "Audio tema",
"audioTheme_off": "Isključi",
"audioTheme_danielTheBard": "Bard Daniel",
"audioTheme_wattsTheme": "Wattsova Tema",
"audioTheme_wattsTheme": "Wattsova tema",
"audioTheme_gokulTheme": "Gokul Tema",
"audioTheme_luneFoxTheme": "LuneFoxina Tema",
"audioTheme_rosstavoTheme": "Rosstavova Tema",
"audioTheme_dewinTheme": "Dewinova Tema",
"audioTheme_airuTheme": "Airuova Tema",
"audioTheme_beatscribeNesTheme": "Beatscribeova NES Tema",
"audioTheme_arashiTheme": "Arashina Tema",
"audioTheme_triumphTheme": "Trijumf Tema",
"audioTheme_lunasolTheme": "Lunasol Tema",
"audioTheme_spacePenguinTheme": "SpacePenguinova Tema",
"audioTheme_maflTheme": "MAFL Tema",
"audioTheme_pizildenTheme": "Pizildenova Tema",
"audioTheme_farvoidTheme": "Farvoid Tema",
"reportBug": "Prijavi Grešku",
"overview": "Pregled za Nove Korisnike",
"dateFormat": "Format Datuma",
"audioTheme_luneFoxTheme": "LuneFoxina tema",
"audioTheme_rosstavoTheme": "Rosstavova tema",
"audioTheme_dewinTheme": "Dewinova tema",
"audioTheme_airuTheme": "Airuova tema",
"audioTheme_beatscribeNesTheme": "Beatscribeova NES tema",
"audioTheme_arashiTheme": "Arashina tema",
"audioTheme_triumphTheme": "Trijumf tema",
"audioTheme_lunasolTheme": "Lunasol tema",
"audioTheme_spacePenguinTheme": "SpacePenguinova tema",
"audioTheme_maflTheme": "MAFL tema",
"audioTheme_pizildenTheme": "Pizildenova tema",
"audioTheme_farvoidTheme": "Farvoid tema",
"reportBug": "Prijavi grešku",
"overview": "Pregled za nove korisnike",
"dateFormat": "Format datuma",
"achievementStressbeast": "Spasitelj Stoïmirna",
"achievementStressbeastText": "Pomogli su poraziti Nevjerojatnu Stresozvijer tijekom Zimske Zemlje Čuda 2014!",
"achievementBurnout": "Spasitelj Rascvjetanih Poljana",
"achievementBurnoutText": "Pomogli su poraziti Izgarivača i vratiti Iscrpljene duhove tijekom Jesenskog Festivala 2015!",
"achievementBewilder": "Spasitelji Mystiflyinga",
"achievementBewilderText": "Pomogli su poraziti Pticu Plamenicu tijekom Proljetne Zabave 2016.!",
"achievementDysheartener": "Spasitelj Shrvanih",
"achievementDysheartenerText": "Pomogli su poraziti Demoralizatora za vrijeme Događaja za Valentinovo 2018!",
"achievementStressbeastText": "Pomogao/la je poraziti Nevjerojatnu Stresozvijer tijekom Zimske zemlje čuda 2014.",
"achievementBurnout": "Spasitelj Rascvjetanih poljana",
"achievementBurnoutText": "Pomogao/la je poraziti Izgarivača i vratiti Iscrpljene duhove tijekom Jesenskog festivala 2015.",
"achievementBewilder": "Spasio/la je Mystiflying",
"achievementBewilderText": "Pomogao/la je poraziti Pticu Plamenicu tijekom Proljetne žurke 2016.!",
"achievementDysheartener": "Spasitelj shrvanih",
"achievementDysheartenerText": "Pomogao/la je poraziti Demoralizatora za vrijeme Događaja za Valentinovo 2018.",
"cards": "Čestitke",
"sentCardToUser": "Poslali su čestitku <%= profileName %>",
"cardReceived": "Dobili ste <span class=\"notification-bold-blue\"><%= card %></span>",
"greetingCard": "Čestitka Dobrodošlice",
"sentCardToUser": "Poslao/la si posjetnicu <%= profileName %>",
"cardReceived": "Dobio/la si <span class=\"notification-bold-blue\"><%= card %></span>",
"greetingCard": "Čestitka",
"greetingCardExplanation": "Oboje ste dobili postignuće Prpošnog prijatelja!",
"greetingCardNotes": "Pošaljite čestitku članu grupe.",
"greetingCardNotes": "Pošalji čestitku članu družine.",
"greeting0": "Bok!",
"greeting1": "Samo pozdravljam :)",
"greeting2": "`mahnito maše`",
"greeting3": "Hej, ti!",
"greetingCardAchievementTitle": "Prpošan Prijatelj",
"greetingCardAchievementText": "Hej! Bok! Zdravo! Poslano je ili primljeno <%= count %> čestitki.",
"greetingCardAchievementTitle": "Prpošan prijatelj",
"greetingCardAchievementText": "Hey! Bok! Zdravo! Poslano je ili primljeno <%= count %> čestitki.",
"thankyouCard": "Zahvalnica",
"thankyouCardExplanation": "Oboje ste dobili postignuće Znatne Zahvalnosti!",
"thankyouCardNotes": "Pošaljite zahvalnicu članu grupe.",
"thankyouCardExplanation": "Oboje ste dobili postignuće Znatne zahvalnosti.",
"thankyouCardNotes": "Pošalji zahvalnicu članu družine.",
"thankyou0": "Puno ti hvala!",
"thankyou1": "Hvala, hvala, hvala!",
"thankyou2": "Stoput ti hvala.",
"thankyou3": "Izuzetno sam zahvalan/na - hvala ti!",
"thankyouCardAchievementTitle": "Znatna Zahvalnost",
"thankyouCardAchievementTitle": "Znatna zahvalnost",
"thankyouCardAchievementText": "Hvala na zahvalnosti! Poslano ili primljeno <%= count %> zahvalnica.",
"birthdayCard": "Rođendanska Čestitka",
"birthdayCardExplanation": "Oboje ste dobili postignuće Rođendanskog Ludila!",
"birthdayCardNotes": "Pošaljite Rođendansku čestitku članu grupe.",
"birthdayCard": "Rođendanska čestitka",
"birthdayCardExplanation": "Oboje ste dobili postignuće Rođendanskog ludila!",
"birthdayCardNotes": "Pošalji rođendansku čestitku članu družine.",
"birthday0": "Sretan ti rođendan!",
"birthdayCardAchievementTitle": "Rođendansko Ludilo",
"birthdayCardAchievementTitle": "Rođendansko ludilo",
"birthdayCardAchievementText": "Puno sretnih povrataka! Poslano ili primljeno <%= count %> rođendanskih čestitki.",
"congratsCard": "Čestitka na Uspjehu",
"congratsCardExplanation": "Oboje ste dobili postignuće Čestitajućeg Člana!",
"congratsCardNotes": "Pošaljite čestitku nekom članu grupe.",
"congratsCard": "Čestitka",
"congratsCardExplanation": "Oboje ste dobili postignuće Čestitajućeg člana!",
"congratsCardNotes": "Pošalji čestitku nekom članu družine.",
"congrats0": "Čestitam ti na uspjehu!",
"congrats1": "Tako se ponosim tobom!",
"congrats2": "Bravo!",
"congrats3": "Aplauz za tebe!",
"congrats4": "Uživaj u svom zasluženom uspjehu!",
"congratsCardAchievementTitle": "Čestitajući Član",
"congratsCardAchievementTitle": "Čestitajući član",
"congratsCardAchievementText": "Super je slaviti postignuća svojih prijatelja! Poslano ili primljeno <%= count %> čestitki.",
"getwellCard": "Želja Ozdravljenja",
"getwellCardExplanation": "Oboje ste dobili postignuće Brižnog Prijatelja!",
"getwellCardNotes": "Pošaljite Čestitku za Ozdravljenje članu grupe.",
"getwellCard": "Želja ozdravljenja",
"getwellCardExplanation": "Oboje ste dobili postignuće Brižnog prijatelja!",
"getwellCardNotes": "Pošalj posjetnicu sa željom ozdravljenja članu družine.",
"getwell0": "Nadam se da ćeš se brzo osjećati bolje!",
"getwell1": "Čuvaj se! <3",
"getwell2": "Mislim na tebe!",
"getwell3": "Žao mi je što se ne osjećaš baš najbolje!",
"getwellCardAchievementTitle": "Brižni Prijatelj",
"getwellCardAchievementTitle": "Brižni prijatelj",
"getwellCardAchievementText": "Želje za ozdravljenje se uvijek cijene. Poslano ili primljeno <%= count %> želja za ozdravljenje.",
"goodluckCard": "Poruka za Sreću",
"goodluckCardExplanation": "Oboje ste dobili postignuće Sretnog Pisma!",
"goodluckCardNotes": "Pošalji posjetnicu i zaželi sreću članu grupe.",
"goodluckCard": "Poruka za sreću",
"goodluckCardExplanation": "Oboje ste dobili postignuće Sretnog pisma!",
"goodluckCardNotes": "Pošalji posjetnicu i zaželi sreću članu družine.",
"goodluck0": "Neka te sreća uvijek prati!",
"goodluck1": "Želim ti puno sreće!",
"goodluck2": "Nadam se da je sreća na tvojoj strani - danas i zauvijek!!",
"goodluckCardAchievementTitle": "Sretno Pismo",
"goodluckCardAchievementTitle": "Sretno pismo",
"goodluckCardAchievementText": "Poruke za sreću su veliko ohrabrenje! Poslano ili primljeno <%= count %> posjetnica za sreću.",
"streakAchievement": "Zaradili ste postignuće za dosljedno izvršavanje zadataka!",
"firstStreakAchievement": "21-Dnevni Niz",
"streakAchievementCount": "<%= streaks %> 21-Dnevnih Nizova",
"twentyOneDays": "Obavili ste svoj Dnevni zadatak 21 dan za redom!",
"dontBreakStreak": "Odlično odrađen posao! Nemojte prekinuti niz!",
"dontStop": "Nemojte prestati sada!",
"streakAchievement": "Zaradio/la si postignuće za dosljedno izvršavanje zadataka!",
"firstStreakAchievement": "21-dnevni niz",
"streakAchievementCount": "<%= streaks %> 21-dnevnih nizova ponavljanja",
"twentyOneDays": "Obavio/la si svoj Svakodnevni zadatak 21 dan za redom!",
"dontBreakStreak": "Odlično odrađen posao! Nemoj prekinuti niz!",
"dontStop": "Nemoj prestati sada!",
"wonChallengeShare": "Pobijedio/la sam u izazovu na Habitici!",
"orderBy": "Poredaj po <%= item %>",
"you": "(ti)",
"loading": "Učitavanje...",
"userIdRequired": "Korisnički ID je obavezan",
"userIdRequired": "ID korisnika je obavezan",
"resetFilters": "Očisti sve filtere",
"applyFilters": "Primijeni Filtere",
"applyFilters": "Primijeni filtere",
"wantToWorkOn": "Želim raditi na:",
"categories": "Kategorije",
"animals": "Životinje",
"exercise": "Tjelovježba",
"creativity": "Kreativnost",
"health_wellness": "Zdravlje i Dobrobit",
"self_care": "Briga o Sebi",
"health_wellness": "Zdravlje & wellness",
"self_care": "Briga o sebi",
"habitica_official": "Službena stranica Habitice",
"academics": "Obrazovanje",
"advocacy_causes": "Promidžba + Dobrotvorne svrhe",
"academics": "Akademici",
"advocacy_causes": "Promidžba + dobrotvorne svrhe",
"entertainment": "Zabava",
"finance": "Financije",
"health_fitness": "Zdravlje + Fitness",
"hobbies_occupations": "Hobiji + Zanimacije",
"health_fitness": "Zdravlje + fitness",
"hobbies_occupations": "Hobiji + zanimacije",
"location_based": "Na osnovi lokacije",
"mental_health": "Mentalno Zdravlje + Briga o Sebi",
"getting_organized": "Organiziranje",
"self_improvement": "Osobni Razvoj",
"mental_health": "Mentalno zdravlje + briga o sebi",
"getting_organized": "Organizacija",
"self_improvement": "Samopoboljšanje",
"spirituality": "Duhovnost",
"time_management": "Upravljanje Vremenom + Odgovornost",
"recovery_support_groups": "Grupe za Oporavak + Podršku",
"time_management": "Upravljanje vremenom + odgovornost",
"recovery_support_groups": "Grupe za oporavak + podršku",
"dismissAll": "Makni sve",
"messages": "Poruke",
"emptyMessagesLine1": "Nemate novih poruka",
"emptyMessagesLine2": "Pošaljite poruku da započnete razgovor sa članovima vaše Grupe ili drugim Habitica igračem",
"userSentMessage": "<span class=\"notification-bold\"><%- user %></span> su vam poslali poruku",
"emptyMessagesLine1": "Nemaš novih poruka",
"emptyMessagesLine2": "Pošalji poruku da bi započeo/la razgovor!",
"userSentMessage": "<span class=\"notification-bold\"><%- user %></span> ti je poslao/la poruku",
"letsgo": "Idemo!",
"selected": "Odabrano",
"howManyToBuy": "Koliko biste željeli kupiti?",
"contactForm": "Kontaktirajte Tim Moderatora",
"howManyToBuy": "Koliko bi ih htio/la kupiti?",
"contactForm": "Kontaktiraj tim Moderatora",
"finish": "Završi",
"options": "Opcije",
"gem": "Dragulj",
"allNotifications": "Sve Obavijesti",
"demo": "Demo",
"reportDescriptionPlaceholder": "Ovdje detaljno opišite grešku",
"reportSentDescription": "Javit ćemo vam se čim naš tim bude imao priliku pregledati.",
"titleCustomizations": "Prilagodbe",
"submitBugReport": "Pošalji Prijavu Greške",
"reportSent": "Hvala vam na vašoj prijavi!",
"reportBugHeaderDescribe": "Molimo vas da opišete grešku koju doživljavate, a naš tim će vam se javiti.",
"reportEmailText": "Ovo će se koristiti isključivo za kontaktiranje s vama u vezi s prijavom greške.",
"reportEmailPlaceholder": "Vaša email adresa",
"reportEmailError": "Molimo vas da unesete valjanu email adresu",
"reportDescription": "Opis",
"reportDescriptionText": "Uključite snimke zaslona ili Javascript greške iz konzole ako je to korisno.",
"congratulations": "Čestitamo!",
"onboardingAchievs": "Postignuća Dobrodošlice",
"general": "Opće",
"banPlayer": "Banaj Igrača",
"unbanPlayer": "Odbanaj Igrača",
"targetUserNotExist": "Ciljani Korisnik: '<%= userName %>' ne postoji.",
"rememberToBeKind": "Molimo vas da zapamtite da morate biti ljubazni, puni poštovanja, te da slijedite <a href='/static/community-guidelines' target='_blank'>Smjernice Zajednice</a>.",
"shadowMute": "Utišavanje iz Sjene",
"adminTools": "Adminski Alati",
"viewAdminPanel": "Pregledaj Adminski Panel",
"bannedPlayer": "Ovaj igrač je banan.",
"whyReportingPlayer": "Zašto prijavljujete ovog igrača?",
"leaveHabitica": "Uskoro ćete napustiti Habitica.com",
"skipExternalLinkModal": "Držite tipku CTRL (Windows) ili Command (Mac) kada kliknete na poveznicu kako biste preskočili ovaj skočni prozor.",
"whyReportingPlayerPlaceholder": "Razlog za prijavu",
"askQuestion": "Postavite Pitanje",
"reportPlayer": "Prijavi Igrača",
"blockPlayer": "Blokiraj Igrača",
"unblockPlayer": "Odblokiraj Igrača",
"newMessage": "Nova Poruka",
"mutePlayer": "Utišaj",
"loadEarlierMessages": "Učitajte Prijašnje Poruke",
"playerReportModalBody": "Igrača biste trebali prijaviti samo ako krši <%= firstLinkStart %>Smjernice Zajednice<%= linkEnd %> i/ili <%= secondLinkStart %>Uvjete Korištenja<%= linkEnd %>. Slanje lažne prijave predstavlja kršenje Smjernica Zajednice Habitice.",
"emptyReportBugMessage": "Nedostaje Poruka za Prijavu Greške",
"askQuestionHeaderDescribe": "Novi ste u Habitici i ne znate što trebate raditi? Jeste li veteran, ali jednostavno ne možete shvatiti kako koristiti neku od funkcija? Ispunite ovaj obrazac i naš tim će vam se javiti.",
"questionEmailText": "Ovo će se koristiti isključivo za kontaktiranje s vama u vezi s vašim pitanjem.",
"question": "Pitanje",
"questionDescriptionText": "U redu je da pitanja postavljate na svom primarnom jeziku ako vam nije ugodno govoriti Engleski.",
"questionPlaceholder": "Postavite svoje pitanje ovdje",
"submitQuestion": "Pošaljite Pitanje",
"refreshList": "Osvježi Listu",
"leaveHabiticaText": "Habitica nije odgovorna za sadržaj bilo koje povezane web-stranice koja nije u vlasništvu ili pod upravom tvrtke HabitRPG. Molimo, imajte na umu da se prakse na tim web-stranicama mogu razlikovati od smjernica zajednice Habitice."
"options": "Opcije"
}

View File

@@ -1,10 +1,10 @@
{
"noItemsAvailableForType": "Nemate <%= type %>.",
"foodItemType": "Hrana za Ljubimce",
"noItemsAvailableForType": "Nemate nimalo<%= type %>.",
"foodItemType": "Hrana za ljubimce",
"eggsItemType": "Jaja",
"hatchingPotionsItemType": "Napitci za izlijeganje",
"specialItemType": "Posebni Predmeti",
"lockedItem": "Zaključani Predmet",
"hatchingPotionsItemType": "Napitci za izleganje",
"specialItemType": "Posebnih predmeta",
"lockedItem": "Zaključani predmet",
"petAndMount": "Ljubimci i Životinje za jahanje",
"allItems": "Svi predmeti"
}

View File

@@ -1,201 +1,201 @@
{
"annoyingFriends": "Dosadni Prijatelji",
"annoyingFriendsText": "Broj puta koje su te članovi grupe pogodili grudom snijega: <%= count %>.",
"alarmingFriends": "Zastrašujući Prijatelji",
"alarmingFriendsText": "Broj puta koje su te članovi grupe prestrašili: <%= count %>.",
"agriculturalFriends": "Poljoprivredni Prijatelji",
"agriculturalFriendsText": "Broj puta koje su te članovi grupe pretvorili u cvijet: <%= count %>.",
"aquaticFriends": "Vodeni Prijatelji",
"aquaticFriendsText": "Broj puta koje su te članovi grupe poprskali vodom: <%= count %>.",
"annoyingFriends": "Dosadni prijatelji",
"annoyingFriendsText": "Broj puta koje su te članovi družine pogodili grudom snijega: <%= count %>.",
"alarmingFriends": "Zastrašujući prijatelji",
"alarmingFriendsText": "Broj puta koje su te članovi družine prestrašili: <%= count %>.",
"agriculturalFriends": "Poljoprivredni prijatelji",
"agriculturalFriendsText": "Broj puta koje su te članovi družine pretvorili u cvijet: <%= count %>.",
"aquaticFriends": "Vodeni prijatelji",
"aquaticFriendsText": "Broj puta koje su te članovi družine poprskali vodom: <%= count %>.",
"valentineCard": "Čestitka za Valentinovo",
"valentineCardExplanation": "Zato što ste pretrpjeli tako sladunjavu pjesmu, oboje dobivate značku \"Divnog Prijatelja\"!",
"valentineCardNotes": "Pošalji čestitku za Valentinovo nekom članu grupe.",
"valentine0": "\"Ruže su crvene\n\nMoji Dnevni zadaci su plavi\n\nSretan/Sretna sam što sam\n\nS tobom u Grupi!\"",
"valentine1": "\"Ruže su crvene\n\nLjubičice su lijepe\n\nHajdemo se udružiti\n\nI boriti se protiv Poroka!\"",
"valentine2": "Ruže su crvene\n\nOvaj stil pjesme je star\n\nNadam se da ti se sviđa\n\nJer košta deset Zlata",
"valentine3": "\"Ruže su crvene\n\nLedeni Zmajevi su plavi\n\nNema boljeg blaga\n\nOd vremena provedenog s tobom!\"",
"valentineCardAchievementTitle": "Divni Prijatelji",
"valentineCardAchievementText": "Aww, vi i vaši prijatelji se sigurno jako brinete jedno za drugo! Poslano ili primljeno <%= count %> čestitki za Valentinovo.",
"polarBear": "Polarni Medvjed",
"valentineCardNotes": "Pošalji čestitku za Valentinovo nekom članu družine.",
"valentine0": "Ruža se rumeni\nZadaci su azurni \nSreća je u meni\nJer sam s tobom u družini!",
"valentine1": "Ruža se rumeni\nZadaci su azurni\nHaj'mo u skupini\nUsprotivit se Mani!",
"valentine2": "Ruža je crvena\nOva rima istrošena\nValjda ti se svidjela\nJer me zlata koštala.",
"valentine3": "Ruža je crvena\nČudovrišta azurna\nBlaga boljeg nema\nOd zajednočkog nam vremena!",
"valentineCardAchievementTitle": "Divni prijatelji",
"valentineCardAchievementText": "Ajoj, ti i tvoj/a prijatelj/ica se sigurno volite! Primljeno ili poslano <%= count %> čestitki za Valentinovo.",
"polarBear": "Polarni medvjed",
"turkey": "Purica",
"gildedTurkey": "Pozlaćena Purica",
"polarBearPup": "Mladunče Polarnog Medvjeda",
"jackolantern": "Lampa od Bundeve",
"ghostJackolantern": "Duh Sablasne Bundeve",
"glowJackolantern": "Fluorescentna Sablasna Bundeva",
"seasonalShop": "Sezonski Dućan",
"gildedTurkey": "Pozlaćena purica",
"polarBearPup": "Mladunče polarnog medvjeda",
"jackolantern": "Lampa od bundeve",
"ghostJackolantern": "Sablasni Jack Fenjer",
"glowJackolantern": "Svijetleća lampa od bundeve",
"seasonalShop": "Sezonski dućan",
"seasonalShopClosedTitle": "<%= linkStart %>Leslie<%= linkEnd %>",
"seasonalShopTitle": "<%= linkStart %>Sezonska Čarobnica<%= linkEnd %>",
"seasonalShopClosedText": "Sezonski dućan je trenutno zatvoren!! Otvoren je samo tijekom Habitičinih četiriju Velikih gala.",
"seasonalShopSummerText": "Sretno ljetno prskanje!! Želite li kupiti neke rijetke predmete? Obavezno ih nabavite prije završetka Gale!",
"seasonalShopSummerText": "Sretno ljetno prskanje!! Želite li kupiti neke rijetke predmete? Obavezno ih nabavite prije završetka Gala!",
"seasonalShopFallText": "Sretan jesenski festival!! Želite li kupiti neke rijetke predmete? Obavezno ih nabavite prije završetka Gale!",
"seasonalShopWinterText": "Sretna zimska zemlja čuda!! Želite li kupiti neke rijetke predmete? Obavezno ih nabavite prije završetka Gale!",
"seasonalShopSpringText": "Sretna proljetna veza!! Želite li kupiti neke rijetke predmete? Obavezno ih nabavite prije završetka Gale!",
"seasonalShopFallTextBroken": "Oh.... Dobrodošli u Sezonski dućan... Trenutno skupljamo zalihe raznoraznih dobara jesenskog sezonskog izdanja ... Sve što se nalazi ovdje će biti dostupno za kupnju tijekom Jesenskog festivala svake godine, ali smo otvoreni samo do 31. listopada... Trebali bi se sada opremiti ili ćete trebati čekati... i čekati... i čekati... <strong>*uzdah*</strong>",
"seasonalShopBrokenText": "Moj paviljon!!!!!!! Moji ukrasi!!!! Joj, Demoralizator je sve uništio :( Molim te, pomozi ga poraziti u Krčmi tako da mogu započeti obnovu!",
"seasonalShopRebirth": "Ako ste kupili išta ove opreme u prošlosti, ali je trenutno ne posjedujete, možete je ponovno kupiti u stupcu Nagrada. U početku ćete moći samo kupovati artikle za vašu trenutnu klasu (Ratnik prema zadanim postavkama), ali bez brige, drugi artikli specifični za određenu klasu će postati dostupni ako se prebacite u tu klasu.",
"candycaneSet": "Šećerna Trska (Čarobnjak)",
"seasonalShopFallTextBroken": "Oh.... Dobrodošao/la u Sezonski dućan... Trenutno skupljamo zalihe raznoraznih dobara jesenskog sezonskog izdanja ... Sve što se nalazi ovdje će biti dostupno za kupnju tijekom Jesenskog festivala svake godine, ali smo otvoreni samo do 31. listopada... Trebao/la bi se sada opremiti ili ćeš trebati čekati... i čekati... i čekati... <strong>*uzdah*</strong>",
"seasonalShopBrokenText": "Moj paviljon!!!!!!! Moji ukrasi!!!! Joj, Demoralizator je sve uništio :( Molim te, pomozi ga poraziti u Krčmi tako da mogu započeti obnovu!",
"seasonalShopRebirth": "Ako si kupio/la išta ove opreme u prošlosti, ali je trenutno ne posjeduješ, možeš je ponovno kupiti u stupcu Nagrada. U početku ćeš moći samo kupovati artikle za tvoju trenutnu klasu (Ratnik prema zadanim postavkama), ali bez brige, drugi artikli specifični za određenu klasu će postati dostupni ako se prebaciš u tu klasu.",
"candycaneSet": "Šećerni štapić (Čarobnjak)",
"skiSet": "Skijatentator (Lupež)",
"snowflakeSet": "Snježna Pahuljica (Iscjelitelj)",
"snowflakeSet": "Snježna pahuljica (Iscjelitelj)",
"yetiSet": "Krotitelj Jetija (Ratnik)",
"northMageSet": "Čarobnjak sa Sjevera (Čarobnjak)",
"icicleDrakeSet": "Drake Poledice (Lupež)",
"soothingSkaterSet": "Umirujući Klizač (Iscjelitelj)",
"northMageSet": "Čarobnjak sa sjevera (Čarobnjak)",
"icicleDrakeSet": "Patak poledice (Lupež)",
"soothingSkaterSet": "Umirujući klizač (Iscjelitelj)",
"gingerbreadSet": "Medenjak (Ratnik)",
"snowDaySet": "Snježni Dan (Ratnik)",
"snowboardingSet": "Čarobnjak na Snowboardu (Čarobnjak)",
"festiveFairySet": "Vesela Vila (Iscjelitelj)",
"snowDaySet": "Snježni dan (Ratnik)",
"snowboardingSet": "Čarobnjak na snowboardu (Čarobnjak)",
"festiveFairySet": "Vesela vila (Iscjelitelj)",
"cocoaSet": "Kakao (Lupež)",
"toAndFromCard": "Za: <%= toName %>, Od: <%= fromName %>",
"nyeCard": "Novogodišnja Čestitka",
"nyeCard": "Novogodišnja čestitka",
"nyeCardExplanation": "Zato što ste zajedno proslavili Novu godinu, oboje dobivate značku \"Starog Poznanika\"!",
"nyeCardNotes": "Pošaljite novogodišnju čestitku nekom članu grupe.",
"seasonalItems": "Sezonski Predmeti",
"nyeCardNotes": "Pošalji novogodišnju čestitku nekom članu družine.",
"seasonalItems": "Sezonski predmeti",
"nyeCardAchievementTitle": "Stari Poznanik",
"nyeCardAchievementText": "Sretna Nova Godina! Poslano ili primljeno <%= count %> novogodišnjih čestitki.",
"nye0": "Sretna Nova Godina! I da nadvladaš mnoge loše Navike.",
"nye1": "Sretna Nova Godina! I da požanješ mnoštvo Nagrada.",
"nye2": "Sretna Nova Godina! I da proživiš mnoštvo Savršenih dana.",
"nye3": "Sretna Nova godina! Neka tvoj popis obaveza ostane kratak i sladak.",
"nye3": "Sretna Nova godina! Neka vaš popis obaveza ostane kratak i sladak.",
"nye4": "Sretna Nova Godina! I da te ne napadne pobješnjeli Hipogrif.",
"mightyBunnySet": "Moćni Kunić (Ratnik)",
"magicMouseSet": "Magični Miš (Čarobnjak)",
"lovingPupSet": "Šesni Štenac (Iscjelitelj)",
"stealthyKittySet": "Nečujna Maca (Lupež)",
"daringSwashbucklerSet": "Odvažni Pirat (Ratnik)",
"emeraldMermageSet": "Smaragdna Sirena (Čarobnjak)",
"reefSeahealerSet": "Morski Iscjelitelj Grebena (Iscjelitelj)",
"roguishPirateSet": "Lopovski Gusar (Lupež)",
"monsterOfScienceSet": "Čudo Znanosti (Ratnik)",
"witchyWizardSet": "Čarobni Vještac (Čarobnjak)",
"mummyMedicSet": "Mumijski Liječnik (Iscjelitelj)",
"vampireSmiterSet": "Uništavač Vampira (Lupež)",
"bewareDogSet": "Čuvaj se Psa (Ratnik)",
"magicianBunnySet": "Mađioničarev Kunić (Čarobnjak)",
"comfortingKittySet": "Utješna Maca (Iscjelitelj)",
"sneakySqueakerSet": "Skriveni Cikavac (Lupež)",
"sunfishWarriorSet": "Bucanj (Ratnik)",
"shipSoothsayerSet": "Brodski Prorok (Čarobnjak)",
"strappingSailorSet": "Kršni Moreplovac (Iscjelitelj)",
"reefRenegadeSet": "Grebenski Odmetnik (Lupež)",
"mightyBunnySet": "Moćni kunić (Ratnik)",
"magicMouseSet": "Magični miš (Čarobnjak)",
"lovingPupSet": "Šesni štenac (Iscjelitelj)",
"stealthyKittySet": "Nečujna maca (Lupež)",
"daringSwashbucklerSet": "Odvažni pirat (Ratnik)",
"emeraldMermageSet": "Smaragdna sirena (Čarobnjak)",
"reefSeahealerSet": "Morski iscjelitelj grebena (Iscjelitelj)",
"roguishPirateSet": "Lopovski gusar (Lupež)",
"monsterOfScienceSet": "Čudo znanosti (Ratnik)",
"witchyWizardSet": "Čarobni vještac (Čarobnjak)",
"mummyMedicSet": "Mumijski liječnik (Iscjelitelj)",
"vampireSmiterSet": "Uništavač vampira (Lupež)",
"bewareDogSet": "Čuvaj se psa (Ratnik)",
"magicianBunnySet": "Mađioničarev kunić (Čarobnjak)",
"comfortingKittySet": "Utješna maca (Iscjelitelj)",
"sneakySqueakerSet": "Skriveni cikavac (Lupež)",
"sunfishWarriorSet": "Sunčanica (Ratnik)",
"shipSoothsayerSet": "Brodski prorok (Čarobnjak)",
"strappingSailorSet": "Kršni moreplovac (Iscjelitelj)",
"reefRenegadeSet": "Grebenski odmetnik (Lupež)",
"scarecrowWarriorSet": "Strašilo (Ratnik)",
"stitchWitchSet": "Vještica-Vezica (Čarobnjak)",
"potionerSet": "Napitkar (Iscjelitelj)",
"battleRogueSet": "Šišmiš-ka (Lupež)",
"springingBunnySet": "Skakutavi Kunić (Iscjelitelj)",
"grandMalkinSet": "Veličanstveno Strašilo (Čarobnjak)",
"cleverDogSet": "Pametan Pas (Lupež)",
"braveMouseSet": "Hrabri Miš (Ratnik)",
"summer2016SharkWarriorSet": "Morski pas (Ratnik)",
"stitchWitchSet": "Vještica-vezica (Čarobnjak)",
"potionerSet": "Izrađivač napitaka (Iscjelitelj)",
"battleRogueSet": "Bat-le (Lupež)",
"springingBunnySet": "Skakutavi kunić (Iscjelitelj)",
"grandMalkinSet": "Veličanstveno strašilo (Čarobnjak)",
"cleverDogSet": "Pametan pas (Lupež)",
"braveMouseSet": "Hrabri miš (Ratnik)",
"summer2016SharkWarriorSet": "morski pas (ratnik)",
"summer2016DolphinMageSet": "Dupin (Čarobnjak)",
"summer2016SeahorseHealerSet": "Morski Konjić (Iscjelitelj)",
"summer2016SeahorseHealerSet": "Morski konjić (Iscjelitelj)",
"summer2016EelSet": "Jegulja (Lupež)",
"fall2016SwampThingSet": "Močvarno Biće (Ratnik)",
"fall2016WickedSorcererSet": "Opaki Vještac (Čarobnjak)",
"fall2016SwampThingSet": "Močvarno biće (Ratnik)",
"fall2016WickedSorcererSet": "Opaki vještac (Čarobnjak)",
"fall2016GorgonHealerSet": "Gorgona (Iscjelitelj)",
"fall2016BlackWidowSet": "Crna Udovica (Lupež)",
"winter2017IceHockeySet": "Hokej na Ledu (Ratnik)",
"winter2017WinterWolfSet": "Zimski Vuk (Čarobnjak)",
"winter2017IceHockeySet": "Hokej na ledu (Ratnik)",
"winter2017WinterWolfSet": "Zimski vuk (Čarobnjak)",
"winter2017SugarPlumSet": "Šećerna Vila (Iscjelitelj)",
"winter2017FrostyRogueSet": "Ledeni (Lupež)",
"spring2017FelineWarriorSet": "Mačor (Ratnik)",
"spring2017CanineConjurorSet": "Pseći Prizivač (Čarobnjak)",
"spring2017FloralMouseSet": "Cvijetni Miš (Iscjelitelj)",
"spring2017SneakyBunnySet": "Skriveni Kunić (Lupež)",
"summer2017SandcastleWarriorSet": "Dvorac od Pijeska (Ratnik)",
"spring2017CanineConjurorSet": "Pseći prizivač (Čarobnjak)",
"spring2017FloralMouseSet": "Cvijetni miš (Iscjelitelj)",
"spring2017SneakyBunnySet": "Skriveni kunić (Lupež)",
"summer2017SandcastleWarriorSet": "Dvorac od pijeska (Ratnik)",
"summer2017WhirlpoolMageSet": "Vrtlog (Čarobnjak)",
"summer2017SeashellSeahealerSet": "Morska školjka Morski iscjelitelj (Iscjelitelj)",
"summer2017SeaDragonSet": "Morski Zmaj (Lupež)",
"summer2017SeashellSeahealerSet": "Školjkaški morski iscjelitelj (Iscjelitelj)",
"summer2017SeaDragonSet": "Morski zmaj (Lupež)",
"fall2017HabitoweenSet": "Habitoween (Ratnik)",
"fall2017MasqueradeSet": "Maskembal (Čarobnjak)",
"fall2017HauntedHouseSet": "Ukleta Kuća (Iscjelitelj)",
"fall2017HauntedHouseSet": "Ukleta Kuća (Iscjeljivatelj)",
"fall2017TrickOrTreatSet": "Trik ili Poslastica (Lupež)",
"winter2018ConfettiSet": "Konfeti (Čarobnjak)",
"winter2018GiftWrappedSet": "Zamotani Dar (Ratnik)",
"winter2018MistletoeSet": "Imela (Iscjelitelj)",
"winter2018MistletoeSet": "Imela (Iscjeljivatelj)",
"winter2018ReindeerSet": "Sob (Lupež)",
"spring2018SunriseWarriorSet": "Izlazak Sunca (Ratnik)",
"spring2018TulipMageSet": "Tulipan (Čarobnjak)",
"spring2018GarnetHealerSet": "Granat (Iscjelitelj)",
"spring2018GarnetHealerSet": "Granat (Iscjeljivatelj)",
"spring2018DucklingRogueSet": "Pačić (Lupež)",
"summer2018BettaFishWarriorSet": "Betta Riba (Ratnik)",
"summer2018BettaFishWarriorSet": "Betta Riba (Borac)",
"summer2018LionfishMageSet": "Morski Lav (Čarobnjak)",
"summer2018MerfolkMonarchSet": "Vladar Sirena (Iscjelitelj)",
"summer2018FisherRogueSet": "Lupeški Ribar (Lupež)",
"summer2018MerfolkMonarchSet": "Vladar sirena (Iscjelitelj)",
"summer2018FisherRogueSet": "Lupeški ribar (Lupež)",
"fall2018MinotaurWarriorSet": "Minotaur (Ratnik)",
"fall2018CandymancerMageSet": "Slatkišomant (Čarobnjak)",
"fall2018CarnivorousPlantSet": "Biljka Mesožderka (Iscjelitelj)",
"fall2018AlterEgoSet": "Alter Ego (Lupež)",
"winter2019BlizzardSet": "Snježna Oluja (Ratnik)",
"fall2018CarnivorousPlantSet": "Biljka mesožderka (Iscjelitelj)",
"fall2018AlterEgoSet": "Alter ego (Lupež)",
"winter2019BlizzardSet": "Snježna oluja (Ratnik)",
"winter2019PyrotechnicSet": "Pirotehničar (Čarobnjak)",
"winter2019WinterStarSet": "Zimska Zvijezda (Iscjelitelj)",
"winter2019PoinsettiaSet": "Božićna Zvijezda (Lupež)",
"winter2019WinterStarSet": "Zimska zvijezda (Iscjelitelj)",
"winter2019PoinsettiaSet": "Božićna zvijezda (Lupež)",
"winterPromoGiftHeader": "POKLONITE PRETPLATU, DOBIJETE JEDNU BESPLATNO!",
"winterPromoGiftDetails1": "Samo do 6. siječnja, kada nekome poklonite pretplatu, istu pretplatu dobivate besplatno!",
"winterPromoGiftDetails2": "Molimo vas da imate na umu da će poklonjena pretplata, u slučaju da vam ili primatelj dara već ima ponavljajuću pretplatu, početi tek nakon što je prva pretplata otkazana ili istekne. Hvala puno na podršci! <3",
"winterPromoGiftDetails2": "Molimo te da imaš na umu da će poklonjena pretplata, u slučaju da ti ili primatelj dara već imate ponavljajuću pretplatu, početi tek nakon što je prva pretplata otkazana ili istekne. Hvala puno na podršci! <3",
"discountBundle": "paket",
"g1g1Announcement": "<strong>Poklonite pretplatu i ostvarite besplatnu pretplatu</strong> događaj koji je u tijeku!",
"g1g1Details": "Poklonite pretplatu prijatelju i dobit ćete istu pretplatu besplatno!",
"g1g1": "Pokloni jedan, Dobi jedan",
"g1g1": "Pokloni jedan, dobi jedan",
"spring2019OrchidWarriorSet": "Orhideja (Ratnik)",
"spring2019AmberMageSet": "Jantar (Čarobnjak)",
"spring2019RobinHealerSet": "Crvendać (Iscjelitelj)",
"spring2019RobinHealerSet": "Crvendać (Iscjeljivatelj)",
"spring2019CloudRogueSet": "Oblak (Lupež)",
"summer2019SeaTurtleWarriorSet": "Morska Kornjača (Ratnik)",
"summer2019WaterLilyMageSet": "Lopoč (Čarobnjak)",
"summer2019ConchHealerSet": "Školjka (Iscjelitelj)",
"summer2019ConchHealerSet": "Školjka (Iscjeljivatelj)",
"fall2019CyclopsSet": "Kiklop (Čarobnjak)",
"fall2019LichSet": "Pijavica (Iscjelitelj)",
"fall2019LichSet": "Pijavica (Iscjeljivatelj)",
"fall2019RavenSet": "Gavran (Ratnik)",
"winter2020EvergreenSet": "Zimzeleni (Ratnik)",
"winter2020CarolOfTheMageSet": "Pjesma Čarobnjaka (Čarobnjak)",
"winter2020WinterSpiceSet": "Zimski Začin (Iscjelitelj)",
"winter2020WinterSpiceSet": "Zimski Začin (Iscjeljivatelj)",
"winter2020LanternSet": "Lampa (Lupež)",
"spring2020BeetleWarriorSet": "Nosorog Kornjaš (Ratnik)",
"spring2020PuddleMageSet": "Lokva (Čarobnjak)",
"spring2020IrisHealerSet": "Zjena (Iscjelitelj)",
"spring2020IrisHealerSet": "Zjena (Iscjeljitelj)",
"summer2020RainbowTroutWarriorSet": "Dugina Pastrva (Ratnik)",
"summer2020OarfishMageSet": "Riba Veslo (Čarobnjak)",
"summer2020SeaGlassHealerSet": "Morsko Staklo (Iscjelitelj)",
"summer2020SeaGlassHealerSet": "Morsko Staklo (Iscjeljitelj)",
"summer2020CrocodileRogueSet": "Krokodil (Lupež)",
"fall2020WraithWarriorSet": "Utvara (Ratnik)",
"fall2020DeathsHeadMothHealerSet": "Mrtvački Moljac (Iscjelitelj)",
"fall2020DeathsHeadMothHealerSet": "Mrtvački Moljac (Iscjeljitelj)",
"winter2021IceFishingWarriorSet": "Ledeni Ribar (Ratnik)",
"winter2021WinterMoonMageSet": "Zimski Mjesec (Čarobnjak)",
"spring2021SwanMageSet": "Labud (Čarobnjak)",
"spring2021WillowHealerSet": "Vrba (Iscjelitelj)",
"spring2021WillowHealerSet": "Vrba (Iscjeljitelj)",
"summer2021FlyingFishWarriorSet": "Leteća Riba (Ratnik)",
"summer2021NautilusMageSet": "Nautilus (Čarobnjak)",
"summer2021ParrotHealerSet": "Papagaj (Iscjelitelj)",
"summer2021ClownfishRogueSet": "Riba Klaun (Lupež)",
"spring2023CaterpillarRogueSet": "Gusjenica (Lupež)",
"g1g1Limitations": "Ovo je događaj ograničenog trajanja koji počinje <%= promoStartMonth %> <%= promoStartOrdinal %> u <%= promoStartTime %> i završava <%= promoEndMonth %> <%= promoEndOrdinal %> u <%= promoEndTime %>. Ova promocija vrijedi samo kada darujete pretplatu drugom Habitica igraču. Ako vi ili vaš primatelj dara već imate pretplatu, darovana pretplata će dodati mjesece kredita koji će se iskoristiti tek nakon što se trenutna pretplata otkaže ili istekne.",
"anniversaryLimitations": "Ovo je vremenski ograničen događaj koji počinje 30. siječnja u 8:00 ET (13:00 UTC) i završit će 8. veljače u 23:59 ET (04:59 UTC). Ograničeno izdanje Razdragane Grifonjače i deset čarobnih napitaka za izleganje bit će dostupni za kupnju tijekom tog vremena. Ostali darovi navedeni u odjeljku Četiri besplatno bit će automatski isporučeni na sve račune koji su bili aktivni 30 dana prije dana slanja dara. Računi stvoreni nakon slanja darova neće ih moći preuzeti.",
"g1g1Limitations": "Ovo je vremenski ograničen događaj koji počinje 15. prosinca u 8:00 ET (13:00 UTC) i završit će 8. siječnja u 23:59 ET (9. siječnja 04:59 UTC). Ova promocija vrijedi samo kada darujete drugom Habiticu. Ako vi ili vaš primatelj dara već imate pretplatu, poklonjena pretplata će dodati mjesece kredita koji će se koristiti tek nakon što se trenutna pretplata otkaže ili istekne.",
"anniversaryLimitations": "Ovo je vremenski ograničen događaj koji počinje 30. siječnja u 8:00 ET (13:00 UTC) i završit će 8. veljače u 23:59 ET (04:59 UTC). Ograničeno izdanje Jubilant Gryphatrice i deset čarobnih napitaka za izleganje bit će dostupni za kupnju tijekom tog vremena. Ostali darovi navedeni u odjeljku Četiri besplatno bit će automatski isporučeni na sve račune koji su bili aktivni 30 dana prije dana slanja dara. Računi stvoreni nakon slanja darova neće ih moći preuzeti.",
"winter2023WalrusWarriorSet": "Morž (Ratnik)",
"winter2023FairyLightsMageSet": "Vilinska Svjetla (Čarobnjak)",
"winter2023FairyLightsMageSet": "Vilinska svjetla (Čarobnjak)",
"winter2023CardinalHealerSet": "Kardinal (Iscjelitelj)",
"gemSaleHow": "Između <%= eventStartMonth %> <%= eventStartOrdinal %> i <%= eventEndOrdinal %>, jednostavno kupite bilo koji paket dragulja kao i obično i vašem će računu biti dodijeljen promotivni iznos dragulja. Više dragulja za potrošiti, podijeliti ili spremiti za buduća izdanja!",
"spring2023HummingbirdWarriorSet": "Kolibrić (Ratnik)",
"spring2023LilyHealerSet": "Ljiljan (Iscjelitelj)",
"celebrateBirthday": "Proslavite 10. rođendan Habitice uz darove i ekskluzivne artikle!",
"jubilantGryphatricePromo": "Animirani ljubimac Razdragane Grifonjače",
"anniversaryGryphatriceText": "Rijetka Razdragana Grifonjača pridružuje se proslavi rođendana! Ne propustite priliku posjedovati ovog ekskluzivnog animiranog ljubimca.",
"jubilantGryphatricePromo": "Animirani ljubimac Gryphatrice",
"anniversaryGryphatriceText": "Rijetki Jubilant Gryphatrice pridružuje se proslavi rođendana! Ne propustite priliku posjedovati ovog ekskluzivnog animiranog ljubimca.",
"anniversaryGryphatricePrice": "Imajte ga danas za <strong>9,99 USD</strong> ili <strong>60 dragulja</strong>",
"buyNowMoneyButton": "Kupite sada za 9,99$",
"buyNowMoneyButton": "Kupite sada za 9,99 USD",
"buyNowGemsButton": "Kupite sada za 60 dragulja",
"takeMeToStable": "Odvedi me do Ljubimaca i Životinja za jahanje",
"takeMeToStable": "Odvedi me u štalu",
"plentyOfPotions": "Hrpa Napitaka",
"fourForFreeText": "Kako bismo održali zabavu, podijelit ćemo ogrtače za zabavu, 20 dragulja i ograničeno izdanje rođendanske pozadine i kompleta predmeta koji uključuje ogrtač, navlake i masku za oči.",
"visitTheMarketButton": "Posjetite Dućan",
"plentyOfPotionsText": "Vraćamo 10 omiljenih Čarobnih napitaka za izlijeganje iz Zajednice. Krenite do Dućana da upotpunite svoju kolekciju!",
"fourForFree": "Četiri Besplatno",
"visitTheMarketButton": "Posjetite tržnicu",
"plentyOfPotionsText": "Vraćamo 10 omiljenih napitaka Magic Hatching zajednice. Posjetite The Market i popunite svoju kolekciju!",
"fourForFree": "Četiri besplatno (maybe Četri za jedan besplatan)",
"dayOne": "Dan 1",
"dayFive": "Dan 5",
"dayTen": "Dan 10",
"partyRobes": "Ogrtači za zabave",
"twentyGems": "20 Dragulja",
"birthdaySet": "Rođendanski set",
"fall2020TwoHeadedRogueSet": "Dvoglavi (Lupež)",
"fall2020TwoHeadedRogueSet": "Dvije-Glave (Lupež) - [maybe Dvoglavi?]",
"fall2020ThirdEyeMageSet": "Treće Oko (Čarobnjak)",
"spring2021TwinFlowerRogueSet": "Cvijet Blizanac (Lupež)",
"winter2021HollyIvyRogueSet": "Božićnjak i Bršljan (Lupež)",
@@ -204,83 +204,42 @@
"spring2020LapisLazuliRogueSet": "Lapis Lazulij (Lupež)",
"fall2019OperaticSpecterSet": "Operni Spektar (Lupež)",
"anniversaryLimitedDates": "30. siječnja do 8. veljače",
"limitedEvent": "Ograničeni Događaj",
"celebrateAnniversary": "Proslavite Habitičin 10. rođendan s darovima i ekskluzivnim artiklima u nastavku!",
"limitedEdition": "Ograničeno Izdanje",
"limitedEvent": "Ograničeni događaj",
"celebrateAnniversary": "Proslavite Habiticin 10. rođendan s darovima i ekskluzivnim artiklima u nastavku!",
"limitedEdition": "Ograničeno izdanje",
"wantToPayWithGemsText": "Želite li platiti draguljima?",
"wantToPayWithMoneyText": "Želite li plaćati putem Stripea, Paypala ili Amazona?",
"ownJubilantGryphatrice": "<strong>Posjedujete Razdraganu Grifonjaču!</strong> Posjetite Ljubimce i Jahače životinje da opremite!",
"jubilantSuccess": "Uspješno ste kupili <strong>Razdraganu Grifonjaču!</strong>",
"stableVisit": "Posjetite Ljubimce i Životinje za jahanje da opremite!",
"ownJubilantGryphatrice": "<strong>Vi posjedujete Jubilant Gryphatrice!</strong> Posjetite štalu da se opremite!",
"jubilantSuccess": "Uspješno ste kupili <strong>Jubilant Gryphatrice!</strong>",
"stableVisit": "Posjetite štalu za opremanje!",
"spring2022MagpieRogueSet": "Svraka (Lupež)",
"spring2022RainstormWarriorSet": "Kišna Oluja (Ratnik)",
"spring2022RainstormWarriorSet": "Kišna oluja (Ratnik)",
"spring2022ForsythiaMageSet": "Forzicija (Čarobnjak)",
"g1g1Returning": "U čast sezone, vraćamo vrlo posebnu promociju. Sada kada poklonite pretplatu, dobit ćete istu zauzvrat!",
"summer2022CrabRogueSet": "Rak (Lupež)",
"summer2022WaterspoutWarriorSet": "Vodena Pljuska (Ratnik)",
"summer2022WaterspoutWarriorSet": "Vodena pljuska (Ratnik)",
"summer2022MantaRayMageSet": "Raža (Čarobnjak)",
"g1g1Event": "U tijeku je događaj Pokloni jedan, Dobi jedan!",
"howItWorks": "Kako Radi",
"royalPurpleJackolantern": "Kraljevski Purpurna Sablasna Bundeva",
"fall2022WatcherHealerSet": "Pogledač (Iscjelitelj)",
"howItWorks": "Kako radi",
"royalPurpleJackolantern": "Kraljevski ljubičasti Jack-O-Lantern",
"fall2022WatcherHealerSet": "Pogledač (Iscjeljitelj)",
"fall2022OrcWarriorSet": "Ork (Ratnik)",
"fall2022HarpyMageSet": "Harpa (Čarobnjak)",
"fall2021OozeRogueSet": "Iscjedak (Lupež)",
"fall2021HeadlessWarriorSet": "Bezglavi (Ratnik)",
"fall2021BrainEaterMageSet": "Žderač Mozga (Čarobnjak)",
"fall2021FlameSummonerHealerSet": "Prizivač Plamena (Iscjelitelj)",
"fall2021BrainEaterMageSet": "Žderač mozga (Čarobnjak)",
"fall2021FlameSummonerHealerSet": "Prizivač plamena (Iscjelitelj)",
"winter2022FireworksRogueSet": "Vatromet (Lupež)",
"winter2022StockingWarriorSet": "Čarapa (Ratnik)",
"winter2022PomegranateMageSet": "Nar (Čarobnjak)",
"winter2022IceCrystalHealerSet": "Ledeni Kristal (Iscjelitelj)",
"winter2022IceCrystalHealerSet": "Ledeni kristal (Iscjelitelj)",
"limitations": "Ograničenja",
"g1g1HowItWorks": "Upišite korisničko ime računa kojem želite darovati. Odatle odaberite duljinu koju želite pokloniti i završite kupnju. Vaš će račun automatski biti nagrađen istom razinom pretplate koju ste upravo darovali.",
"noLongerAvailable": "Ova stavka više nije dostupna.",
"winter2023RibbonRogueSet": "Vrpca (Lupež)",
"spring2023MoonstoneMageSet": "Mjesečev Kamen (Čarobnjak)",
"spring2021SunstoneWarriorSet": "Sunčev Kamen (Ratnik)",
"spring2022PeridotHealerSet": "Peridot (Iscjelitelj)",
"summer2022AngelfishHealerSet": "Anđelska Riba (Iscjelitelj)",
"fall2022KappaRogueSet": "Kappa (Lupež)",
"spring2024FluoriteWarriorSet": "Set Fluorita (Ratnik)",
"spring2024HibiscusMageSet": "Set Hibiskusa (Čarobnjak)",
"spring2024BluebirdHealerSet": "Set Plave Sjenice (Iscjelitelj)",
"spring2024MeltingSnowRogueSet": "Set Otopljenog Snijega (Lupež)",
"summer2024WhaleSharkWarriorSet": "Set Morskog psa (Ratnik)",
"summer2024SeaAnemoneMageSet": "Set Morske Anemone (Čarobnjak)",
"summer2024SeaSnailHealerSet": "Set Morskog Puža (Iscjelitelj)",
"summer2024NudibranchRogueSet": "Gološkržnjak Set (Lupež)",
"fall2025SasquatchWarriorSet": "Set Ratnika Velikog Stopala",
"fall2025SkeletonRogueSet": "Set Lupeža Kostura",
"fall2025KoboldHealerSet": "Set Iscjelitelja Kobolda",
"fall2025MaskedGhostMageSet": "Set Maga Duha pod Maskom",
"winter2025MooseWarriorSet": "Set Ratnika Losova",
"winter2025AuroraMageSet": "Set Maga Polarne Svjetlosti",
"winter2025StringLightsHealerSet": "Set Iscjelitelja s Nizom Svjetala",
"winter2025SnowRogueSet": "Set Snježnog Lupeža",
"spring2025SunshineWarriorSet": "Set Ratnika Sunčeve Svjetlosti",
"spring2025CrystalPointRogueSet": "Set Lupeža Kristalnog Šiljka",
"spring2025PlumeriaHealerSet": "Set Iscjelitelja Frangipanija",
"spring2025MantisMageSet": "Set Čarobnjaka Bogomoljke",
"winter2024SnowyOwlRogueSet": "Snježna Sova (Lupež)",
"winter2024FrozenHealerSet": "Zaleđeni (Iscjelitelj)",
"winter2024PeppermintBarkWarriorSet": "Set Kora od Mente (Ratnik)",
"winter2024NarwhalWizardMageSet": "Set Narval Čarobnjaka (Čarobnjak)",
"fall2024FieryImpWarriorSet": "Set Vatrenog Vraga (Ratnik)",
"fall2024UnderworldSorcerorMageSet": "Set Čarobnjaka Podzemlja (Čarobnjak)",
"fall2024SpaceInvaderHealerSet": "Set Svemirkog Osvajača (Iscjelitelj)",
"fall2024BlackCatRogueSet": "Set Crne Mačke (Lupež)",
"summer2025ScallopWarriorSet": "Set Ratnika Školjke Jakovljeve Kapice",
"summer2025SquidRogueSet": "Set Lupeža Lignje",
"summer2025SeaAngelHealerSet": "Set Iscjelitelja Morskog Anđela",
"summer2025FairyWrasseMageSet": "Set Čarobnjaka Vilinske Usnače",
"summer2023GoldfishWarriorSet": "Zlatna Ribica (Ratnik)",
"summer2023GuppyRogueSet": "Gupi (Lupež)",
"summer2023KelpHealerSet": "Morska Trava (Iscjelitelj)",
"summer2023CoralMageSet": "Koralj (Čarobnjak)",
"fall2023ScaryMovieWarriorSet": "Strašni Film (Ratnik)",
"fall2023ScarletWarlockMageSet": "Grimizni Vještac (Čarobnjak)",
"fall2023WitchsBrewRogueSet": "Vještičja Mješavina (Lupež)",
"fall2023BogCreatureHealerSet": "Močvarno Stvorenje (Iscjelitelj)",
"gemSaleLimitationsText": "Ova promocija vrijedi samo tijekom događaja ograničenog trajanja. Događaj počinje <%= eventStartMonth %> <%= eventStartOrdinal %> u <%= eventStartTime %> <%= timeZone %> i završava <%= eventEndMonth %> <%= eventEndOrdinal %> u <%= eventEndTime %> <%= timeZone %>. Posebna ponuda dostupna je samo kada Dragulje kupujete za sebe."
"spring2021SunstoneWarriorSet": "Sunčev kamen (Ratnik)",
"spring2022PeridotHealerSet": "Peridot (Iscjeljitelj)",
"summer2022AngelfishHealerSet": "Anđeska Riba (Iscjelitelj)",
"fall2022KappaRogueSet": "Kappa (Lupež)"
}

View File

@@ -1,24 +1,24 @@
{
"unlockedReward": "Dobili ste <%= reward %>",
"earnedRewardForDevotion": "Zaradili ste <%= reward %> jer ste se posvetili poboljšavanju svog života.",
"unlockedReward": "Dobio/la si <%= reward %>",
"earnedRewardForDevotion": "Zaradio/la si <%= reward %> jer si se posvetio/la poboljšavanju svog života.",
"nextRewardUnlocksIn": "Broj prijava do tvoje sljedeće nagrade: <%= numberOfCheckinsLeft %>",
"awesome": "Bravo!",
"incentivesDescription": "Kad je u pitanje izgradnja navika, dosljednost je ključna. Svakog dana kojeg se prijavite, bliže ste jednoj nagradi.",
"checkinEarned": "Vaš broj prijava se povećao!",
"unlockedCheckInReward": "Otključali ste jednu Nagradu za prijave!",
"incentivesDescription": "Kad je u pitanje izgradnja navika, dosljednost je ključna. Svakog dana kojeg se prijaviš, bliže si jednoj nagradi.",
"checkinEarned": "Tvoj broj prijava se povećao!",
"unlockedCheckInReward": "Otključao/la si jednu Nagradu za prijave!",
"checkinProgressTitle": "Napredak do sljedeće",
"incentiveBackgroundsUnlockedWithCheckins": "Više standardnih pozadina otključat će se s dnevnim prijavama.",
"oneOfAllPetEggs": "jedno od svakog standardnog Jaja za Ljubimce",
"twoOfAllPetEggs": "dva od svakog standardnog Jaja za Ljubimce",
"threeOfAllPetEggs": "tri od svakog standardnog Jaja za Ljubimce",
"oneOfAllHatchingPotions": "jedno od svakog standardnog Čarobnog napitka za izleganje",
"oneOfAllHatchingPotions": "jedno od svakog standardnog Čarobnog napitka za izlijeganje",
"threeOfEachFood": "tri od svakog standardnog komada Hrane za Ljubimce",
"fourOfEachFood": "četiri od svakog standardnog komada Hrane za Ljubimce",
"twoSaddles": "dva Sedla",
"threeSaddles": "tri Sedla",
"incentiveAchievement": "Postignuće Kraljevske Vjernosti",
"royallyLoyal": "Kraljevska Vjernost",
"royallyLoyalText": "Ovaj korisnik se prijavio/la preko 500 puta i zaradili su sve Nagrade za prijavu!",
"royallyLoyalText": "Ovaj korisnik se prijavio/la preko 500 puta i zaradio/la je sve Nagrade za prijavu!",
"checkInRewards": "Nagrade za prijavu",
"backloggedCheckInRewards": "Dobili ste Nagrade za prijavu! Posjetite vaš Inventar i Opremu kako bi vidjeli što ima novog."
"backloggedCheckInRewards": "Dobio/la si Nagrade za prijavu! Posjeti svoj Inventar i Opremu kako bi vidio/la što ima novog."
}

View File

@@ -1,3 +1,3 @@
{
"merch": "Proizvodi"
"merch" : "Proizvodi"
}

View File

@@ -1,5 +1,5 @@
{
"messageLostItem": "Vaš <%= itemText %> se razbio.",
"messageLostItem": "Tvoj <%= itemText %> se razbio.",
"messageTaskNotFound": "Zadatak nije pronađen.",
"messageTagNotFound": "Oznaka nije pronađena.",
"messagePetNotFound": ":pet nije pronađen među user.items.pets",
@@ -16,20 +16,20 @@
"messageInvalidEggPotionCombo": "Ne možete izleći Jaja ljubimaca iz Pustolovina s Čarobnim napitcima za izleganje! Probajte s drugim jajetom.",
"messageAlreadyPet": "Već imate tog ljubimca. Probajte neku drugu kombinaciju!",
"messageHatched": "Vaše jaje se izleglo! Posjetite Ljubimce i Jahaće životinje da opremite svog ljubimca.",
"messageNotEnoughGold": "Nemate dovoljno Zlata",
"messageNotEnoughGold": "Nemate dovoljno Zlatnika",
"messageTwoHandedEquip": "Za rukovanje <%= twoHandedText %> su potrebne dvije ruke pa je <%= offHandedText %> uklonjen.",
"messageTwoHandedUnequip": "Za rukovanje <%= twoHandedText %> su potrebne dvije ruke pa je uklonjen iz upotrebe kad ste se naoružali <%= offHandedText %>.",
"messageDropFood": "Pronašli ste <%= dropText %>!",
"messageDropEgg": "Pronašli ste <%= dropText %> Jaje!",
"messageDropPotion": "Pronašli ste <%= dropText %> Napitak za izleganje!",
"messageDropMysteryItem": "Otvarate kutiju i pronalazite <%= dropText %>!",
"messageAlreadyOwnGear": "Već posjedujete ovaj artikl. Opremite ga odlaskom na stranicu opreme.",
"previousGearNotOwned": "Trebate kupiti komad opreme niže razine prije ovog.",
"messageHealthAlreadyMax": "Zdravlje vam je već na maksimumu.",
"messageHealthAlreadyMin": "O ne! Već vam je nestalo zdravlja pa je prekasno za kupovanje čarobnog napitka za zdravlje, ali bez brige - možete oživjeti!",
"messageDropMysteryItem": "Otvoriš kutiju i pronalaziš <%= dropText %>!",
"messageAlreadyOwnGear": "Već posjeduješ ovaj artikal. Opremi ga odlaskom na stranicu opreme.",
"previousGearNotOwned": "Trebaš kupiti komad opreme niže rqzine prije ovog.",
"messageHealthAlreadyMax": "Zdravlje ti je već na maksimumu.",
"messageHealthAlreadyMin": "O ne! Već ti je nestalo zdravlja pa je prekasno za kupovanje čarobnog napitka za zdravlje, ali bez brige - možeš oživjeti!",
"armoireEquipment": "<%= image %> Pronašli ste komad rijetke Opreme u Ormaru: <%= dropText %>! Zakon!",
"armoireFood": "<%= image %> Preturali ste po Ormaru i pronašli <%= dropText %>. Što to radi unutra?",
"armoireExp": "Hrvate se s Ormarom i dobivate na Iskustvu. Neka mu!",
"armoireExp": "Hrvaš se s Ormarom i dobivaš na Iskustvu. Neka mu!",
"messageInsufficientGems": "Nedovoljno dragulja!",
"messageGroupAlreadyInParty": "Već u grupi, pokušajte osvježiti.",
"messageGroupOnlyLeaderCanUpdate": "Samo vođa grupe može ažurirati grupu!",
@@ -56,5 +56,5 @@
"canDeleteNow": "Sada možete obrisati poruku ako želite.",
"featureRetired": "Ova značajka više nije podržana.",
"reportedMessage": "Prijavili ste ovu poruku moderatorima.",
"newsPostNotFound": "Objava Novosti nije pronađena ili nemate pristup."
"newsPostNotFound": "Objava vijesti nije pronađena ili nemate pristup."
}

View File

@@ -1,4 +1,6 @@
{
"jsDisabledHeadingFull": "Jao! Vaš preglednik nema omogućen JavaScript, a bez njega Habitica ne može ispravno raditi",
"jsDisabledLink": "Molimo, omogućite JavaScript za nastavak!"
}
"jsDisabledHeadingFull": "Avaj! Tvoj preglednik nema omogućen JavaScript, a bez njega Habitica ne može ispravno funkcionirati",
"jsDisabledLink": "Molimo te da omogućiš JavaScript kako bi nastavio/la!"
}

View File

@@ -1,134 +1,115 @@
{
"npc": "NPC",
"npcAchievementName": "<%= key %> NPC",
"npcAchievementText": "Podržali su Kickstarter projekt maksimalno!",
"welcomeTo": "Dobrodošli na",
"welcomeBack": "Dobrodošli natrag!",
"npc": "NIL",
"npcAchievementName": "<%= key %> NIL",
"npcAchievementText": "Podržao/la je Kickstarter projekt maksimalno!",
"welcomeTo": "Dobrodošao/la na",
"welcomeBack": "Dobrodošao/la natrag!",
"justin": "Justin",
"justinIntroMessage1": "Dobar dan! Sigurno ste novi ovdje. Ja sam <strong>Justin</strong> i bit ću vaš vodič u Habitici. Dakle, kako biste željeli izgledati? Ne brinite, to kasnije možete promijeniti.",
"justinIntroMessage3": "Odlično! Sad, na čemu želite raditi tijekom ovog putovanja?",
"introTour": "I eto nas! Ispunio sam neke Zadatke na osnovi tvojih interesa tako da možete odmah početi. Kliknite na Zadatak kako biste ga uredili ili dodaj nove Zadatke koji odgovaraju vašoj rutini!",
"justinIntroMessage1": "Bok! Vjerojatno si nov/a ovdje. Ja sam <strong>Justin</strong> i bit ću tvoj vodič po Habitici.",
"justinIntroMessage3": "Odlično! Sad, na čemu želi raditi tijekom ovog putovanja?",
"introTour": "I eto nas! Ispunio sam neke Zadatke na osnovi tvojih interesa tako da možeš odmah početi. Klikni na Zadatak kako bi ga uredio/la ili dodaj nove Zadatke koji odgovaraju tvojoj rutini!",
"prev": "Prijašnji",
"next": "Idući",
"randomize": "Nasumce",
"mattBoch": "Matt Boch",
"mattBochText1": "Dobrodošli u Štalicu! Ja sam Matt, majstor zvijeri. Svaki put kada dovršite zadatak, imat ćete nasumičnu priliku dobiti Jaje ili Napitak za izlijeganje Ljubimaca. Kada izlegnete Ljubimca, on će se pojaviti ovdje! Kliknite na sliku Ljubimca da biste ga dodali svom Avataru. Hranite ih Hranom za Ljubimce koju pronađete, i izrast će u izdržljive Jahaće Životinje.",
"welcomeToTavern": "Dobrodošlu u Krčmu!",
"sleepDescription": "Trebate pauzu? Pauzirajte Štetu (nalazi se u Postavkama) da biste pauzirali neke od Habitica težih mehanika igre:",
"sleepBullet1": "Vaši propušteni Dnevni zadaci neće vam nanijeti štetu (bosovi će i dalje nanositi štetu uzrokovanu propuštenim Dnevnim zadacima drugih članova Grupe)",
"sleepBullet2": "Vaši nizovi Zadataka i brojači Navika neće se resetirati",
"sleepBullet3": "Vaša šteta Nanesena Bossu Pustolovine ili pronađeni predmeti za sakupljanje ostat će na čekanju dok ne nastavite sa Štetom",
"pauseDailies": "Pauziraj Štetu",
"unpauseDailies": "Ponovno Pokreni Štetu",
"mattBochText1": "Dobrodošao/la u Staju! Ja sam Matt, Gospodar Zvijeri. Počevši od levela 3, nalazit ćeš jaja i čarobne napitke kojima ih možeš izlijegati. Kad izlegneš nekog Ljubimca u Tržnici, on će se pojaviti ovdje! Klikni na sliku Ljubimca kako bi ga pridružio/la svom avataru. Hrani Ljubimce koristeći Hranu koju pronađeš iza levela 3 i oni će narasti u izdržljive Jahaće životinje.",
"welcomeToTavern": "Dobrodoša/la u Krčmu!",
"sleepDescription": "Treba ti odmor? Prijavi se u Danijelovo Svratište kako bi pauzirao/la neke od težih mehaničkih aspekata Habitice:",
"sleepBullet1": "Propušteni Svakodnevni zadaci ti neće nauditi",
"sleepBullet2": "Zadacima se neće resetirati nizovi niti će im se pogoršati boja",
"sleepBullet3": "Šteta nanesena bosu Pustolovine ili pronađeni predmeti iz kolekcije će ostati na čekanju dok se ne odjaviš iz Gostionice",
"pauseDailies": "Pauziraj štetu",
"unpauseDailies": "Ponovno pokreni štetu",
"staffAndModerators": "Osoblje i Moderatori",
"communityGuidelinesIntro": "Habitica nastoji stvoriti okruženje dobrodošlice za korisnike svih dobi i porijekla, posebno u prostorima kao što su Timovi i Grupe. Ako imate bilo kakvih pitanja, molimo pogledajte naše <a href='/static/community-guidelines' target='_blank'>Smjernice Zajednice</a>.",
"acceptCommunityGuidelines": "Pristajem slijediti Smjernice Zajednice",
"worldBossEvent": "Događaj Svjetskog Bossa",
"worldBossDescription": "Opis Svjetskog Bossa",
"welcomeMarketMobile": "Dobrodošli u Dućan! Kupujte jaja i čarobne napitke koje je teško pronaći! Dođite vidjeti što imamo u ponudi.",
"howManyToSell": "Koliko biste željeli prodati?",
"communityGuidelinesIntro": "Habitica pokušava stvoriti uključivo okruženje za korisnike svih godina i životnih okolnosti, i to posebice u prostorima kao što je Krčma. Ako imaš ikakvih pitanja, molimo te da pogledaš naše <a href='/static/community-guidelines' target='_blank'>Smjernice za zajednicu</a>.",
"acceptCommunityGuidelines": "Pristajem slijediti Smjernice za zajednicu",
"worldBossEvent": "Događaj Svjetskog Bosa",
"worldBossDescription": "Opis Svjetskog Bosa",
"welcomeMarketMobile": "Dobrodošao/la na Tržnicu! Kupuj jaja i čarobne napitke koje je teško pronaći! Dođi vidjeti što imamo u ponudi.",
"howManyToSell": "Koliko bi ih htio/la prodati?",
"yourBalance": "Tvoj saldo:",
"sell": "Prodaj",
"buyNow": "Kupi Sada",
"buyNow": "Kupi sada",
"sortByNumber": "Broj",
"featuredItems": "Istaknuti predmeti!",
"featuredItems": "Istaknuti artikli!",
"hideLocked": "Sakrij zaključane",
"hidePinned": "Sakrij zakačene",
"hideMissing": "Sakrij Nedostajuće",
"hideMissing": "Sakrij one koji nedostaju",
"amountExperience": "<%= amount %> Iskustva",
"amountGold": "<%= amount %> Zlata",
"amountGold": "<%= amount %> Zlatnika",
"namedHatchingPotion": "<%= type %> Napitak za izlijeganje",
"buyGems": "Kupi Dragulje",
"purchaseGems": "Kupi Dragulje",
"items": "Predmeti",
"items": "Artikli",
"AZ": "A-Ž",
"sort": "Sortiraj",
"sortBy": "Sortiraj po",
"sort": "Svrstaj",
"sortBy": "Svrstaj po",
"groupBy2": "Grupiraj po",
"sortByName": "Nazivu",
"quantity": "Količini",
"cost": "Cijena",
"cost": "Cijeni",
"shops": "Dućani",
"custom": "Prilagođen",
"wishlist": "Popis Želja",
"wrongItemType": "Vrsta predmeta\"<%= type %>\" nije važeća.",
"wrongItemPath": "Putanja do predmeta \"<%= path %>\" nije važeća.",
"unpinnedItem": "Otkvačili ste <%= item %>! Ono više neće biti prikazano u tvom stupcu Nagrada.",
"purchasedItem": "Kupili ste <%= itemName %>",
"ianTextMobile": "Mogu li vam ponuditi koji pustolovni svitak? Aktivirajte ga kako bi se s Grupom borili protiv čudovišta!",
"custom": "Prilagođeni",
"wishlist": "Popis želja",
"wrongItemType": "Vrsta artikla \"<%= type %>\" nije važeća.",
"wrongItemPath": "Staza artikla \"<%= path %>\" nije važeća.",
"unpinnedItem": "Otkačio/la si <%= item %>! Ono više neće biti prikazano u tvom stupcu Nagrada.",
"purchasedItem": "Kupio/la si <%= itemName %>",
"ianTextMobile": "Mogu li ti ponuditi koji pustolovni svitak? Aktiviraj ga kako bi se s Družinom borio/la protiv čudovišta!",
"featuredQuests": "Istaknute Pustolovine!",
"cannotBuyItem": "Ne možeš kupiti ovaj predmet.",
"mustPurchaseToSet": "Morate kupiti <%= val %> da bi bilo postavljeno na <%= key %>.",
"cannotBuyItem": "Ne možeš kupiti ovaj artikal.",
"mustPurchaseToSet": "Moraš kupiti <%= val %> da bi bilo postavljeno na <%= key %>.",
"typeRequired": "Potrebna je vrsta",
"positiveAmountRequired": "Potrebna je pozitivna količina",
"notAccteptedType": "Vrsta mora spadati pod [jaja, napitkezaIzlijeganje, plaćenenapitkezaIzlijeganja, hranu, pustolovine, opremu]",
"contentKeyNotFound": "Ključ nije pronađen za Sadržaj <%= type %>",
"contentKeyNotFound": "Ključ nije pronađen za sljedeći sadržaj: <%= type %>",
"plusGem": "+<%= count %> Dragulj",
"typeNotSellable": "Ovu vrstu nije moguće prodati. Mora biti jedna od sljedećih <%= acceptedTypes %>",
"userItemsKeyNotFound": "Ključ nije pronađen za sljedeće artikle.korisnika: <%= type %>",
"userItemsNotEnough": "Nemaš dovoljno <%= type %>",
"pathRequired": "Niz puta je obavezan",
"unlocked": "Predmeti su otključani",
"alreadyUnlocked": "Puni set je već otključan.",
"alreadyUnlockedPart": "Cijeli set je već djelomično otključan. Jeftinije je kupiti preostale predmete pojedinačno.",
"pathRequired": "Potreban je niz staze",
"unlocked": "Artikli su otključani",
"alreadyUnlocked": "Puni komplet je već otključan.",
"alreadyUnlockedPart": "Puni komplet je već djelomično otključan.",
"invalidQuantity": "Količina za kupovinu mora biti broj.",
"USD": "(USD)",
"newStuff": "Nove stvari od Bailey-a",
"newBaileyUpdate": "Novo Bailey Ažuriranje!",
"tellMeLater": "Obavijesti Me Kasnije",
"dismissAlert": "Zanemari Ovu Obavijest",
"donateText3": "Habitica je projekt otvorenog koda koji ovisi o potpori svojih korisnika. Novac koji potrošite na dragulje pomaže nam održavati rad poslužitelja, zadržati malo osoblje, razvijati nove značajke i osigurati poticaje za naše volontere",
"card": "Kreditna Kartica",
"paymentMethods": "Kupite koristeći",
"paymentSuccessful": "Vaše plaćanje je bilo uspješno!",
"paymentYouReceived": "Dobili ste:",
"paymentYouSentGems": "Poslali ste <strong><%- name %></strong>:",
"paymentYouSentSubscription": "Poslali ste <%- name %> pretplatu na Habiticu u trajanju od <%= months %> mjesec(i).",
"paymentSubBilling": "Vaša pretplata će biti naplaćena $<%= amount %> svakih <%= months %> mjeseci.",
"newStuff": "Nove stvari koje je napravio Bailey.",
"newBaileyUpdate": "Novi update od Baileya!",
"tellMeLater": "Obavijesti me kasnije",
"dismissAlert": "Makni ovu obavijest",
"donateText3": "Habitica je projekt otvorenih izvora koji ovisi o podršci svojih korisnika. Novac kojeg potrošiš na dragulje nam pomaže održavati servere u pogonu, održavati malo osoblje, razvijati nove mogućnosti, a ujedno omogućuje poticaj za naše volonterske programere. Hvala ti na tvojoj darežljivosti!",
"card": "Kreditna kartica (koristeći Stripe)",
"paymentMethods": "Kupi preko",
"paymentSuccessful": "Tvoje plaćanje je bilo uspješno!",
"paymentYouReceived": "Dobio/la si:",
"paymentYouSentGems": "Poslao/la si <strong><%- name %></strong>:",
"paymentYouSentSubscription": "Poslao/la si <strong><%- name %></strong> pretplatu na Habitici u trajanju od <%= months %> mjesec/i.",
"paymentSubBilling": "Tvoja pretplata će biti naplaćena svaka/ih <strong><%= months %></strong> mjeseca/i u iznosu od $<strong><%= amount %></strong>.",
"success": "Uspjeh!",
"classGear": "Oprema Klase",
"classGearText": "Čestitke na odabiru klase! Dodao sam vam novo osnovno oružje u vaš inventar. Pogledajte ispod kako bi ga opremili!",
"autoAllocate": "Automatska Raspodjela",
"classGear": "Oprema klase",
"classGearText": "Čestitke na odabiru klase! Dodao sam tvoje novo osnovno oružje u tvoj inventar. Pogledaj ispod kako bi ga opremio/la!",
"autoAllocate": "Automatska raspodjela",
"spells": "Vještine",
"skillsTitle": "<%= classStr %> Vještine",
"skillsTitle": "Vještine",
"toDo": "Obaveza",
"tourStatsPage": "Ovo je vaša stranica Statistike! Osvojite postignuća dovršavajući navedene zadatke.",
"tourTavernPage": "Dobrodošli u Krčmu, sobu za razgovor za sve uzraste! Možete spriječiti da vam Dnevni zadaci naštete u slučaju bolesti ili putovanja klikom na \"Pauziraj Štetu\". Dođite se pozdraviti!",
"tourPartyPage": "Dobrodošli u vašu novu Grupu! Možete pozvati druge igrače u svoju Grupu putem korisničkog imena, email-a ili s popisa igrača koji traže Grupu kako biste zaradili ekskluzivni Svitak Potrage Basi-Lista. <br/><br/>Odaberite <a href='/static/faq#parties'>Česta Pitanja (FAQ)</a> iz padajućeg izbornika Pomoć kako biste saznali više o tome kako Grupe funkcioniraju.",
"tourChallengesPage": "Izazovi su tematski popisi zadataka koje su stvorili korisnici! Pridruživanje Izazovu dodati će njegove zadatke na vaš račun. Natječite se protiv drugih korisnika kako biste osvojili nagrade u Draguljima!",
"tourMarketPage": "Svaki put kada dovršite zadatak, imat ćete nasumičnu priliku dobiti Jaje, Napitak za izlijeganje ili komad Hrane za Ljubimce. Također možete kupiti te predmete ovdje.",
"tourHallPage": "Dobrodošli u Dvoranu heroja, gdje se odaju počasti onima koji doprinose Habitici kao projektu otvorenog koda. Bilo da je to kroz kod, umjetnost, glazbu, pisanje ili čak samo pomaganjem drugima, oni su zaradili Dragulje, ekskluzivnu Opremu i prestižne naslove. I vi možete doprinijeti Habitici!",
"tourPetsPage": "Dobrodošli u štalu! Svaki put kada dovršite zadatak, imat ćete nasumičnu priliku dobiti Jaje ili Napitak za izlijeganje Ljubimaca. Kada izlegnete Ljubimca, on će se pojaviti ovdje! Kliknite na sliku Ljubimca da biste ga dodali svom Avataru. Hranite ih Hranom za Ljubimce koju pronađete, i izrast će u izdržljive Jahaće Životinje.",
"tourMountsPage": "Nakon što nahranite ljubimca s dovoljno hrane da ga pretvorite u jahaću životinju, ona će se pojaviti ovdje. Kliknite na jahaću životinju da biste je osedlali!",
"tourEquipmentPage": "Ovdje je pohranjena vaša Oprema! Vaša Bojna Oprema utječe na vaše Statističke podatke. Ako želite prikazati drugu Opremu na svom avataru bez promjene Statistika, kliknite \"Omogući Kostim.\"",
"equipmentAlreadyOwned": "Već posjedujete taj komad opreme",
"tourStatsPage": "Ovo je stranica tvojih Statistika! Zarađuj postignuća izvršavanjem zadataka na tvom popisu.",
"tourTavernPage": "Dobrodošao/la u Krčmu, chat za ljude svih uzrasta! Možeš spriječiti da ti tvoji Svakodnevni zadaci naude u slučaju bolesti ili putovanja klikom na \"Pauziraj štetu\". Dođi pozdraviti svih!",
"tourPartyPage": "Tvoja Družina će ti pomoći da ostaneš odgovoran/na. Pozovi prijatelje kako bi otključao/la jedan Pustolovni svitak!",
"tourChallengesPage": "Izazovi su tematski popisi zadataka stvoreni od strane korisnika! Kad se pridružiš Izazovu, njegovi zadaci će biti pridodani tvom računu. Natječi se protiv drugih korisnika da bi dobio/la nagrade u obliku Dragulja!",
"tourMarketPage": "Počevši od levela 3, po izvršavanju zadataka dobivaš poklone jaja i napitaka za izlijeganje. Oni se pojavljuju ovdje - koristi ih kako bi izlijegao/la ljubimce! Također možeš kupovati artikle na Tržnici.",
"tourHallPage": "Dobrodošao/la u Dvoranu Heroja gdje se odaje počast svima koji su doprinijeli Habitici po pitanju njenih otvorenih izvora. Bilo kroz kodiranje, umjetnost, glazbu, pisanje ili naprosto uslužnost, oni su zaradili Dragulje, ekskluzimnu opremu i prestižne titule. I ti može doprinijeti Habitici!",
"tourPetsPage": "Ovo je Staja! Nakon što dostigneš level 3, sakupljat ćeš jaja ljubimaca i napitke za izlijeganje kako budeš obavljao/la zadatke. Kad izlegneš nekog ljubimca na Tržnici, on će se pojaviti ovdje! Klikni na sliku ljubimca kako bi ga pridružio/la svom avataru. Hrani ljubimce hranom koju nađeš nakon levela 3 i oni će narasti u moćne jahaće životinje.",
"tourMountsPage": "Kad si dovoljno nahranio/la ljubimca hranom da bi ga pretvorio/la u jahaću životinju, pojavljuje se ovdje. Klikni na životinju da bi je zajahao/la!",
"tourEquipmentPage": "Ovdje se čuva tvoja Oprema! Tvoja Ratna opremu utječe na tvoje Statistike. Ako se želiš hvaliti drukčijom Opremom na tvom avataru bez mijenjanja tvojih Statistika, klikni na \"Omogući kostim.\"",
"equipmentAlreadyOwned": "Već posjeduješ taj komad opreme",
"tourOkay": "Okej!",
"tourSplendid": "Sjajno!",
"welcomeToHabit": "Dobrodošli u Habiticu!",
"welcome1": "Stvorite osnovnog avatara.",
"welcome1notes": "Ovaj avatar će vas predstavljati kako napredujete.",
"welcome2": "Postavite svoje zadatke.",
"welcome2notes": "Koliko dobro izvršavate svoje zadatke u stvarnom životu kontrolirat će koliko dobro napredujete u igri!",
"welcomeToHabit": "Dobrodošao/la u Habiticu!",
"welcome1": "Napravi bazični avatar.",
"welcome1notes": "Ovaj avatar će predstavljati tebe kako budeš nepredovao/la.",
"welcome2": "Postavi svoje zadatke.",
"welcome2notes": "Tvoj napredak u zadacima u stvarnom životu će kontrolirati tvoj napredak u igri!",
"welcome3": "Napredak u životu i u igri!",
"welcome3notes": "Dok poboljšavate svoj život, vaš će se avatar podizati na višu razinu i otključavati ljubimce, potrage, opremu i još mnogo toga!",
"limitedOffer": "Dostupno do <%= date %>",
"customizationsShopText": "Želite promijeniti svoj stil? Došli ste na pravo mjesto! Imamo u ponudi najsvježije izglede koji odgovaraju sezoni.",
"nGemsGift": "<%= nGems %> Dragulja(Poklon)",
"amountExp": "<%= amount %> Exp",
"notAvailable": "Ovaj predmet nije dostupan.",
"invalidUnlockSet": "Ovaj set predmeta je nevažeći i ne može se otključati.",
"nMonthsSubscriptionGift": "<%= nMonths %> Mjesec(i) Pretplata(Poklon)",
"nGems": "<%= nGems %> Dragulja",
"sellItems": "Prodaj predmete",
"cannotUnpinItem": "Ovaj predmet ne može biti otkvačen.",
"groupsPaymentSubBilling": "Vaš sljedeći datum naplate je <%= renewalDate %>.",
"paymentCanceledDisputes": "Poslali smo potvrdu otkazivanja na vaš email. Ako ne vidite poruku, molimo kontaktirajte nas kako biste spriječili buduće sporove oko naplate.",
"helpSupportHabitica": "Pomozite Podržati Habiticu",
"paymentYouSentSubscriptionG1G1": "Poslali ste <%- name %> pretplatu na Habiticu u trajanju od <%= months %> mjesec(a), a ista pretplata je primijenjena i na vaš račun u sklopu naše promocije \"Pokloni Jednu i Dobij Jednu\"!",
"paymentSubBillingWithMethod": "Vaša pretplata će biti naplaćena $<%= amount %>.00 USD svakih <%= months %> mjeseci putem <%= paymentMethod %>",
"groupsPaymentAutoRenew": "Ova pretplata će se automatski obnavljati dok se ne otkaže. Ako trebate otkazati, možete to učiniti u kartici Naplata Grupe.",
"paymentAutoRenew": "Ova pretplata će se automatski obnavljati dok se ne otkaže. Ako trebate otkazati pretplatu, možete to učiniti u svojim postavkama.",
"limitedAvailabilityMinutes": "Dostupno još <%= minutes %> m i <%= seconds %> s",
"limitedAvailabilityDays": "Dostupno tijekom <%= days %> dana, <%= hours %> sati i <%= minutes %> minuta",
"limitedAvailabilityHours": "Dostupno još <%= hours %> s i <%= minutes %> m"
"welcome3notes": "Kako budeš poboljšavao/la svoj život, podizat će se leveli tvog avatara, otključavati ljubimci, pustolovine, oprema i još mnogo toga!",
"limitedOffer": "Dostupno do <%= date %>"
}

View File

@@ -1,10 +1,10 @@
{
"needTips": "Trebate savjete kako započeti? Ovdje je jednostavan vodič!",
"step1": "Korak 1: Unesite zadatke",
"webStep1Text": "Habitica je ništa bez ciljeva iz stvarnog svijeta, stoga unesite nekoliko zadataka. Kasnije ih možete dodati još kako ih smislite! Sve zadatke možete dodati klikom na zeleni gumb \"Stvori\".\n* **Postavite [Obaveze](https://habitica.fandom.com/wiki/To_Do%27s):** Unesite zadatke koje radite jednom ili rijetko u stupac Obaveze, jedan po jedan. Možete kliknuti na zadatke da biste ih uredili i dodali popise za provjeru, rokove i još mnogo toga!\n* **Postavite [Dnevne zadatke](https://habitica.fandom.com/wiki/Dailies):** Unesite aktivnosti koje trebate obavljati svakodnevno ili na određeni dan u tjednu, mjesecu ili godini u stupac Dnevni Zadaci. Pritisnite zadatak da biste uredili rok i/ili postavili datum početka. Također možete dospjeti na temelju ponavljanja, na primjer, svaka 3 dana.\n* **Postavite [Navike](https://habitica.fandom.com/wiki/Habits):** Unesite navike koje želite uspostaviti u stupac Navike. Možete urediti naviku da je promijenite u samo dobru naviku :heavy_plus_sign: ili lošu naviku :heavy_minus_sign:\n* **Postavite [Nagrade](https://habitica.fandom.com/wiki/Rewards):** Osim ponuđenih nagrada u igri, dodajte aktivnosti ili poslastice koje želite koristiti kao motivaciju za Stupac nagrada. Važno je dati si oduška ili dopustiti umjereno uživanje!\n* Ako trebate inspiraciju za koje zadatke dodati, možete pogledati wiki stranice na [Primjer Navika](https://habitica.fandom.com/wiki/Sample_Habits), [Primjer Dnevnih zadataka](https://habitica. fandom.com/wiki/Sample_Dailies), [Primjer Obaveza](https://habitica.fandom.com/wiki/Sample_To_Do%27s) i [Primjer Nagrada](https://habitica.fandom.com/wiki/ Uzorak_prilagođenih_nagrada).",
"webStep1Text": "Habitica je ništa bez ciljeva iz stvarnog svijeta, stoga unesite nekoliko zadataka. Kasnije ih možete dodati još kako ih smislite! Sve zadatke možete dodati klikom na zeleni gumb \"Kreiraj\".\n* **Postavite [Obaveze](https://habitica.fandom.com/wiki/To_Do%27s):** Unesite zadatke koje radite jednom ili rijetko u stupac Obaveze, jedan po jedan. Možete kliknuti na zadatke da biste ih uredili i dodali popise za provjeru, rokove i još mnogo toga!\n* **Postavite [Dnevne zadatke](https://habitica.fandom.com/wiki/Dailies):** Unesite aktivnosti koje trebate obavljati svakodnevno ili na određeni dan u tjednu, mjesecu ili godini u stupac Dnevni Zadaci. Pritisnite zadatak da biste uredili rok i/ili postavili datum početka. Također možete dospjeti na temelju ponavljanja, na primjer, svaka 3 dana.\n* **Postavite [Navike](https://habitica.fandom.com/wiki/Habits):** Unesite navike koje želite uspostaviti u stupac Navike. Možete urediti naviku da je promijenite u samo dobru naviku :heavy_plus_sign: ili lošu naviku :heavy_minus_sign:\n* **Postavite [Nagrade](https://habitica.fandom.com/wiki/Rewards):** Osim ponuđenih nagrada u igri, dodajte aktivnosti ili poslastice koje želite koristiti kao motivaciju za Stupac nagrada. Važno je dati si oduška ili dopustiti umjereno uživanje!\n* Ako trebate inspiraciju za koje zadatke dodati, možete pogledati wiki stranice na [Primjer Navika](https://habitica.fandom.com/wiki/Sample_Habits), [Primjer Dnevnih zadataka](https://habitica. fandom.com/wiki/Sample_Dailies), [Primjer Obveza](https://habitica.fandom.com/wiki/Sample_To_Do%27s) i [Primjer Nagrada](https://habitica.fandom.com/wiki/ Uzorak_prilagođenih_nagrada).",
"step2": "Korak 2: Osvojite bodove radeći stvari u stvarnom životu",
"webStep2Text": "Sada se počnite baviti svojim ciljevima s popisa! Dok izvršavate zadatke i označavate ih u Habitici, dobit ćete [Iskustvo](https://habitica.fandom.com/wiki/Experience_Points), koje vam pomaže da prijeđete na višu razinu, i [Zlato](https://habitica. fandom.com/wiki/Gold_Points), koji vam omogućuje kupnju nagrada. Ako steknete loše navike ili propustite dnevni zadatak, izgubit ćete [zdravlje](https://habitica.fandom.com/wiki/Health_Points). Na taj način Habitica Iskustvo i Zdravlje koriste kao zabavni pokazatelj vašeg napretka prema vašim ciljevima. Počet ćete vidjeti kako se vaš stvarni život poboljšava kako vaš lik napreduje u igri.",
"webStep2Text": "Sada se počnite baviti svojim ciljevima s popisa! Dok izvršavate zadatke i označavate ih u Habitici, dobit ćete [Iskustvo](https://habitica.fandom.com/wiki/Experience_Points), koje vam pomaže da prijeđete na višu razinu, i [Zlato](https://habitica. fandom.com/wiki/Gold_Points), koji vam omogućuje kupnju nagrada. Ako steknete loše navike ili propustite dnevni zadatak, izgubit ćete [zdravlje](https://habitica.fandom.com/wiki/Health_Points). Na taj način Habitica Iskustvo i Zdravlje barovi služe kao zabavni pokazatelj vašeg napretka prema vašim ciljevima. Počet ćete vidjeti kako se vaš stvarni život poboljšava kako vaš lik napreduje u igri.",
"step3": "Korak 3: Prilagodite i istražite Habiticu",
"webStep3Text": "Nakon što se upoznate s osnovama, možete izvući još više od Habitice pomoću ovih izvrsnih značajki:\n * Organizirajte svoje zadatke pomoću [oznaka](https://habitica.fandom.com/wiki/Tags) (uredite zadatak da biste ih dodali).\n * Prilagodite svojeg [Avatara](https://habitica.fandom.com/wiki/Avatar) klikom na ikonu korisnika u gornjem desnom kutu.\n * Kupite svoju [Opremu](https://habitica.fandom.com/wiki/Oprema) pod Nagradama ili u [Dućanima](<%= shopUrl %>) i promijenite je pod [Inventar > Oprema](<% = equipUrl %>).\n * Povežite se s drugim korisnicima putem [Krčme](https://habitica.fandom.com/wiki/Tavern).\n * Izlezite [Ljubimce](https://habitica.fandom.com/wiki/Pets) skupljanjem [jaja](https://habitica.fandom.com/wiki/Eggs) i [napitaka za izlijeganje](https:// habitica.fandom.com/wiki/Hatching_Potions). [Hranite](https://habitica.fandom.com/wiki/Food) ih za stvaranje [Jahaćih životinja](https://habitica.fandom.com/wiki/Mounts).\n * Na razini 10: odaberite određeni [Klasu](https://habitica.fandom.com/wiki/Class_System) i zatim koristite [vještine] specifične za razred (https://habitica.fandom.com/wiki/Skills) (razine 11 do 14).\n * Formirajte zabavu sa svojim prijateljima (klikom na [Grupu](<%= partyUrl %>) na navigacijskoj traci) kako biste ostali odgovorni i osvojili svitak pustolovine.\n * Porazite čudovišta i skupljajte predmete na [Pustolovinama](https://habitica.fandom.com/wiki/Quests) (dobit ćete pustolovinu na razini 15).",
"overviewQuestionsRevised": "Imate pitanja? Pogledajte <a href='/static/faq'>Često postavljena pitanja</a>! Ako Vaše pitanje nije spomenuto tamo, možete zatražiti daljnju pomoć koristeći ovaj obrazac: "
"webStep3Text": "Nakon što se upoznate s osnovama, možete izvući još više od Habitice pomoću ovih izvrsnih značajki:\n * Organizirajte svoje zadatke pomoću [oznaka](https://habitica.fandom.com/wiki/Tags) (uredite zadatak da biste ih dodali).\n * Prilagodite svoj [Avatar](https://habitica.fandom.com/wiki/Avatar) klikom na ikonu korisnika u gornjem desnom kutu.\n * Kupite svoju [Opremu](https://habitica.fandom.com/wiki/Oprema) pod Nagradama ili u [Dućanima](<%= shopUrl %>) i promijenite je pod [Inventar > Oprema](<% = equipUrl %>).\n * Povežite se s drugim korisnicima putem [Krčme](https://habitica.fandom.com/wiki/Tavern).\n * Izlezite [kućne ljubimce](https://habitica.fandom.com/wiki/Pets) skupljanjem [jaja](https://habitica.fandom.com/wiki/Eggs) i [napitaka za izlijeganje](https:// habitica.fandom.com/wiki/Hatching_Potions). [Feed](https://habitica.fandom.com/wiki/Food) ih za stvaranje [Mounts](https://habitica.fandom.com/wiki/Mounts).\n * Na razini 10: odaberite određeni [Klasu](https://habitica.fandom.com/wiki/Class_System) i zatim koristite [vještine] specifične za razred (https://habitica.fandom.com/wiki/Skills) (razine 11 do 14).\n * Formirajte zabavu sa svojim prijateljima (klikom na [Grupu](<%= partyUrl %>) na navigacijskoj traci) kako biste ostali odgovorni i osvojili svitak misije.\n * Porazite čudovišta i skupljajte predmete na [Pustolovinama](https://habitica.fandom.com/wiki/Quests) (dobit ćete misiju na razini 15).",
"overviewQuestionsRevised": "Imate pitanja? Pogledajte <a href='/static/faq'>Česta pitanja</a>! Ako Vaše pitanje nije spomenuto tamo, možete zatražiti daljnju pomoć koristeći ovaj obrazac: "
}

View File

@@ -13,7 +13,7 @@
"questMounts": "Pustolovne Jahaće životinje",
"magicMounts": "Jahaće životinje Čarobnih Napitaka",
"pets": "Ljubimci",
"invisibleAether": "Nevidljivi Eter",
"invisibleAether": "Nedivljivi Eter",
"veteranWolf": "Vuk Veteran",
"orca": "Orka",
"mammoth": "Vuneni Mamut",
@@ -22,7 +22,7 @@
"phoenix": "Feniks",
"veteranLion": "Lav Veteran",
"potion": "<%= potionType %> Napitak",
"noSaddlesAvailable": "Trenutno nemate nijedno Sedlo.",
"noSaddlesAvailable": "Trenutno nemaš nijedno Sedlo.",
"egg": "<%= eggType %> Jaje",
"eggs": "Jaja",
"hydra": "Hidra",
@@ -37,16 +37,16 @@
"eggSingular": "jaje",
"magicalBee": "Čarobna Pčela",
"hatchingPotions": "Napitci za Izlijeganje",
"royalPurpleJackalope": "Kraljevski Ljubičasti Džakalopa",
"royalPurpleJackalope": "Kraljevski Ljubičasti Džekalop",
"magicHatchingPotions": "Čarobni Napici za Izlijeganje",
"hatchingPotion": "napitak za izlijeganje",
"haveHatchablePet": "Imate <%= potion %> napitak za izleganje i <%= egg %> jaje za izleganje ovog ljubimca! <b>Kliknite</b> za izleganje!",
"quickInventory": "Brzi Inventar",
"noFoodAvailable": "Trenutno nemate Hrane za Ljubimce.",
"noFoodAvailable": "Trenutno nemaš Hrane za Ljubimce.",
"dropsExplanation": "Nabavite ove predmete brže s Draguljima ako ne želite čekati da Vam ispadnu prilikom dovršavanja zadatka.<a href=\"https://habitica.fandom.com/wiki/Drops\"> Saznajte više o sustavu ispuštanja predmeta.</a>",
"hatchedPetHowToUse": "Posjetite [Ljubimci i Jahaće životinje](<%= stableUrl %>) kako biste nahranili i opremili svog najnovijeg ljubimca!",
"mountNotOwned": "Nemate ovu jahaću životinju.",
"mountMasterName": "Gospodar Jahaćih Životinja",
"mountMasterName": "Gospodar Jahačih Životinja",
"triadBingoName": "Trostruki Bingo",
"triadBingoText2": " i pustili su sve svoje Ljubimce i Jahaće životinje ukupno <%= count %> puta",
"hatchedPetGeneric": "Izlegao vam se novi ljubimac!",
@@ -54,15 +54,15 @@
"petNotOwned": "Nemate ovog ljubimca.",
"beastAchievement": "Zaslužili ste postignuće \"Gospodar Zvijeri\" jer ste prikupili sve ljubimce!",
"beastMasterName": "Gospodar Zvijeri",
"mountMasterProgress": "Napredak Gospodara Jahaćih Životinja",
"mountMasterProgress": "Napredak Gospodara Jahačih Životinja",
"petName": "<%= potion(locale) %> <%= egg(locale) %>",
"mountName": "<%= potion(locale) %> <%= mount(locale) %>",
"beastMasterProgress": "Napredak Gospodara Zvijeri",
"beastMasterText": "Ova osoba pronašla je svih 90 ljubimaca (a to je jako teško, čestitajte joj)",
"mountAchievement": "Zaslužili ste postignuće \"Gospodar Jahaćih Životinja\" za pripitomljivanje svih jahaćih životinja!",
"mountAchievement": "Zaslužili ste postignuće \"Gospodar Jahačih Životinja\" za pripitomljivanje svih jahačih životinja!",
"mountMasterText2": " i oslobodili su svih svojih 90 jahačih životinja <%= count %> puta",
"mountMasterText": "Ova je osoba pripitomila svih 90 jahaćih životinja (što je još teže i zaslužuje pohvalu)",
"triadBingoText": "Ova je osoba pronašla svih 90 ljubimaca, svih 90 jahaćih životinja i svih 90 ljubimaca, OPET (KAKO IM JE TO UOPĆE USPJELO!?)",
"triadBingoText": "Ova je osoba pronašla svih 90 ljubimaca, svih 90 jahaćih životinja i svih 90 ljubimaca, po OPET (KAKO IM JE TO UOPĆE USPJELO!?)",
"triadBingoAchievement": "Zaslužili ste postignuće \"Trio Bingo\" za pronalaženje svih ljubimaca, pripitomljavanje svih jahaćih životinja i ponovno pronalaženje svih ljubimaca!",
"hatchedPet": "Izlegli ste novo <%= potion %> <%= egg%>!",
"feedPet": "Nahranite <%= text %> vašeg/šu <%= name %>?",
@@ -70,7 +70,7 @@
"mountsReleased": "Jahaće životinje puštene",
"keyToPetsDesc": "Pustite sve standardne Ljubimce kako biste ih mogli ponovno prikupljati. (Ljubimci iz Pustolovina i rijetki Ljubimci nisu pogođeni.)",
"raisedPet": "Uzgojili ste vašeg/šu <%= pet %>!",
"premiumPotionNoDropExplanation": "Čarobni napitci za izlijeganje ne mogu se koristiti na jajima dobivenim iz Pustolovina. Jedini način da nabavite Čarobne napitke za izlijeganje je kupnjom ispod, ne ispadanjem iz slučajnih nagrada.",
"premiumPotionNoDropExplanation": "Čarobni napitci za izleganje ne mogu se koristiti na jajima dobivenim iz Pustolovina. Jedini način da nabavite Čarobne napitke za izleganje je kupnjom ispod, ne ispadanjem iz slučajnih nagrada.",
"keyToBoth": "Glavni Ključevi za Uzgajivačnice",
"releasePetsConfirm": "Jeste li sigurni da želite pustiti svoje standardne ljubimce?",
"keyToMountsDesc": "Pustite sve standardne Jahaće životinje kako biste ih mogli ponovno prikupljati. (Jahaće životinje iz Pustolovina i rijetke Jahaće životinje nisu pogođene.)",
@@ -88,27 +88,27 @@
"notEnoughPets": "Niste prikupili dovoljno ljubimaca",
"sortByColor": "Boja",
"filterByMagicPotion": "Čarobni Napitak",
"sortByHatchable": "Izleživi",
"sortByHatchable": "Izleživ",
"notEnoughFood": "Nemate dovoljno hrane",
"hatch": "Izlegni!",
"filterByStandard": "Standardni",
"foodTitle": "Hrana za Ljubimce",
"petLikeToEat": "Što moj ljubimac voli jesti?",
"filterByWacky": "Šašavi",
"standard": "Standardni",
"filterByWacky": "Šašav",
"standard": "Standard",
"clickOnPetToFeed": "Kliknite na Ljubimca da ga nahranite s <%= foodName %> i gledajte kako raste!",
"clickOnEggToHatch": "Kliknite na Jaje da upotrijebite svoj <%= potionName %> napitak za izleganje i izlećete novog ljubimca!",
"invalidAmount": "Nevažeća količina hrane, mora biti pozitivan cijeli broj",
"dragThisFood": "Odvucite ovu <%= foodName %> do Ljubimca i gledajte kako raste!",
"notEnoughMounts": "Niste prikupili dovoljno životinja za jahanje",
"tooMuchFood": "Pokušavate svom ljubimcu dati previše hrane, radnja je otkazana",
"filterByQuest": "Pustolovni",
"tooMuchFood": "Pokušavate svom ljubimcu dati previše hrane, akcija je otkazana",
"filterByQuest": "Pustolovina",
"dragThisPotion": "Odvucite ovaj <%= potionName %> do Jajeta i izleći ćete novog ljubimca!",
"hatchDialogText": "Izlijte svoj <%= potionName %> napitak za izleganje na svoje <%= eggName %> jaje i iz njega će se izleći <%= petName %>.",
"notEnoughPetsMounts": "Niste prikupili dovoljno ljubimaca i životinja za jahanje",
"clickOnPotionToHatch": "Kliknite na napitak za izleganje da ga upotrijebite na svom <%= eggName %> jajetu i izlećete novog ljubimca!",
"petLikeToEatText": "Ljubimci će rasti bez obzira čime ih hranite, ali će rasti brže ako ih hranite jednom Hranom za ljubimce koju najviše vole. Eksperimentirajte kako biste otkrili obrazac ili pogledajte odgovore ovdje:<br/><a href=\"/static/faq#pet-foods\" target=\"_blank\">https://habitica.com/static/faq#pet-foods</a>",
"welcomeStableText": "Dobrodošli u uzgajivačnicu! Ja sam Matt, gospodar zvijeri. Svaki put kada dovršite zadatak, imat ćete slučajnu šansu da dobijete Jaje ili Napitak za izlijeganje kako biste izlegli Ljubimce. Kada izlegnete Ljubimca, on će se pojaviti ovdje! Kliknite na sliku Ljubimca da biste ga dodali svom Avataru. Hranite ih Hranom za ljubimce koju pronađete i narast će u izdržljive Jahaće životinje.",
"welcomeStableText": "Dobrodošli u uzgajivačnicu! Ja sam Matt, gospodar zvijeri. Svaki put kada dovršite zadatak, imat ćete slučajnu šansu da dobijete Jaje ili Napitak za izleganje kako biste izlegli Ljubimce. Kada izlegnete Ljubimca, on će se pojaviti ovdje! Kliknite na sliku Ljubimca da biste ga dodali svom Avatarskom liku. Hranite ih Hranom za ljubimce koju pronađete i narast će u izdržljive Jahaće životinje.",
"veteranCactus": "Kaktus Veteran",
"gryphatrice": "Grifonjača",
"jubilantGryphatrice": "Razdragana Grifonjača",

View File

@@ -2,95 +2,69 @@
"quests": "Pustolovine",
"quest": "pustolovina",
"petQuests": "Pustolovine za Ljubimce i Jahače životinje",
"unlockableQuests": "Pustolovine koje možete otključati",
"unlockableQuests": "Pustolovine koje možeš otključati",
"goldQuests": "Majstorski Pustolovni Nizovi",
"questDetails": "Detalji Pustolovine",
"questDetailsTitle": "Detalji Pustolovine",
"questDescription": "Pustolovine omogućuju igračima fokus na dugoročne ciljeve u igri zajedno s članovima njihove grupe.",
"questDescription": "Pustolovine omogućuju igračima fokus na dugoročne ciljeve u igri zajedno s članovima njihove družine.",
"invitations": "Pozivnice",
"completed": "Gotovo!",
"rewardsAllParticipants": "Nagrade za sve sudionike Pustolovine",
"rewardsQuestOwner": "Dodatne Nagrade za Vlasnika Pustolovine",
"inviteParty": "Pozovi Grupu na Pustolovinu",
"questInvitation": "Pozivnica za Pustolovinu: ",
"invitedToQuest": "Pozvani ste na Pustolovinu <span class=\"notification-bold-blue\"><%= quest %></span>",
"askLater": "Pitaj me Kasnije",
"invitedToQuest": "Bio/la si pozvan/a na Pustolovinu <span class=\"notification-bold-blue\"><%= quest %></span>",
"askLater": "Pitaj kasnije",
"buyQuest": "Kupi Pustolovinu",
"accepted": "Prihvaćeno",
"declined": "Odbijeno",
"rejected": "Odbijeno",
"pending": "Na čekanju",
"questCollection": "+ <%= val %> pronađeno pustolovnih predmeta",
"begin": "Započni",
"bossHP": "Bossov HP",
"bossStrength": "Snaga Bossa",
"questCollection": "+ <%= val %> pronađeno pustolovnih artikala",
"begin": "Počni",
"bossHP": "Bosov HP",
"bossStrength": "Snaga Bosa",
"rage": "Bijes",
"collect": "Skupi",
"collected": "Skupljeno",
"abort": "Otkaži",
"leaveQuest": "Napusti Pustolovinu",
"sureLeave": "Jeste li sigurni da želite napustiti Pustolovinu? Sav vaš napredak bit će izgubljen.",
"mustComplete": "Prvo morate završiti <%= quest %>.",
"mustLvlQuest": "Morate biti na razini<%= level %> da bi kupili ovu pustolovinu!",
"unlockByQuesting": "Da bi otključali ovu pustolovinu, završite <%= title %>.",
"questConfirm": "Jeste li sigurni da želite započeti ovu Pustolovinu? Nisu svi članovi Grupe prihvatili pozivnicu za Pustolovinu. Pustolovine se automatski pokreću nakon što svi članovi odgovore na pozivnicu.",
"sureCancel": "Jeste li sigurni da želite otkazati ovu Pustolovinu? Otkazivanje Pustolovine poništit će sve prihvaćene i neriješene pozivnice. Pustolovine će biti vraćena u inventar vlasnika.",
"sureAbort": "Jeste li sigurni da želite otkazati ovu Pustolovinu? Sav napredak bit će izgubljen. Pustolovina će biti vraćena u inventar vlasnika.",
"bossRageDescription": "Kad se ova traka napuni, boss će zadati poseban udarac!",
"sureLeave": "Jesi li siguran/na da želiš napustiti aktivnu pustolovinu? Sav tvoj napredak u pustolovini će biti izgubljen.",
"mustComplete": "Prvo moraš završiti <%= quest %>.",
"mustLvlQuest": "Moraš biti na levelu <%= level %> da bi kupio/la ovu pustolovinu!",
"unlockByQuesting": "Da bi otključao/la ovu pustolovinu, završi <%= title %>.",
"questConfirm": "Jesi li siguran/na? Samo <%= questmembers %> od ukupno <%= totalmembers %> članova tvoje družine se pridružilo ovoj pustolovini! Pustolovine počinju automatski kad su se svi igrači pridružili, ili pak odbili poziv.",
"sureCancel": "Jesi li siguran/na da želiš otkazati ovu pustolovinu? Svi prihvaćeni pozivi će biti izgubljeni. Vlasnik pustolovine će zadržati pustolovni svitak u svom posjedu.",
"sureAbort": "Jesi li siguran/na da želiš otkazati ovu pustolovinu? Ovo će je otkazati za sve u tvojoj družini i sav napredak će biti izgubljen. Pustolovni svitak će biti vraćen vlasniku pustolovine.",
"bossRageDescription": "Kad se ova traka napuni, bos će zadati poseban udarac!",
"startQuest": "Započni Pustolovinu",
"questInvitationDoesNotExist": "Nijedan poziv za pustolovinu još nije poslan.",
"questInviteNotFound": "Nije pronađen nijedan poziv za pustolovinu.",
"guildQuestsNotSupported": "Klanove se ne može pozvati u pustolovinu.",
"questNotOwned": "Ne posjedujete taj pustolovni svitak.",
"questNotGoldPurchasable": "Pustolovinu \"<%= key %>\" se ne može kupiti Zlatom.",
"guildQuestsNotSupported": "Cehove se ne može pozvati u pustolovinu.",
"questNotOwned": "Ne posjeduješ taj pustolovni svitak.",
"questNotGoldPurchasable": "Pustolovinu \"<%= key %>\" se ne može kupiti zlatnicima.",
"questNotGemPurchasable": "Pustolovinu \"<%= key %>\" se ne može kupiti Draguljima.",
"questAlreadyUnderway": "Vaša grupa je već na pustolovini. Pokušajte ponovno kad trenutna pustolovina završi.",
"questAlreadyAccepted": "Već ste prihvatili poziv za pustolovinu.",
"questAlreadyUnderway": "Tvoja družina je već na pustolovini. Pokušaj ponovno kad trenutna pustolovina završi.",
"questAlreadyAccepted": "Već si prihvatio/la poziv za pustolovinu.",
"questLeaderCannotLeaveQuest": "Vođa pustolovine ne može napustiti pustolovinu",
"notPartOfQuest": "Ne sudjelujete u pustolovini",
"youAreNotOnQuest": "Ne sudjelujete u nijednoj pustolovini",
"notPartOfQuest": "Ne sudjeluješ u pustolovini",
"youAreNotOnQuest": "Ne sudjeluješ u nijednoj pustolovini",
"noActiveQuestToAbort": "Nema aktivne pustolovine za prekinuti.",
"onlyLeaderAbortQuest": "Samo vođa grupe ili pustolovine može prekinuti pustolovinu.",
"questAlreadyRejected": "Već ste odbili ovaj poziv za pustolovinu.",
"cantCancelActiveQuest": "Ne možete otkazati aktivnu pustolovinu, ali možete upotrijebiti funkciju prekida.",
"questAlreadyRejected": "Već si odbio/la ovaj poziv za pustolovinu.",
"cantCancelActiveQuest": "Ne možeš otkazati aktivnu pustolovinu, ali možeš upotrijebiti funkciju prekida.",
"onlyLeaderCancelQuest": "Samo vođa grupe ili pustolovine može otkazati pustolovinu.",
"questNotPending": "Nema pustolovina koju možete započeti.",
"questOrGroupLeaderOnlyStartQuest": "Samo vođa grupe ili pustolovine može prisilno započeti pustolovinu",
"loginIncentiveQuest": "Da bi otključali ovu pustolovinu, prijavite se u Habiticu <%= count %> dana za redom!",
"questNotPending": "Nema pustolovina koju možeš započeti.",
"questOrGroupLeaderOnlyStartQuest": "Samo vođa grupe ili pustolovine može prisilno započeti pustolovinu.",
"loginIncentiveQuest": "Da bi otključao/la ovu pustolovinu, prijavi se u Habiticu <%= count %> dana za redom!",
"loginReward": "Broj prijava: <%= count %>",
"questBundles": "Sniženi Paketi Pustolovina",
"noQuestToStart": "Pokušajte provjeriti <a href=\"<%= questShop %>\">Dućan Pustolovina</a> za nova izdanja!",
"noQuestToStart": "Ne možeš pronaći pustolovinu koju bi započeo/la? Pokušaj pregledati Dućan Pustolovina na Tržnici za nove ponude!",
"pendingDamage": "<%= damage %>štete je na čekanju",
"pendingDamageLabel": "šteta na čekanju",
"bossHealth": "<%= currentHealth %> / <%= maxHealth %> Zdravlja",
"rageAttack": "Napad Bijesa:",
"bossRage": "<%= currentRage %> / <%= maxRage %> Bijes",
"bossRage": "<%= currentRage %> / <%= maxRage %> Bijesa",
"rageStrikes": "Udari Bijesa",
"hatchingPotionQuests": "Pustolovine Magičnih Napitaka za Izlijeganje",
"bossDamage": "Nanijeli ste štetu bossu!",
"questInvitationNotificationInfo": "Pozvani ste da se pridružite pustolovini",
"questItemsPending": "<%= amount %> predmeta na čekanju",
"sureLeaveInactive": "Jeste li sigurni da želite napustiti Pustolovinu? Nećete moći sudjelovati.",
"selectQuest": "Izaberite Pustolovinu",
"chatItemQuestFinish": "Svi predmeti pronađeni! Grupa je primila svoje nagrade.",
"chatQuestCancelled": "<%= username %> su otkazali grupnu pustolovinu<%= questName %>.",
"chatQuestAborted": "<%= username %> su napustili grupnu pustolovinu<%= questName %>.",
"ownerOnly": "Samo Vlasnik",
"membersParticipating": "<%= accepted %> / <%= invited %> Članova sudjeluje",
"noQuestToStartTitle": "Ne možete pronaći Potragu za početak?",
"chatBossDefeated": "Porazili ste <%= bossName %>! Članovi Grupe koji su sudjelovali u Potrazi primaju nagrade za pobjedu.",
"yourPartyIsNotOnQuest": "Vaša Grupa nije u Pustolovini",
"questAlreadyStarted": "Pustolovina je već započela.",
"newItem": "Novi Predmet",
"yourQuests": "Vaše Pustolovine",
"chatQuestStarted": "Vaša pustolovina, <%= questName %>, je započela.",
"questOwner": "Vlasnik Pustolovine",
"tavernBossTired": "<%= bossName %> pokušavaju osloboditi <%= rageName %> ali su previše umorani.",
"chatBossDamage": "<%= username %> napada <%= bossName %> i nanosi <%= userDamage %> štete. <%= bossName %> napada grupu i nanosi <%= bossDamage %> štete.",
"chatFindItems": "<%= username %> pronašli<%= items %>.",
"cancelQuest": "Otkažite Pustolovinu",
"selectQuestModal": "Odaberite Pustolovinu",
"chatBossDontAttack": "<%= username %> napada <%= bossName %> i nanosi <%= userDamage %> štete. <%= bossName %> ne napada, jer poštuje činjenicu da postoje neke greške nakon održavanja, i ne želi nikoga nepravedno ozlijediti. Uskoro će nastaviti sa svojim divljanjem!",
"questAlreadyStartedFriendly": "Pustolovina je već započela, ali uvijek možete uhvatiti sljedeću!",
"backToSelection": "Natrag na odabir Pustolovina"
"hatchingPotionQuests": "Pustolovine za čarobne Napitke za Izlijeganje"
}

View File

@@ -1,15 +1,15 @@
{
"rebirthNew": "Preporod: Nova Pustolovina dostupna!",
"rebirthUnlock": "Otključali ste Preporod! Ova posebna stavka Dućana omogućava Vam da započnete novu igru na razini 1, zadržavajući pritom svoje zadatke, postignuća, ljubimce i drugo. Upotrijebite je da udahnete novi život Habitici ako smatrate da ste postigli sve, ili da iskusite nove značajke svježim očima početnika!",
"rebirthUnlock": "Otključali ste Preporod! Ova posebna stavka Trgovine omogućuje Vam da započnete novu igru na razini 1, zadržavajući pritom svoje zadatke, postignuća, ljubimce i drugo. Upotrijebite je da udahnete novi život Habitici ako smatrate da ste postigli sve, ili da iskusite nove značajke svježim očima početnika!",
"rebirthAchievement": "Započeli ste novu pustolovinu! Ovo je Vaš Preporod <%= number %>, a najviša Razina koju ste dosegnuli je <%= level %>. Da biste nastavili skupljati ovo Postignuće, započnite svoju sljedeću novu pustolovinu kada dosegnute još višu Razinu!",
"rebirthAchievement100": "Započeli ste novu pustolovinu! Ovo je Vaš Preporod <%= number %>, a najviša Razina koju ste dosegli je 100 ili viša. Da biste nastavili skupljati ovo Postignuće, započnite svoju sljedeću novu pustolovinu kada dosegnute barem 100!",
"rebirthBegan": "Započeli Novu Pustolovinu",
"rebirthText": "Započeli <%= rebirths %> Novih Pustolovina",
"rebirthOrb": "Upotrijebili su Kuglu Ponovnog Rođenja da započnu ispočetka nakon što su dosegli Razinu <%= level %>.",
"rebirthOrb100": "Upotrijebili su Kuglu Ponovnog Rođenja da započnu ispočetka nakon što su dosegli Razinu 100 ili višu.",
"rebirthOrbNoLevel": "Upotrijebili Kuglu Ponovnog Rođenja da započnu ispočetka.",
"rebirthPop": "Odmah ponovno pokrenite svog lika kao Ratnika Razine 1, zadržavajući postignuća, kolekcionarske predmete i opremu. Vaši zadaci i njihova povijest će ostati, ali će biti vraćeni na žutu boju. Vaši nizovi će biti uklonjeni, osim s zadataka koji pripadaju aktivnim Izazovima i Grupnim planovima. Vaše Zlato, Iskustvo, Mana i učinci svih Vještina će biti uklonjeni. Sve ovo stupa na snagu odmah.",
"rebirthName": "Kugla Ponovnog Rođenja",
"rebirthOrb": "Upotrijebili su Kuglu Preporoda da započne ispočetka nakon što su dosegli Razinu <%= level %>.",
"rebirthOrb100": "Upotrijebili su Kuglu Preporoda da započne ispočetka nakon što je dosegli Razinu 100 ili višu.",
"rebirthOrbNoLevel": "Upotrijebili su Kuglu Preporoda da započnu ispočetka.",
"rebirthPop": "Odmah ponovno pokrenite svog lika kao Ratnika Razina 1, zadržavajući postignuća, kolekcionarske predmete i opremu. Vaši zadaci i njihova povijest će ostati, ali će biti vraćeni na žutu boju. Vaši nizovi će biti uklonjeni, osim s zadataka koji pripadaju aktivnim Izazovima i Grupnim planovima. Vaše Zlato, Iskustvo, Mana i učinci svih Vještina će biti uklonjeni. Sve ovo stupa na snagu odmah.",
"rebirthName": "Kugla Preporoda",
"rebirthComplete": "Preporođeni ste!",
"nextFreeRebirth": "<strong><%= days %> dana</strong> do <strong>BESPLATNE</strong> Kugle Ponovnog Rođenja"
"nextFreeRebirth": "<strong><%= dana %> dana</strong> do <strong>BESPLATNE</strong> Kugle ponovnog Rođenja"
}

Some files were not shown because too many files have changed in this diff Show More