Merge branch 'release' into develop

This commit is contained in:
Sabe Jones 2018-11-22 18:05:28 -06:00
commit 2cd66436bc
106 changed files with 7960 additions and 7640 deletions

View file

@ -2,93 +2,65 @@
const MIGRATION_NAME = '20181023_veteran_pet_ladder';
import { model as User } from '../../website/server/models/user';
function processUsers (lastId) {
const progressCount = 1000;
let count = 0;
async function updateUser (user) {
count++;
const set = {};
set.migration = MIGRATION_NAME;
if (user.items.pets['Bear-Veteran']) {
set['items.pets.Fox-Veteran'] = 5;
} else if (user.items.pets['Lion-Veteran']) {
set['items.pets.Bear-Veteran'] = 5;
} else if (user.items.pets['Tiger-Veteran']) {
set['items.pets.Lion-Veteran'] = 5;
} else if (user.items.pets['Wolf-Veteran']) {
set['items.pets.Tiger-Veteran'] = 5;
} else {
set['items.pets.Wolf-Veteran'] = 5;
}
if (count % progressCount === 0) console.warn(`${count} ${user._id}`);
return await User.update({_id: user._id}, {$set: set}).exec();
}
module.exports = async function processUsers () {
let query = {
migration: {$ne: MIGRATION_NAME},
'flags.verifiedUsername': true,
};
const fields = {
'items.pets': 1,
_id: 1,
items: 1,
migration: 1,
flags: 1,
};
if (lastId) {
query._id = {
$gt: lastId,
};
}
while (true) { // eslint-disable-line no-constant-condition
const users = await User // eslint-disable-line no-await-in-loop
.find(query)
.limit(250)
.sort({_id: 1})
.select(fields)
.lean()
.exec();
return User.find(query)
.limit(250)
.sort({_id: 1})
.select(fields)
.exec()
.then(updateUsers)
.catch((err) => {
console.log(err);
return exiting(1, `ERROR! ${err}`);
});
}
const progressCount = 1000;
let count = 0;
function updateUsers (users) {
if (!users || users.length === 0) {
console.warn('All appropriate users found and modified.');
displayData();
return;
}
let userPromises = users.map(updateUser);
let lastUser = users[users.length - 1];
return Promise.all(userPromises)
.then(() => {
return processUsers(lastUser._id);
});
}
function updateUser (user) {
count++;
user.migration = MIGRATION_NAME;
if (user.items.pets['Bear-Veteran']) {
user.items.pets['Fox-Veteran'] = 5;
} else if (user.items.pets['Lion-Veteran']) {
user.items.pets['Bear-Veteran'] = 5;
} else if (user.items.pets['Tiger-Veteran']) {
user.items.pets['Lion-Veteran'] = 5;
} else if (user.items.pets['Wolf-Veteran']) {
user.items.pets['Tiger-Veteran'] = 5;
} else {
user.items.pets['Wolf-Veteran'] = 5;
}
if (count % progressCount === 0) console.warn(`${count} ${user._id}`);
return user.save();
}
function displayData () {
console.warn(`\n${count} users processed\n`);
return exiting(0);
}
function exiting (code, msg) {
code = code || 0; // 0 = success
if (code && !msg) {
msg = 'ERROR!';
}
if (msg) {
if (code) {
console.error(msg);
if (users.length === 0) {
console.warn('All appropriate users found and modified.');
console.warn(`\n${count} users processed\n`);
break;
} else {
console.log(msg);
query._id = {
$gt: users[users.length - 1],
};
}
}
process.exit(code);
}
module.exports = processUsers;
await Promise.all(users.map(updateUser)); // eslint-disable-line no-await-in-loop
}
};

View file

@ -0,0 +1,110 @@
/* eslint-disable no-console */
const MIGRATION_NAME = '20181122_turkey_day';
import mongoose from 'mongoose';
import { model as User } from '../../website/server/models/user';
const progressCount = 1000;
let count = 0;
async function updateUser (user) {
count++;
const set = {};
let push;
set.migration = MIGRATION_NAME;
if (typeof user.items.gear.owned.armor_special_turkeyArmorBase !== 'undefined') {
set['items.gear.owned.head_special_turkeyHelmGilded'] = false;
set['items.gear.owned.armor_special_turkeyArmorGilded'] = false;
set['items.gear.owned.back_special_turkeyTailGilded'] = false;
push = [
{
type: 'marketGear',
path: 'gear.flat.head_special_turkeyHelmGilded',
_id: new mongoose.Types.ObjectId(),
},
{
type: 'marketGear',
path: 'gear.flat.armor_special_turkeyArmorGilded',
_id: new mongoose.Types.ObjectId(),
},
{
type: 'marketGear',
path: 'gear.flat.back_special_turkeyTailGilded',
_id: new mongoose.Types.ObjectId(),
},
];
} else if (user.items && user.items.mounts && user.items.mounts['Turkey-Gilded']) {
set['items.gear.owned.head_special_turkeyHelmBase'] = false;
set['items.gear.owned.armor_special_turkeyArmorBase'] = false;
set['items.gear.owned.back_special_turkeyTailBase'] = false;
push = [
{
type: 'marketGear',
path: 'gear.flat.head_special_turkeyHelmBase',
_id: new mongoose.Types.ObjectId(),
},
{
type: 'marketGear',
path: 'gear.flat.armor_special_turkeyArmorBase',
_id: new mongoose.Types.ObjectId(),
},
{
type: 'marketGear',
path: 'gear.flat.back_special_turkeyTailBase',
_id: new mongoose.Types.ObjectId(),
},
];
} else if (user.items && user.items.pets && user.items.pets['Turkey-Gilded']) {
set['items.mounts.Turkey-Gilded'] = true;
} else if (user.items && user.items.mounts && user.items.mounts['Turkey-Base']) {
set['items.pets.Turkey-Gilded'] = 5;
} else if (user.items && user.items.pets && user.items.pets['Turkey-Base']) {
set['items.mounts.Turkey-Base'] = true;
} else {
set['items.pets.Turkey-Base'] = 5;
}
if (count % progressCount === 0) console.warn(`${count} ${user._id}`);
if (push) {
return await User.update({_id: user._id}, {$set: set, $push: {pinnedItems: {$each: push}}}).exec();
} else {
return await User.update({_id: user._id}, {$set: set}).exec();
}
}
module.exports = async function processUsers () {
let query = {
migration: {$ne: MIGRATION_NAME},
'auth.timestamps.loggedin': {$gt: new Date('2018-11-07')},
};
const fields = {
_id: 1,
items: 1,
};
while (true) { // eslint-disable-line no-constant-condition
const users = await User // eslint-disable-line no-await-in-loop
.find(query)
.limit(250)
.sort({_id: 1})
.select(fields)
.lean()
.exec();
if (users.length === 0) {
console.warn('All appropriate users found and modified.');
console.warn(`\n${count} users processed\n`);
break;
} else {
query._id = {
$gt: users[users.length - 1],
};
}
await Promise.all(users.map(updateUser)); // eslint-disable-line no-await-in-loop
}
};

2
package-lock.json generated
View file

@ -1,6 +1,6 @@
{
"name": "habitica",
"version": "4.72.0",
"version": "4.73.0",
"lockfileVersion": 1,
"requires": true,
"dependencies": {

View file

@ -1,7 +1,7 @@
{
"name": "habitica",
"description": "A habit tracker app which treats your goals like a Role Playing Game.",
"version": "4.72.0",
"version": "4.73.0",
"main": "./website/server/index.js",
"dependencies": {
"@slack/client": "^3.8.1",

View file

@ -1,6 +1,6 @@
.achievement-costumeContest6x {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: -295px -871px;
background-position: -1136px -169px;
width: 144px;
height: 156px;
}
@ -18,13 +18,13 @@
}
.promo_armoire_backgrounds_201811 {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: -481px -420px;
background-position: -481px -568px;
width: 423px;
height: 147px;
}
.promo_frost_potions {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: 0px -723px;
background-position: -421px -723px;
width: 417px;
height: 147px;
}
@ -36,25 +36,31 @@
}
.promo_mystery_201810 {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: 0px -871px;
background-position: -1136px 0px;
width: 294px;
height: 168px;
}
.promo_oddballs_bundle {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: -481px -568px;
background-position: -481px -420px;
width: 423px;
height: 147px;
}
.promo_take_this {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: -994px -442px;
background-position: -1281px -169px;
width: 96px;
height: 69px;
}
.promo_turkey_day_2018 {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: 0px -723px;
width: 420px;
height: 147px;
}
.promo_veteran_pets {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: -418px -723px;
background-position: 0px -871px;
width: 363px;
height: 141px;
}
@ -72,7 +78,7 @@
}
.scene_veteran_pets {
background-image: url('~assets/images/sprites/spritesmith-largeSprites-0.png');
background-position: -782px -723px;
background-position: -1136px -326px;
width: 242px;
height: 62px;
}

File diff suppressed because it is too large Load diff

View file

@ -1,9 +1,15 @@
.quest_TEMPLATE_FOR_MISSING_IMAGE {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -502px -1519px;
background-position: -502px -1546px;
width: 221px;
height: 39px;
}
.quest_dilatory {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1320px -660px;
width: 219px;
height: 219px;
}
.quest_dilatoryDistress1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1540px -1085px;
@ -12,19 +18,25 @@
}
.quest_dilatoryDistress2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1757px -721px;
background-position: -1757px -570px;
width: 150px;
height: 150px;
}
.quest_dilatoryDistress3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1100px -660px;
background-position: -220px -232px;
width: 219px;
height: 219px;
}
.quest_dilatory_derby {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -672px;
width: 219px;
height: 219px;
}
.quest_dustbunnies {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -440px 0px;
background-position: -440px -232px;
width: 219px;
height: 219px;
}
@ -42,43 +54,43 @@
}
.quest_evilsanta2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -440px -232px;
background-position: 0px -452px;
width: 219px;
height: 219px;
}
.quest_falcon {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px 0px;
background-position: -220px -452px;
width: 219px;
height: 219px;
}
.quest_ferret {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px -220px;
background-position: -440px -452px;
width: 219px;
height: 219px;
}
.quest_frog {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -880px -1112px;
background-position: -1100px -1112px;
width: 221px;
height: 213px;
}
.quest_ghost_stag {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px -452px;
background-position: -880px 0px;
width: 219px;
height: 219px;
}
.quest_goldenknight1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -440px -452px;
background-position: -880px -220px;
width: 219px;
height: 219px;
}
.quest_goldenknight2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -251px -1519px;
background-position: 0px -1546px;
width: 250px;
height: 150px;
}
@ -90,151 +102,151 @@
}
.quest_gryphon {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1094px -1332px;
background-position: -1314px -1332px;
width: 216px;
height: 177px;
}
.quest_guineapig {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -880px -440px;
background-position: -440px -672px;
width: 219px;
height: 219px;
}
.quest_harpy {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -672px;
background-position: -660px -672px;
width: 219px;
height: 219px;
}
.quest_hedgehog {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -1332px;
background-position: -220px -1332px;
width: 219px;
height: 186px;
}
.quest_hippo {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -440px -672px;
background-position: -1100px 0px;
width: 219px;
height: 219px;
}
.quest_horse {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px -672px;
background-position: -1100px -220px;
width: 219px;
height: 219px;
}
.quest_kangaroo {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -880px -672px;
background-position: -1100px -440px;
width: 219px;
height: 219px;
}
.quest_kraken {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1311px -1332px;
background-position: -663px -1332px;
width: 216px;
height: 177px;
}
.quest_lostMasterclasser1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1100px -220px;
background-position: 0px -892px;
width: 219px;
height: 219px;
}
.quest_lostMasterclasser2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1100px -440px;
background-position: -220px -892px;
width: 219px;
height: 219px;
}
.quest_lostMasterclasser3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px 0px;
background-position: -440px -892px;
width: 219px;
height: 219px;
}
.quest_mayhemMistiflying1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1757px -1023px;
background-position: -1757px -872px;
width: 150px;
height: 150px;
}
.quest_mayhemMistiflying2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px -892px;
background-position: -880px -892px;
width: 219px;
height: 219px;
}
.quest_mayhemMistiflying3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -440px -892px;
background-position: -1100px -892px;
width: 219px;
height: 219px;
}
.quest_monkey {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px -892px;
background-position: -1320px 0px;
width: 219px;
height: 219px;
}
.quest_moon1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1540px -651px;
background-position: -1540px -217px;
width: 216px;
height: 216px;
}
.quest_moon2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1100px -892px;
background-position: -1320px -440px;
width: 219px;
height: 219px;
}
.quest_moon3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1320px 0px;
background-position: -220px 0px;
width: 219px;
height: 219px;
}
.quest_moonstone1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1320px -220px;
background-position: -1320px -880px;
width: 219px;
height: 219px;
}
.quest_moonstone2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -880px 0px;
background-position: 0px -1112px;
width: 219px;
height: 219px;
}
.quest_moonstone3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1320px -660px;
background-position: -220px -1112px;
width: 219px;
height: 219px;
}
.quest_nudibranch {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1540px -217px;
background-position: -1540px 0px;
width: 216px;
height: 216px;
}
.quest_octopus {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px -1332px;
background-position: -440px -1332px;
width: 222px;
height: 177px;
}
.quest_owl {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px -1112px;
background-position: -660px -1112px;
width: 219px;
height: 219px;
}
.quest_peacock {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1540px 0px;
background-position: -1540px -868px;
width: 216px;
height: 216px;
}
@ -246,13 +258,13 @@
}
.quest_pterodactyl {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -1112px;
background-position: -440px -1112px;
width: 219px;
height: 219px;
}
.quest_rat {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1320px -880px;
background-position: -1320px -220px;
width: 219px;
height: 219px;
}
@ -264,103 +276,103 @@
}
.quest_rooster {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1528px -1332px;
background-position: -1531px -1332px;
width: 213px;
height: 174px;
}
.quest_sabretooth {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px -672px;
background-position: -660px -892px;
width: 219px;
height: 219px;
}
.quest_seaserpent {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -452px;
background-position: -1100px -660px;
width: 219px;
height: 219px;
}
.quest_sheep {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px -1112px;
background-position: -880px -672px;
width: 219px;
height: 219px;
}
.quest_slime {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -880px -892px;
background-position: -220px -672px;
width: 219px;
height: 219px;
}
.quest_sloth {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -440px -1112px;
background-position: -880px -440px;
width: 219px;
height: 219px;
}
.quest_snail {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1102px -1112px;
background-position: 0px -1332px;
width: 219px;
height: 213px;
}
.quest_snake {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -443px -1332px;
background-position: -1322px -1112px;
width: 216px;
height: 177px;
}
.quest_spider {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -1519px;
background-position: -251px -1546px;
width: 250px;
height: 150px;
}
.quest_squirrel {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1320px -440px;
background-position: -660px -452px;
width: 219px;
height: 219px;
}
.quest_stoikalmCalamity1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1757px -570px;
background-position: -1757px -721px;
width: 150px;
height: 150px;
}
.quest_stoikalmCalamity2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -892px;
background-position: -660px -220px;
width: 219px;
height: 219px;
}
.quest_stoikalmCalamity3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1100px 0px;
background-position: -660px 0px;
width: 219px;
height: 219px;
}
.quest_taskwoodsTerror1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1757px -872px;
background-position: -1757px -1023px;
width: 150px;
height: 150px;
}
.quest_taskwoodsTerror2 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1540px -868px;
background-position: -1540px -651px;
width: 216px;
height: 216px;
}
.quest_taskwoodsTerror3 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -880px -220px;
background-position: 0px -232px;
width: 219px;
height: 219px;
}
.quest_treeling {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -877px -1332px;
background-position: -1097px -1332px;
width: 216px;
height: 177px;
}
@ -372,31 +384,19 @@
}
.quest_trex_undead {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px -1332px;
background-position: -880px -1332px;
width: 216px;
height: 177px;
}
.quest_triceratops {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -660px -452px;
background-position: -440px 0px;
width: 219px;
height: 219px;
}
.quest_turtle {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -220px -232px;
background-position: -880px -1112px;
width: 219px;
height: 219px;
}
.quest_unicorn {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: 0px -232px;
width: 219px;
height: 219px;
}
.quest_vice1 {
background-image: url('~assets/images/sprites/spritesmith-main-11.png');
background-position: -1322px -1112px;
width: 216px;
height: 177px;
}

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

File diff suppressed because it is too large Load diff

Binary file not shown.

After

Width:  |  Height:  |  Size: 10 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 5.9 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 184 KiB

After

Width:  |  Height:  |  Size: 196 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 172 KiB

After

Width:  |  Height:  |  Size: 166 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 416 KiB

After

Width:  |  Height:  |  Size: 418 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 202 KiB

After

Width:  |  Height:  |  Size: 199 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 157 KiB

After

Width:  |  Height:  |  Size: 158 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 139 KiB

After

Width:  |  Height:  |  Size: 139 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 133 KiB

After

Width:  |  Height:  |  Size: 133 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 167 KiB

After

Width:  |  Height:  |  Size: 168 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 145 KiB

After

Width:  |  Height:  |  Size: 143 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 144 KiB

After

Width:  |  Height:  |  Size: 143 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 152 KiB

After

Width:  |  Height:  |  Size: 154 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 161 KiB

After

Width:  |  Height:  |  Size: 159 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 176 KiB

After

Width:  |  Height:  |  Size: 176 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 163 KiB

After

Width:  |  Height:  |  Size: 164 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 59 KiB

After

Width:  |  Height:  |  Size: 64 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 126 KiB

After

Width:  |  Height:  |  Size: 125 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 134 KiB

After

Width:  |  Height:  |  Size: 131 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 130 KiB

After

Width:  |  Height:  |  Size: 135 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 115 KiB

After

Width:  |  Height:  |  Size: 115 KiB

View file

@ -2,8 +2,8 @@
// possible values are: normal, fall, habitoween, thanksgiving, winter, nye, birthday, valentines, spring, summer
// more to be added on future seasons
$npc_market_flavor: 'normal';
$npc_quests_flavor: 'normal';
$npc_seasonal_flavor: 'normal';
$npc_market_flavor: 'thanksgiving';
$npc_quests_flavor: 'thanksgiving';
$npc_seasonal_flavor: 'thanksgiving';
$npc_timetravelers_flavor: 'normal';
$npc_tavern_flavor: 'normal';
$npc_tavern_flavor: 'thanksgiving';

View file

@ -206,7 +206,7 @@
"hatchingPotionRainbow": "Дъга",
"hatchingPotionGlass": "Стъкло",
"hatchingPotionGlow": "Светещо в тъмното",
"hatchingPotionFrost": "Frost",
"hatchingPotionFrost": "Скреж",
"hatchingPotionNotes": "Излейте това върху яйце и от него ще се излюпи любимец с(ъс) <%= potText(locale) %>.",
"premiumPotionAddlNotes": "Не може да се използва върху яйца за любимци от мисии.",
"foodMeat": "Месо",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Частите на тази здрава броня са свързани с изящни копринени нишки. Увеличава усета с <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Пуешка броня",
"armorSpecialTurkeyArmorBaseNotes": "С тази пухена броня ще Ви бъде много топло и удобно! Не променя показателите.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Мантия на укротител на йетита",
"armorSpecialYetiNotes": "Пухкава и жестока. Увеличава якостта с <%= con %>. Ограничена серия: Зимна екипировка 2013-2014 г.",
"armorSpecialSkiText": "Анорак на ски-убиец",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Честит имен ден! Носете този яростен пернат шлем, когато празнувате името на Хабитика. Не променя показателите.",
"headSpecialTurkeyHelmBaseText": "Пуешки шлем",
"headSpecialTurkeyHelmBaseNotes": "Облеклото Ви за деня на пуйката ще бъде завършено с този шлем с клюн! Не променя показателите.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Абсурдна купонджийска шапка",
"headSpecialNyeNotes": "Получихте абсурдна купонджийска шапка! Носете я с гордост, когато посрещате Нова година! Не променя показателите.",
"headSpecialYetiText": "Шлем на укротител на йетита",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Тази мантия някога е принадлежала на самата Изгубената класова повелителка. Увеличава усета с <%= per %>.",
"backSpecialTurkeyTailBaseText": "Пуешка опашка",
"backSpecialTurkeyTailBaseNotes": "Носете гордо пуешката си опашка, докато празнувате! Не променя показателите.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Опашка на мечка",
"backBearTailNotes": "С тази опашка приличате на смела мечка! Не променя показателите.",
"backCactusTailText": "Опашка на кактус",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Oděv krotitele Yetti",
"armorSpecialYetiNotes": "Načechraná a divoká. Zvyšuje Obranu o <%= con %>. Limitovaná edice zimní výbavy 2013-2014!",
"armorSpecialSkiText": "Lyžovražedná větrovka",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurdní Párty Klobouk",
"headSpecialNyeNotes": "Získal jsi Absurdní párty klobouk! Nos ho s hrdostí, když odbíjí Nový rok! Nepřináší žádný benefit.",
"headSpecialYetiText": "Helma krotitele Yetti",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yetitæmmerdragt",
"armorSpecialYetiNotes": "Pelset og Kradsbørstig. Øger Konstitution med <%= con %>. Specielt 2013-2014 Vinterudstyr.",
"armorSpecialSkiText": "Ski-morders Jakke",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurd Festhat",
"headSpecialNyeNotes": "Du har fået en Absurd Festhat! Bær den med stolthed mens du ringer det nye år ind! Giver ingen bonusser.",
"headSpecialYetiText": "Yetitæmmer-hjelm",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -99,7 +99,7 @@
"noChallengeTitle": "Du hast keine Wettbewerbe",
"challengeDescription1": "Wettbewerbe sind Gemeinschaftsereignisse, an denen Spieler teilnehmen und Preise gewinnen können, indem sie die dazugehörigen Aufgaben erledigen.",
"challengeDescription2": "Erhalte Empfehlungen für Wettbewerbe, basierend auf Deinen Interessen, durchstöbere Habitica's öffentliche Wettbewerbe oder erstelle Deine eigenen Wettbewerbe.",
"noChallengeMatchFilters": "Wir haben keine passende Wettbewerbe gefunden.",
"noChallengeMatchFilters": "Wir haben keine passenden Wettbewerbe gefunden.",
"createdBy": "Erstellt von",
"joinChallenge": "Wettbewerb beitreten",
"leaveChallenge": "Wettbewerb verlassen",

View file

@ -145,7 +145,7 @@
"questEggTriceratopsAdjective": "ein trickreiches",
"questEggGuineaPigText": "Meerschweinchen",
"questEggGuineaPigMountText": "Riesenmeerschweinchen",
"questEggGuineaPigAdjective": "ein schwindeliges",
"questEggGuineaPigAdjective": "ein ausgelassenes",
"questEggPeacockText": "Pfauenküken",
"questEggPeacockMountText": "Pfauen-Reittier",
"questEggPeacockAdjective": "ein radschlagendes",
@ -154,7 +154,7 @@
"questEggButterflyAdjective": "ein süßes",
"questEggNudibranchText": "Nacktkiemerschnecken-Jungtier",
"questEggNudibranchMountText": "Nacktkiemerschnecken-Reittier",
"questEggNudibranchAdjective": "ein neunmalkluges",
"questEggNudibranchAdjective": "ein raffiniertes",
"questEggHippoText": "Nilpferd",
"questEggHippoMountText": "Nilpferd",
"questEggHippoAdjective": "ein glückliches",
@ -167,17 +167,17 @@
"questEggBadgerText": "Dachs-Jungtier",
"questEggBadgerMountText": "Dachs-Reittier",
"questEggBadgerAdjective": "ein geschäftiges",
"questEggSquirrelText": "Eichörnchen",
"questEggSquirrelMountText": "Eichörnchen",
"questEggSquirrelText": "Eichhörnchen-Jungtier",
"questEggSquirrelMountText": "Eichörnchen-Jungtier",
"questEggSquirrelAdjective": "ein buschschwanziges",
"questEggSeaSerpentText": "Seeschlangen-Jungtier",
"questEggSeaSerpentMountText": "Seeschlangen-Reittier",
"questEggSeaSerpentAdjective": "ein schimmerndes",
"questEggKangarooText": "Känguru",
"questEggKangarooMountText": "Känguru",
"questEggKangarooText": "Känguru-Jungtier",
"questEggKangarooMountText": "Känguru-Reittier",
"questEggKangarooAdjective": "ein eifriges",
"questEggAlligatorText": "Alligator",
"questEggAlligatorMountText": "Alligator",
"questEggAlligatorText": "Alligator-Jungtier",
"questEggAlligatorMountText": "Alligator-Reittier",
"questEggAlligatorAdjective": "gerissener",
"eggNotes": "Finde ein Schlüpfelixier, das Du über dieses Ei gießen kannst, damit ein <%= eggAdjective(locale) %> <%= eggText(locale) %> schlüpfen kann.",
"hatchingPotionBase": "Normales",
@ -205,7 +205,7 @@
"hatchingPotionStarryNight": "Sternenklare Nacht",
"hatchingPotionRainbow": "Regenbogen",
"hatchingPotionGlass": "Glas",
"hatchingPotionGlow": "fluoreszierendes",
"hatchingPotionGlow": "Fluoreszierendes",
"hatchingPotionFrost": "Frost",
"hatchingPotionNotes": "Gieße dies über ein Ei und es wird ein <%= potText(locale) %> Haustier daraus schlüpfen.",
"premiumPotionAddlNotes": "Nicht auf Eier von Quest-Haustieren anwendbar.",

View file

@ -145,11 +145,11 @@
"pkQuestion2": "Warum funktioniert Habitica?",
"pkAnswer2": "Eine neue Gewohnheit herauszubilden ist schwer, weil wir alle ein starkes Bedürfnis nach offensichtlicher, sofortiger Belohnung haben. Zum Beispiel ist es schwierig anzufangen, Zahnseide zu benutzen - denn obwohl unsere Zahnärztin uns sagt, dass es auf lange Sicht gesünder ist, tut es im augenblicklichen Moment ja nur unserem Zahnfleisch weh. <br /> Habiticas Gamification fügt den alltäglichen Zielen ein Gefühl von sofortiger Belohnung hinzu, indem sie eine schwere Aufgabe mit Erfahrung, Gold... und vielleicht sogar einem zufälligen Preis, wie einem Drachenei, belohnt. Das hilft dabei, motiviert zu bleiben, auch wenn die Aufgabe selbst keine intrinsische Belohnung hat, und wir haben schon dabei zugesehen, wie Leute ihrem Leben dadurch eine neue Richtung gegeben haben. Hier kannst du einige Erfolgsgeschichten finden: https://habitversary.tumblr.com",
"pkQuestion3": "Weshalb wurden soziale Funktionen hinzugefügt?",
"pkAnswer3": "Social pressure is a huge motivating factor for a lot of people, so we knew that we wanted to have a strong community that would hold each other accountable for their goals and cheer for their successes. Luckily, one of the things that multiplayer video games do best is foster a sense of community among their users! Habiticas community structure borrows from these types of games; you can form a small Party of close friends, but you can also join a larger, shared-interest groups known as a Guild. Although some users choose to play solo, most decide to form a support network that encourages social accountability through features such as Quests, where Party members pool their productivity to battle monsters together.",
"pkAnswer3": "Sozialer Druck ist für viele Menschen ein enormer Motivationsfaktor, deshalb wussten wir, dass wir eine starke Gemeinschaft haben sollten, die sich gegenseitig für ihre Ziele verantwortlich macht und für ihre Erfolge anfeuert. Glücklicherweise ist eines der Dinge, die Multiplayer-Videospiele am besten können, die Förderung eines Gemeinschaftsgefühls unter ihren Nutzern! Die Community-Struktur von Habitica lehnt sich an diese Art von Spielen an; Du kannst eine kleine Gruppe von engen Freunden bilden, aber Du kannst auch einer größeren Gruppe von gemeinsamen Interessen beitreten, die als Gilde bekannt ist. Obwohl einige Benutzer sich dafür entscheiden, alleine zu spielen, beschließen die meisten, ein Unterstützungsnetzwerk zu bilden, das die soziale Verantwortung durch Funktionen wie Quests fördert, in denen Parteimitglieder ihre Produktivität bündeln, um gemeinsam Monster zu bekämpfen.",
"pkQuestion4": "Warum schadet das Überspringen von Aufgaben der Gesundheit Deines Avatars?",
"pkAnswer4": "Wenn Du eines Deiner täglichen Ziele überspringst, verliert Dein Avatar am nächsten Tag an Gesundheit. Dies dient als wichtiger Motivationsfaktor, um Menschen zu ermutigen, ihre Ziele zu verwirklichen, denn die Menschen mögen es wirklich nicht, ihren kleinen Avatar zu verletzen! Außerdem ist die soziale Verantwortung für viele Menschen entscheidend: Wenn Du ein Monster mit Deinen Freunden bekämpfst, verletzt das Überspringen Deiner Aufgaben auch deren Avatare.",
"pkQuestion5": "Was unterscheidet Habitica von anderen Gamification-Programmen?",
"pkAnswer5": "One of the ways that Habitica has been most successful at using gamification is that we've put a lot of effort into thinking about the game aspects to ensure that they are actually fun. We've also included many social components, because we feel that some of the most motivating games let you play with friends, and because research has shown that it's easier to form habits when you have accountability to other people.",
"pkAnswer5": "Ein Weg, wie Habitica am erfolgreichsten mit der Gamifikation umgegangen ist, ist, dass wir viel Mühe darauf verwendet haben, über die Spielaspekte nachzudenken, um sicherzustellen, dass sie tatsächlich Spaß machen. Wir haben auch viele soziale Komponenten aufgenommen, weil wir der Meinung sind, dass einige der motivierendsten Spiele es ermöglichen, mit Freunden zu spielen, und weil Untersuchungen gezeigt haben, dass es einfacher ist, Gewohnheiten zu bilden, wenn man gegenüber anderen Menschen Rechenschaft ablegt.",
"pkQuestion6": "Wer ist der typische Habitica-User?",
"pkAnswer6": "Viele verschiedene Leute benutzen Habitica! Mehr als die Hälfte unserer Nutzer sind zwischen 18 und 34 Jahre alt, aber wir haben Großeltern, die die Seite mit ihren jungen Enkeln und jedem Alter dazwischen nutzen. Oftmals schließen sich Familien einer Party an und kämpfen gemeinsam gegen Monster.<br />Viele unserer Benutzer haben einen Hintergrund in Spielen, aber überraschenderweise, als wir vor einiger Zeit eine Umfrage durchführten, identifizierten 40% unserer Benutzer als Nicht-Gamer! So sieht es so aus, als ob unsere Methode für jeden effektiv sein kann, der an Produktivität und Wellness mehr Spaß haben möchte.",
"pkQuestion7": "Warum benutzt Habitica pixel art?",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Diese robuste, maßgeschneiderte Rüstung wird von eleganten Seidenstricken zusammengehalten. Erhöht Wahrnehmung um <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Truthahnrüstung",
"armorSpecialTurkeyArmorBaseNotes": "Halte Deine Schenkel in dieser gefederten Rüstung warm und kuschelig! Gewährt keinen Attributbonus.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Robe des Yeti-Zähmers",
"armorSpecialYetiNotes": "Flauschig und wild. Erhöht Ausdauer um <%= con %>. Limitierte Ausgabe 2013-2014 Winterausrüstung.",
"armorSpecialSkiText": "Parka des Sk(i)-attentäters",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Alles Liebe zum Namenstag! Trage diesen unerschütterlichen und fedrigen Helm, während Du Habitica feierst. Gewährt keinen Attributbonus.",
"headSpecialTurkeyHelmBaseText": "Truthahnhelm",
"headSpecialTurkeyHelmBaseNotes": "Dein Truthahn-Tag-Aussehen wird vervollständigt, wenn Du diesen schnabelförmigen Helm anziehst! Gewährt keinen Attributbonus.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Ulkiger Partyhut",
"headSpecialNyeNotes": "Du hast einen ulkigen Partyhut erhalten! Trage ihn mit Stolz bei Deinem Rutsch ins neue Jahr! Gewährt keinen Attributbonus.",
"headSpecialYetiText": "Helm des Yeti-Zähmers",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Dieser Umhang gehörte einst der Verschwundenen Klassenmeisterin höchstselbst. Erhöht Wahrnehmung um <%= per %>.",
"backSpecialTurkeyTailBaseText": "Truthahnschwanz",
"backSpecialTurkeyTailBaseNotes": "Trage Deinen edlen Truthahn-Schwanz mit Stolz, während Du feierst! Gewährt keinen Attributbonus.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bärenschwanz",
"backBearTailNotes": "Dieser Schwanz verleiht Dir das Aussehen eines tapferen Bären! Gewährt keinen Attributbonus.",
"backCactusTailText": "Kaktusschwanz",

View file

@ -6,7 +6,7 @@
"innText": "Du erholst Dich im Gasthaus! Während Du dort verweilst, werden Dir Deine täglichen Aufgaben keinen Schaden zufügen, aber trotzdem täglich aktualisiert. Vorsicht: Wenn Du an einem Bosskampf teilnimmst, erhältst Du weiterhin Schaden für die verpassten Aufgaben Deiner Gruppenmitglieder, sofern sich diese nicht auch im Gasthaus befinden! Außerdem wird der Schaden, den Du dem Boss zufügst, (und gefundene Gegenstände) erst angewendet, wenn Du das Gasthaus verlässt.",
"innTextBroken": "Du erholst Dich im Gasthaus, schätze ich ... Während Du dort verweilst, werden Dir Deine täglichen Aufgaben keinen Schaden zufügen, aber trotzdem täglich aktualisiert ... Wenn Du an einem Bosskampf teilnimmst, erhältst Du weiterhin Schaden für die verpassten Aufgaben Deiner Gruppenmitglieder ... sofern sich diese nicht auch im Gasthaus befinden ... Außerdem wird Dein Schaden am Boss (oder gesammelte Gegenstände) nicht berücksichtigt, bis Du das Gasthaus verlässt ... So müde ...",
"innCheckOutBanner": "Du hast derzeit in das Gasthaus eingecheckt. Deine Tagesaufgaben können dir nicht schaden und du erzielst keinen Fortschritt bei deinen Quests.",
"innCheckOutBannerShort": "You are checked into the Inn.",
"innCheckOutBannerShort": "Du bist im Gasthaus eingecheckt.",
"resumeDamage": "Schaden fortsetzen",
"helpfulLinks": "Weiterführende Links",
"communityGuidelinesLink": "Community-Richtlinien",
@ -127,19 +127,19 @@
"send": "Abschicken",
"messageSentAlert": "Nachricht abgeschickt",
"pmHeading": "Private Nachricht an <%= name %>",
"pmsMarkedRead": "Your Private Messages have been marked as read",
"pmsMarkedRead": "Deine privaten Nachrichten wurden als gelesen markiert",
"possessiveParty": "<%= name %>s Gruppe",
"clearAll": "Lösche alle Nachrichten",
"confirmDeleteAllMessages": "Bist Du sicher, dass Du alle Nachrichten im Posteingang löschen möchtest? Andere Benutzer können immer noch die Nachrichten sehen, die Du ihnen geschickt hast.",
"PMPlaceholderTitle": "Es gibt noch nichts hier",
"PMPlaceholderDescription": "Wähle links ein Gespräch aus",
"PMPlaceholderTitleRevoked": "Dir wurden Deine Chat Privilegien entzogen.",
"PMPlaceholderDescriptionRevoked": "You are not able to send private messages because your chat privileges have been revoked. If you have questions or concerns about this, please email <a href=\"mailto:admin@habitica.com\">admin@habitica.com</a> to discuss it with the staff.",
"PMReceive": "Receive Private Messages",
"PMPlaceholderDescriptionRevoked": "Du kannst keine privaten Nachrichten versenden, weil deine Chat-Berechtigung entzogen wurde. Bitte kontaktiere <a href=\"mailto:admin@habitica.com\">admin@habitica.com</a>, falls Du Deine Fragen oder Anliegen dazu ansprechen möchtest.",
"PMReceive": "Private Nachrichten erhalten",
"PMEnabledOptPopoverText": "Private Nachrichten sind aktiviert. Benutzer können dich via deinem Profil kontaktieren.",
"PMDisabledOptPopoverText": "Private Messages are disabled. Enable this option to allow users to contact you via your profile.",
"PMDisabledOptPopoverText": "Private Nachrichten sind deaktiviert. Aktiviere diese Option, damit andere User Dich über Dein Profil erreichen können.",
"PMDisabledCaptionTitle": "Private Nachrichten sind deaktiviert",
"PMDisabledCaptionText": "You can still send messages, but no one can send them to you.",
"PMDisabledCaptionText": "Du kannst weiterhin Nachrichten versenden, aber Dir können keine zugeschickt werden.",
"block": "Sperren",
"unblock": "Entsperren",
"blockWarning": "Block - This will have no effect if the player is a moderator now or becomes a moderator in future.",
@ -183,7 +183,7 @@
"inviteExistUser": "Bestehende Benutzer einladen",
"byColon": "Von:",
"inviteNewUsers": "Neue Nutzer einladen",
"sendInvitations": "Send Invites",
"sendInvitations": "Einladungen verschicken",
"invitationsSent": "Einladungen verschickt!",
"invitationSent": "Einladung verschickt!",
"invitedFriend": "Hat einen Freund eingeladen",
@ -238,7 +238,7 @@
"userAlreadyPendingInvitation": "Nutzer-ID: <%= userId %>, Nutzer \"<%= username %>\" hat bereits eine ausstehende Einladung.",
"userAlreadyInAParty": "Nutzer-ID: <%= userId %>, Nutzer \"<%= username %>\" ist bereits in einer Gruppe.",
"userWithIDNotFound": "Benutzer mit ID \"<%= userId %>\" nicht gefunden",
"userWithUsernameNotFound": "User with username \"<%= username %>\" not found.",
"userWithUsernameNotFound": "Benutzer mit dem Namen <%= username %>nicht gefunden.",
"userHasNoLocalRegistration": "Benutzer ist lokal nicht registriert (Benutzername, E-Mail, Passwort).",
"uuidsMustBeAnArray": "Benutzer-ID-Einladungen müssen ein Array sein.",
"emailsMustBeAnArray": "E-Mail-Adress-Einladungen müssen ein Array sein.",
@ -259,7 +259,7 @@
"confirmApproval": "Bist Du sicher, dass Du diese Aufgabe bestätigen möchtest?",
"confirmNeedsWork": "Bist Du sicher, dass Du diese Aufgabe auf \"Benötigt Arbeit\" setzen möchtest?",
"userRequestsApproval": "<%= userName %> beantragt eine Bestätigung",
"userCountRequestsApproval": "<%= userCount %> members request approval",
"userCountRequestsApproval": "<%= userCount %> Mitglieder beantragen eine Bestätigung",
"youAreRequestingApproval": "Du beantragst eine Bestätigung",
"chatPrivilegesRevoked": "Du kannst dies nicht tun, da Dir Deine Chat-Privilegien entzogen wurden.",
"cannotCreatePublicGuildWhenMuted": "Du kannst keine öffentliche Gilde erstellen, da Dir Deine Chat-Privilegien entzogen wurden.",
@ -363,7 +363,7 @@
"liked": "Liked",
"joinGuild": "Der Gilde Beitreten",
"inviteToGuild": "In Gilde Einladen",
"inviteToParty": "Invite to Party",
"inviteToParty": "In die Gruppe einladen",
"inviteEmailUsername": "Invite via Email or Username",
"inviteEmailUsernameInfo": "Invite users via a valid email or username. If an email isn't registered yet, we'll invite them to join.",
"emailOrUsernameInvite": "Email address or username",
@ -398,13 +398,13 @@
"noGuildsTitle": "Du bist nicht Mitglied einer Gilde.",
"noGuildsParagraph1": "Gilden sind von anderen Spielern erstellte soziale Gruppen, die Dir Unterstützung, Verantwortlichkeit und aufmunternde Unterhaltung bieten können.",
"noGuildsParagraph2": "Klicke auf den \"Gilden entdecken\"-Reiter, um basierend auf Deinen Interessen empfohlene Gilden zu sehen, stöbere durch Habitica's öffentliche Gilden, oder erstelle Deine eigene Gilde.",
"noGuildsMatchFilters": "We couldn't find any matching Guilds.",
"noGuildsMatchFilters": "Wir haben keine passenden Gilden gefunden.",
"privateDescription": "Private Gilden werden nicht in Habiticas Gildenübersicht angezeigt. Neue Mitglieder können nur durch eine Einladung hinzugefügt werden.",
"removeInvite": "Einladung entfernen",
"removeMember": "Mitglied Entfernen",
"sendMessage": "Nachricht Senden",
"promoteToLeader": "Transfer Ownership",
"inviteFriendsParty": "Inviting friends to your Party will grant you an exclusive <br/> Quest Scroll to battle the Basi-List together!",
"promoteToLeader": "Gruppenleitung übertragen",
"inviteFriendsParty": "Wenn Du Freunde in Deine Gruppe einlädst, erhältst Du eine exklusive <br/>Questschriftrolle, mit der Ihr gemeinsam den Basi-List bekämpfen könnt!",
"upgradeParty": "Upgrade die Gruppe",
"createParty": "Erstelle eine Gruppe",
"inviteMembersNow": "Möchtest Du jetzt Mitglieder einladen?",
@ -461,7 +461,7 @@
"exampleGroupDesc": "For those selected to join the training academy for The Avengers Superhero Initiative",
"thisGroupInviteOnly": "This group is invitation only.",
"gettingStarted": "Getting Started",
"congratsOnGroupPlan": "Congratulations on creating your new Group! Here are a few answers to some of the more commonly asked questions.",
"congratsOnGroupPlan": "Herzlichen Glückwunsch, Du hast eine neue Gruppe gegründet! Hier findest Du einige Antworten auf häufig gestellte Fragen.",
"whatsIncludedGroup": "What's included in the subscription",
"whatsIncludedGroupDesc": "All members of the Group receive full subscription benefits, including the monthly subscriber items, the ability to buy Gems with Gold, and the Royal Purple Jackalope mount, which is exclusive to users with a Group Plan membership.",
"howDoesBillingWork": "How does billing work?",

View file

@ -80,7 +80,7 @@
"questMoonstone1Text": "Recidivate, Teil 1: Die Mondsteinkette",
"questMoonstone1Notes": "Ein furchtbares Leiden hat die Habiticaner befallen. Längst totgeglaubte schlechte Angewohnheiten melden sich mit aller Macht zurück. Geschirr bleibt dreckig liegen, Lehrbücher stapeln sich ungelesen in die Höhe und die Aufschieberitis ist außer Kontrolle geraten!<br><br>Du verfolgst einige Deiner eigenen zurückgekehrten schlechten Angewohnheiten bis zu den Sümpfen der Stagnation und enttarnst die Übeltäterin: die geisterhafte Totenbeschwörerin Recidivate. Mit gezückten Waffen stürmst Du auf sie zu, aber sie gleiten nutzlos durch ihren Spektralkörper.<br><br>\"Versuch's erst gar nicht\" faucht sie mit einem trockenen Krächzen. \"Ohne eine Kette aus Mondsteinen bin ich unbesiegbar - und Meisterschmuckhersteller @aurakami hat die Mondsteine vor langer Zeit über ganz Habitica verstreut! Nach Luft schnappend trittst Du den Rückzug an ... aber Du bist Dir im Klaren darüber, was Du zu tun hast.",
"questMoonstone1CollectMoonstone": "Mondsteine",
"questMoonstone1Completion": "At last, you manage to pull the final moonstone from the swampy sludge. Its time to go fashion your collection into a weapon that can finally defeat Recidivate!",
"questMoonstone1Completion": "Endlich gelingt es Dir, den letzten Mondstein aus dem schlammigen Sumpf zu ziehen. Es ist an der Zeit, Deine Kollektion zu einer Waffe zu machen, die Recidivate endlich besiegen kann!",
"questMoonstone1DropMoonstone2Quest": "Recidivate, Teil 2: Die Totenbeschwörerin Recidivate (Schriftrolle)",
"questMoonstone2Text": "Recidivate, Teil 2: Die Totenbeschwörerin Recidivate",
"questMoonstone2Notes": "Der tapfere Waffenschmied @InspectorCaracal hilft Dir, aus den verzauberten Mondsteinen eine Kette zu formen. Du bist endlich bereit, Recidivate entgegenzutreten, aber kaum, dass Du die Sümpfe der Stagnation betrittst, läuft Dir ein fürchterlicher Schauer über den Rücken.<br><br> Verrottetes Fleisch flüstert in Dein Ohr. \"Wieder zurückgekehrt? Wie entzückend ... \" Du drehst Dich und schlägst zu, und im Licht der Mondsteinkette trifft Deine Waffe auf festes Fleisch. \"Du magst mich einmal mehr an diese Welt gebunden haben,\" knurrt Recidivate, \"aber jetzt ist Deine Zeit gekommen, sie zu verlassen!\"",
@ -93,11 +93,11 @@
"questMoonstone3Boss": "Nekro-Laster",
"questMoonstone3DropRottenMeat": "Verrottetes Fleisch (Futter)",
"questMoonstone3DropZombiePotion": "Zombifiziertes Schlüpfelixier",
"questGroupGoldenknight": "Der Goldene Ritter",
"questGroupGoldenknight": "Die Goldene Ritterin",
"questGoldenknight1Text": "Die goldene Ritterin, Teil 1: Ein ernstes Gespräch",
"questGoldenknight1Notes": "Die goldene Ritterin ist Habiticanern mit ihrer Kritik ganz schön auf die Nerven gegangen. Nicht alle täglichen Aufgaben erledigt? Eine negative Gewohnheit angeklickt? Sie nimmt dies zum Anlass Dich zu bedrängen, dass Du doch ihrem Beispiel folgen sollst. Sie ist das leuchtende Beispiel eines perfekten Habiticaners und Du bist nichts als ein Versager. Das ist ja mal gar nicht nett! Jeder macht Fehler. Man sollte deshalb nicht mit solcher Kritik drangsaliert werden. Vielleicht solltest Du einige Zeugenaussagen von verletzten Habiticanern zusammentragen und die goldene Ritterin mal ordentlich zurechtweisen!",
"questGoldenknight1Notes": "Die goldene Ritterin ist Habiticanern mit ihrer Kritik ganz schön auf die Nerven gegangen. Nicht alle täglichen Aufgaben erledigt? Eine negative Gewohnheit angeklickt? Sie nimmt dies zum Anlass Dich zu bedrängen, dass Du doch ihrem Beispiel folgen sollst. Sie ist das leuchtende Beispiel eines perfekten Habiticaners und Du bist nichts als ein Versager. Das ist ja mal gar nicht nett! Jeder macht Fehler. Man sollte deshalb nicht mit solcher Kritik drangsaliert werden. Vielleicht solltest Du einige Zeugenaussagen von verletzten Habiticanern zusammentragen und die Goldene Ritterin mal ordentlich zurechtweisen!",
"questGoldenknight1CollectTestimony": "Zeugenaussagen",
"questGoldenknight1Completion": "Schau dir nur all diese Zeugenaussagen an! Bestimmt wird es genug sein, um die Goldene Ritterin zu überzeugen. Nun musst Du sie nur noch finden.",
"questGoldenknight1Completion": "Schau Dir nur all diese Zeugenaussagen an! Bestimmt wird das reichen, um die Goldene Ritterin zu überzeugen. Nun musst Du sie nur noch finden.",
"questGoldenknight1DropGoldenknight2Quest": "Die goldene Ritterin Teil 2: Die goldene Ritterin (Schriftrolle)",
"questGoldenknight2Text": "Die goldene Ritterin, Teil 2: Goldene Ritterin",
"questGoldenknight2Notes": "Mit hunderten Zeugenaussagen von Habiticanern bewaffnet, konfrontierst Du die goldene Ritterin. Du fängst an, ihr die Beschwerden der Habiticaner eine nach der anderen vorzulesen. \"Und @Pfeffernusse sagt, dass Deine ständige Prahlerei-\" Die Ritterin hebt ihre Hand, um Dich zum Schweigen zu bringen und spottet \"Ich bitte Dich, diese Leute sind einfach nur neidisch auf meinen Erfolg. Statt sich zu beschweren, sollten sie einfach so hart arbeiten wie ich! Vielleicht zeige ich Dir mal, wie stark Du werden kannst, wenn Du so fleißig bist wie ich!\" Sie hebt ihren Morgenstern und setzt zum Angriff an!",

View file

@ -477,6 +477,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yeti-Tamer Robe",
"armorSpecialYetiNotes": "Fuzzy and fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
@ -933,6 +935,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurd Party Hat",
"headSpecialNyeNotes": "You've received an Absurd Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
@ -1617,6 +1621,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yeti-Tamer Robe",
"armorSpecialYetiNotes": "Fuzzy an' fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
"armorSpecialSkiText": "Ski-sassin Parka",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurd Parrrty Hat",
"headSpecialNyeNotes": "Ye've received an Absurd Party Hat! Wear it with pride while ringin' in th' New Year! Don't benefit ye.",
"headSpecialYetiText": "Yeti-Tamer Helm",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armour is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yeti-Tamer Robe",
"armorSpecialYetiNotes": "Fuzzy and fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
"armorSpecialSkiText": "Ski-sassin Parka",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurd Party Hat",
"headSpecialNyeNotes": "You've received an Absurd Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
"headSpecialYetiText": "Yeti-Tamer Helm",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -212,7 +212,7 @@
"unlockHeadline": "¡Cuando eres productivo, desbloqueas nuevo contenido!",
"useUUID": "Utilizar UUID / API Token (Para Usuarios de Facebook)",
"username": "Nombre de usuario",
"emailOrUsername": "Email or Username (case-sensitive)",
"emailOrUsername": "Correo electrónico o Nombre de usuario (distingue mayúsculas y minúsculas)",
"watchVideos": "Ver Vídeos",
"work": "Trabajar",
"zelahQuote": "Con [Habitica], Puedo irme a la cama a tiempo pensando en ganar puntos por acostarme pronto o perder salud por hacerlo tarde.",
@ -259,9 +259,9 @@
"altAttrSlack": "Slack",
"missingAuthHeaders": "Faltan los encabezados de autentificación. ",
"missingAuthParams": "Faltan los parámetros de autentificación. ",
"missingUsernameEmail": "Missing username or email.",
"missingUsernameEmail": "Falta el nombre de usuario o correo electrónico.",
"missingEmail": "Falta el correo electrónico.",
"missingUsername": "Missing username.",
"missingUsername": "Falta el nombre de usuario.",
"missingPassword": "Falta la contraseña.",
"missingNewPassword": "Falta una nueva contraseña.",
"invalidEmailDomain": "No puedes registrar con emails con los siguientes dominios: <%= domains %>",
@ -271,8 +271,8 @@
"emailTaken": "Ya existe una cuenta con esa dirección de correo electrónico.",
"newEmailRequired": "Falta la nueva dirección de correo electrónico.",
"usernameTime": "¡Es la hora de establecer tu nombre de usuario!",
"usernameInfo": "Login names are now unique usernames that will be visible beside your display name and used for invitations, chat @mentions, and messaging.<br><br>If you'd like to learn more about this change, <a href='http://habitica.wikia.com/wiki/Player_Names' target='_blank'>visit our wiki</a>.",
"usernameTOSRequirements": "Usernames must conform to our <a href='/static/terms' target='_blank'>Terms of Service</a> and <a href='/static/community-guidelines' target='_blank'>Community Guidelines</a>. If you didnt previously set a login name, your username was auto-generated.",
"usernameInfo": "Los nombres de inicio de sesión ahora son nombres de usuario únicos que serán visibles junto a tu nombre público, y se utilizará para invitaciones, @menciones en los chats y mensajes. <br><br>Si quieres saber más sobre este cambio, <a href='http://habitica.wikia.com/wiki/Player_Names' target='_blank'>visita nuestra wiki</a>.",
"usernameTOSRequirements": "Los nombres de usuario deben adecuarse a nuestros <a href='/static/terms' target='_blank'>Términos de Servicio</a> y <a href='/static/community-guidelines' target='_blank'>Normas de la Comunidad</a>. Si no has establecido un nombre de inicio de sesión, tu nombre de usuario será autogenerado.",
"usernameTaken": "Este nombre de usuario ya está cogido.",
"passwordConfirmationMatch": "Las contraseñas no coinciden.",
"invalidLoginCredentials": "El nombre de usuario y/o correo electrónico y/o conseña no son correctos.",
@ -283,7 +283,7 @@
"passwordResetEmailHtml": "Si has solicitado restablecer la contraseña del usuario <strong><%= username %></strong> en Habitica, <a href=\"<%= passwordResetLink %>\">haz clic aquí</a> para establecer una nueva. El enlace expira tras 24 horas.<br/><br>Si no has solicitado restablecer una contraseña, por favor ignora este mensaje.",
"invalidLoginCredentialsLong": "Oh-oh - tu dirección de correo electrónico o contraseña son incorrectos.\n- Asegúrate de que están escritos correctamente. Tu nombre de inicio de sesión y contraseña distinguen entre mayúsculas y minúsculas.\n- Puede que te hayas registrado con tu cuenta de Google o Facebook en lugar de tu correo electrónico, intenta iniciar sesión con alguna de ellas.\n- Si has olvidado tu contraseña, pulsa sobre \"¿Has olvidado la contraseña?\".",
"invalidCredentials": "No hay ninguna cuenta con esas credenciales.",
"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 copy your User ID into the email and include your username.",
"accountSuspended": "Esta cuenta, con ID de usuario \"<%= userId %>\", ha sido bloqueada por incumplir las [Normas de la Comunidad] (https://habitica.com/static/community-guidelines) o los [Términos de Servicio] (https://habitica.com/static/terms). Para más detalles o solicitar ser desbloqueado, por favor, envía un correo electrónico a nuestro Community Manager en <%= communityManagerEmail %> o pídele a tu padre o tutor que le envíe un correo. Por favor, copia tu ID de usuario en el correo e incluye tu nombre de usuario.",
"accountSuspendedTitle": "Esta cuenta ha sido suspendida",
"unsupportedNetwork": "La red no está en servicio.",
"cantDetachSocial": "La cuenta carece de otro método de autenticación; no se puede separar de este método de autenticación.",
@ -328,7 +328,7 @@
"joinMany": "¡Únete a más de 2.000.000 de personas que se divierten mientras consiguen sus objetivos!",
"joinToday": "Únete hoy a Habitica",
"signup": "Regístrate",
"getStarted": "Get Started!",
"getStarted": "¡Comencemos!",
"mobileApps": "Apps para móvil",
"learnMore": "Saber más"
}

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Esta fuerte armadura de escamas está unida mediante elegantes cordones de seda. Aumenta la Percepción en <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Armadura de Pavo",
"armorSpecialTurkeyArmorBaseNotes": "¡Mantén tus baquetas cálidas y cómodas en esta armadura emplumada! Sin beneficios.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Túnica de domador de Yetis",
"armorSpecialYetiNotes": "Peluda y de aspecto salvaje. Aumenta tu constitución en <%= con %>. Equipo de invierno de edición limitada 2013-2014.",
"armorSpecialSkiText": "Parka del Ski-asesino",
@ -684,8 +686,8 @@
"armorMystery201808Notes": "Esta armadura está hecha de las escamas caídas del esquivo (y extremadamente caliente) Dragón de Lava. No tiene beneficios. Objeto de Suscriptor de agosto de 2018.",
"armorMystery201809Text": "Armadura de Hojas de Otoño",
"armorMystery201809Notes": "No eres simplemente una pequeña y asustadiza hoja caída: ¡portas los más hermosos colores de la estación! No confiere beneficio. Objeto de suscriptor Septiembre 2018.",
"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.",
"armorMystery201810Text": "Ropajes del Bosque Oscuro",
"armorMystery201810Notes": "Estos ropajes son súper calentitos para protegerte del espantoso frío de los reinos embrujados. No confiere beneficios. Artículo de suscriptor de Octubre 2018.",
"armorMystery301404Text": "Traje Steampunk",
"armorMystery301404Notes": "¡Sofisticado y elegante! No otorga ningún beneficio. Artículo de suscriptor de febrero 3015.",
"armorMystery301703Text": "Traje de Pavo Real Steampunk",
@ -782,10 +784,10 @@
"armorArmoireJeweledArcherArmorNotes": "Esta armadura elegantemente trabajada te protegerá de proyectiles ¡o de tareas Diarias rojas errantes! Aumenta constitución en <%= con %>. Armario encantado: Conjunto de Arquero Enjoyado (Artículo 2 de 3).",
"armorArmoireCoverallsOfBookbindingText": "Cubretodo de Encuadernación",
"armorArmoireCoverallsOfBookbindingNotes": "Todo lo que necesitas en un conjunto de cubretodo, incluyendo bolsillos para todo. Un par de gafas de bucear, dinero suelto, un anillo de oro... Aumenta la Constitución en <%= con %> y la Percepción en <%= per %>. Armario Encantado: Conjunto de Encuadernador (item 2 de 4).",
"armorArmoireRobeOfSpadesText": "Robe of Spades",
"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).",
"armorArmoireRobeOfSpadesText": "Ropaje de Picas",
"armorArmoireRobeOfSpadesNotes": "Estos lujosos ropajes esconden bolsillos ocultos para tesoros o armas, ¡tú eliges! Aumenta la Fuerza en <%= str %>. Armario encantado: Conjunto As de Picas (Artículo 2 de 3)",
"armorArmoireSoftBlueSuitText": "Ropa Mullidita Azul",
"armorArmoireSoftBlueSuitNotes": "El azul es un color que relaja. Relaja tanto que algunos incluso usan esta ropa tan mullidita para irse a dormir... zZz. Aumenta la Inteligencia en <%= int %> y la Percepción en <%= per %>. Armario encantado: Conjunto ropa de casa azul (Artículo 2 de 3)",
"headgear": "casco",
"headgearCapitalized": "Equipo de cabeza",
"headBase0Text": "Sin Equipo de cabeza",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "¡Feliz Día del Nombramiento! Luce este fiero y plumado yelmo mientras celebras Habitica. No proporciona ningún beneficio.",
"headSpecialTurkeyHelmBaseText": "Casco de Pavo",
"headSpecialTurkeyHelmBaseNotes": "¡Tu conjunto del Día del Pavo estará completo cuando te pongas este picudo casco! Sin beneficio.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Sombrero Absurdo de Fiesta",
"headSpecialNyeNotes": "¡Has recibido un Sombrero Absurdo de Fiesta! ¡Llévalo con orgullo mientras celebras el Año Nuevo! No proporciona ningún beneficio.",
"headSpecialYetiText": "Casco de domador de Yetis",
@ -1114,8 +1118,8 @@
"headMystery201808Notes": "Los brillantes cuernos de esta capucha iluminarán tu camino hacia cuevas subterráneas. No confiere beneficio. Objeto de suscriptor de Agosto de 2018.",
"headMystery201809Text": "Corona de flores otoñales",
"headMystery201809Notes": "Las últimas flores de los días cálidos de otoño nos recuerdan la belleza de esta estación. No confiere beneficio. Objeto de suscriptor de septiembre de 2018.",
"headMystery201810Text": "Dark Forest Helm",
"headMystery201810Notes": "If you find yourself traveling through a spooky place, the glowing red eyes of this helm will surely scare away any enemies in your path. Confers no benefit. October 2018 Subscriber Item.",
"headMystery201810Text": "Yelmo del Bosque Oscuro",
"headMystery201810Notes": "Si estás viajando a través de un sitio espeluznante, te garantizamos que los refulgentes ojos rojos de este yelmo aterrorizarán a cualquier enemigo que se cruce en tu camino. No confiere beneficios. Artículo de suscriptor de Octubre de 2018.",
"headMystery301404Text": "Sombrero de copa sofisticado",
"headMystery301404Notes": "¡Un sofisticado sombrero de copa solo para los más refinados caballeros! No otorga ningún beneficio. Artículo de Suscriptor de Enero del 3015",
"headMystery301405Text": "Sombrero de copa básico",
@ -1153,7 +1157,7 @@
"headArmoireOrangeCatText": "Sombrero de Gato Naranja",
"headArmoireOrangeCatNotes": "Este sombrero naranja está... ronroneando. Y agitando su cola. Y ¿respirando? Sí, es sólo un gato durmiendo sobre tu cabeza. Incrementa la Fuerza y la Constitución por <%= attrs %> cada una. Armario encantado: Artículo Independiente.",
"headArmoireBlueFloppyHatText": "Azul sombrero flojo",
"headArmoireBlueFloppyHatNotes": "Many spells have been sewn into this simple hat, giving it a brilliant blue color. Increases Constitution, Intelligence, and Perception by <%= attrs %> each. Enchanted Armoire: Blue Loungewear Set (Item 1 of 3).",
"headArmoireBlueFloppyHatNotes": "Múltiples hechizos fueron hilvanados en este simple gorrito, dándole un intenso color azul. Aumenta tu Constitución, Inteligencia y Percepción en <%= attrs %> cada uno. Armario encantado: Conjunto Ropa de casa azul (Artículo 1 de 3)",
"headArmoireShepherdHeaddressText": "Tocado de Pastor",
"headArmoireShepherdHeaddressNotes": "A veces a los grifos que arreas les gusta masticar este tocado, pero de todas formas te hace parecer más inteligente. Incrementa la Inteligencia por <%= int %>. Armario encantado: Conjunto de Pastor (Artículo 3 de 3).",
"headArmoireCrystalCrescentHatText": "Sombrero de Cristal Creciente",
@ -1220,8 +1224,8 @@
"headArmoirePiraticalPrincessHeaddressNotes": "¡Los bucaneros elegantes son conocidos por sus elegantes sombreros! Aumenta la Percepción y la Inteligencia en <%= attrs %> cada uno. Armario encantado: Conjunto de Princesa pirata (Artículo 1 de 4).",
"headArmoireJeweledArcherHelmText": "Casco de arquero enjoyado",
"headArmoireJeweledArcherHelmNotes": "Este yelmo puede parecer decorado, pero también es extremadamente ligero y resistente. Aumenta la Inteligencia en <%= int %>. Armario encantado: Conjunto de Arquero Enjoyado (Artículo 1 de 3).",
"headArmoireVeilOfSpadesText": "Veil of Spades",
"headArmoireVeilOfSpadesNotes": "A shadowy and mysterious veil that will boost your stealth. Increases Perception by <%= per %>. Enchanted Armoire: Ace of Spades Set (Item 1 of 3).",
"headArmoireVeilOfSpadesText": "Velo de Picas",
"headArmoireVeilOfSpadesNotes": "Un velo oscuro y misterioso que mejorará tu sigilo. Aumenta la Percepción en <%= per %>. Armario encantado: Conjunto As de Picas (Artículo 1 de 3)",
"offhand": "objeto para la mano izquierda",
"offhandCapitalized": "Objeto para la Mano Izquierda",
"shieldBase0Text": "Sin Equipamiento en la Mano Izquierda",
@ -1446,8 +1450,8 @@
"shieldArmoirePiraticalSkullShieldNotes": "Este escudo encantado susurrará las ubicaciones secretas de los tesoros de tus enemigos, ¡escucha atentamente! Aumenta la Percepción y la Inteligencia en <%= attrs %> cada uno. Armario encantado: Conjunto de Princesa pirata (Artículo 4 de 4).",
"shieldArmoireUnfinishedTomeText": "Tomo sin Terminar",
"shieldArmoireUnfinishedTomeNotes": "¡Es sencillamente imposible procrastinar con esto entre las manos! ¡Hay que terminar la encuadernación para que la gente pueda leer el libro! Aumenta la Inteligencia en <%= int %>. Armario Encantado: Conjunto de Encuadernador (Objeto 4 de 4).",
"shieldArmoireSoftBluePillowText": "Soft Blue Pillow",
"shieldArmoireSoftBluePillowNotes": "The sensible warrior packs a pillow for any expedition. Shield yourself from sharp tasks... even while you nap. Increases Constitution by <%= con %>. Enchanted Armoire: Blue Loungewear Set (Item 3 of 3).",
"shieldArmoireSoftBluePillowText": "Almohada Azul Mullidita",
"shieldArmoireSoftBluePillowNotes": "El guerrero sensato siempre lleva en el equipaje una almohada. Escúdate de esas tareas puntiagudas... incluso cuando echas una cabezada. Aumenta la Constitución en <%= con %>. Armario encantado. Conjunto Ropa de casa azul (Artículo 3 de 3)",
"back": "Accesorio en la Espalda",
"backCapitalized": "Accesorio en la Espalda",
"backBase0Text": "Sin Accesorio en la Espalda",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Esta capa perteneció una vez a la mismísima \"Lost Masterclasser\". Aumenta la Percepción en <%= per %>.",
"backSpecialTurkeyTailBaseText": "Cola de Pavo",
"backSpecialTurkeyTailBaseNotes": "¡Viste tu honorable Cola de Pavo con orgullo mientras lo celebras! Sin beneficios.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Cola de oso",
"backBearTailNotes": "¡Esta cola hace que parezcas un valiente oso! No confiere beneficio.",
"backCactusTailText": "Cola de cactus",

View file

@ -183,7 +183,7 @@
"inviteExistUser": "Invitar a usuarios ya registrados",
"byColon": "Por:",
"inviteNewUsers": "Invitar a usuarios nuevos",
"sendInvitations": "Send Invites",
"sendInvitations": "Enviar invitaciones",
"invitationsSent": "¡Invitaciones enviadas!",
"invitationSent": "¡Invitación enviada!",
"invitedFriend": "Invitó a un Amigo",
@ -226,7 +226,7 @@
"memberCannotRemoveYourself": "¡No te puedes quitar a ti mismo!",
"groupMemberNotFound": "No se pudo encontrar al usuario entre los miembros del grupo.",
"mustBeGroupMember": "Debe ser miembro del grupo.",
"canOnlyInviteEmailUuid": "Can only invite using user IDs, emails, or usernames.",
"canOnlyInviteEmailUuid": "Sólo se puede invitar mediante ID de usuario, correo electrónico o nombre de usuario.",
"inviteMissingEmail": "Falta la dirección de correo electrónico en la invitación.",
"inviteMissingUuid": "Falta el ID del usuario en la invitación",
"inviteMustNotBeEmpty": "La invitación no puede estar vacia.",
@ -238,11 +238,11 @@
"userAlreadyPendingInvitation": "ID de usuario: <%= userId %>, Usuario \"<%= username %>\" ya tiene una invitación pendiente.",
"userAlreadyInAParty": "ID de usuario: <%= userId %>, Usuario \"<%= username %>\" ya pertenece a un equipo.",
"userWithIDNotFound": "No se pudo encontrar al usuario con la id \"<%= userId %>\".",
"userWithUsernameNotFound": "User with username \"<%= username %>\" not found.",
"userWithUsernameNotFound": "No se pudo encontrar al usuario con el nombre de usuario \"<%= username %>\".",
"userHasNoLocalRegistration": "El usuario no tiene un registro local (nombre de usuario, correo electrónico y contraseña)",
"uuidsMustBeAnArray": "Las invitaciones por ID de usuario deben ser una matriz.",
"emailsMustBeAnArray": "Las invitaciones por dirección de correo electrónico deben ser una matriz.",
"usernamesMustBeAnArray": "Username invites must be an array.",
"usernamesMustBeAnArray": "Las invitaciones por nombre de usuario deben ser una matriz.",
"canOnlyInviteMaxInvites": "No puedes invitar a más de \"<%= maxInvites %>\" usuarios a la vez",
"partyExceedsMembersLimit": "El número de integrantes de Grupo está limitado a <%= maxMembersParty %>",
"onlyCreatorOrAdminCanDeleteChat": "¡No estás autorizado para borrar este mensaje!",
@ -363,10 +363,10 @@
"liked": "Te gusta",
"joinGuild": "Únete a la hermandad",
"inviteToGuild": "Invita a la hermandad",
"inviteToParty": "Invite to Party",
"inviteEmailUsername": "Invite via Email or Username",
"inviteEmailUsernameInfo": "Invite users via a valid email or username. If an email isn't registered yet, we'll invite them to join.",
"emailOrUsernameInvite": "Email address or username",
"inviteToParty": "Invitar al Equipo",
"inviteEmailUsername": "Invitar por Correo electrónico o Nombre de usuario",
"inviteEmailUsernameInfo": "Invita a usuarios a través de un nombre de usuario o correo electrónico válido. Si el correo electrónico no ha sido registrado aún, le invitaremos a unirse.",
"emailOrUsernameInvite": "Correo electrónico o nombre de usuario",
"messageGuildLeader": "Mensajea al líder de hermandad",
"donateGems": "Dona gemas",
"updateGuild": "Actualiza hermandad",
@ -403,7 +403,7 @@
"removeInvite": "Eliminar Invitación",
"removeMember": "Eliminar Miembro",
"sendMessage": "Enviar Mensaje",
"promoteToLeader": "Transfer Ownership",
"promoteToLeader": "Transferir Propiedad",
"inviteFriendsParty": "¡Al invitar a amigos a tu Equipo te proporcionará un exclusivo <br/>pergamino de misión para enfrentaros a la Basi-lista juntos!",
"upgradeParty": "Actualizar Equipo",
"createParty": "Crear una Fiesta",

View file

@ -5,11 +5,11 @@
"welcomeTo": "Bienvenido a",
"welcomeBack": "¡Bienvenido de nuevo!",
"justin": "Justin",
"justinIntroMessage1": "Hello there! You must be new here. My name is <strong>Justin</strong>, and I'll be your guide in Habitica.",
"justinIntroMessage1": "¡Hola! Debes ser nuevo por aquí. Mi nombre es <strong>Justin</strong>, y voy a ser tu guía en Habitica.",
"justinIntroMessage2": "Para comenzar, necesitas crearte un avatar.",
"justinIntroMessage3": "¡Genial! Ahora, ¿en qué te gustaría centrarte a lo largo de este viaje?",
"justinIntroMessageUsername": "Before we begin, lets figure out what to call you. Below youll find a display name and username Ive generated for you. After youve picked a display name and username, well get started by creating an avatar!",
"justinIntroMessageAppearance": "So how would you like to look? Dont worry, you can change this later.",
"justinIntroMessageUsername": "Antes de empezar, decidamos cómo llamarte. Abajo verás un nombre público y un nombre de usuario que he generado para tí. En cuanto hayas elegido tu nombre público y tu nombre de usuario, ¡empezaremos a crear tu avatar!",
"justinIntroMessageAppearance": "Entonces, ¿cómo te gustaría verte? No te preocupes, podrás cambiar tu look más adelante.",
"introTour": "¡Vamos allá! He incluido algunas tareas para ti basándome en tus intereses para que puedas empezar inmediatamente. ¡Pulsa una tarea para editarla, o añade otras que se ajusten a tu rutina!",
"prev": "Anterior",
"next": "Siguiente",

View file

@ -625,6 +625,6 @@
"questAlligatorBoss": "Insta-Gator",
"questAlligatorDropAlligatorEgg": "Caimán (Huevo)",
"questAlligatorUnlockText": "Desbloquear la compra de huevos de Caimán en el Mercado",
"oddballsText": "Oddballs Quest Bundle",
"oddballsNotes": "Contains 'The Jelly Regent,' 'Escape the Cave Creature,' and 'A Tangled Yarn.' Available until November 30."
"oddballsText": "Lote de Misiones Bichos Raros",
"oddballsNotes": "Contiene \"La Jalea Regente\", \"Escapa de la Cueva Viviente\" y \"Un HIlo Enredado\". Disponible hasta el 30 de noviembre."
}

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Armadura de Pavo",
"armorSpecialTurkeyArmorBaseNotes": "¡Mantén tus huesos cómodos y cálidos en esta armadura de plumas! No brinda ningún beneficio.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Túnica de Domador de Yetis",
"armorSpecialYetiNotes": "Velloso y feroz. Incrementa la Constitución por <%= con %>. Equipamiento de Edición Limitada de Invierno 2013-2014.",
"armorSpecialSkiText": "Parka de Esquia-sesino",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Casco de pavo",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Sombrero Absurdo de Fiesta",
"headSpecialNyeNotes": "¡Has recibido un Sombrero Absurdo de Fiesta! ¡Lúcelo con orgullo mientras festejas el Año Nuevo! No otorga ningún beneficio.",
"headSpecialYetiText": "Yelmo de Domador de Yetis",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Esta capa una vez perteneció a la Masterclasser perdida. Aumenta la percepción por <%= per %>",
"backSpecialTurkeyTailBaseText": "Cola de pavo",
"backSpecialTurkeyTailBaseNotes": "¡Usa tu noble cola de pavo con orgullo mientras celebras! No confiere ningún beneficio.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Cette armure épaisse est maintenue par d'élégants cordons en soie. Augmente la Perception de <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Armure de dindon",
"armorSpecialTurkeyArmorBaseNotes": "Gardez vos baguettes bien au chaud dans cette armure de plumes ! Ne confère aucun bonus.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Tunique du dresseur de yéti",
"armorSpecialYetiNotes": "Flou et féroce. Augmente la Constitution de <%= con %>. Équipement en édition limitée de l'hiver 2013-2014.",
"armorSpecialSkiText": "Parka de ski-sassin",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Bonne fête de l'appellation ! Revêtez ce heaume terrible et plumeux pour célébrer Habitica. N'apporte aucun bonus.",
"headSpecialTurkeyHelmBaseText": "Coiffe de dindon",
"headSpecialTurkeyHelmBaseNotes": "Votre costume du jour du Dindon sera complet lorsque vous revêtirez cette coiffe à bec ! N'apporte aucun bonus.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Chapeau pointu absurde",
"headSpecialNyeNotes": "Vous avez reçu un chapeau pointu absurde ! Portez-le avec fierté en célébrant le Nouvel an ! N'apporte aucun bonus.",
"headSpecialYetiText": "Heaume du dresseur de yéti",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Cette cape a autrefois appartenu à la maîtresse des classes oubliée en personne. Augmente la Perception de <%= per %>.",
"backSpecialTurkeyTailBaseText": "Queue de dindon",
"backSpecialTurkeyTailBaseNotes": "Portez fièrement votre noble queue de dindon tandis que vous célébrez Thanksgiving !  N'apporte aucun bonus.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Queue d'ours",
"backBearTailNotes": "Cette queue vous fait ressembler à un Ours courageux ! Ne confère aucun bonus.",
"backCactusTailText": "Queue de cactus",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "מלבוש מאלף-ייטים",
"armorSpecialYetiNotes": "חמים ועז. מגביר חוסן ב <%= con %>. מהדורה מוגבלת 2013-2014, ציוד חורף.",
"armorSpecialSkiText": "דובון של מתנקשי-סקי",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "כובע חגיגות מגוחך",
"headSpecialNyeNotes": "קיבלתם כובע מסיבות מטופש! לבשו אותו בגאון עם בוא השנה החדשה! לא מקנה ייתרון.",
"headSpecialYetiText": "קסדת מאלף יטים",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Ezt az erős pikkelypáncélt elegáns selyem fonal tartja össze. Növeli az észlelésedet <%= per %> ponttal.",
"armorSpecialTurkeyArmorBaseText": "Pulyka páncél",
"armorSpecialTurkeyArmorBaseNotes": "Tartsd a csülkeidet melegen és kényelmesen ebben a tollas páncélban! Nem változtat a tulajdonságaidon.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Jetiszelídítő köpeny",
"armorSpecialYetiNotes": "Bolyhos és vad. Növeli a szívósságodat <%= con %> ponttal. Limitált kiadású 2013-2014-es téli felszerelés.",
"armorSpecialSkiText": "Sí-gyilkos anorák",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Boldog névnapot! Viseld ezt az erős és tollas sisakot miközben a Habiticát ünnepled. Nem változtat a tulajdonságaidon.",
"headSpecialTurkeyHelmBaseText": "Pulyka sisak",
"headSpecialTurkeyHelmBaseNotes": "A Pulyka napi kinézetet teljes lesz, ha ezt a csőrös sisakot hordod! Nem változtat a tulajdonságaidon.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Abszurd party süveg",
"headSpecialNyeNotes": "Megkaptad az abszurd party süveget! Viseld büszkén, miközben átlépsz az újévbe! Nem változtat a tulajdonságaidon.",
"headSpecialYetiText": "Jetiszelídítő sisak",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Ez a palást egyszer az elveszett kasztmester birtokában volt. Növeli az észlelésedet <%= per %> ponttal.",
"backSpecialTurkeyTailBaseText": "Pulyka farok",
"backSpecialTurkeyTailBaseNotes": "Viseld büszkén ezt a nemes pulyka farkat amíg ünnepelsz! Nem változtat a tulajdonságaidon.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Medve farok",
"backBearTailNotes": "Ettől a faroktól úgy nézel ki, mint egy bátor medve! Nem változtat a tulajdonságaidon.",
"backCactusTailText": "Kaktusz farok",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Baju zirah bersisik yang kuat ini disambung oleh tali-tali sutra yang elegan. Meningkatkan Persepsi sebesar <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Baju Pelindung Kalkun",
"armorSpecialTurkeyArmorBaseNotes": "Menjaga pahamu hangat dan nyaman di dalam baju pelindung berbulu ini! TIdak menambah status apapun.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Jubah Penjinak Yeti",
"armorSpecialYetiNotes": "Berbulu dan berani. Meningkatkan Ketahanan sebesar <%= con %>. Perlengkapan Musim Dingin 2013-2014 Edisi Terbatas.",
"armorSpecialSkiText": "Jaket Ski Pembunuh",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Selamat Hari Penamaan! Pakai helm garang dan berbulu ini selagi memperingati Habitica. Tidak menambah status apapun.",
"headSpecialTurkeyHelmBaseText": "Helm Kalkun",
"headSpecialTurkeyHelmBaseNotes": "Hari Kalkunmu akan terlihat lengkap sewaktu kamu mengenakan helm berparuh ini! Tidak menambah status apapun.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Topi Pesta Aneh",
"headSpecialNyeNotes": "Kamu mendapatkan Topi Pesta Aneh! Kenakan saat kamu konvoi Tahun Baru! Tidak menambah status apapun.",
"headSpecialYetiText": "Helm Yeti-Tamer",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Jubah ini dulunya dimiliki oleh sang Lost Masterclasser sendiri. Meningkatkan Persepsi sebesar <%= per %>.",
"backSpecialTurkeyTailBaseText": "Ekor Kalkun",
"backSpecialTurkeyTailBaseNotes": "Gunakan Ekor Kalkun bangsawan-mu dengan rasa bangga selagi merayakan! Tidak menambah status apapun.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Questa resistente armatura a scaglie è tenuta insieme da eleganti fili di seta. Aumenta la Percezione di <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Armatura Tacchino",
"armorSpecialTurkeyArmorBaseNotes": "Mantieni le tue bacchette calde e confortevoli in questa armatura pennuta! Non conferisce alcun bonus.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Veste dell'Addestra-Yeti",
"armorSpecialYetiNotes": "Folta e feroce. Aumenta la Costituzione di <%= con %>. Edizione limitata, inverno 2013-2014.",
"armorSpecialSkiText": "Parka del Nevassassino",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Felice Festa del cambio di nome! Indossa questo fiero elmo piumato mentre festeggi Habitica. Non conferisce alcun bonus.",
"headSpecialTurkeyHelmBaseText": "Elmo da Tacchino",
"headSpecialTurkeyHelmBaseNotes": "Il tuo Giorno da Racchino sembrerà completo quando metterai questo elmo col becco! Non conferisce alcun bonus.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Assurdo Cappello da Festa",
"headSpecialNyeNotes": "Hai ricevuto un Assurdo Cappello da Festa! Indossalo con orgoglio mentre festeggi il nuovo anno! Non conferisce alcun bonus.",
"headSpecialYetiText": "Elmo dell'Addestra-Yeti",
@ -1368,18 +1372,18 @@
"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.",
"shieldSpecialWinter2018HealerText": "Mistletoe Bell",
"shieldSpecialWinter2018HealerNotes": "What's that sound? The sound of warmth and cheer for all to hear! Increases Constitution by <%= con %>. Limited Edition 2017-2018 Winter Gear.",
"shieldSpecialSpring2018WarriorText": "Shield of the Morning",
"shieldSpecialSpring2018WarriorNotes": "This sturdy shield glows with the glory of first light. Increases Constitution by <%= con %>. Limited Edition 2018 Spring Gear.",
"shieldSpecialSpring2018HealerText": "Garnet Shield",
"shieldSpecialSpring2018HealerNotes": "Despite its fancy appearance, this garnet shield is quite durable! Increases Constitution by <%= con %>. Limited Edition 2018 Spring Gear.",
"shieldSpecialSpring2018WarriorText": "Scudo del Mattino",
"shieldSpecialSpring2018WarriorNotes": "Questo scudo robusto splende con la gloria della prima luce. Aumenta la Costituzione di<%= con %>. Edizione limitata, primavera 2018.",
"shieldSpecialSpring2018HealerText": "Scudo di Granato",
"shieldSpecialSpring2018HealerNotes": "Nonostante la sua apparenza fantasiosa, questo scudo di granato è abbastanza resistente! Aumenta la costituzione di <%= con %>. Edizione limitata, primavera 2018.",
"shieldSpecialSummer2018WarriorText": "Betta Skull Shield",
"shieldSpecialSummer2018WarriorNotes": "Fashioned from stone, this fearsome skull-styled shield strikes fear into fish foes while rallying your Skeleton pets and mounts. Increases Constitution by <%= con %>. Limited Edition 2018 Summer Gear.",
"shieldSpecialSummer2018HealerText": "Merfolk Monarch Emblem",
"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 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 Autumn Gear.",
"shieldSpecialFall2018WarriorText": "Scudo Brillante",
"shieldSpecialFall2018WarriorNotes": "Super lucente per dissuadere qualsiasi Gorgone problematica dal giocare a nascondino dietro gli angoli! Aumenta la Costituzione di <%= con %>. Edizione limitata, autunno 2018.",
"shieldSpecialFall2018HealerText": "Hungry Shield",
"shieldSpecialFall2018HealerNotes": "With its wide-open maw, this shield will absorb all your enemies' blows. Increases Constitution by <%= con %>. Limited Edition 2018 Autumn Gear.",
"shieldMystery201601Text": "Risoluzione dell'Assassino",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Coda da Tacchino",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Coda da Orso",
"backBearTailNotes": "Questa coda ti fa sembrare un orso coraggioso! Non conferisce alcun bonus.",
"backCactusTailText": "Coda da Cactus",

View file

@ -206,7 +206,7 @@
"hatchingPotionRainbow": "にじ色の",
"hatchingPotionGlass": "ガラスの",
"hatchingPotionGlow": "暗闇で輝く",
"hatchingPotionFrost": "Frost",
"hatchingPotionFrost": "霜の",
"hatchingPotionNotes": "これをたまごにかけると、<%= potText(locale) %> ペットが生まれます。",
"premiumPotionAddlNotes": "クエスト ペットのたまごには使えません。",
"foodMeat": "肉",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "美しい絹糸で綴られた力強いスケールアーマーです。知覚が <%= per %>上昇します。",
"armorSpecialTurkeyArmorBaseText": "シチメンチョウのよろい",
"armorSpecialTurkeyArmorBaseNotes": "あなたのモモ肉を温めておいて、この羽根付き鎧になじませましょう! 効果なし。",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "雪男使いの外とう",
"armorSpecialYetiNotes": "けばだっていて、すさまじい。体質が <%= con %> 上がります。2013年-2014年冬の限定装備。",
"armorSpecialSkiText": "スノアイパーのパーカー",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "命名記念日おめでとう! お祝いの際はこの羽根で飾られた、いかつい兜をかぶりましょう。効果なし。",
"headSpecialTurkeyHelmBaseText": "シチメンチョウのかぶと",
"headSpecialTurkeyHelmBaseNotes": "あなたの感謝祭ルックは、このくちばし付きのかぶとがあれば完璧になります! 効果なし。",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "ちょっとおかしなパーティハット",
"headSpecialNyeNotes": "ちょっとおかしなパーティハットをもらいました! 新年を告げる鐘を聞きながら、誇りをもってかぶりましょう! 効果なし。",
"headSpecialYetiText": "雪男使いのヘルメット",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "この外套はかつて失われしクラス・マスター本人が所持していたものです。知覚が <%= per %> 上がります。",
"backSpecialTurkeyTailBaseText": "シチメンチョウの尾",
"backSpecialTurkeyTailBaseNotes": "お祝いの間、高貴なシチメンチョウの尾を誇りと共に身につけましょう! 効果なし。",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "クマのしっぽ",
"backBearTailNotes": "このしっぽはあなたを勇ましいクマのように見せます! 効果なし。",
"backCactusTailText": "サボテンのしっぽ",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Dit sterke, geschubde harnas wordt bijeengehouden door elegante zijde koorden. Verhoogt perceptie met <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Kalkoen Harnas",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yeti-temmersmantel",
"armorSpecialYetiNotes": "Pluizig en woest. Verhoogt lichaam met <%= con %>. Beperkte oplage winteruitrusting 2013-2014.",
"armorSpecialSkiText": "Skimoordenaarsparka",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "\nGelukkige Namedag! Draag dit vurige en veerachtige roer als u Habitia viert. Geen voordeel uitbetaald.",
"headSpecialTurkeyHelmBaseText": "Kalkoen Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurde feesthoed",
"headSpecialNyeNotes": "Je hebt een Absurde feesthoed ontvangen! Draag hem met trots, en luid al feestend het nieuwe jaar in! Verleent geen voordelen.",
"headSpecialYetiText": "Yeti-temmershelm",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Deze mantel behoorde ooit toe aan de Vermiste Masterclasser. Verhoogt perceptie met <%= per %>.",
"backSpecialTurkeyTailBaseText": "Kalkoen Staart",
"backSpecialTurkeyTailBaseNotes": "Pronk met je Kalkoen Staart terwijl je feest viert! Verleent geen voordelen.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Beren Staart",
"backBearTailNotes": "Deze staart doet je lijken op een dappere beer! Verleent geen voordeel.",
"backCactusTailText": "Cactus Staart",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Ta mocna zbroja łuskowa trzyma się dzięki eleganckim jedwabnym niciom. Zwiększa Percepcję o <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Zbroja Indyka",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Szata poskramiacza yeti",
"armorSpecialYetiNotes": "Puchaty i bezwzględny. Zwiększa Kondycję o <%= con %>. Edycja Limitowana Zima 2013-2014.",
"armorSpecialSkiText": "Parka szusującego asasyna",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Szczęśliwych Imienin! Ubierz ten groźny i pierzasty hełm by celebrować Habitikę. Nie daje żadnych korzyści.",
"headSpecialTurkeyHelmBaseText": "Hełm Indyka",
"headSpecialTurkeyHelmBaseNotes": "Twój wygląd Dnia Indyka będzie kompletny gdy ubierzesz ten dziobiasty hełm. Nie daje żadnych korzyści.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurdalna czapeczka imprezowa",
"headSpecialNyeNotes": "Oto absurdalna czapeczka imprezowa dla Ciebie! Noś ją z dumą, świętując Nowy Rok! Nie daje żadnych korzyści.",
"headSpecialYetiText": "Hełm poskramiacza yeti",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Ten płaszcz kiedyś należał do samej Zaginionej Mistrzyni. Zwiększa Percepcję o <%= per %>.",
"backSpecialTurkeyTailBaseText": "Ogon Indyka",
"backSpecialTurkeyTailBaseNotes": "Podczas świętowania noś z dumą swój szlachetny Indyczy Ogon. Nie przynosi żadnych korzyści.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -283,7 +283,7 @@
"passwordResetEmailHtml": "Se pediu uma reinicialização de senha para <strong><%= username %></strong> em Habitica, <a href=\"<%= passwordResetLink %>\">carregue aqui</a> para definir uma nova. O link expirará depois de 24 horas.<br/><br>Se não pediu uma reinicialização de senha, por favor ignore este e-mail.",
"invalidLoginCredentialsLong": "Oh não - seu endereço de e-mail / nome de utilizador ou senha está incorreto.\n- Tenha certeza de que seu nome de utilizador e senha estão digitados corretamente. Seu nome de utilizador e senha são sensíveis a letras maiúsculas. \n- Você pode ter se cadastrado com o Facebook ou Google, não com o e-mail. Cheque tentando fazer login com estas opções.\n- Se você esqueceu sua senha, clique \"Esqueci Senha\".",
"invalidCredentials": "Não há uma conta que usa essas credenciais.",
"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 copy your User ID into the email and include your username.",
"accountSuspended": "Essa conta, com o ID de Utilizador \"<%= userId %>\" foi bloqueada por violar as [Diretrizes da Comunidade](https://habitica.com/static/community-guidelines) ou [Termos de Serviço] (https://habitica.com/static/terms). Para detalhes ou solicitar o desbloqueio, por favor, entre em contato com nosso Gestor de Comunidade pelo e-mail <%= communityManagerEmail %> ou peça para seu pais ou tutores para enviar o e-mail. Por gentileza, não se esqueça de colocar no conteúdo do e-mail o seu ID de Utilizador e Nome de Utilizador.",
"accountSuspendedTitle": "Esta conta foi suspensa",
"unsupportedNetwork": "Atualmente, esta rede não é suportada.",
"cantDetachSocial": "A conta não possui outra forma de autenticação; não se pode remover este método de autenticação.",
@ -296,7 +296,7 @@
"signUpWithSocial": "Inscrever-se com <%= social %>",
"loginWithSocial": "Iniciar sessão com <%= social %>",
"confirmPassword": "Confirmar Palavra-passe",
"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.",
"usernameLimitations": "O nome de utilizador deve conter entre 1 e 20 caracteres; contendo apenas letras de A a Z, números de 0 a 9, hifens ou traços sublinhados, não podendo ser incluso quaisquer termos inapropriados.",
"usernamePlaceholder": "e.g., HabitRabbit",
"emailPlaceholder": "e.g., rabbit@example.com",
"passwordPlaceholder": "e.g., ******************",
@ -305,11 +305,11 @@
"alreadyHaveAccountLogin": "Já tens uma conta no Habitica? <strong>Iniciar sessão.</strong>",
"dontHaveAccountSignup": "Não tens uma conta no Habitica? <strong>Inscrever.</strong>",
"motivateYourself": "Motiva-te para atingir os teus objetivos.",
"timeToGetThingsDone": "It's time to have fun when you get things done! Join over <%= userCountInMillions %> million Habiticans and improve your life one task at a time.",
"timeToGetThingsDone": "Está na altura de te divertires enquanto completas os teus objetivos! Junta-te a mais de<%= userCountInMillions %> milhões de Habiticanos e melhora a tua vida uma tarefa de cada vez.",
"singUpForFree": "Inscreve-te Gratuitamente",
"or": "OU",
"gamifyYourLife": "Gamifique a Sua Vida",
"aboutHabitica": "Habitica is a free habit-building and productivity app that treats your real life like a game. With in-game rewards and punishments to motivate you and a strong social network to inspire you, Habitica can help you achieve your goals to become healthy, hard-working, and happy.",
"aboutHabitica": "Habitica é uma aplicação gratuita de produtividade e criação de hábitos que trata a sua vida real como se fosse um jogo. Com recompensas e punições incluídas no jogo para o motivar e uma rede social forte para o inspirar. O Habitica pode ajudar-te a atingir os seus objetivos para se tornar saudável, trabalhar com mais prazer e manter-se feliz.",
"trackYourGoals": "Acompanha os teus Hábitos e Metas",
"trackYourGoalsDesc": "Mantenha-se responsável ao manter conta e gerindo os seus Hábitos, Tarefas Diárias e lista de Afazeres com as aplicações móveis e interface web fáceis de usar de Habitica.",
"earnRewards": "Ganha Recompensas pelas Tuas Metas",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Esta armadura forte, é feita de escamas unidas por elegantes fios de seda. Aumenta Percepção em <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Armadura de Peru",
"armorSpecialTurkeyArmorBaseNotes": "Mantenha as suas coxas quentes e confortáveis com esta armadura de penas! Não confere benefícios.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Túnica de Domador de Ieti",
"armorSpecialYetiNotes": "Felpudo e feroz. Aumenta Constituição em <%= con %>. Equipamento Edição Limitada de Inverno 2013-2014.",
"armorSpecialSkiText": "Parca Assa-ski-na",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Feliz Dia de Nome! Use este feroz e empenado elmo para celebrar Habitica. Não concede benefícios.",
"headSpecialTurkeyHelmBaseText": "Elmo de Perú",
"headSpecialTurkeyHelmBaseNotes": "O seu visual de Dia de Perú irá estar completo quanto envergar este elmo com bico! Não concede benefícios.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Chapéu Festivo Absurdo",
"headSpecialNyeNotes": "Você recebeu um Absurdo Chapéu Festivo!! Use-o com orgulho enquanto comemora o Ano Novo! Não concede benefícios.",
"headSpecialYetiText": "Elmo de Domador de Ieti",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Esta capa pertenceu no passado à Masterclasser perdida em pessoa. Aumenta Percepção em <%= per %>.",
"backSpecialTurkeyTailBaseText": "Cauda de Perú",
"backSpecialTurkeyTailBaseNotes": "Use a sua Cauda de Perú com orgulho enquanto celebra! Não confere benefícios.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -5,11 +5,11 @@
"welcomeTo": "Bem-vindo a",
"welcomeBack": "Bem-vindo de volta!",
"justin": "Justin",
"justinIntroMessage1": "Hello there! You must be new here. My name is <strong>Justin</strong>, and I'll be your guide in Habitica.",
"justinIntroMessage1": "Olá! Tu deves ser uma nova pessoa aqui. O meu nome é <strong>Justin</strong> e eu serei o seu guia no Habitica.",
"justinIntroMessage2": "Para começar, precisa de criar um avatar.",
"justinIntroMessage3": "Boa! Agora, em que é que está interessado em trabalhar nesta viagem?",
"justinIntroMessageUsername": "Before we begin, lets figure out what to call you. Below youll find a display name and username Ive generated for you. After youve picked a display name and username, well get started by creating an avatar!",
"justinIntroMessageAppearance": "So how would you like to look? Dont worry, you can change this later.",
"justinIntroMessageUsername": "Antes de começarmos, vamos descobrir como posso chamar-te. Abaixo, encontrarás um nome de utilizador e um nome de usuário que gerei para você. Depois que você tiver escolhido um nome de utilizador e um nome de usuário, iremos começar a criar teu avatar!",
"justinIntroMessageAppearance": "Então, o que achou do teu visual? Não se preocupe, podes mudar isso mais tarde.",
"introTour": "Aqui estamos! Criei algumas Tarefas com base nos seus interesses para que possa iniciar o mais rápido possível. Carregue numa Tarefa para a editar ou adicione novas Tarefas para preencher a sua rotina!",
"prev": "Anterior",
"next": "Seguinte",
@ -22,11 +22,11 @@
"sleepBullet1": "Tarefas Diárias incompletas não lhe darão dano",
"sleepBullet2": "Tarefas não perderão combos ou perderão cor",
"sleepBullet3": "Chefões não lhe causaram dano por causa de Tarefas Diárias incompletas",
"sleepBullet4": "Your boss damage or collection Quest items will stay pending until check-out",
"sleepBullet4": "Teu dano no Chefão ou itens de Missão de Colecção ficarão acumulados até o fim do dia",
"pauseDailies": "Pausar Dano",
"unpauseDailies": "Resumir Dano",
"staffAndModerators": "Equipa e Moderadores",
"communityGuidelinesIntro": "Habitica tries to create a welcoming environment for users of all ages and backgrounds, especially in public spaces like the Tavern. If you have any questions, please consult our <a href='/static/community-guidelines' target='_blank'>Community Guidelines</a>.",
"communityGuidelinesIntro": "O Habitica tentar criar um ambiente convidativo para usuários de todas as idades e contexto, especialmente em espaços públicos como a Taberna. Se tiveres quaisquer dúvida, por favor consulte nossas <a href='/static/community-guidelines' target='_blank'>Diretrizes da Comunidade</a>.",
"acceptCommunityGuidelines": "Concordo em seguir as Diretrizes da Comunidade",
"daniel": "Daniel",
"danielText": "Bem vindo à Taverna! Fique um pouco e conheça os locais. Se precisares descansar (férias? problemas de saúde?), eu me encarregarei de deixá-lo à vontade na Pousada. Enquanto descansa, suas Tarefas Diárias não lhe causarão dano na virada do dia, mas você ainda pode marcá-las como realizadas.",
@ -69,8 +69,8 @@
"wishlist": "Lista de Desejos",
"wrongItemType": "O tipo de item \"<%= type %>\" não é válido",
"wrongItemPath": "O caminho de item \"<%= path %>\" não é válido.",
"unpinnedItem": "You unpinned <%= item %>! It will no longer display in your Rewards column.",
"cannotUnpinArmoirPotion": "The Health Potion and Enchanted Armoire cannot be unpinned.",
"unpinnedItem": "Você removeu <%= item %>! Isso não será mais exibido na coluna de Recompensas.",
"cannotUnpinArmoirPotion": "A Poção de Vida e Armário Encantado não podem ser removidos.",
"purchasedItem": "Você comprou <%= itemName %>",
"ian": "Ian",
"ianText": "Bem-vindo à Loja de Missões! Aqui pode utilizar os Pergaminhos de Missões para lutar contra monstros com os seus amigos. Não se esqueça de verificar os nossos Pergaminhos de Missões refinados para comprar, à direita.",
@ -107,7 +107,7 @@
"amazonInstructions": "Aperte no botão para pagar usando Amazon Payments",
"paymentMethods": "Comprar usando",
"classGear": "Equipamento da Classe",
"classGearText": "Congratulations on choosing a class! I've added your new basic weapon to your inventory. Take a look below to equip it!",
"classGearText": "Parabéns por ter escolhido uma classe! Eu adicionei sua nova arma básica no seu inventário. Dê uma olhada abaixo para equipá-lo!",
"classStats": "These are your class's Stats; they affect the game-play. Each time you level up, you get one Point to allocate to a particular Stat. Hover over each Stat for more information.",
"autoAllocate": "Distribuição Automática",
"autoAllocateText": "If 'Automatic Allocation' is selected, your avatar gains Stats automatically based on your tasks' Stats, which you can find in <strong>TASK > Edit > Advanced Settings > Stat Allocation</strong>. Eg, if you hit the gym often, and your 'Gym' Daily is set to 'Strength', you'll gain Strength automatically.",

View file

@ -206,7 +206,7 @@
"hatchingPotionRainbow": "Arco-Íris",
"hatchingPotionGlass": "Vidro",
"hatchingPotionGlow": "Brilha-no-Escuro",
"hatchingPotionFrost": "Frost",
"hatchingPotionFrost": "Geada",
"hatchingPotionNotes": "Use-a em um ovo e ele chocará como um mascote <%= potText(locale) %>.",
"premiumPotionAddlNotes": "Não utilizável em ovos de mascote de missões.",
"foodMeat": "Carne",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Esta escamada e forte armadura é mantida junto com elegantes cordas de seda. Aumenta Percepção em <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Armadura de Peru",
"armorSpecialTurkeyArmorBaseNotes": "Mantenha suas coxas aquecidas e confortáveis nessa armadura de penas! Não concede benefícios.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Túnica de Domador de Ieti",
"armorSpecialYetiNotes": "Felpudo e feroz. Aumenta Constituição em <%= con %>. Equipamento de Edição Limitada. Inverno de 2013 2014.",
"armorSpecialSkiText": "Casaco Assa-esqui-no",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Feliz Habitversário! Coloque esse destemido e emplumado elmo ao parabenizar o Habitica. Não confere benefícios.",
"headSpecialTurkeyHelmBaseText": "Elmo de Peru",
"headSpecialTurkeyHelmBaseNotes": "Seu Dia de Ação de Graças estará completo quando você vestir este elmo! Não concede benefícios.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Chapéu Festivo Absurdo",
"headSpecialNyeNotes": "Você recebeu um Chapéu Festivo Absurdo! Use-o com orgulho enquanto comemora o Ano Novo! Não concede benefícios.",
"headSpecialYetiText": "Elmo de Domador de Yeti",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Esta capa já pertenceu uma vez à própria Mestre de Classe Perdida. Aumenta Percepção em <%= per %>.",
"backSpecialTurkeyTailBaseText": "Rabo de Peru",
"backSpecialTurkeyTailBaseNotes": "Vista seu nobre Rabo de Peru enquanto celebra as festividades. Não concede benefícios.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Cauda de Urso",
"backBearTailNotes": "Esta cauda faz com você pareça com um bravo urso! Não confere benefícios.",
"backCactusTailText": "Cauda de Cacto",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Roba îmblânzitorului de Yeti",
"armorSpecialYetiNotes": "Fuzzy and fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
"armorSpecialSkiText": "Parka Ski-sasinului",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Pălărie absurdă de petrecere",
"headSpecialNyeNotes": "You've received an Absurd Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
"headSpecialYetiText": "Casca îmblânzitorului de Yeti",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -206,7 +206,7 @@
"hatchingPotionRainbow": "Радужный",
"hatchingPotionGlass": "Стеклянный",
"hatchingPotionGlow": "Светящийся-ночью",
"hatchingPotionFrost": "Frost",
"hatchingPotionFrost": "Морозный",
"hatchingPotionNotes": "Полейте его на яйцо и из него вылупится <%= potText(locale) %> питомец.",
"premiumPotionAddlNotes": "Несовместим с яйцами квестовых питомцев.",
"foodMeat": "Мясо",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Эта прочная чешуйчатая броня удерживается вместе элегантными шёлковыми шнурами. Увеличивает восприятие на <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Индюшачья броня",
"armorSpecialTurkeyArmorBaseNotes": "Держите свои ноги в тепле и уюте в этой перистой броне! Бонусов не дает.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Мантия укротителя Йети",
"armorSpecialYetiNotes": "Пушистая и свирепая. Увеличивает телосложение на <%= con %>. Ограниченный выпуск зимы 2013-2014.",
"armorSpecialSkiText": "Парка лыжника-ассасина",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "С днём наречения! Носите этот суровый шлем с перьями, празднуя новое имя Habitica. Бонусов не даёт.",
"headSpecialTurkeyHelmBaseText": "Шлем индейки",
"headSpecialTurkeyHelmBaseNotes": "Ваш костюм на день благодарения будет закончен с этим шлемом с клювом.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Шляпа праздника абсурда",
"headSpecialNyeNotes": "Вы получили Шляпу Праздника Абсурда! Носите ее с гордостью в Новый год! Бонусов не дает.",
"headSpecialYetiText": "Шлем укротителя Йети",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Этот плащ когда-то принадлежал самой последней из ордена Мастеров. Увеличивает восприятие на <%= per %>. ",
"backSpecialTurkeyTailBaseText": "Хвост индейки",
"backSpecialTurkeyTailBaseNotes": "Носите ваш превосходный Хвост Индейки с гордостью, пока празднуете. Бонусов не дает.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Медвежий хвост",
"backBearTailNotes": "С этим хвостом вы похоже на смелого медведя! Бонусов не дает.",
"backCactusTailText": "Кактусовый хвост",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Rúcho krotiteľa yetiov",
"armorSpecialYetiNotes": "Fuzzy and fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
"armorSpecialSkiText": "Lyžossassinská vetrovka",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurdný párty klobúk",
"headSpecialNyeNotes": "You've received an Absurd Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
"headSpecialYetiText": "Helma krotiteľa yetiov",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Odora lovca na jetije",
"armorSpecialYetiNotes": "Čupava i zastrašujuća. Povećava Vitalnost za <%= con %>. Oprema iz ograničene serije Zima 2013/14.",
"armorSpecialSkiText": "Skijaška jakna s kapuljačom",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Smešni šešir za žurke",
"headSpecialNyeNotes": "Dobili ste Smešni šešir za žurke. Nosite ga s ponosom u Novoj godini. Ne daje nikakav bonus.",
"headSpecialYetiText": "Šlem lovca na jetije",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yetitämjarrock",
"armorSpecialYetiNotes": "Fuzzy and fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
"armorSpecialSkiText": "Ski-sassin Parka",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absurd partyhatt",
"headSpecialNyeNotes": "You've received an Absurd Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
"headSpecialYetiText": "Yetitämjarens hjälm",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -206,7 +206,7 @@
"hatchingPotionRainbow": "Gökkuşağı",
"hatchingPotionGlass": "Cam",
"hatchingPotionGlow": "Karanlıkta Parlayan",
"hatchingPotionFrost": "Frost",
"hatchingPotionFrost": "Donuk",
"hatchingPotionNotes": "Bunu yumurtanın üstüne döktüğünde <%= potText(locale) %> türünde bir hayvan çıkacak.",
"premiumPotionAddlNotes": "Görev yumurtalarıyla kullanılamaz.",
"foodMeat": "Et",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "Bu güçlü, pullu zırh zarif ipek ipliklerle bir arada tutulur. Sezgiyi <%= per %> puan arttırır.",
"armorSpecialTurkeyArmorBaseText": "Hindi Zırhı",
"armorSpecialTurkeyArmorBaseNotes": "Butlarını bu tüylü zırhın içinde sıcak ve rahat tut! Bir fayda sağlamaz.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Yeti Terbiyecisi Cübbesi",
"armorSpecialYetiNotes": "Kabarık ve vahşi. Bünyeyi <%= con %> puan arttırır. Sınırlı Sürüm 2013-2014 Kış Ekipmanı.",
"armorSpecialSkiText": "Sui-kay-st Parkası",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Adlandırma Günü kutlu olsun! Habitica'yı kutlarken bu vahşi ve tüylü başlığı giy. Bir fayda sağlamaz.",
"headSpecialTurkeyHelmBaseText": "Hindi Miğferi",
"headSpecialTurkeyHelmBaseNotes": "Bu gagalı miğferi kafana geçirdiğinde Hindi Günü kıyafetin tamamlanmış olacak! Bir fayda sağlamaz.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Absürd Parti Şapkası",
"headSpecialNyeNotes": "Bir Absürd Parti Şapkası kazandın! Yeni yılda eğlenirken bunu gururla tak! Bir fayda sağlamaz.",
"headSpecialYetiText": "Yeti Terbiyecisi Miğferi",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "Bu pelerin bir zamanlar Kayıp Uzmaneleman'ın kendine aitti. Sezgiyi <%= per %> puan arttırır.",
"backSpecialTurkeyTailBaseText": "Hindi Kuyruğu",
"backSpecialTurkeyTailBaseNotes": "Kutlama yaparken asil Hindi Kuyruğunu gururla tak! Bir fayda sağlamaz.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Ayı Kuyruğu",
"backBearTailNotes": "Bu kuyruk seni cesur bir ayı gibi gösterecek! Bir fayda sağlamaz.",
"backCactusTailText": "Kaktüs Kuyruğu",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "This strong, scaled armor is held together by elegant silk cords. Increases Perception by <%= per %>.",
"armorSpecialTurkeyArmorBaseText": "Turkey Armor",
"armorSpecialTurkeyArmorBaseNotes": "Keep your drumsticks warm and cozy in this feathery armor! Confers no benefit.",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "Мантія приборкувача Єті",
"armorSpecialYetiNotes": "Fuzzy and fierce. Increases Constitution by <%= con %>. Limited Edition 2013-2014 Winter Gear.",
"armorSpecialSkiText": "Куртка лижника-вбивці",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "Happy Naming Day! Wear this fierce and feathery helm as you celebrate Habitica. Confers no benefit.",
"headSpecialTurkeyHelmBaseText": "Turkey Helm",
"headSpecialTurkeyHelmBaseNotes": "Your Turkey Day look will be complete when you don this beaked helm! Confers no benefit.",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "Файна шапка для вечірки",
"headSpecialNyeNotes": "You've received an Absurd Party Hat! Wear it with pride while ringing in the New Year! Confers no benefit.",
"headSpecialYetiText": "Шолом приборкувача Єті",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "This cloak once belonged to the Lost Masterclasser herself. Increases Perception by <%= per %>.",
"backSpecialTurkeyTailBaseText": "Turkey Tail",
"backSpecialTurkeyTailBaseNotes": "Wear your noble Turkey Tail with pride while you celebrate! Confers no benefit.",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "Bear Tail",
"backBearTailNotes": "This tail makes you look like a brave bear! Confers no benefit.",
"backCactusTailText": "Cactus Tail",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "这是一件坚固的、用优雅的丝线将所有鳞片固定在一起的盔甲。增加<%= per %>点感知。",
"armorSpecialTurkeyArmorBaseText": "火鸡护甲",
"armorSpecialTurkeyArmorBaseNotes": "这套毛绒绒的装甲能让你的小鼓槌温暖舒适! 没有属性加成。",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "野人驯化长袍",
"armorSpecialYetiNotes": "模糊和激烈。增加<%= con %>点体质。2013-2014冬季限量版装备。",
"armorSpecialSkiText": "雪橇刺客大衣",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "命名节快乐!带上这个凶猛狮鹫羽毛编制的头盔来一起庆祝吧!没有增益效果。",
"headSpecialTurkeyHelmBaseText": "火鸡头盔",
"headSpecialTurkeyHelmBaseNotes": "当你带上这顶鸟嘴头盔你的火鸡造型才算完整!没有属性加成。 ",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "可笑的派对帽子",
"headSpecialNyeNotes": "你收到了一顶可笑的派对帽子!当新年钟声响起时,自豪地戴上这顶帽子吧!没有属性加成。",
"headSpecialYetiText": "雪人驯化头盔",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "这件斗篷曾经属于迷失的大法师。增加感知<%= per %>点。",
"backSpecialTurkeyTailBaseText": "火鸡之尾",
"backSpecialTurkeyTailBaseNotes": "在庆祝时记得穿上这条高贵的火鸡尾巴! 没有属性加成。",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "熊的尾巴",
"backBearTailNotes": "这条尾巴让你看上去就像一只勇敢的熊!没有属性加成。",
"backCactusTailText": "仙人掌尾巴",

View file

@ -388,11 +388,11 @@
"backgroundCreepyCastleNotes": "勇敢地進入毛骨悚然的城堡。",
"backgroundDungeonText": "地牢",
"backgroundDungeonNotes": "在幽靈地牢中協助囚犯越獄。",
"backgrounds112018": "SET 54: Released November 2018",
"backgroundBackAlleyText": "Back Alley",
"backgroundBackAlleyNotes": "Look shady loitering in a Back Alley.",
"backgroundGlowingMushroomCaveText": "Glowing Mushroom Cave",
"backgroundGlowingMushroomCaveNotes": "Stare in awe at a Glowing Mushroom Cave.",
"backgroundCozyBedroomText": "Cozy Bedroom",
"backgroundCozyBedroomNotes": "Curl up in a Cozy Bedroom."
"backgrounds112018": "第 54 組: 2018 年 11月推出",
"backgroundBackAlleyText": "陋巷",
"backgroundBackAlleyNotes": "暗影再陋巷中陰魂不散。",
"backgroundGlowingMushroomCaveText": "發光蘑菇洞穴",
"backgroundGlowingMushroomCaveNotes": "驚嘆地凝視著一個發光的蘑菇洞穴。",
"backgroundCozyBedroomText": "溫馨臥室",
"backgroundCozyBedroomNotes": "蜷縮在溫馨的臥室裡。"
}

View file

@ -36,8 +36,8 @@
"createChallengeCloneTasks": "複製挑戰任務",
"addTaskToChallenge": "新增任務",
"discard": "取消",
"challengeTitle": "挑戰名",
"challengeTag": "標籤名",
"challengeTitle": "挑戰名",
"challengeTag": "標籤名",
"challengeTagPop": "挑戰會顯示在在標籤列表和任務的工具提示中。所以挑戰名要盡量短。例如用「-10 磅」代替「在 3 個月內減掉 10 磅」 (點選查看詳細資訊)。",
"challengeDescr": "說明",
"prize": "戰利品",
@ -99,7 +99,7 @@
"noChallengeTitle": "您沒有任何挑戰。",
"challengeDescription1": "挑戰是一種社群活動,玩家可以完成一系列相關任務來彼此競爭並贏得獎品。",
"challengeDescription2": "依據您的興趣尋找推薦的挑戰,瀏覽 Habitica 的公開挑戰或建立自己的挑戰。",
"noChallengeMatchFilters": "We couldn't find any matching Challenges.",
"noChallengeMatchFilters": "我們無法找到任何符合的挑戰。",
"createdBy": "建立者:",
"joinChallenge": "參加挑戰",
"leaveChallenge": "離開挑戰",
@ -110,9 +110,9 @@
"awardWinners": "獎勵贏家",
"doYouWantedToDeleteChallenge": "要刪除此挑戰嗎?",
"deleteChallenge": "刪除挑戰",
"challengeNamePlaceholder": "您的挑戰名稱是?",
"challengeNamePlaceholder": "您想要的挑戰名稱是?",
"challengeSummary": "摘要",
"challengeSummaryPlaceholder": "撰寫簡短的說明來向其他 Habitica 玩家宣傳您的挑戰。你的挑戰主要目標為何?為什麼人們要參加?試著在說明中加入有用的關鍵字,讓 Habitica 玩家能在搜尋時輕鬆找到!",
"challengeSummaryPlaceholder": "撰寫簡短的說明來向其他 Habitica 玩家宣傳您的挑戰。您的挑戰主要目標為何?為什麼大家會想參加?試著在說明欄位中加入有用的關鍵字,讓 Habitica 玩家能在搜尋時輕鬆找到!",
"challengeDescriptionPlaceholder": "利用此區域為挑戰參與者說明更多該了解的挑戰相關資訊。",
"challengeGuild": "新增至",
"challengeMinimum": "公開挑戰至少需要 1 個寶石作為獎勵 (防止濫發)。",

View file

@ -7,12 +7,12 @@
"noPhoto": "此 Habitica 玩家未新增相片。",
"other": "其他",
"fullName": "全名",
"displayName": "Display name",
"displayName": "暱稱",
"changeDisplayName": "修改暱稱",
"newDisplayName": "新的暱稱",
"displayPhoto": "照片",
"displayBlurb": "自我介紹",
"displayBlurbPlaceholder": "請介紹你自己",
"displayBlurbPlaceholder": "請在此處自我介紹!",
"photoUrl": "照片網址",
"imageUrl": "圖片網址",
"inventory": "背包",
@ -26,9 +26,9 @@
"bodyBroad": "壯碩",
"unlockSet": "解鎖 - <%= cost %>",
"locked": "未解鎖",
"shirts": "衣",
"shirts": "衣",
"shirt": "襯衣",
"specialShirts": "特殊衣",
"specialShirts": "特殊衣",
"bodyHead": "髮型及髮色",
"bodySkin": "皮膚",
"skin": "皮膚",
@ -53,35 +53,35 @@
"extra": "其他",
"basicSkins": "基本膚色",
"rainbowSkins": "彩色膚色",
"pastelSkins": "柔和膚色",
"pastelSkins": "粉彩膚色",
"spookySkins": "萬聖節膚色",
"supernaturalSkins": "超自然膚色",
"splashySkins": "吸引膚色",
"splashySkins": "潮流膚色",
"winterySkins": "寒天膚色",
"rainbowColors": "彩髮色",
"rainbowColors": "彩髮色",
"shimmerColors": "柔光髮色",
"hauntedColors": "幽靈髮色",
"winteryColors": "冷色髮色",
"equipment": "裝備",
"equipmentBonus": "裝備",
"equipmentBonusText": "裝備中的戰鬥裝備會提供屬性加成獎勵。在背包底下的裝備分頁中可以選擇的戰鬥裝備。",
"classBonusText": "你的職業戰士當你還沒解鎖或選擇其他職業時比起其他職業的戰鬥裝備能夠更有效地使用自己職業的裝備。穿著和你現在職業相同的裝備會提供50%的屬性加成獎勵提升。",
"equipmentBonusText": "裝備中的戰鬥裝備會提供屬性加成獎勵。在背包底下的裝備分頁中可以選擇的戰鬥裝備。",
"classBonusText": "選擇您的職業戰士在您尚未解鎖或選擇其他職業時所屬的戰鬥裝備將能比裝備其他職業的戰鬥裝備更能有效地提升能力。穿著和您現在職業相同的裝備能獲得額外的50%屬性加成獎勵。",
"classEquipBonus": "職業加成",
"battleGear": "戰鬥裝備",
"gear": "裝備",
"battleGearText": "這是你穿上戰場的裝備,在你做任務時會影響一些數值。",
"battleGearText": "這是您在戰鬥中穿著的裝備;他將在您解任務時帶來能力上的影響。",
"autoEquipBattleGear": "自動穿上新裝備",
"costume": "裝",
"costumeText": "如果你覺得其他裝備的外觀更勝於你現在的裝備,勾選「使用服裝」框穿上想被看到的服裝,而你不會看到戰鬥裝備。",
"useCostume": "使用服",
"useCostumeInfo1": "點擊「使用服裝」來更換角色圖像的裝備,且不影響你的戰鬥裝備的數值。所以你可以在左欄裝備你最強屬性的裝備;同時在右欄為你的人物穿上最好看的服裝。",
"useCostumeInfo2": "當你點擊「使用服裝」,你的頭像會變回非常\"基礎\"...但是別擔心! 如果你看一下左欄,你會發現你的戰鬥裝備仍是裝配著的。接著,就可以開始精心設計你的服裝了! 你在右欄裝備的任何服裝都將不會影響你的數值,但你卻會看起來更酷! 試試不同的組合、混合搭配,並依據你的寵物、坐騎、背景來搭配。<br><br>還有更多問題? 到Wiki上的<a href=\"http://habitica.wikia.com/wiki/Equipment#Costumes\">服裝</a>頁面。已經找到最好看的服裝搭配了嗎?請到<a href=\"/groups/guild/3884eeaa-2d6a-45e8-a279-ada6de9709e1\">服裝嘉年華公會</a>或到酒館裡炫耀一番吧!",
"costumePopoverText": "選擇「使用服裝」來更會角色圖像上的裝備,且不影響你的戰鬥裝備的數值。這意味著你可以在右欄為你的人物穿上最好看的服裝,同時仍使用著最強的戰鬥裝備。",
"autoEquipPopoverText": "選取此選項以在您購買裝備後自動穿上。",
"costume": "裝",
"costumeText": "如果您比較喜歡其他裝備的外觀而非您已戴上的裝備,請開啟「使用套裝」來穿上想被看到的服裝,同時暗中穿戴著您的戰鬥裝備。",
"useCostume": "使用服",
"useCostumeInfo1": "點擊「使用服飾」來更換角色圖像中的裝備,同時不影響您戰鬥裝備所帶來的能力。此時您可以在左欄裝備您最強屬性的裝備;同時在右欄為您的角色穿上最好看的服飾。",
"useCostumeInfo2": "當您點擊「使用服飾」,您的角色會變回非常\"樸素\"...但是別擔心! 如果您看一下左欄位,將發現您的戰鬥裝備仍是穿戴著。接著,就可以開始精心設計您的套裝了! 在右欄位中穿著的任何服裝都將不會影響您的能力數值,但卻會看起來更酷! 試試不同的組合、混合搭配,並依據您的寵物、坐騎、背景做修改。<br><br>還有更多問題? 可以到Wiki的<a href=\"http://habitica.wikia.com/wiki/Equipment#Costumes\">服飾</a>頁面。已經找到最好看的服飾搭配了嗎? 請到<a href=\"/groups/guild/3884eeaa-2d6a-45e8-a279-ada6de9709e1\">服飾嘉年華公會</a>或到酒館裡炫耀一番吧!",
"costumePopoverText": "選擇「使用服飾」來更換角色圖像上的裝備,同時不影響戰鬥裝備的能力數值。此時您可以在右欄為您的人物穿上最好看的服飾,同時仍使用著最強的戰鬥裝備。",
"autoEquipPopoverText": "開啟此選項以自動穿上您最新購買的裝備。",
"costumeDisabled": "您已停用服裝。",
"gearAchievement": "你已達成「終極裝備」成就:升級到職業的最高裝備!你已完成以下組合",
"gearAchievementNotification": "You have earned the \"Ultimate Gear\" Achievement for upgrading to the maximum gear set for a class!",
"moreGearAchievements": "想獲得更多終極裝備徽章,可<a href='/user/settings/site' target='_blank'>設定 &gt; 網站頁面</a>變更職業並購買新職業的裝備!",
"gearAchievement": "您已達成「終極裝備」成就:已升級到某職業中的最高級的裝備套組!已完成下列套組",
"gearAchievementNotification": "您已達成「終極裝備」成就:已升級到某職業中的最高級的裝備套組!",
"moreGearAchievements": "想獲得更多終極裝備徽章,可<a href='/user/settings/site' target='_blank'>設定 &gt; 網站頁面</a>變更職業並購買新職業的裝備!",
"armoireUnlocked": "獲得更多的裝備請購買<strong>神秘寶箱!</strong> 點擊神秘寶箱可獲得隨機的特殊裝備!!也有可能會獲得隨機的經驗值或是食物。",
"ultimGearName": "終極裝備 - <%= ultClass %>",
"ultimGearText": "已經將 <%= ultClass %>職業的武器與盔甲組合升級到滿等了!!",

View file

@ -300,7 +300,7 @@
"usernamePlaceholder": "e.g., HabitRabbit",
"emailPlaceholder": "e.g., rabbit@example.com",
"passwordPlaceholder": "e.g., ******************",
"confirmPasswordPlaceholder": "請確保密碼一致!",
"confirmPasswordPlaceholder": "必須與密碼一致!",
"joinHabitica": "加入Habitica",
"alreadyHaveAccountLogin": "已經擁有Habitica的帳號?<strong>按此登入</strong>",
"dontHaveAccountSignup": "還沒有Habitica的帳號? <strong>立即註冊</strong>",

View file

@ -440,6 +440,8 @@
"armorSpecialSamuraiArmorNotes": "這件鎧甲是由成千上萬個堅硬的鎖鏈組成,並用極為講究的高級絲線所串起來。增加 <%= per %> 點感知。",
"armorSpecialTurkeyArmorBaseText": "火雞鎧甲",
"armorSpecialTurkeyArmorBaseNotes": "穿上這套毛茸茸的鎧甲就能讓您的小腿感到溫暖舒適! 無屬性加成。",
"armorSpecialTurkeyArmorGildedText": "Gilded Turkey Armor",
"armorSpecialTurkeyArmorGildedNotes": "Strut your stuff in this seasonally shiny armor! Confers no benefit.",
"armorSpecialYetiText": "雪怪馴化師長袍",
"armorSpecialYetiNotes": "毛茸茸而且非常地兇猛! 增加 <%= con %> 點體質。2013-2014冬季限定版裝備",
"armorSpecialSkiText": "滑雪刺客毛皮外套",
@ -866,6 +868,8 @@
"headSpecialNamingDay2017Notes": "命名節快樂! 快戴上這頂由兇猛獅鷲的羽毛編製而成的頭盔一同前來為 Habitica 歡慶吧! 無屬性加成。",
"headSpecialTurkeyHelmBaseText": "火雞頭盔",
"headSpecialTurkeyHelmBaseNotes": "唯有戴上這頂鳥嘴狀的頭盔您的火雞Cosplay才算完整喔! 無屬性加成。",
"headSpecialTurkeyHelmGildedText": "Gilded Turkey Helm",
"headSpecialTurkeyHelmGildedNotes": "Gobble gobble! Bling bling! Confers no benefit.",
"headSpecialNyeText": "滑稽派對帽",
"headSpecialNyeNotes": "恭喜您收到一頂滑稽的派對慶生帽! 當新年鐘聲響起時,就自豪地戴上它吧! 無屬性加成。",
"headSpecialYetiText": "雪怪馴化師頭盔",
@ -1497,6 +1501,8 @@
"backSpecialAetherCloakNotes": "這件斗篷曾屬於迷失的職業統治大師(Lost Masterclasser)。增加 <%= per %> 點感知。",
"backSpecialTurkeyTailBaseText": "火雞尾巴",
"backSpecialTurkeyTailBaseNotes": "在慶祝時別忘了穿上這條高尚的火雞尾巴! 無屬性加成。",
"backSpecialTurkeyTailGildedText": "Gilded Turkey Tail",
"backSpecialTurkeyTailGildedNotes": "Plumage fit for a parade! Confers no benefit.",
"backBearTailText": "猛熊尾巴",
"backBearTailNotes": "這條尾巴能讓您看起來就像是一隻英勇的熊! 無屬性加成。",
"backCactusTailText": "仙人掌尾巴",

View file

@ -1053,6 +1053,12 @@ let armor = {
value: 90,
con: 15,
},
turkeyArmorGilded: {
text: t('armorSpecialTurkeyArmorGildedText'),
notes: t('armorSpecialTurkeyArmorGildedNotes'),
value: 0,
canOwn: ownsItem('armor_special_turkeyArmorGilded'),
},
};
let back = {
@ -1157,6 +1163,12 @@ let back = {
return true;
},
},
turkeyTailGilded: {
text: t('backSpecialTurkeyTailGildedText'),
notes: t('backSpecialTurkeyTailGildedNotes'),
value: 0,
canOwn: ownsItem('back_special_turkeyTailGilded'),
},
};
let body = {
@ -2380,6 +2392,12 @@ let head = {
value: 60,
int: 7,
},
turkeyHelmGilded: {
text: t('headSpecialTurkeyHelmGildedText'),
notes: t('headSpecialTurkeyHelmGildedNotes'),
value: 0,
canOwn: ownsItem('head_special_turkeyHelmGilded'),
},
};
let headAccessory = {

Binary file not shown.

After

Width:  |  Height:  |  Size: 454 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 403 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 447 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 659 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 601 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 556 B

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