diff --git a/.husky/pre-commit b/.husky/pre-commit
index d24fdfc..f9dd494 100755
--- a/.husky/pre-commit
+++ b/.husky/pre-commit
@@ -2,3 +2,6 @@
. "$(dirname -- "$0")/_/husky.sh"
npx lint-staged
+
+yarn dlx i18next-scanner --config i18next-scanner.config-en.js
+yarn dlx i18next-scanner --config i18next-scanner.config-langs.js
diff --git a/i18next-scanner.config-en.js b/i18next-scanner.config-en.js
new file mode 100644
index 0000000..62ae48e
--- /dev/null
+++ b/i18next-scanner.config-en.js
@@ -0,0 +1,114 @@
+/**
+ * i18next-scanner configuration for English
+ * As the source language, keys should be populated with default values
+ * especially for `Trans` components (not so much for `t` functions)
+ */
+
+const fs = require("fs");
+const chalk = require("chalk");
+
+module.exports = {
+ input: [
+ "src/**/*.{js,jsx}",
+ // Use ! to filter out files or directories
+ "!src/**/*.test.{js,jsx}",
+ "!**/node_modules/**",
+ ],
+ output: "./",
+ options: {
+ debug: false,
+ removeUnusedKeys: false,
+ sort: true,
+ attr: false,
+ func: {
+ list: ["i18next.t", "i18n.t", "t"],
+ extensions: [".js", ".jsx"],
+ },
+ trans: {
+ component: "Trans",
+ i18nKey: "i18nKey",
+ defaultsKey: "defaults",
+ extensions: [".js", ".jsx"],
+ fallbackKey: function (ns, value) {
+ return sha1(value);
+ },
+ // https://react.i18next.com/latest/trans-component#usage-with-simple-html-elements-like-less-than-br-greater-than-and-others-v10.4.0
+ supportBasicHtmlNodes: true, // Enables keeping the name of simple nodes (e.g. ) in translations instead of indexed keys.
+ keepBasicHtmlNodesFor: [
+ "br",
+ "strong",
+ "i",
+ "p",
+ "vatican",
+ "github",
+ "mass",
+ "osc",
+ "website",
+ "app",
+ "a",
+ "kbd",
+ "code",
+ "footer",
+ "githubicon",
+ ], // Which nodes are allowed to be kept in translations during defaultValue generation of .
+ // https://github.com/acornjs/acorn/tree/master/acorn#interface
+ acorn: {
+ ecmaVersion: 2020,
+ sourceType: "module", // defaults to 'module'
+ },
+ },
+ lngs: ["en"],
+ defaultLng: "en",
+ ns: ["translation"],
+ defaultNs: "translation",
+ defaultValue: "",
+ resource: {
+ loadPath: "public/locales/{{lng}}/{{ns}}.json",
+ savePath: "public/locales/{{lng}}/{{ns}}.json",
+ jsonIndent: 2,
+ lineEnding: "\n",
+ },
+ nsSeparator: ":",
+ keySeparator: ".",
+ pluralSeparator: "_",
+ contextSeparator: "_",
+ contextDefaultValues: [],
+ interpolation: {
+ prefix: "{{",
+ suffix: "}}",
+ },
+ metadata: {},
+ allowDynamicKeys: false,
+ compatibilityJSON: "v4",
+ },
+ transform: function customTransform(file, enc, done) {
+ "use strict";
+ const content = fs.readFileSync(file.path, enc);
+ let count = 0;
+ let transCount = 0;
+
+ const parser = this.parser;
+
+ parser.parseFuncFromString(content, {}, (key, options) => {
+ parser.set(key, options);
+ ++count;
+ });
+
+ parser.parseTransFromString(content, {}, (key, options) => {
+ parser.set(key, options);
+ ++transCount;
+ });
+
+ if (count > 0 || transCount > 0) {
+ console.log(
+ `i18next-scanner: t() count=${chalk.cyan(
+ count
+ )}, Trans count=${chalk.cyan(transCount)}, file=${chalk.yellow(
+ JSON.stringify(file.relative)
+ )}`
+ );
+ }
+
+ done();
+ },
+};
diff --git a/i18next-scanner.config-langs.js b/i18next-scanner.config-langs.js
new file mode 100644
index 0000000..b26758c
--- /dev/null
+++ b/i18next-scanner.config-langs.js
@@ -0,0 +1,117 @@
+/**
+ * i18next-scanner configuration for languages other than English
+ * For languages other than English, keys should be populated with an empty value
+ * not with the default value within `Trans` components for example
+ * Only way to achieve this is a separate config for all other languages
+ */
+
+const fs = require("fs");
+const chalk = require("chalk");
+
+module.exports = {
+ input: [
+ "src/**/*.{js,jsx}",
+ // Use ! to filter out files or directories
+ "!src/**/*.test.{js,jsx}",
+ "!**/node_modules/**",
+ ],
+ output: "./",
+ options: {
+ debug: false,
+ removeUnusedKeys: false,
+ sort: true,
+ attr: false,
+ func: {
+ list: ["i18next.t", "i18n.t", "t"],
+ extensions: [".js", ".jsx"],
+ },
+ trans: {
+ component: "Trans",
+ i18nKey: "i18nKey",
+ defaultsKey: "defaults",
+ extensions: [".js", ".jsx"],
+ fallbackKey: function (ns, value) {
+ return sha1(value);
+ },
+ // https://react.i18next.com/latest/trans-component#usage-with-simple-html-elements-like-less-than-br-greater-than-and-others-v10.4.0
+ supportBasicHtmlNodes: true, // Enables keeping the name of simple nodes (e.g. ) in translations instead of indexed keys.
+ keepBasicHtmlNodesFor: [
+ "br",
+ "strong",
+ "i",
+ "p",
+ "vatican",
+ "github",
+ "mass",
+ "osc",
+ "website",
+ "app",
+ "a",
+ "kbd",
+ "code",
+ "footer",
+ "githubicon",
+ ], // Which nodes are allowed to be kept in translations during defaultValue generation of .
+ // https://github.com/acornjs/acorn/tree/master/acorn#interface
+ acorn: {
+ ecmaVersion: 2020,
+ sourceType: "module", // defaults to 'module'
+ },
+ },
+ lngs: ["es", "de", "it", "pt-BR"],
+ defaultLng: "en",
+ ns: ["translation"],
+ defaultNs: "translation",
+ defaultValue: () => {
+ return "";
+ },
+ resource: {
+ loadPath: "public/locales/{{lng}}/{{ns}}.json",
+ savePath: "public/locales/{{lng}}/{{ns}}.json",
+ jsonIndent: 2,
+ lineEnding: "\n",
+ },
+ nsSeparator: ":",
+ keySeparator: ".",
+ pluralSeparator: "_",
+ contextSeparator: "_",
+ contextDefaultValues: [],
+ interpolation: {
+ prefix: "{{",
+ suffix: "}}",
+ },
+ metadata: {},
+ allowDynamicKeys: false,
+ compatibilityJSON: "v4",
+ },
+ transform: function customTransform(file, enc, done) {
+ "use strict";
+ const content = fs.readFileSync(file.path, enc);
+ let count = 0;
+ let transCount = 0;
+
+ const parser = this.parser;
+
+ parser.parseFuncFromString(content, {}, (key, options) => {
+ parser.set(key, options);
+ ++count;
+ });
+
+ parser.parseTransFromString(content, {}, (key, options) => {
+ parser.set(key, options);
+ ++transCount;
+ });
+
+ if (count > 0 || transCount > 0) {
+ console.log(
+ `i18next-scanner: t() count=${chalk.cyan(
+ count
+ )}, Trans count=${chalk.cyan(transCount)}, file=${chalk.yellow(
+ JSON.stringify(file.relative)
+ )}`
+ );
+ }
+
+ done();
+ },
+};
diff --git a/i18next-scanner.config.js b/i18next-scanner.config.js
deleted file mode 100644
index a8c9f0a..0000000
--- a/i18next-scanner.config.js
+++ /dev/null
@@ -1,145 +0,0 @@
-const fs = require("fs");
-const chalk = require("chalk");
-const Parser = require("i18next-scanner").Parser;
-
-module.exports = {
- input: [
- "src/**/*.{js,jsx}",
- // Use ! to filter out files or directories
- "!src/**/*.test.{js,jsx}",
- "!**/node_modules/**",
- ],
- output: "./",
- options: {
- debug: false,
- removeUnusedKeys: false,
- sort: false,
- attr: false,
- func: false,
- trans: false,
- lngs: ["en", "es", "de", "it", "pt-BR"],
- ns: ["translation"],
- defaultLng: "en",
- defaultNs: "translation",
- defaultValue: "",
- resource: {
- loadPath: "public/locales/{{lng}}/{{ns}}.json",
- savePath: "public/locales/{{lng}}/{{ns}}.json",
- jsonIndent: 2,
- lineEnding: "\n",
- },
- nsSeparator: ":",
- keySeparator: ".",
- pluralSeparator: "_",
- contextSeparator: "_",
- contextDefaultValues: [],
- interpolation: {
- prefix: "{{",
- suffix: "}}",
- },
- metadata: {},
- allowDynamicKeys: false,
- },
- transform: function customTransform(file, enc, done) {
- "use strict";
-
- const parser = this.parser;
- const transParser = new Parser({
- defaultValue: (lng, ns, key) => {
- if (lng === "en") {
- return key;
- } else {
- return "";
- }
- },
- lngs: ["en", "es", "de", "it", "pt-BR"],
- resource: {
- loadPath: "public/locales/{{lng}}/{{ns}}.json",
- savePath: "public/locales/{{lng}}/{{ns}}.json",
- jsonIndent: 2,
- lineEnding: "\n",
- },
- keySeparator: ".",
- });
- const content = fs.readFileSync(file.path, enc);
- let count = 0;
- let transCount = 0;
-
- parser.parseFuncFromString(
- content,
- {
- list: ["i18next.t", "i18n.t", "t"],
- extensions: [".js", ".jsx"],
- },
- (key, options) => {
- parser.set(key, options);
- ++count;
- }
- );
-
- let keysObj = {};
-
- transParser.parseTransFromString(
- content,
- {
- component: "Trans",
- i18nKey: "i18nKey",
- defaultsKey: "defaults",
- extensions: [".js", ".jsx"],
- fallbackKey: false,
-
- // https://react.i18next.com/latest/trans-component#usage-with-simple-html-elements-like-less-than-br-greater-than-and-others-v10.4.0
- supportBasicHtmlNodes: true, // Enables keeping the name of simple nodes (e.g. ) in translations instead of indexed keys.
- keepBasicHtmlNodesFor: [
- "br",
- "strong",
- "i",
- "p",
- "vatican",
- "github",
- "mass",
- "osc",
- "website",
- "app",
- "a",
- "kbd",
- "code",
- "footer",
- "githubicon",
- ], // Which nodes are allowed to be kept in translations during defaultValue generation of .
-
- // https://github.com/acornjs/acorn/tree/master/acorn#interface
- acorn: {
- ecmaVersion: 2020,
- sourceType: "module", // defaults to 'module'
- },
- },
- (key, options) => {
- //if(false === key in keysObj) {
- keysObj[key] = options;
- parser.set(key, options);
- ++transCount;
- //}
- }
- );
-
- if (count > 0 || transCount > 0) {
- console.log(
- `i18next-scanner: t() count=${chalk.cyan(
- count
- )}, Trans count=${chalk.cyan(transCount)}, file=${chalk.yellow(
- JSON.stringify(file.relative)
- )}`
- );
- if (transCount > 0) {
- console.log(
- `file=${chalk.yellow(JSON.stringify(file.relative))}, ${chalk.cyan(
- JSON.stringify(keysObj)
- )}`
- );
- }
- }
-
- done();
- },
-};
diff --git a/public/locales/de/translation.json b/public/locales/de/translation.json
index b9cc325..7f7c2e4 100644
--- a/public/locales/de/translation.json
+++ b/public/locales/de/translation.json
@@ -1,438 +1,438 @@
{
- "navbar": {
- "prayers": "Gebete",
- "help": "Hilfe",
- "about": "Über",
- "clear": "Zurücksetzen"
- },
- "examine_list": {
- "examine": "Untersuchen"
- },
- "sins_list": {
- "review": "Überprufen"
- },
- "walkthrough": {
- "walkthrough": "Durchgang",
- "in_the_name_of": "Im Namen des Vaters und des Sohnes und des Heiligen Geistes. Amen.",
- "bless_me_father": "Segne mich Vater, denn ich habe gesündigt. Es ist ____ seit meiner letzten Beichte gewesen, und das sind meine Sünden:",
- "these_are_my_sins": "Das sind meine Sünden, und ich bereue sie von ganzem Herzen.",
- "your_confessor_may_offer": "(Ihr Beichtvater kann Ihnen einen Rat geben oder ein kurzes Gespräch mit Ihnen führen.)",
- "your_confessor_will_assign": "(Dein Beichtvater wird Ihnen eine Buße auferlegen.) Beten Sie nun den Akt der Reue.",
- "god_the_father_of_mercies": "Gott, der Vater der Barmherzigkeit…",
- "amen": "Amen.",
- "the_lord_has_freed_you": "Der Herr hat Sie von der Sünde befreit. Gehen Sie in Frieden.",
- "thanks_be_to_god": "Dank sei Gott dem Herrn."
- },
- "prayers": {
- "prayers": "Gebete",
- "prayer_before_confession": "Gebet vor der Beichte",
- "act_of_contrition": "Akt der Reue",
- "another_act_of_contrition": "Ein weiterer Akt der Reue",
- "thanksgiving_after_confession": "Danksagung nach der Beichte",
- "our_father": "Vater unser",
- "hail_mary": "Ave Maria",
- "hail_holy_queen": "Gegrüßt sei die Heilige Königin",
- "prayer_before_confession_text": "Mein Herr und Gott, ich habe gesündigt. Ich bin schuldig vor dir. Gib mir die Kraft, deinem Minister zu sagen, was ich dir im Geheimen meines Herzens sage. Vermehre meine Reue. Mache sie echter. Möge es wirklich ein Bedauern darüber sein, Dich und meinen Nächsten beleidigt zu haben, und nicht eine verletzte Selbstliebe. Hilf mir, für meine Sünde zu büßen. Mögen die Leiden meines Lebens und meine kleinen Abtötungen mit den Leiden Jesu, Deines Sohnes, verbunden sein und dazu beitragen, die Sünde aus der Welt zu verbannen. Amen.",
- "act_of_contrition_text": "Mein Gott, ich bereue meine Sünden von ganzem Herzen. Indem ich mich entschlossen habe, Unrecht zu tun und Gutes zu unterlassen, habe ich gegen Dich gesündigt, den ich über alles lieben sollte. Ich nehme mir fest vor, mit Deiner Hilfe Buße zu tun, nicht mehr zu sündigen und alles zu meiden, was mich zur Sünde verleitet. Jesus Christus hat gelitten und ist für uns gestorben. In seinem Namen, mein Gott, sei mir gnädig.",
- "another_act_of_contrition_text": "Oh mein Gott, es tut mir von Herzen leid, dass ich Dich beleidigt habe, und ich verabscheue alle meine Sünden, weil ich den Verlust des Himmels und die Schmerzen der Hölle fürchte, aber vor allem, weil sie Dich, meinen Gott, beleidigen, der so gut ist und meine Liebe verdient. Ich nehme mir fest vor, mit Hilfe Deiner Gnade meine Sünden zu bekennen, Buße zu tun und mein Leben zu ändern. Amen.",
- "thanksgiving_after_confession_text": "Mein liebster Jesus, ich habe alle meine Sünden so gut ich konnte erzählt. Ich habe mich bemüht, eine gute Beichte abzulegen. Ich bin sicher, dass Du mir verziehen hast. Ich danke Dir. Nur wegen all Deiner Leiden kann ich zur Beichte gehen und mich von meinen Sünden befreien. Dein Herz ist voll von Liebe und Barmherzigkeit für die armen Sünder. Ich liebe Dich, weil Du so gut zu mir bist. Mein liebender Heiland, ich werde versuchen, mich von der Sünde fernzuhalten und Dich jeden Tag mehr zu lieben. Meine liebe Mutter Maria, bitte für mich und hilf mir, meine Versprechen zu halten. Beschütze mich und lass mich nicht in die Sünde zurückfallen.",
- "our_father_text": "Vater unser, der Du bist im Himmel, geheiligt werde Dein Name, dein Reich komme, Dein Wille geschehe, wie im Himmel so auf Erden. Gib uns heute unser tägliches Brot, und vergib uns unsere Schuld, wie auch wir vergeben unseren Schuldigern, und führe uns nicht in Versuchung, sondern erlöse uns von dem Bösen. Amen.",
- "hail_mary_text": "Gegrüßt seist du Maria, voll der Gnade. Der Herr ist mit dir. Gesegnet bist du unter den Frauen, und gesegnet ist die Frucht deines Leibes, Jesus. Heilige Maria, Mutter Gottes, bete für uns Sünder, jetzt und in der Stunde unseres Todes. Amen.",
- "hail_holy_queen_text": "Gegrüßt seist du, heilige Königin, Mutter der Barmherzigkeit Unser Leben, unsere Süße und unsere Hoffnung Zu dir schreien wir, arme verbannte Kinder Evas. Zu dir senden wir unsere Seufzer, einsam und weinend in diesem Tal der Tränen. Wende nun, gnädigste Fürsprecherin, deine Augen der Barmherzigkeit zu uns, und zeige uns nach diesem Exil die gesegnete Frucht deines Leibes, Jesus. O milde, o liebende, o süße Jungfrau Maria. Bete für uns, heilige Mutter Gottes, dass wir der Verheißungen Christi würdig werden. Amen."
- },
"about": {
- "about_confessit": "Über ConfessIt",
- "about_confessit_text": "ConfessIt ist eine römisch-katholische Gewissenserforschung für Computer, Tablets und Telefone. Es ist einfach und leicht zu bedienen und kann dir helfen, dich an deine Sünden zu erinnern, wenn du zur Beichte gehst. Es gibt auch eine Anleitung zur Beichte, die Ihnen genau sagt, was der Priester sagen wird und wie Sie darauf reagieren sollten - ein großartiges Hilfsmittel, wenn Sie schon lange nicht mehr zur Beichte gegangen sind! Die Gewissenserforschung basiert auf den grundlegenden Lehren der katholischen Kirche, ist leicht zu verstehen und für moderne Katholiken relevant.",
"about_confession": "Über die Beichte",
- "about_confession_intro": "Die Beichte ist das heilige Sakrament, durch das die Katholiken aus Gottes Barmherzigkeit Vergebung für ihre Sünden erlangen und so mit der Kirche, der Gemeinschaft der Gläubigen, dem Leib Christi, versöhnt werden.",
- "ccc_quote": "
Es wird Sakrament der Bekehrung genannt, weil es den Aufruf Jesu zur Umkehr sakramental vergegenwärtigt, den ersten Schritt zur Rückkehr zum Vater (vgl. Mk 1,15; Lk 15,18), von dem man sich durch Sünde entfernt hat.
Es wird das Sakrament der Buße genannt, da es die persönlichen und kirchlichen Schritte des christlichen Sünders zur Umkehr, Buße und Genugtuung weiht.
Es wird das Sakrament der Beichte genannt, da die Offenbarung oder das Bekenntnis der Sünden gegenüber einem Priester ein wesentliches Element dieses Sakraments ist. In einem tiefen Sinn ist es auch ein \"Bekenntnis\" - Anerkennung und Lobpreisung - der Heiligkeit Gottes und seiner Barmherzigkeit gegenüber dem sündigen Menschen.
Es wird Sakrament der Vergebung genannt, denn durch die sakramentale Absolution des Priesters gewährt Gott dem Pönitenten \"Vergebung und Frieden\" (Ordo paenitantiae 46 Absolutionsformel).
Es wird Sakrament der Versöhnung genannt, denn es vermittelt dem Sünder die Liebe Gottes, der versöhnt: \"Seid versöhnt mit Gott\" (2 Kor 5,20). Wer aus der barmherzigen Liebe Gottes lebt, ist bereit, dem Ruf des Herrn zu folgen: \"Geh hin und versöhne dich mit deinem Bruder\" (Mt 5,24).
Die Bekehrung zu Christus, die neue Geburt in der Taufe, die Gabe des Heiligen Geistes und der als Speise empfangene Leib und das Blut Christi haben uns \"heilig und unbefleckt\" gemacht, so wie auch die Kirche selbst, die Braut Christi, \"heilig und unbefleckt\" ist (Eph 1,4; 5,27). Dennoch hat das in der christlichen Initiation empfangene neue Leben weder die Zerbrechlichkeit und Schwäche der menschlichen Natur noch die Neigung zur Sünde, die die Tradition als Konkupiszenz bezeichnet, beseitigt, die in den Getauften verbleibt, damit sie sich mit Hilfe der Gnade Christi im Kampf des christlichen Lebens bewähren können (vgl. Konzil von Trient, DS 1545; Lumen Gentium 40). Dies ist der Kampf der Bekehrung, der auf die Heiligkeit und das ewige Leben ausgerichtet ist, zu dem uns der Herr immer wieder aufruft.
Jesus ruft zur Bekehrung. Dieser Ruf ist ein wesentlicher Teil der Verkündigung des Reiches Gottes: \"Die Zeit ist erfüllt, und das Reich Gottes ist nahe herbeigekommen; tut Buße und glaubt an das Evangelium\" (Mk 1,15). Die Taufe ist der wichtigste Ort für die erste und grundlegende Bekehrung, aber auch danach ertönt der Ruf Christi zur Umkehr im Leben der Christen weiter. Diese zweite Bekehrung ist eine ununterbrochene Aufgabe für die ganze Kirche, die, \"die Sünder an ihren Schoß nehmend, zugleich heilig und immer läuterungsbedürftig ist (und) ständig den Weg der Buße und der Erneuerung geht\" (Lumen Gentium 8). Dieses Bemühen um Bekehrung ist nicht nur ein menschliches Werk. Es ist die Bewegung eines \"zerknirschten Herzens\", das von der Gnade gezogen und bewegt wird, um auf die barmherzige Liebe Gottes zu antworten, der uns zuerst geliebt hat (Ps 51,17; Joh 6,44; 12,32; 1 Joh 4,10). Der heilige Ambrosius sagt von den beiden Bekehrungen, dass es in der Kirche \"Wasser und Tränen gibt: das Wasser der Taufe und die Tränen der Reue\" (Epistel 41).
",
- "where_to_find": "Die Beichtzeiten werden in Ihrem örtlichen Pfarrblatt angegeben und sind auch online auf der Website Ihrer Pfarrei oder unter massimes.org zu finden. Sie können auch jederzeit einen Beichttermin vereinbaren, indem Sie sich an Ihre Gemeinde wenden.",
"about_confession_end": "Wenn Sie zur Beichte gehen, haben Sie in der Regel die Wahl, ob Sie anonym hinter einem Bildschirm knien oder von Angesicht zu Angesicht mit Ihrem Beichtvater sitzen. Was auch immer Sie beichten, Ihr Priester hat es schon einmal gehört. Denken Sie daran, dass er da ist, um Ihnen zu helfen.",
+ "about_confession_intro": "Die Beichte ist das heilige Sakrament, durch das die Katholiken aus Gottes Barmherzigkeit Vergebung für ihre Sünden erlangen und so mit der Kirche, der Gemeinschaft der Gläubigen, dem Leib Christi, versöhnt werden.",
+ "about_confessit": "Über ConfessIt",
+ "about_confessit_text": "ConfessIt ist eine römisch-katholische Gewissenserforschung für Computer, Tablets und Telefone. Es ist einfach und leicht zu bedienen und kann dir helfen, dich an deine Sünden zu erinnern, wenn du zur Beichte gehst. Es gibt auch eine Anleitung zur Beichte, die Ihnen genau sagt, was der Priester sagen wird und wie Sie darauf reagieren sollten - ein großartiges Hilfsmittel, wenn Sie schon lange nicht mehr zur Beichte gegangen sind! Die Gewissenserforschung basiert auf den grundlegenden Lehren der katholischen Kirche, ist leicht zu verstehen und für moderne Katholiken relevant.",
+ "about_the_developer": "Über den Entwickler",
"about_this_app": "Über diese App",
- "this_app_is_designed": "Diese App soll römischen Katholiken helfen, sich auf das Sakrament der Beichte vorzubereiten, indem sie ihr Gewissen prüfen. Sie ist NICHT ein Ersatz für die Beichte.",
- "please_be_respectful": "Bitte nehmen Sie Rücksicht auf Ihre Mitmenschen, wenn Sie diese App nutzen. Ich empfehle Ihnen, Ihr Telefon auszuschalten, wenn Sie in Ihrer Kirche sind, und diese App zu benutzen, bevor Sie ankommen. Wenn Sie diese App in Ihrer Kirche oder während der Beichte verwenden, stellen Sie bitte sicher, dass Ihr Telefon auf lautlos gestellt ist.",
- "this_website": "Diese Website, ConfessIt.app, basiert auf der ConfessIt Android App (2012 vom selben Entwickler erstellt). Es handelt sich zwar (noch) nicht um eine vollständige Reproduktion, aber sie soll die App einer größeren Anzahl von Nutzern auf einer breiteren Palette von Geräten zugänglich machen. (Diese Website funktioniert auf iOS, Android, Tablets und Computern!)",
+ "can_i_help_with_translations": "Kann ich bei Übersetzungen helfen?",
+ "can_i_help_write_code": "Kann ich beim Programmieren helfen?",
+ "ccc_quote": "
Es wird Sakrament der Bekehrung genannt, weil es den Aufruf Jesu zur Umkehr sakramental vergegenwärtigt, den ersten Schritt zur Rückkehr zum Vater (vgl. Mk 1,15; Lk 15,18), von dem man sich durch Sünde entfernt hat.
Es wird das Sakrament der Buße genannt, da es die persönlichen und kirchlichen Schritte des christlichen Sünders zur Umkehr, Buße und Genugtuung weiht.
Es wird das Sakrament der Beichte genannt, da die Offenbarung oder das Bekenntnis der Sünden gegenüber einem Priester ein wesentliches Element dieses Sakraments ist. In einem tiefen Sinn ist es auch ein \"Bekenntnis\" - Anerkennung und Lobpreisung - der Heiligkeit Gottes und seiner Barmherzigkeit gegenüber dem sündigen Menschen.
Es wird Sakrament der Vergebung genannt, denn durch die sakramentale Absolution des Priesters gewährt Gott dem Pönitenten \"Vergebung und Frieden\" (Ordo paenitantiae 46 Absolutionsformel).
Es wird Sakrament der Versöhnung genannt, denn es vermittelt dem Sünder die Liebe Gottes, der versöhnt: \"Seid versöhnt mit Gott\" (2 Kor 5,20). Wer aus der barmherzigen Liebe Gottes lebt, ist bereit, dem Ruf des Herrn zu folgen: \"Geh hin und versöhne dich mit deinem Bruder\" (Mt 5,24).
Die Bekehrung zu Christus, die neue Geburt in der Taufe, die Gabe des Heiligen Geistes und der als Speise empfangene Leib und das Blut Christi haben uns \"heilig und unbefleckt\" gemacht, so wie auch die Kirche selbst, die Braut Christi, \"heilig und unbefleckt\" ist (Eph 1,4; 5,27). Dennoch hat das in der christlichen Initiation empfangene neue Leben weder die Zerbrechlichkeit und Schwäche der menschlichen Natur noch die Neigung zur Sünde, die die Tradition als Konkupiszenz bezeichnet, beseitigt, die in den Getauften verbleibt, damit sie sich mit Hilfe der Gnade Christi im Kampf des christlichen Lebens bewähren können (vgl. Konzil von Trient, DS 1545; Lumen Gentium 40). Dies ist der Kampf der Bekehrung, der auf die Heiligkeit und das ewige Leben ausgerichtet ist, zu dem uns der Herr immer wieder aufruft.
Jesus ruft zur Bekehrung. Dieser Ruf ist ein wesentlicher Teil der Verkündigung des Reiches Gottes: \"Die Zeit ist erfüllt, und das Reich Gottes ist nahe herbeigekommen; tut Buße und glaubt an das Evangelium\" (Mk 1,15). Die Taufe ist der wichtigste Ort für die erste und grundlegende Bekehrung, aber auch danach ertönt der Ruf Christi zur Umkehr im Leben der Christen weiter. Diese zweite Bekehrung ist eine ununterbrochene Aufgabe für die ganze Kirche, die, \"die Sünder an ihren Schoß nehmend, zugleich heilig und immer läuterungsbedürftig ist (und) ständig den Weg der Buße und der Erneuerung geht\" (Lumen Gentium 8). Dieses Bemühen um Bekehrung ist nicht nur ein menschliches Werk. Es ist die Bewegung eines \"zerknirschten Herzens\", das von der Gnade gezogen und bewegt wird, um auf die barmherzige Liebe Gottes zu antworten, der uns zuerst geliebt hat (Ps 51,17; Joh 6,44; 12,32; 1 Joh 4,10). Der heilige Ambrosius sagt von den beiden Bekehrungen, dass es in der Kirche \"Wasser und Tränen gibt: das Wasser der Taufe und die Tränen der Reue\" (Epistel 41).
",
+ "confessit_is_open_source": "ConfessIt ist Open Source. Wir entwickeln die App auf GitHub und wir arbeiten in der Open Source Catholic Community auf Slack zusammen.",
+ "confessit_is_translated": "ConfessIt is translated into multiple languages. If you'd like to help with this effort by adding a new translation or improving an existing translation, please read about how to do so on GitHub or get in touch with us on Open Source Catholic Slack.",
"if_you_find": "Wenn du diese App nützlich findest, erwäge bitte, sie mit deinen Freunden und deiner Familie zu teilen. Erzählen Sie auf Facebook, Reddit, Twitter, in Ihrer Kirche oder in Ihrer Bibelstudiengruppe davon, um sie zu verbreiten!",
- "privacy": "Datenschutz",
+ "information": "Bibelzitate in dieser App stammen aus der revidierten Standardversion der Heiligen Bibel, zweite katholische Ausgabe. Auch Informationen aus dem Katechismus der Katholischen Kirche wurden verwendet.",
"information_you_enter": "Die von Ihnen in diese App eingegebenen Informationen werden nur auf Ihrem Gerät gespeichert. Sie werden nicht über das Internet gesendet. Wir können dies durch eine Technologie Ihres Webbrowsers ermöglichen, die lokaler Speicher genannt wird. Wir verwenden weder Google Analytics noch andere Datenerfassungsmechanismen auf dieser Website. Die eingegebenen Daten werden auf Ihrem Gerät gespeichert, bis Sie auf Löschen klicken, auch wenn Sie das Fenster schließen oder die Seite aktualisieren.",
+ "mike_kasberg": "Mike Kasberg entwickelt ConfessIt in seiner Freizeit, als eine Art, der Kirche etwas zurückzugeben. Er engagiert sich auch in einigen anderen kleinen Projekten, um katholische Organisationen technologisch zu unterstützen.",
"open_source": "Open Source",
- "confessit_is_open_source": "ConfessIt ist Open Source. Wir entwickeln die App auf GitHub und wir arbeiten in der Open Source Catholic Community auf Slack zusammen.",
- "can_i_help_with_translations": "Kann ich bei Übersetzungen helfen?",
- "confessit_is_translated": "ConfessIt is translated into multiple languages. If you'd like to help with this effort by adding a new translation or improving an existing translation, please read about how to do so on GitHub or get in touch with us on Open Source Catholic Slack.",
- "can_i_help_write_code": "Kann ich beim Programmieren helfen?",
+ "please_be_respectful": "Bitte nehmen Sie Rücksicht auf Ihre Mitmenschen, wenn Sie diese App nutzen. Ich empfehle Ihnen, Ihr Telefon auszuschalten, wenn Sie in Ihrer Kirche sind, und diese App zu benutzen, bevor Sie ankommen. Wenn Sie diese App in Ihrer Kirche oder während der Beichte verwenden, stellen Sie bitte sicher, dass Ihr Telefon auf lautlos gestellt ist.",
+ "privacy": "Datenschutz",
+ "this_app_is_designed": "Diese App soll römischen Katholiken helfen, sich auf das Sakrament der Beichte vorzubereiten, indem sie ihr Gewissen prüfen. Sie ist NICHT ein Ersatz für die Beichte.",
+ "this_website": "Diese Website, ConfessIt.app, basiert auf der ConfessIt Android App (2012 vom selben Entwickler erstellt). Es handelt sich zwar (noch) nicht um eine vollständige Reproduktion, aber sie soll die App einer größeren Anzahl von Nutzern auf einer breiteren Palette von Geräten zugänglich machen. (Diese Website funktioniert auf iOS, Android, Tablets und Computern!)",
"we_welcome_new_contributions": "Wir begrüßen neue Beiträge. Wenn Sie zu ConfessIt beitragen möchten, lesen Sie am besten auf GitHub nach, wie Sie dies tun können.",
- "about_the_developer": "Über den Entwickler",
- "mike_kasberg": "Mike Kasberg entwickelt ConfessIt in seiner Freizeit, als eine Art, der Kirche etwas zurückzugeben. Er engagiert sich auch in einigen anderen kleinen Projekten, um katholische Organisationen technologisch zu unterstützen.",
- "information": "Bibelzitate in dieser App stammen aus der revidierten Standardversion der Heiligen Bibel, zweite katholische Ausgabe. Auch Informationen aus dem Katechismus der Katholischen Kirche wurden verwendet."
+ "where_to_find": "Die Beichtzeiten werden in Ihrem örtlichen Pfarrblatt angegeben und sind auch online auf der Website Ihrer Pfarrei oder unter massimes.org zu finden. Sie können auch jederzeit einen Beichttermin vereinbaren, indem Sie sich an Ihre Gemeinde wenden."
},
- "help": {
- "confessit_help": "ConfessIt Hilfe",
- "basic_usage": "Grundlegende Verwendung",
- "step_1": "Im Tab Prüfung markiere Ja neben allen Sünden, an die du dich beim Beichten erinnern möchtest.",
- "step_2": "Wische zum nächsten Tab, Überprüfen, um eine Liste der Sünden zu sehen, die du markiert hast. Du kannst diese Liste vor oder während der Beichte ansehen, wenn du möchtest.",
- "step_3": "Wenn du unsicher bist, was du in der Beichte sagen sollst, wechsle zum nächsten Tab, Anleitung, um ungefähr zu sehen, was du und der Priester während der Beichte zueinander sagen werden. Du kannst dies während der Beichte überprüfen, wenn du möchtest.",
- "step_4": "Nachdem du gebeichtet hast, verwende den Löschen Button, um alle Sünden, die du markiert hast, zu entfernen.",
- "data_persistence": "Datenpersistenz",
- "data_persistence_text": "Die eingegebenen Daten werden auf Ihrem Gerät gespeichert (niemals über das Internet gesendet). Die eingegebenen Daten bleiben gespeichert, bis Sie auf Löschen klicken, auch wenn Sie das Fenster schließen oder die Seite aktualisieren. Vergewissern Sie sich, dass Sie Ihre Daten löschen, wenn Sie fertig sind, falls Sie nicht möchten, dass andere Personen, die dieses Gerät verwenden, Ihre Daten sehen!"
- },
- "welcome": {
- "title": "Willkommen!",
- "body": " Es ist ein Hilfsmittel, das römisch-katholischen Katholiken dabei hilft, ihr Gewissen zu prüfen, bevor sie zur Beichte gehen. Wir hoffen, dass es Ihnen helfen kann, die seit Ihrer letzten Beichte begangenen Sünden zu verstehen. Aktivieren Sie einfach das Kästchen Ja neben den Sünden in der Liste Überprüfen oder tippen Sie unten rechts in der App auf die Schaltfläche +, um eine Sünde hinzuzufügen personalisiert. Wischen Sie dann nach rechts zur Registerkarte Überprüfen, um die Liste Ihrer Sünden anzuzeigen, und kehren Sie dann zur Registerkarte Bekennen zurück, um das Beichtritual noch einmal durchzugehen.
Die von Ihnen eingegebenen Daten werden nur auf Ihrem Gerät gespeichert (sie werden niemals über das Internet übertragen). Die von Ihnen eingegebenen Daten bleiben in der App erhalten, auch wenn Sie das Fenster schließen oder die Seite neu laden, bis Sie in den App-Einstellungen Leer wählen.
Möge der Herr Sie segnen Dein Weg zur Heiligkeit!"
+ "addbutton": {
+ "add": "Hinzufügen",
+ "add-custom-sin": "Füge eigene Sünde hinzu",
+ "cancel": "Stornieren",
+ "i-sinned-by": "Ich habe gesündigt, indem ich…"
},
"commandments": {
"1": {
- "title": "Erstes Gebot",
+ "description": "Ich bin der Herr, dein Gott, der dich aus dem Land Ägypten, aus dem Haus der Knechtschaft, herausgeführt hat. Du sollst keine anderen Götter haben vor mir ... du sollst dich nicht vor ihnen niederwerfen und ihnen nicht dienen; denn ich, der Herr, dein Gott, bin ein eifersüchtiger Gott ... der Tausenden von Menschen, die mich lieben und meine Gebote halten, unerschütterliche Liebe entgegenbringt. (2. Mose 20,2-6) Die Hauptsünden Hochmut und Völlerei werden oft als Verstoß gegen dieses Gebot angesehen.",
"text": "Ihr sollt keine anderen Götter haben vor mir. (2 Mose 20:3)",
- "description": "Ich bin der Herr, dein Gott, der dich aus dem Land Ägypten, aus dem Haus der Knechtschaft, herausgeführt hat. Du sollst keine anderen Götter haben vor mir ... du sollst dich nicht vor ihnen niederwerfen und ihnen nicht dienen; denn ich, der Herr, dein Gott, bin ein eifersüchtiger Gott ... der Tausenden von Menschen, die mich lieben und meine Gebote halten, unerschütterliche Liebe entgegenbringt. (2. Mose 20,2-6) Die Hauptsünden Hochmut und Völlerei werden oft als Verstoß gegen dieses Gebot angesehen."
+ "title": "Erstes Gebot"
},
"2": {
- "title": "Zweites Gebot",
+ "description": "Du sollst den Namen des Herrn, deines Gottes, nicht missbrauchen; denn der Herr wird den nicht freisprechen, der seinen Namen missbraucht. (2. Mose 20:7)",
"text": "Du sollst den Namen des Herrn, deines Gottes, nicht missbrauchen. (2. Mose 20:7)",
- "description": "Du sollst den Namen des Herrn, deines Gottes, nicht missbrauchen; denn der Herr wird den nicht freisprechen, der seinen Namen missbraucht. (2. Mose 20:7)"
+ "title": "Zweites Gebot"
},
"3": {
- "title": "Drittes Gebot",
+ "description": "Gedenke des Sabbattages, dass du ihn heilig hältst. Sechs Tage sollst du arbeiten und alle deine Werke tun; aber der siebte Tag ist ein Sabbat des Herrn, deines Gottes; an ihm sollst du kein Werk tun... Denn in sechs Tagen hat der Herr Himmel und Erde gemacht und das Meer und alles, was darinnen ist, und ruhte am siebten Tag; darum segnete der Herr den Sabbattag und heiligte ihn. (2. Mose 20:8-11)",
"text": "Gedenke des Sabbattages, dass du ihn heilig hältst. (2. Mose 20:8)",
- "description": "Gedenke des Sabbattages, dass du ihn heilig hältst. Sechs Tage sollst du arbeiten und alle deine Werke tun; aber der siebte Tag ist ein Sabbat des Herrn, deines Gottes; an ihm sollst du kein Werk tun... Denn in sechs Tagen hat der Herr Himmel und Erde gemacht und das Meer und alles, was darinnen ist, und ruhte am siebten Tag; darum segnete der Herr den Sabbattag und heiligte ihn. (2. Mose 20:8-11)"
+ "title": "Drittes Gebot"
},
"4": {
- "title": "Viertes Gebot",
+ "description": "Ehre deinen Vater und deine Mutter, damit du lange lebst in dem Land, das der Herr, dein Gott, dir gibt. (2. Mose 20:12)",
"text": "Ehre deinen Vater und deine Mutter. (2. Mose 20:12)",
- "description": "Ehre deinen Vater und deine Mutter, damit du lange lebst in dem Land, das der Herr, dein Gott, dir gibt. (2. Mose 20:12)"
+ "title": "Viertes Gebot"
},
"5": {
- "title": "Fünftes Gebot",
+ "description": "Du sollst nicht töten. (2. Mose 20,13) Die Todsünde des Zorns wird oft mit diesem Gebot in Verbindung gebracht.",
"text": "Du sollst nicht töten. (2. Mose 20:13)",
- "description": "Du sollst nicht töten. (2. Mose 20,13) Die Todsünde des Zorns wird oft mit diesem Gebot in Verbindung gebracht."
+ "title": "Fünftes Gebot"
},
"6": {
- "title": "Sechstes Gebot",
+ "description": "Du sollst nicht ehebrechen. (2. Mose 20:14) Die Todsünde der Lust bricht dieses Gebot.",
"text": "Du sollst nicht ehebrechen. (2. Mose 20:14)",
- "description": "Du sollst nicht ehebrechen. (2. Mose 20:14) Die Todsünde der Lust bricht dieses Gebot."
+ "title": "Sechstes Gebot"
},
"7": {
- "title": "Siebtes Gebot",
+ "description": "Du sollst nicht stehlen. (2. Mose 20:15) Die Todsünden Habgier und Trägheit werden oft als Verstoß gegen dieses Gebot angesehen.",
"text": "Du sollst nicht stehlen. (2. Mose 20:15)",
- "description": "Du sollst nicht stehlen. (2. Mose 20:15) Die Todsünden Habgier und Trägheit werden oft als Verstoß gegen dieses Gebot angesehen."
+ "title": "Siebtes Gebot"
},
"8": {
- "title": "Achtes Gebot",
+ "description": "Du sollst kein falsches Zeugnis gegen deinen Nächsten ablegen. (2. Mose 20:16)",
"text": "Du sollst kein falsches Zeugnis gegen deinen Nächsten ablegen. (2. Mose 20:16)",
- "description": "Du sollst kein falsches Zeugnis gegen deinen Nächsten ablegen. (2. Mose 20:16)"
+ "title": "Achtes Gebot"
},
"9": {
- "title": "Neuntes Gebot",
+ "description": "Du sollst nicht begehren deines Nächsten Weib (2. Mose 20,17) Die Todsünde der Eifersucht kann dieses Gebot brechen.",
"text": "Du sollst nicht die Frau deines Nächsten begehren. (2. Mose 20:17)",
- "description": "Du sollst nicht begehren deines Nächsten Weib (2. Mose 20,17) Die Todsünde der Eifersucht kann dieses Gebot brechen."
+ "title": "Neuntes Gebot"
},
"10": {
- "title": "Zehntes Gebot",
+ "description": "Du sollst nicht begehren deines Nächsten Haus ... oder seinen Knecht oder seine Magd oder seinen Ochsen oder seinen Esel oder alles, was deines Nächsten ist. (2. Mose 20:17) Die Todsünde der Eifersucht kann dieses Gebot brechen.",
"text": "Du sollst nicht begehren deines Nächsten Gut. (2. Mose 20:17)",
- "description": "Du sollst nicht begehren deines Nächsten Haus ... oder seinen Knecht oder seine Magd oder seinen Ochsen oder seinen Esel oder alles, was deines Nächsten ist. (2. Mose 20:17) Die Todsünde der Eifersucht kann dieses Gebot brechen."
+ "title": "Zehntes Gebot"
},
"11": {
- "title": "Gebote der Kirche",
+ "description": "Die Gebote der Kirche stehen im Kontext eines sittlichen Lebens, das mit dem liturgischen Leben verbunden ist und von ihm genährt wird. Der obligatorische Charakter dieser von den Hirtenbehörden erlassenen positiven Gesetze soll den Gläubigen das notwendige Mindestmaß an Gebetsgeist und sittlicher Anstrengung, an Wachstum in der Gottes- und Nächstenliebe garantieren (KKK 2041).",
"text": "Die Gebote der katholischen Kirche sind die Mindestanforderungen, die alle Katholiken erfüllen sollten.",
- "description": "Die Gebote der Kirche stehen im Kontext eines sittlichen Lebens, das mit dem liturgischen Leben verbunden ist und von ihm genährt wird. Der obligatorische Charakter dieser von den Hirtenbehörden erlassenen positiven Gesetze soll den Gläubigen das notwendige Mindestmaß an Gebetsgeist und sittlicher Anstrengung, an Wachstum in der Gottes- und Nächstenliebe garantieren (KKK 2041)."
+ "title": "Gebote der Kirche"
}
},
+ "examine_list": {
+ "examine": "Untersuchen"
+ },
+ "examineitem": {
+ "yes": "Ja"
+ },
+ "help": {
+ "basic_usage": "Grundlegende Verwendung",
+ "confessit_help": "ConfessIt Hilfe",
+ "data_persistence": "Datenpersistenz",
+ "data_persistence_text": "Die eingegebenen Daten werden auf Ihrem Gerät gespeichert (niemals über das Internet gesendet). Die eingegebenen Daten bleiben gespeichert, bis Sie auf Löschen klicken, auch wenn Sie das Fenster schließen oder die Seite aktualisieren. Vergewissern Sie sich, dass Sie Ihre Daten löschen, wenn Sie fertig sind, falls Sie nicht möchten, dass andere Personen, die dieses Gerät verwenden, Ihre Daten sehen!",
+ "step_1": "Im Tab Prüfung markiere Ja neben allen Sünden, an die du dich beim Beichten erinnern möchtest.",
+ "step_2": "Wische zum nächsten Tab, Überprüfen, um eine Liste der Sünden zu sehen, die du markiert hast. Du kannst diese Liste vor oder während der Beichte ansehen, wenn du möchtest.",
+ "step_3": "Wenn du unsicher bist, was du in der Beichte sagen sollst, wechsle zum nächsten Tab, Anleitung, um ungefähr zu sehen, was du und der Priester während der Beichte zueinander sagen werden. Du kannst dies während der Beichte überprüfen, wenn du möchtest.",
+ "step_4": "Nachdem du gebeichtet hast, verwende den Löschen Button, um alle Sünden, die du markiert hast, zu entfernen."
+ },
+ "navbar": {
+ "about": "Über",
+ "clear": "Zurücksetzen",
+ "help": "Hilfe",
+ "prayers": "Gebete"
+ },
+ "prayers": {
+ "act_of_contrition": "Akt der Reue",
+ "act_of_contrition_text": "Mein Gott, ich bereue meine Sünden von ganzem Herzen. Indem ich mich entschlossen habe, Unrecht zu tun und Gutes zu unterlassen, habe ich gegen Dich gesündigt, den ich über alles lieben sollte. Ich nehme mir fest vor, mit Deiner Hilfe Buße zu tun, nicht mehr zu sündigen und alles zu meiden, was mich zur Sünde verleitet. Jesus Christus hat gelitten und ist für uns gestorben. In seinem Namen, mein Gott, sei mir gnädig.",
+ "another_act_of_contrition": "Ein weiterer Akt der Reue",
+ "another_act_of_contrition_text": "Oh mein Gott, es tut mir von Herzen leid, dass ich Dich beleidigt habe, und ich verabscheue alle meine Sünden, weil ich den Verlust des Himmels und die Schmerzen der Hölle fürchte, aber vor allem, weil sie Dich, meinen Gott, beleidigen, der so gut ist und meine Liebe verdient. Ich nehme mir fest vor, mit Hilfe Deiner Gnade meine Sünden zu bekennen, Buße zu tun und mein Leben zu ändern. Amen.",
+ "hail_holy_queen": "Gegrüßt sei die Heilige Königin",
+ "hail_holy_queen_text": "Gegrüßt seist du, heilige Königin, Mutter der Barmherzigkeit Unser Leben, unsere Süße und unsere Hoffnung Zu dir schreien wir, arme verbannte Kinder Evas. Zu dir senden wir unsere Seufzer, einsam und weinend in diesem Tal der Tränen. Wende nun, gnädigste Fürsprecherin, deine Augen der Barmherzigkeit zu uns, und zeige uns nach diesem Exil die gesegnete Frucht deines Leibes, Jesus. O milde, o liebende, o süße Jungfrau Maria. Bete für uns, heilige Mutter Gottes, dass wir der Verheißungen Christi würdig werden. Amen.",
+ "hail_mary": "Ave Maria",
+ "hail_mary_text": "Gegrüßt seist du Maria, voll der Gnade. Der Herr ist mit dir. Gesegnet bist du unter den Frauen, und gesegnet ist die Frucht deines Leibes, Jesus. Heilige Maria, Mutter Gottes, bete für uns Sünder, jetzt und in der Stunde unseres Todes. Amen.",
+ "our_father": "Vater unser",
+ "our_father_text": "Vater unser, der Du bist im Himmel, geheiligt werde Dein Name, dein Reich komme, Dein Wille geschehe, wie im Himmel so auf Erden. Gib uns heute unser tägliches Brot, und vergib uns unsere Schuld, wie auch wir vergeben unseren Schuldigern, und führe uns nicht in Versuchung, sondern erlöse uns von dem Bösen. Amen.",
+ "prayer_before_confession": "Gebet vor der Beichte",
+ "prayer_before_confession_text": "Mein Herr und Gott, ich habe gesündigt. Ich bin schuldig vor dir. Gib mir die Kraft, deinem Minister zu sagen, was ich dir im Geheimen meines Herzens sage. Vermehre meine Reue. Mache sie echter. Möge es wirklich ein Bedauern darüber sein, Dich und meinen Nächsten beleidigt zu haben, und nicht eine verletzte Selbstliebe. Hilf mir, für meine Sünde zu büßen. Mögen die Leiden meines Lebens und meine kleinen Abtötungen mit den Leiden Jesu, Deines Sohnes, verbunden sein und dazu beitragen, die Sünde aus der Welt zu verbannen. Amen.",
+ "prayers": "Gebete",
+ "thanksgiving_after_confession": "Danksagung nach der Beichte",
+ "thanksgiving_after_confession_text": "Mein liebster Jesus, ich habe alle meine Sünden so gut ich konnte erzählt. Ich habe mich bemüht, eine gute Beichte abzulegen. Ich bin sicher, dass Du mir verziehen hast. Ich danke Dir. Nur wegen all Deiner Leiden kann ich zur Beichte gehen und mich von meinen Sünden befreien. Dein Herz ist voll von Liebe und Barmherzigkeit für die armen Sünder. Ich liebe Dich, weil Du so gut zu mir bist. Mein liebender Heiland, ich werde versuchen, mich von der Sünde fernzuhalten und Dich jeden Tag mehr zu lieben. Meine liebe Mutter Maria, bitte für mich und hilf mir, meine Versprechen zu halten. Beschütze mich und lass mich nicht in die Sünde zurückfallen."
+ },
+ "priestbubble": {
+ "priest": "Priester"
+ },
"sins": {
"1": {
+ "detail": "Im Glauben gehorchen heißt, sich dem gehörten Wort in Freiheit unterwerfen, weil dessen Wahrheit von Gott, der Wahrheit selbst, verbürgt ist. (KKK 144). Es ist wichtig, an alle Lehren der Kirche zu glauben.",
"text": "Habe ich mich geweigert, den Lehren der katholischen Kirche zu glauben?",
- "text_past": "Ich weigerte mich, die Lehren der katholischen Kirche zu glauben.",
- "detail": "Im Glauben gehorchen heißt, sich dem gehörten Wort in Freiheit unterwerfen, weil dessen Wahrheit von Gott, der Wahrheit selbst, verbürgt ist. (KKK 144). Es ist wichtig, an alle Lehren der Kirche zu glauben."
+ "text_past": "Ich weigerte mich, die Lehren der katholischen Kirche zu glauben."
},
"2": {
+ "detail": "Das erste Gebot verbietet, neben dem einen Herrn, der sich seinem Volk geoffenbart hat, noch andere Götter zu verehren (KKK 2110). Es ist falsch, eine andere Religion als den Katholizismus zu praktizieren, denn es schwächt unsere Beziehung zu unserem Herrn.",
"text": "Habe ich irgendeine andere Religion außer dem Katholizismus praktiziert?",
- "text_past": "Ich habe eine andere Religion als den Katholizismus praktiziert.",
- "detail": "Das erste Gebot verbietet, neben dem einen Herrn, der sich seinem Volk geoffenbart hat, noch andere Götter zu verehren (KKK 2110). Es ist falsch, eine andere Religion als den Katholizismus zu praktizieren, denn es schwächt unsere Beziehung zu unserem Herrn."
+ "text_past": "Ich habe eine andere Religion als den Katholizismus praktiziert."
},
"3": {
+ "detail": "Die Barmherzigkeit Gottes zu vermuten bedeutet, Vergebung ohne Umkehr und Herrlichkeit ohne Verdienst erhoffen zu wollen (KKK 2092). Es ist falsch, etwas Unmoralisches zu tun, weil man erwartet, dass Gott einem vergibt.",
"text": "Habe ich Gottes Barmherzigkeit vorausgesetzt?",
- "text_past": "Ich ging von Gottes Barmherzigkeit aus.",
- "detail": "Die Barmherzigkeit Gottes zu vermuten bedeutet, Vergebung ohne Umkehr und Herrlichkeit ohne Verdienst erhoffen zu wollen (KKK 2092). Es ist falsch, etwas Unmoralisches zu tun, weil man erwartet, dass Gott einem vergibt."
+ "text_past": "Ich ging von Gottes Barmherzigkeit aus."
},
"4": {
+ "detail": "Gott anzubeten, zu ihm zu beten, ihm den Gottesdienst zu erweisen, der ihm gebührt, die ihm gemachten Versprechen und Gelübde zu erfüllen, sind Akte der Tugend der Religion, die dem Gehorsam gegenüber dem ersten Gebot unterliegen (KKK 2135). Das Gebet ist wichtig, denn ohne Gebet können wir keine Beziehung zu Gott haben.",
"text": "Wie steht es um mein Gebetsleben? Sollte ich öfter beten?",
- "text_past": "Ich muss öfter beten.",
- "detail": "Gott anzubeten, zu ihm zu beten, ihm den Gottesdienst zu erweisen, der ihm gebührt, die ihm gemachten Versprechen und Gelübde zu erfüllen, sind Akte der Tugend der Religion, die dem Gehorsam gegenüber dem ersten Gebot unterliegen (KKK 2135). Das Gebet ist wichtig, denn ohne Gebet können wir keine Beziehung zu Gott haben."
+ "text_past": "Ich muss öfter beten."
},
"5": {
+ "detail": "",
"text": "Unsere Kultur steht oft im Konflikt mit katholischen Idealen. Habe ich versäumt, für katholische Moralvorstellungen einzustehen?",
- "text_past": "Ich habe es versäumt, für katholische Moralvorstellungen einzustehen.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, für katholische Moralvorstellungen einzustehen."
},
"6": {
+ "detail": "",
"text": "Habe ich unanständige Sprache verwendet?",
- "text_past": "Ich habe unanständige Sprache benutzt.",
- "detail": ""
+ "text_past": "Ich habe unanständige Sprache benutzt."
},
"7": {
+ "detail": "Das zweite Gebot verbietet jeglichen Missbrauch des Namens Gottes. Blasphemie ist die Verwendung des Namens Gottes, Jesu Christi, der Jungfrau Maria und der Heiligen auf beleidigende Weise (KKK 2162).",
"text": "Habe ich den Namen Gottes respektlos verwendet?",
- "text_past": "Ich habe den Namen Gottes respektlos verwendet.",
- "detail": "Das zweite Gebot verbietet jeglichen Missbrauch des Namens Gottes. Blasphemie ist die Verwendung des Namens Gottes, Jesu Christi, der Jungfrau Maria und der Heiligen auf beleidigende Weise (KKK 2162)."
+ "text_past": "Ich habe den Namen Gottes respektlos verwendet."
},
"8": {
+ "detail": "Die Achtung vor seinem Namen ist ein Ausdruck der Achtung, die dem Geheimnis Gottes selbst und der gesamten heiligen Wirklichkeit, die es hervorruft, geschuldet ist (KKK 2144).",
"text": "Habe ich Gott beleidigt?",
- "text_past": "Ich habe Gott beleidigt.",
- "detail": "Die Achtung vor seinem Namen ist ein Ausdruck der Achtung, die dem Geheimnis Gottes selbst und der gesamten heiligen Wirklichkeit, die es hervorruft, geschuldet ist (KKK 2144)."
+ "text_past": "Ich habe Gott beleidigt."
},
"9": {
+ "detail": "Das erste Gebot der katholischen Kirche lautet: \"Du sollst am Sonntag und an den gebotenen Feiertagen die heilige Messe besuchen und von serviler Arbeit ruhen\" (KKK 2042). Als Katholiken freuen wir uns darauf, jeden Sonntag die Eucharistie zu feiern. Es ist eine Sünde, die Messe zu schwänzen, weil es unsere Beziehung zu Gott schwächt.",
"text": "Habe ich die Messe am Sonntag ausgelassen?",
- "text_past": "Ich habe die Messe am Sonntag ausgelassen.",
- "detail": "Das erste Gebot der katholischen Kirche lautet: \"Du sollst am Sonntag und an den gebotenen Feiertagen die heilige Messe besuchen und von serviler Arbeit ruhen\" (KKK 2042). Als Katholiken freuen wir uns darauf, jeden Sonntag die Eucharistie zu feiern. Es ist eine Sünde, die Messe zu schwänzen, weil es unsere Beziehung zu Gott schwächt."
+ "text_past": "Ich habe die Messe am Sonntag ausgelassen."
},
"10": {
+ "detail": "Das erste Gebot der katholischen Kirche lautet: \"Du sollst am Sonntag und an den gebotenen Feiertagen die heilige Messe besuchen und von serviler Arbeit ruhen\" (KKK 2042). Als Katholiken freuen wir uns darauf, jeden Sonntag die Eucharistie zu feiern. Es ist eine Sünde, die Messe zu schwänzen, weil es unsere Beziehung zu Gott schwächt.",
"text": "Habe ich die Messe an einem gebotenen Feiertag versäumt?",
- "text_past": "Ich habe die Messe an einem gebotenen Feiertag ausgelassen.",
- "detail": "Das erste Gebot der katholischen Kirche lautet: \"Du sollst am Sonntag und an den gebotenen Feiertagen die heilige Messe besuchen und von serviler Arbeit ruhen\" (KKK 2042). Als Katholiken freuen wir uns darauf, jeden Sonntag die Eucharistie zu feiern. Es ist eine Sünde, die Messe zu schwänzen, weil es unsere Beziehung zu Gott schwächt."
+ "text_past": "Ich habe die Messe an einem gebotenen Feiertag ausgelassen."
},
"11": {
+ "detail": "Komm früh zur Kirche, nähere dich dem Herrn und beichte deine Sünden, bereue im Gebet... Sei bei der heiligen und göttlichen Liturgie anwesend, schließe ihr Gebet ab und verlasse den Gottesdienst nicht vor der Entlassung... (KKK 2178). Es ist auch unhöflich und störend für andere, die Gottesdienst feiern, zu spät zu kommen oder zu früh zu gehen.",
"text": "Bin ich zu spät zur Messe gekommen oder zu früh gegangen?",
- "text_past": "Ich bin zu spät zur Messe gekommen oder bin früher gegangen.",
- "detail": "Komm früh zur Kirche, nähere dich dem Herrn und beichte deine Sünden, bereue im Gebet... Sei bei der heiligen und göttlichen Liturgie anwesend, schließe ihr Gebet ab und verlasse den Gottesdienst nicht vor der Entlassung... (KKK 2178). Es ist auch unhöflich und störend für andere, die Gottesdienst feiern, zu spät zu kommen oder zu früh zu gehen."
+ "text_past": "Ich bin zu spät zur Messe gekommen oder bin früher gegangen."
},
"12": {
+ "detail": "",
"text": "Habe ich meinen Eltern nicht gehorcht?",
- "text_past": "Ich habe meinen Eltern nicht gehorcht.",
- "detail": ""
+ "text_past": "Ich habe meinen Eltern nicht gehorcht."
},
"13": {
+ "detail": "",
"text": "Habe ich versäumt, meine Kinder im katholischen Glauben zu erziehen?",
- "text_past": "Ich habe versäumt, meine Kinder im katholischen Glauben zu erziehen.",
- "detail": ""
+ "text_past": "Ich habe versäumt, meine Kinder im katholischen Glauben zu erziehen."
},
"14": {
+ "detail": "",
"text": "Habe ich es versäumt, mich um meine älteren Verwandten zu kümmern?",
- "text_past": "Ich habe es versäumt, mich um meine älteren Verwandten zu kümmern.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, mich um meine älteren Verwandten zu kümmern."
},
"15": {
+ "detail": "",
"text": "Habe ich meine Familie vernachlässigt?",
- "text_past": "Ich habe meine Familie vernachlässigt.",
- "detail": ""
+ "text_past": "Ich habe meine Familie vernachlässigt."
},
"16": {
+ "detail": "",
"text": "Habe ich irgendeinem verantwortlichen Erwachsenen nicht gehorcht?",
- "text_past": "Ich habe einen verantwortlichen Erwachsenen nicht gehorcht.",
- "detail": ""
+ "text_past": "Ich habe einen verantwortlichen Erwachsenen nicht gehorcht."
},
"17": {
+ "detail": "",
"text": "Habe ich versäumt, meinen Kindern ihre menschliche Sexualität zu vermitteln?",
- "text_past": "Ich habe versäumt, meinen Kindern ihre menschliche Sexualität zu vermitteln.",
- "detail": ""
+ "text_past": "Ich habe versäumt, meinen Kindern ihre menschliche Sexualität zu vermitteln."
},
"18": {
+ "detail": "",
"text": "Habe ich ein gerechtes Gesetz gebrochen?",
- "text_past": "Ich habe ein gerechtes Gesetz gebrochen.",
- "detail": ""
+ "text_past": "Ich habe ein gerechtes Gesetz gebrochen."
},
"19": {
+ "detail": "",
"text": "Habe ich jemandem körperlich wehgetan?",
- "text_past": "Ich habe jemanden körperlich verletzt.",
- "detail": ""
+ "text_past": "Ich habe jemanden körperlich verletzt."
},
"20": {
+ "detail": "",
"text": "Habe ich eine Abtreibung gehabt? Habe ich an einer Abtreibung teilgenommen?",
- "text_past": "Ich hatte eine Abtreibung oder habe daran teilgenommen.",
- "detail": ""
+ "text_past": "Ich hatte eine Abtreibung oder habe daran teilgenommen."
},
"21": {
+ "detail": "\"Jede Handlung, die, sei es in Erwartung des ehelichen Aktes, bei seiner Ausführung oder in der Entwicklung seiner natürlichen Folgen, das Ziel verfolgt, sei es als Zweck oder als Mittel, die Zeugung unmöglich zu machen, ist an sich böse\" (KKK 2370). \"Legitime Absichten der Ehepartner rechtfertigen nicht den Rückgriff auf moralisch unannehmbare Mittel (zum Beispiel direkte Sterilisation oder Empfängnisverhütung)\" (KKK 2399). Künstliche Empfängnisverhütung ist falsch, weil sie einen schönen Akt der Liebe in etwas Selbstsüchtiges verwandelt.",
"text": "Habe ich künstliche Verhütungsmittel verwendet?",
- "text_past": "Ich habe künstliche Verhütungsmittel benutzt.",
- "detail": "\"Jede Handlung, die, sei es in Erwartung des ehelichen Aktes, bei seiner Ausführung oder in der Entwicklung seiner natürlichen Folgen, das Ziel verfolgt, sei es als Zweck oder als Mittel, die Zeugung unmöglich zu machen, ist an sich böse\" (KKK 2370). \"Legitime Absichten der Ehepartner rechtfertigen nicht den Rückgriff auf moralisch unannehmbare Mittel (zum Beispiel direkte Sterilisation oder Empfängnisverhütung)\" (KKK 2399). Künstliche Empfängnisverhütung ist falsch, weil sie einen schönen Akt der Liebe in etwas Selbstsüchtiges verwandelt."
+ "text_past": "Ich habe künstliche Verhütungsmittel benutzt."
},
"22": {
+ "detail": "",
"text": "Habe ich einen Selbstmordversuch unternommen?",
- "text_past": "Ich habe versucht, Selbstmord zu begehen.",
- "detail": ""
+ "text_past": "Ich habe versucht, Selbstmord zu begehen."
},
"23": {
+ "detail": "",
"text": "Habe ich an Euthanasie teilgenommen?",
- "text_past": "Ich habe an Sterbehilfe teilgenommen.",
- "detail": ""
+ "text_past": "Ich habe an Sterbehilfe teilgenommen."
},
"24": {
+ "detail": "",
"text": "Habe ich Drogen oder Alkohol missbraucht?",
- "text_past": "Ich habe Drogen oder Alkohol missbraucht.",
- "detail": ""
+ "text_past": "Ich habe Drogen oder Alkohol missbraucht."
},
"25": {
+ "detail": "",
"text": "Hatte ich außerehelichen Geschlechtsverkehr?",
- "text_past": "Ich hatte außerehelichen Geschlechtsverkehr.",
- "detail": ""
+ "text_past": "Ich hatte außerehelichen Geschlechtsverkehr."
},
"26": {
+ "detail": "",
"text": "Bin ich der Sünde der Wollust schuldig?",
- "text_past": "Ich bin schuldig der Sünde der Wollust.",
- "detail": ""
+ "text_past": "Ich bin schuldig der Sünde der Wollust."
},
"27": {
+ "detail": "",
"text": "Habe ich mir Pornografie angesehen?",
- "text_past": "Ich habe mir Pornografie angesehen.",
- "detail": ""
+ "text_past": "Ich habe mir Pornografie angesehen."
},
"28": {
+ "detail": "",
"text": "Habe ich homosexuellen Neigungen nachgegeben?",
- "text_past": "Ich habe meinen homosexuellen Neigungen nachgegeben.",
- "detail": ""
+ "text_past": "Ich habe meinen homosexuellen Neigungen nachgegeben."
},
"29": {
+ "detail": "",
"text": "Habe ich es versäumt, meinen Ehemann oder meine Ehefrau zu ehren?",
- "text_past": "Ich habe versäumt, meinen Ehemann oder meine Ehefrau zu ehren.",
- "detail": ""
+ "text_past": "Ich habe versäumt, meinen Ehemann oder meine Ehefrau zu ehren."
},
"30": {
+ "detail": "",
"text": "Habe ich erotische Literatur gelesen?",
- "text_past": "Ich lese erotische Literatur.",
- "detail": ""
+ "text_past": "Ich lese erotische Literatur."
},
"31": {
+ "detail": "",
"text": "Habe ich mich sexuell unmoralisch verhalten?",
- "text_past": "Ich habe mich sexuell unmoralisch verhalten.",
- "detail": ""
+ "text_past": "Ich habe mich sexuell unmoralisch verhalten."
},
"32": {
+ "detail": "",
"text": "Habe ich mich zu leidenschaftlichen Küssen aus Vergnügen hingegeben?",
- "text_past": "Ich habe mich zu leidenschaftlichem Küssen aus Vergnügen hinreißen lassen.",
- "detail": ""
+ "text_past": "Ich habe mich zu leidenschaftlichem Küssen aus Vergnügen hinreißen lassen."
},
"33": {
+ "detail": "",
"text": "Habe ich etwas gestohlen? Wenn ja, in welchem Ausmaß?",
- "text_past": "Ich habe etwas gestohlen. (In einem solchen Ausmaß.)",
- "detail": ""
+ "text_past": "Ich habe etwas gestohlen. (In einem solchen Ausmaß.)"
},
"34": {
+ "detail": "",
"text": "Habe ich Filme, Musik oder Software raubkopiert?",
- "text_past": "Ich habe Filme, Musik oder Software raubkopiert.",
- "detail": ""
+ "text_past": "Ich habe Filme, Musik oder Software raubkopiert."
},
"35": {
+ "detail": "",
"text": "Habe ich gelogen oder betrogen?",
- "text_past": "Ich habe gelogen oder betrogen.",
- "detail": ""
+ "text_past": "Ich habe gelogen oder betrogen."
},
"36": {
+ "detail": "",
"text": "Habe ich über andere getratscht?",
- "text_past": "Ich habe über andere getratscht.",
- "detail": ""
+ "text_past": "Ich habe über andere getratscht."
},
"37": {
+ "detail": "",
"text": "Habe ich versäumt, am Aschermittwoch und Karfreitag zu fasten?",
- "text_past": "Ich habe es versäumt, am Aschermittwoch oder Karfreitag zu fasten.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, am Aschermittwoch oder Karfreitag zu fasten."
},
"38": {
+ "detail": "",
"text": "Habe ich versäumt, an den Freitagen der Fastenzeit und am Aschermittwoch auf Fleisch zu verzichten?",
- "text_past": "Ich habe es versäumt, an einem Freitag in der Fastenzeit oder am Aschermittwoch auf Fleisch zu verzichten.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, an einem Freitag in der Fastenzeit oder am Aschermittwoch auf Fleisch zu verzichten."
},
"39": {
+ "detail": "",
"text": "Habe ich es versäumt, die Eucharistie mindestens einmal während der Osterzeit zu empfangen?",
- "text_past": "Ich habe es versäumt, während der Osterzeit wenigstens einmal die Eucharistie zu empfangen.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, während der Osterzeit wenigstens einmal die Eucharistie zu empfangen."
},
"40": {
+ "detail": "",
"text": "Habe ich versäumt, eine Stunde vor dem Empfang der Eucharistie zu fasten?",
- "text_past": "Ich habe es versäumt, eine Stunde vor dem Empfang der Eucharistie zu fasten.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, eine Stunde vor dem Empfang der Eucharistie zu fasten."
},
"41": {
+ "detail": "",
"text": "Habe ich die Eucharistie im Zustand der Todsünde empfangen?",
- "text_past": "Ich habe die Eucharistie im Zustand der Todsünde empfangen.",
- "detail": ""
+ "text_past": "Ich habe die Eucharistie im Zustand der Todsünde empfangen."
},
"42": {
+ "detail": "",
"text": "Habe ich bei der Beichte absichtlich etwas verheimlicht?",
- "text_past": "Ich habe bei der Beichte absichtlich etwas verschwiegen.",
- "detail": ""
+ "text_past": "Ich habe bei der Beichte absichtlich etwas verschwiegen."
},
"43": {
+ "detail": "",
"text": "War ich am Sonntag zu beschäftigt, um mich auszuruhen und Zeit mit meiner Familie zu verbringen?",
- "text_past": "Ich war zu beschäftigt, um am Sonntag zu ruhen und Zeit mit meiner Familie zu verbringen.",
- "detail": ""
+ "text_past": "Ich war zu beschäftigt, um am Sonntag zu ruhen und Zeit mit meiner Familie zu verbringen."
},
"44": {
+ "detail": "",
"text": "War ich eifersüchtig auf den Ehepartner oder Verlobten einer anderen Person?",
- "text_past": "Ich war eifersüchtig auf die Frau/den Mann oder die Verlobte/den Verlobten von jemand anderem.",
- "detail": ""
+ "text_past": "Ich war eifersüchtig auf die Frau/den Mann oder die Verlobte/den Verlobten von jemand anderem."
},
"45": {
+ "detail": "",
"text": "War ich eifersüchtig auf etwas, das jemand anderem gehört?",
- "text_past": "Ich war eifersüchtig auf etwas, das jemand anderem gehört.",
- "detail": ""
+ "text_past": "Ich war eifersüchtig auf etwas, das jemand anderem gehört."
},
"46": {
+ "detail": "",
"text": "Habe ich für einen Kandidaten oder eine Politik gestimmt, die meine katholischen Werte nicht unterstützt?",
- "text_past": "Ich habe für einen Kandidaten oder eine Politik gestimmt, die meine katholischen Werte nicht unterstützt.",
- "detail": ""
+ "text_past": "Ich habe für einen Kandidaten oder eine Politik gestimmt, die meine katholischen Werte nicht unterstützt."
},
"47": {
+ "detail": "",
"text": "Habe ich Musik gehört oder ferngesehen oder einen Film geschaut, der einen schlechten Einfluss auf mich hatte?",
- "text_past": "Ich habe Musik gehört oder ferngesehen oder einen Film geschaut, der einen schlechten Einfluss auf mich hatte.",
- "detail": ""
+ "text_past": "Ich habe Musik gehört oder ferngesehen oder einen Film geschaut, der einen schlechten Einfluss auf mich hatte."
},
"48": {
+ "detail": "",
"text": "War ich gierig, oder habe ich es versäumt, meiner Kirche und den Armen großzügig zu geben?",
- "text_past": "Ich war habgierig oder habe es versäumt, meiner Kirche oder den Armen großzügig zu geben.",
- "detail": ""
+ "text_past": "Ich war habgierig oder habe es versäumt, meiner Kirche oder den Armen großzügig zu geben."
},
"49": {
+ "detail": "",
"text": "Habe ich wissentlich andere in die Sünde geführt?",
- "text_past": "Ich habe wissentlich andere in die Sünde geführt.",
- "detail": ""
+ "text_past": "Ich habe wissentlich andere in die Sünde geführt."
},
"50": {
+ "detail": "",
"text": "Habe ich versäumt, Gott in meinem Leben Priorität einzuräumen?",
- "text_past": "Ich habe es versäumt, Gott in meinem Leben an erste Stelle zu setzen.",
- "detail": ""
+ "text_past": "Ich habe es versäumt, Gott in meinem Leben an erste Stelle zu setzen."
},
"51": {
+ "detail": "",
"text": "Habe ich egoistisch gehandelt?",
- "text_past": "Ich habe egoistisch gehandelt.",
- "detail": ""
+ "text_past": "Ich habe egoistisch gehandelt."
},
"52": {
+ "detail": "",
"text": "Habe ich an okkulten Praktiken teilgenommen?",
- "text_past": "Ich habe an okkulten Praktiken teilgenommen.",
- "detail": ""
+ "text_past": "Ich habe an okkulten Praktiken teilgenommen."
},
"53": {
+ "detail": "",
"text": "War ich bei der Arbeit oder zu Hause faul?",
- "text_past": "Ich war zu Hause oder bei der Arbeit träge.",
- "detail": ""
+ "text_past": "Ich war zu Hause oder bei der Arbeit träge."
},
"54": {
+ "detail": "",
"text": "Habe ich bei meinen Schulaufgaben faul gewesen?",
- "text_past": "Ich war faul bei meinen Schulaufgaben.",
- "detail": ""
+ "text_past": "Ich war faul bei meinen Schulaufgaben."
},
"55": {
+ "detail": "",
"text": "War ich überheblich oder eitel?",
- "text_past": "Ich war überheblich oder eitel.",
- "detail": ""
+ "text_past": "Ich war überheblich oder eitel."
},
"56": {
+ "detail": "",
"text": "Habe ich die Sünde der Völlerei begangen?",
- "text_past": "Ich bin der Völlerei schuldig.",
- "detail": ""
+ "text_past": "Ich bin der Völlerei schuldig."
},
"57": {
+ "detail": "",
"text": "Habe ich mich von Ärger beherrschen lassen?",
- "text_past": "Ich habe mich von Wut beherrschen lassen.",
- "detail": ""
+ "text_past": "Ich habe mich von Wut beherrschen lassen."
}
},
- "addbutton": {
- "add-custom-sin": "Füge eigene Sünde hinzu",
- "i-sinned-by": "Ich habe gesündigt, indem ich…",
- "cancel": "Stornieren",
- "add": "Hinzufügen"
+ "sins_list": {
+ "review": "Überprufen"
},
- "examineitem": {
- "yes": "Ja"
+ "walkthrough": {
+ "amen": "Amen.",
+ "bless_me_father": "Segne mich Vater, denn ich habe gesündigt. Es ist ____ seit meiner letzten Beichte gewesen, und das sind meine Sünden:",
+ "god_the_father_of_mercies": "Gott, der Vater der Barmherzigkeit…",
+ "in_the_name_of": "Im Namen des Vaters und des Sohnes und des Heiligen Geistes. Amen.",
+ "thanks_be_to_god": "Dank sei Gott dem Herrn.",
+ "the_lord_has_freed_you": "Der Herr hat Sie von der Sünde befreit. Gehen Sie in Frieden.",
+ "these_are_my_sins": "Das sind meine Sünden, und ich bereue sie von ganzem Herzen.",
+ "walkthrough": "Durchgang",
+ "your_confessor_may_offer": "(Ihr Beichtvater kann Ihnen einen Rat geben oder ein kurzes Gespräch mit Ihnen führen.)",
+ "your_confessor_will_assign": "(Dein Beichtvater wird Ihnen eine Buße auferlegen.) Beten Sie nun den Akt der Reue."
},
- "priestbubble": {
- "priest": "Priester"
+ "welcome": {
+ "body": " Es ist ein Hilfsmittel, das römisch-katholischen Katholiken dabei hilft, ihr Gewissen zu prüfen, bevor sie zur Beichte gehen. Wir hoffen, dass es Ihnen helfen kann, die seit Ihrer letzten Beichte begangenen Sünden zu verstehen. Aktivieren Sie einfach das Kästchen Ja neben den Sünden in der Liste Überprüfen oder tippen Sie unten rechts in der App auf die Schaltfläche +, um eine Sünde hinzuzufügen personalisiert. Wischen Sie dann nach rechts zur Registerkarte Überprüfen, um die Liste Ihrer Sünden anzuzeigen, und kehren Sie dann zur Registerkarte Bekennen zurück, um das Beichtritual noch einmal durchzugehen.
Die von Ihnen eingegebenen Daten werden nur auf Ihrem Gerät gespeichert (sie werden niemals über das Internet übertragen). Die von Ihnen eingegebenen Daten bleiben in der App erhalten, auch wenn Sie das Fenster schließen oder die Seite neu laden, bis Sie in den App-Einstellungen Leer wählen.
Möge der Herr Sie segnen Dein Weg zur Heiligkeit!",
+ "title": "Willkommen!"
}
}
diff --git a/public/locales/en/translation.json b/public/locales/en/translation.json
index 4568264..de95ff6 100644
--- a/public/locales/en/translation.json
+++ b/public/locales/en/translation.json
@@ -1,438 +1,438 @@
{
- "navbar": {
- "prayers": "Prayers",
- "help": "Help",
- "about": "About",
- "clear": "Clear"
- },
- "examine_list": {
- "examine": "Examine"
- },
- "sins_list": {
- "review": "Review"
- },
- "walkthrough": {
- "walkthrough": "Walkthrough",
- "in_the_name_of": "In the name of the Father, and of the Son, and of the Holy Spirit. Amen.",
- "bless_me_father": "Bless me father, for I have sinned. It has been ____ since my last confession, and these are my sins:",
- "these_are_my_sins": "These are my sins, and I am sorry for them with all my heart.",
- "your_confessor_may_offer": "(Your confessor may offer you some advice or have a short conversation with you.)",
- "your_confessor_will_assign": "(Your confessor will assign you penance.) Now pray the act of contrition.",
- "god_the_father_of_mercies": "God, the Father of mercies…",
- "amen": "Amen.",
- "the_lord_has_freed_you": "The Lord has freed you from sin. Go in peace.",
- "thanks_be_to_god": "Thanks be to God."
- },
- "prayers": {
- "prayers": "Prayers",
- "prayer_before_confession": "Prayer Before Confession",
- "act_of_contrition": "Act Of Contrition",
- "another_act_of_contrition": "Another Act Of Contrition",
- "thanksgiving_after_confession": "Thanksgiving After Confession",
- "our_father": "Our Father",
- "hail_mary": "Hail Mary",
- "hail_holy_queen": "Hail Holy Queen",
- "prayer_before_confession_text": "My Lord and God, I have sinned. I am guilty before you. Grant me the strength to say to Your minister what I say to You in the secret of my heart. Increase my repentance. Make it more genuine. May it really be a sorrow for having offended You and my neighbor rather than a wounded love of self. Help me to atone for my sin. May the sufferings of my life and my little mortifications be joined with the sufferings of Jesus, Your Son, and cooperate in rooting sin from the world. Amen.",
- "act_of_contrition_text": "My God, I am sorry for my sins with all my heart. In choosing to do wrong and failing to do good, I have sinned against You, whom I should love above all things. I firmly intend with Your help to do penance, to sin no more, and to avoid whatever leads me to sin. Jesus Christ suffered and died for us. In His name, my God, have mercy.",
- "another_act_of_contrition_text": "O my God, I am heartily sorry for having offended Thee, and I detest all of my sins, because I dread the loss of heaven, and the pains of hell; but most of all because they offend Thee, my God, Who are all good and deserving of my love. I firmly resolve, with the help of Thy grace, to confess my sins, to do penance, and to amend my life. Amen.",
- "thanksgiving_after_confession_text": "My dearest Jesus, I have told all my sins as well as I could. I have tried hard to make a good confession. I feel sure that You have forgiven me. I thank You. It is only because of all Your sufferings that I can go to confession and free myself from my sins. Your heart is full of love and mercy for poor sinners. I love You because You are so good to me. My loving Savior, I shall try to keep from sin and to love you more each day. My dear Mother Mary, pray for me and help me to keep my promises. Protect me and do not let me fall back into sin.",
- "our_father_text": "Our Father, Who art in heaven, hallowed be Thy name; Thy kingdom come, Thy will be done, on earth as it is in heaven. Give us this day our daily bread, and forgive us our trespasses, as we forgive those who trespass against us; and lead us not into temptation, but deliver us from evil. Amen.",
- "hail_mary_text": "Hail Mary, full of grace. The Lord is with thee. Blessed art thou among women, and blessed is the fruit of thy womb, Jesus. Holy Mary, mother of God, pray for us sinners, now and at the hour of our death. Amen.",
- "hail_holy_queen_text": "Hail, holy Queen, Mother of Mercy! Our life, our sweetness, and our hope! To thee do we cry, poor banished children of Eve. To thee do we send up our sighs, lonely and weeping in this valley of tears. Turn then, most gracious advocate, thine eyes of mercy toward us; and after this our exile show unto us the blessed fruit of thy womb, Jesus. O clement, O loving, O sweet virgin Mary. Pray for us, holy Mother of God, that we may be made worthy of the promises of Christ. Amen."
- },
"about": {
- "about_confessit": "About ConfessIt",
- "about_confessit_text": "ConfessIt is a Roman Catholic examination of conscience for computers, tablets, and phones. It's designed to be simple and easy to use, and it can help you remember your sins when you go to confession. There's also a confession walkthrough that tells you exactly what the priest will say and how you should respond - a great resource if you haven't been to confession in a while! The examination of conscience is based on fundamental Catholic church teachings, is easy to understand, and is relevant for modern Catholics.",
"about_confession": "About Confession",
- "about_confession_intro": "Confession is the holy sacrament by which Catholics obtain pardon from God's mercy for their sins, and are thus reconciled with the Church, the community of believers, the Body of Christ.",
- "ccc_quote": "
It is called the sacrament of conversion because it makes sacramentally present Jesus' call to conversion, the first step in returning to the Father (Cf. Mk 1:15; Lk 15:18) from whom one has strayed by sin.
It is called the sacrament of Penance, since it consecrates the Christian sinner's personal and ecclesial steps of conversion, penance, and satisfaction.
It is called the sacrament of confession, since the disclosure or confession of sins to a priest is an essential element of this sacrament. In a profound sense it is also a \"confession\" - acknowledgment and praise - of the holiness of God and of his mercy toward sinful man.
It is called the sacrament of forgiveness, since by the priest's sacramental absolution God grants the penitent \"pardon and peace\" (Ordo paenitantiae 46 formula of absolution).
It is called the sacrament of Reconciliation, because it imparts to the sinner the love of God who reconciles: \"Be reconciled to God\" (2 Cor 5:20). He who lives by God's merciful love is ready to respond to the Lord's call: \"Go; first be reconciled to your brother\" (Mt 5:24).
Conversion to Christ, the new birth of Baptism, the gift of the Holy Spirit and the Body and Blood of Christ received as food have made us \"holy and without blemish,\" just as the Church herself, the Bride of Christ, is \"holy and without blemish\" (Eph 1:4; 5:27). Nevertheless the new life received in Christian initiation has not abolished the frailty and weakness of human nature, nor the inclination to sin that tradition calls concupiscence, which remains in the baptized such that with the help of the grace of Christ they may prove themselves in the struggle of Christian life (Cf. Council of Trent, DS 1545; Lumen Gentium 40). This is the struggle of conversion directed toward holiness and eternal life to which the Lord never ceases to call us.
Jesus calls to conversion. This call is an essential part of the proclamation of the kingdom: \"The time is fulfilled, and the kingdom of God is at hand; repent, and believe in the gospel\" (Mk 1:15). Baptism is the principal place for the first and fundamental conversion, but then Christ's call to conversion continues to resound in the lives of Christians. This second conversion is an uninterrupted task for the whole Church who, \"clasping sinners to her bosom, (is) at once holy and always in need of purification, (and) follows constantly the path of penance and renewal\" (Lumen Gentium 8). This endeavor of conversion is not just a human work. It is the movement of a \"contrite heart,\" drawn and moved by grace to respond to the merciful love of God who loved us first (Ps 51:17; Jn 6:44; 12:32; 1 Jn 4:10). St. Ambrose says of the two conversions that, in the Church, \"there are water and tears: the water of Baptism and the tears of repentance\" (epistle 41).
",
- "where_to_find": "Confession times are listed in your local parish bulletin, and you can find them online at your parish website or at masstimes.org. You can also schedule a confession at any time you'd like by contacting your local parish.",
"about_confession_end": "When you go to confession, typically, you will have the choice of kneeling anonymously behind a screen or sitting face-to-face with your confessor.Don't be nervous about going to confession! Whatever you confess, your priest has heard it before. Remember, he is there to help you.",
+ "about_confession_intro": "Confession is the holy sacrament by which Catholics obtain pardon from God's mercy for their sins, and are thus reconciled with the Church, the community of believers, the Body of Christ.",
+ "about_confessit": "About ConfessIt",
+ "about_confessit_text": "ConfessIt is a Roman Catholic examination of conscience for computers, tablets, and phones. It's designed to be simple and easy to use, and it can help you remember your sins when you go to confession. There's also a confession walkthrough that tells you exactly what the priest will say and how you should respond - a great resource if you haven't been to confession in a while! The examination of conscience is based on fundamental Catholic church teachings, is easy to understand, and is relevant for modern Catholics.",
+ "about_the_developer": "About the Developer",
"about_this_app": "About This App",
- "this_app_is_designed": "This app is designed to help Roman Catholics prepare for the sacrament of confession by examining their conscience. It is NOT a substitute for confession.",
- "please_be_respectful": "Please be respectful of those around you when you use this app. I recommend that you turn your phone off when you're inside your church, and use this app before you arrive. If you do use this app inside your church or during confession, please ensure your phone is in silent mode.",
- "this_website": "This website, ConfessIt.app, is based on the ConfessIt Android App (created in 2012 by the same developer). While it's not (yet) a complete reproduction, it aims to make the app available to a wider range of users on a broader range of devices. (This site works on iOS, Android, tablets, and computers!)",
+ "can_i_help_with_translations": "Can I help with translations?",
+ "can_i_help_write_code": "Can I help write code?",
+ "ccc_quote": "
It is called the sacrament of conversion because it makes sacramentally present Jesus' call to conversion, the first step in returning to the Father (Cf. Mk 1:15; Lk 15:18) from whom one has strayed by sin.
It is called the sacrament of Penance, since it consecrates the Christian sinner's personal and ecclesial steps of conversion, penance, and satisfaction.
It is called the sacrament of confession, since the disclosure or confession of sins to a priest is an essential element of this sacrament. In a profound sense it is also a \"confession\" - acknowledgment and praise - of the holiness of God and of his mercy toward sinful man.
It is called the sacrament of forgiveness, since by the priest's sacramental absolution God grants the penitent \"pardon and peace\" (Ordo paenitantiae 46 formula of absolution).
It is called the sacrament of Reconciliation, because it imparts to the sinner the love of God who reconciles: \"Be reconciled to God\" (2 Cor 5:20). He who lives by God's merciful love is ready to respond to the Lord's call: \"Go; first be reconciled to your brother\" (Mt 5:24).
Conversion to Christ, the new birth of Baptism, the gift of the Holy Spirit and the Body and Blood of Christ received as food have made us \"holy and without blemish,\" just as the Church herself, the Bride of Christ, is \"holy and without blemish\" (Eph 1:4; 5:27). Nevertheless the new life received in Christian initiation has not abolished the frailty and weakness of human nature, nor the inclination to sin that tradition calls concupiscence, which remains in the baptized such that with the help of the grace of Christ they may prove themselves in the struggle of Christian life (Cf. Council of Trent, DS 1545; Lumen Gentium 40). This is the struggle of conversion directed toward holiness and eternal life to which the Lord never ceases to call us.
Jesus calls to conversion. This call is an essential part of the proclamation of the kingdom: \"The time is fulfilled, and the kingdom of God is at hand; repent, and believe in the gospel\" (Mk 1:15). Baptism is the principal place for the first and fundamental conversion, but then Christ's call to conversion continues to resound in the lives of Christians. This second conversion is an uninterrupted task for the whole Church who, \"clasping sinners to her bosom, (is) at once holy and always in need of purification, (and) follows constantly the path of penance and renewal\" (Lumen Gentium 8). This endeavor of conversion is not just a human work. It is the movement of a \"contrite heart,\" drawn and moved by grace to respond to the merciful love of God who loved us first (Ps 51:17; Jn 6:44; 12:32; 1 Jn 4:10). St. Ambrose says of the two conversions that, in the Church, \"there are water and tears: the water of Baptism and the tears of repentance\" (epistle 41).
",
+ "confessit_is_open_source": "ConfessIt is open source. We develop the app on GitHub and we collaborate in the Open Source Catholic community on Slack.",
+ "confessit_is_translated": "ConfessIt is translated into multiple languages. If you'd like to help with this effort by adding a new translation or improving an existing translation, please read about how to do so on GitHub or get in touch with us on Open Source Catholic Slack.",
"if_you_find": "If you find this app useful, please consider sharing it with your friends and family. Tell people about it on Facebook, Reddit, Twitter, at your church, or in your Bible study group to help spread the word!",
- "privacy": "Privacy",
+ "information": "Bible quotes in this app come from the Revised Standard Version of the Holy Bible, Second Catholic Edition. Information from the Catechism of the Catholic Church was also used.",
"information_you_enter": "Information you enter into this app is only stored on your device. It is not sent over the internet. We are able to do this using a technology provided by your web browser called local storage. We do not run Google Analytics or any other data collection mechanism on this site. Data you enter will be saved on your device until you hit Clear even if you close the window or refresh the page.",
+ "mike_kasberg": "Mike Kasberg develops ConfessIt in his free time, as a way of giving back to the church. He is also involved in a few other small projects to support Catholic organizations with technology.",
"open_source": "Open Source",
- "confessit_is_open_source": "ConfessIt is open source. We develop the app on GitHub and we collaborate in the Open Source Catholic community on Slack.",
- "can_i_help_with_translations": "Can I help with translations?",
- "confessit_is_translated": "ConfessIt is translated into multiple languages. If you'd like to help with this effort by adding a new translation or improving an existing translation, please read about how to do so on GitHub or get in touch with us on Open Source Catholic Slack.",
- "can_i_help_write_code": "Can I help write code?",
+ "please_be_respectful": "Please be respectful of those around you when you use this app. I recommend that you turn your phone off when you're inside your church, and use this app before you arrive. If you do use this app inside your church or during confession, please ensure your phone is in silent mode.",
+ "privacy": "Privacy",
+ "this_app_is_designed": "This app is designed to help Roman Catholics prepare for the sacrament of confession by examining their conscience. It is NOT a substitute for confession.",
+ "this_website": "This website, ConfessIt.app, is based on the ConfessIt Android App (created in 2012 by the same developer). While it's not (yet) a complete reproduction, it aims to make the app available to a wider range of users on a broader range of devices. (This site works on iOS, Android, tablets, and computers!)",
"we_welcome_new_contributions": "We welcome new contributions. If you'd like to contribute to ConfessIt, the best way to begin is by reading about how to do so on GitHub.",
- "about_the_developer": "About the Developer",
- "mike_kasberg": "Mike Kasberg develops ConfessIt in his free time, as a way of giving back to the church. He is also involved in a few other small projects to support Catholic organizations with technology.",
- "information": "Bible quotes in this app come from the Revised Standard Version of the Holy Bible, Second Catholic Edition. Information from the Catechism of the Catholic Church was also used."
+ "where_to_find": "Confession times are listed in your local parish bulletin, and you can find them online at your parish website or at masstimes.org. You can also schedule a confession at any time you'd like by contacting your local parish."
},
- "help": {
- "confessit_help": "ConfessIt Help",
- "basic_usage": "Basic Usage",
- "step_1": "In the Examination tab, mark Yes next to all the sins you want to remember to confess.",
- "step_2": "Swipe to the next tab, Review, to see a list of sins you've marked. You can review this list before or during confession if you wish.",
- "step_3": "If you're unsure what to say in confession, swipe to the next tab, Walkthrough, to see roughly what you and the priest will say to each other in confession. You can review this during confession if you wish.",
- "step_4": "After you've gone to confession, use the Clear button to clear all the sins you've marked.",
- "data_persistence": "Data Persistence",
- "data_persistence_text": "Data you enter is stored on your device (never sent over the internet). Data you enter will be saved until you hit Clear, even if you close the window or refresh the page. Be sure to clear your data when you're done if you don't want other people who use this device to see your data!"
- },
- "welcome": {
- "title": "Welcome!",
- "body": " is a tool to help Roman Catholics walk through an examination of conscience prior to going to confession. We hope you'll find this useful to help remember sins you've committed since your last confession. Just check the Yes box next to sins in the Examine list, or tap the + button at the bottom right of the app to add your own. Then, scroll to the right to Review your sins and Walkthrough the steps of going to confession.
Data you enter is stored on your device (never sent over the Internet). Data you enter will be saved until you hit Clear in the app settings, even if you close the window or refresh the page.
God bless you on your path to holiness!"
+ "addbutton": {
+ "add": "Add",
+ "add-custom-sin": "Add custom sin",
+ "cancel": "Cancel",
+ "i-sinned-by": "I sinned by…"
},
"commandments": {
"1": {
- "title": "First Commandment",
+ "description": "I am the Lord your God, who brought you out of the land of Egypt, out of the house of bondage. You shall have no other gods before me… you shall not bow down to them or serve them; for I the Lord your God am a jealous God… showing steadfast love to thousands of those who love me and keep my commandments. (Ex 20:2-6) The capital sins of pride and gluttony are often considered to break this commandment.",
"text": "You shall have no other gods before Me. (Ex 20:3)",
- "description": "I am the Lord your God, who brought you out of the land of Egypt, out of the house of bondage. You shall have no other gods before me… you shall not bow down to them or serve them; for I the Lord your God am a jealous God… showing steadfast love to thousands of those who love me and keep my commandments. (Ex 20:2-6) The capital sins of pride and gluttony are often considered to break this commandment."
+ "title": "First Commandment"
},
"2": {
- "title": "Second Commandment",
+ "description": "You shall not take the name of the Lord your God in vain; for the Lord will not hold him guiltless who takes his name in vain. (Ex 20:7)",
"text": "You shall not take the name of the Lord your God in vain. (Ex 20:7)",
- "description": "You shall not take the name of the Lord your God in vain; for the Lord will not hold him guiltless who takes his name in vain. (Ex 20:7)"
+ "title": "Second Commandment"
},
"3": {
- "title": "Third Commandment",
+ "description": "Remember the sabbath day, to keep it holy. Six days you shall labor, and do all your work; but the seventh day is a sabbath to the Lord your God; in it you shall not do any work… For in six days the Lord made heaven and earth, the sea, and all that is in them, and rested the seventh day; therefore the Lord blessed the sabbath day and hallowed it. (Ex 20:8-11)",
"text": "Remember the sabbath day, to keep it holy. (Ex 20:8)",
- "description": "Remember the sabbath day, to keep it holy. Six days you shall labor, and do all your work; but the seventh day is a sabbath to the Lord your God; in it you shall not do any work… For in six days the Lord made heaven and earth, the sea, and all that is in them, and rested the seventh day; therefore the Lord blessed the sabbath day and hallowed it. (Ex 20:8-11)"
+ "title": "Third Commandment"
},
"4": {
- "title": "Fourth Commandment",
+ "description": "Honor your father and mother, that your days may be long in the land which the Lord your God gives you. (Ex 20:12)",
"text": "Honor your father and your mother. (Ex 20:12)",
- "description": "Honor your father and mother, that your days may be long in the land which the Lord your God gives you. (Ex 20:12)"
+ "title": "Fourth Commandment"
},
"5": {
- "title": "Fifth Commandment",
+ "description": "You shall not kill. (Ex 20:13) The capital sin of anger is often associated with this commandment.",
"text": "You shall not kill. (Ex 20:13)",
- "description": "You shall not kill. (Ex 20:13) The capital sin of anger is often associated with this commandment."
+ "title": "Fifth Commandment"
},
"6": {
- "title": "Sixth Commandment",
+ "description": "You shall not commit adultery. (Ex 20:14) The capital sin of lust breaks this commandment.",
"text": "You shall not commit adultery. (Ex 20:14)",
- "description": "You shall not commit adultery. (Ex 20:14) The capital sin of lust breaks this commandment."
+ "title": "Sixth Commandment"
},
"7": {
- "title": "Seventh Commandment",
+ "description": "You shall not steal. (Ex 20:15) The capital sins of greed and sloth are often considered to break this commandment.",
"text": "You shall not steal. (Ex 20:15)",
- "description": "You shall not steal. (Ex 20:15) The capital sins of greed and sloth are often considered to break this commandment."
+ "title": "Seventh Commandment"
},
"8": {
- "title": "Eighth Commandment",
+ "description": "You shall not bear false witness against your neighbor. (Ex 20:16)",
"text": "You shall not bear false witness against your neighbor. (Ex 20:16)",
- "description": "You shall not bear false witness against your neighbor. (Ex 20:16)"
+ "title": "Eighth Commandment"
},
"9": {
- "title": "Ninth Commandment",
+ "description": "You shall not covet your neighbor's wife. (Ex 20:17) The capital sin of jealousy can break this commandment.",
"text": "You shall not covet your neighbor's wife. (Ex 20:17)",
- "description": "You shall not covet your neighbor's wife. (Ex 20:17) The capital sin of jealousy can break this commandment."
+ "title": "Ninth Commandment"
},
"10": {
- "title": "Tenth Commandment",
+ "description": "You shall not covet your neighbor's house… or his manservant, or his maidservant, or his ox, or his ass, or anything that is your neighbor's. (Ex 20:17) The capital sin of jealousy can break this commandment.",
"text": "You shall not covet your neighbor's goods. (Ex 20:17)",
- "description": "You shall not covet your neighbor's house… or his manservant, or his maidservant, or his ox, or his ass, or anything that is your neighbor's. (Ex 20:17) The capital sin of jealousy can break this commandment."
+ "title": "Tenth Commandment"
},
"11": {
- "title": "Precepts of the Church",
+ "description": "The precepts of the Church are set in the context of a moral life bound to and nourished by liturgical life. The obligatory character of these positive laws decreed by the pastoral authorities is meant to guarantee to the faithful the very necessary minimum in the spirit of prayer and moral effort, in the growth in love of God and neighbor (CCC 2041).",
"text": "The precepts of the Catholic Church are the minimum requirements that all Catholics should fulfill.",
- "description": "The precepts of the Church are set in the context of a moral life bound to and nourished by liturgical life. The obligatory character of these positive laws decreed by the pastoral authorities is meant to guarantee to the faithful the very necessary minimum in the spirit of prayer and moral effort, in the growth in love of God and neighbor (CCC 2041)."
+ "title": "Precepts of the Church"
}
},
+ "examine_list": {
+ "examine": "Examine"
+ },
+ "examineitem": {
+ "yes": "Yes"
+ },
+ "help": {
+ "basic_usage": "Basic Usage",
+ "confessit_help": "ConfessIt Help",
+ "data_persistence": "Data Persistence",
+ "data_persistence_text": "Data you enter is stored on your device (never sent over the internet). Data you enter will be saved until you hit Clear, even if you close the window or refresh the page. Be sure to clear your data when you're done if you don't want other people who use this device to see your data!",
+ "step_1": "In the Examination tab, mark Yes next to all the sins you want to remember to confess.",
+ "step_2": "Swipe to the next tab, Review, to see a list of sins you've marked. You can review this list before or during confession if you wish.",
+ "step_3": "If you're unsure what to say in confession, swipe to the next tab, Walkthrough, to see roughly what you and the priest will say to each other in confession. You can review this during confession if you wish.",
+ "step_4": "After you've gone to confession, use the Clear button to clear all the sins you've marked."
+ },
+ "navbar": {
+ "about": "About",
+ "clear": "Clear",
+ "help": "Help",
+ "prayers": "Prayers"
+ },
+ "prayers": {
+ "act_of_contrition": "Act Of Contrition",
+ "act_of_contrition_text": "My God, I am sorry for my sins with all my heart. In choosing to do wrong and failing to do good, I have sinned against You, whom I should love above all things. I firmly intend with Your help to do penance, to sin no more, and to avoid whatever leads me to sin. Jesus Christ suffered and died for us. In His name, my God, have mercy.",
+ "another_act_of_contrition": "Another Act Of Contrition",
+ "another_act_of_contrition_text": "O my God, I am heartily sorry for having offended Thee, and I detest all of my sins, because I dread the loss of heaven, and the pains of hell; but most of all because they offend Thee, my God, Who are all good and deserving of my love. I firmly resolve, with the help of Thy grace, to confess my sins, to do penance, and to amend my life. Amen.",
+ "hail_holy_queen": "Hail Holy Queen",
+ "hail_holy_queen_text": "Hail, holy Queen, Mother of Mercy! Our life, our sweetness, and our hope! To thee do we cry, poor banished children of Eve. To thee do we send up our sighs, lonely and weeping in this valley of tears. Turn then, most gracious advocate, thine eyes of mercy toward us; and after this our exile show unto us the blessed fruit of thy womb, Jesus. O clement, O loving, O sweet virgin Mary. Pray for us, holy Mother of God, that we may be made worthy of the promises of Christ. Amen.",
+ "hail_mary": "Hail Mary",
+ "hail_mary_text": "Hail Mary, full of grace. The Lord is with thee. Blessed art thou among women, and blessed is the fruit of thy womb, Jesus. Holy Mary, mother of God, pray for us sinners, now and at the hour of our death. Amen.",
+ "our_father": "Our Father",
+ "our_father_text": "Our Father, Who art in heaven, hallowed be Thy name; Thy kingdom come, Thy will be done, on earth as it is in heaven. Give us this day our daily bread, and forgive us our trespasses, as we forgive those who trespass against us; and lead us not into temptation, but deliver us from evil. Amen.",
+ "prayer_before_confession": "Prayer Before Confession",
+ "prayer_before_confession_text": "My Lord and God, I have sinned. I am guilty before you. Grant me the strength to say to Your minister what I say to You in the secret of my heart. Increase my repentance. Make it more genuine. May it really be a sorrow for having offended You and my neighbor rather than a wounded love of self. Help me to atone for my sin. May the sufferings of my life and my little mortifications be joined with the sufferings of Jesus, Your Son, and cooperate in rooting sin from the world. Amen.",
+ "prayers": "Prayers",
+ "thanksgiving_after_confession": "Thanksgiving After Confession",
+ "thanksgiving_after_confession_text": "My dearest Jesus, I have told all my sins as well as I could. I have tried hard to make a good confession. I feel sure that You have forgiven me. I thank You. It is only because of all Your sufferings that I can go to confession and free myself from my sins. Your heart is full of love and mercy for poor sinners. I love You because You are so good to me. My loving Savior, I shall try to keep from sin and to love you more each day. My dear Mother Mary, pray for me and help me to keep my promises. Protect me and do not let me fall back into sin."
+ },
+ "priestbubble": {
+ "priest": "Priest"
+ },
"sins": {
"1": {
+ "detail": "To obey in faith is to submit freely to the word that has been heard, because its truth is guaranteed by God, who is Truth itself (CCC 144). It is important to believe in all of the teachings of the church.",
"text": "Did I refuse to believe the teachings of the Catholic Church?",
- "text_past": "I refused to believe the teachings of the Catholic Church.",
- "detail": "To obey in faith is to submit freely to the word that has been heard, because its truth is guaranteed by God, who is Truth itself (CCC 144). It is important to believe in all of the teachings of the church."
+ "text_past": "I refused to believe the teachings of the Catholic Church."
},
"2": {
+ "detail": "The first commandment forbids honoring gods other than the one Lord who has revealed himself to his people (CCC 2110). It is wrong to practice a religion other than Catholicism because it weakens our relationship with our Lord.",
"text": "Did I practice any religion besides Catholicism?",
- "text_past": "I practiced a religion besides Catholicism.",
- "detail": "The first commandment forbids honoring gods other than the one Lord who has revealed himself to his people (CCC 2110). It is wrong to practice a religion other than Catholicism because it weakens our relationship with our Lord."
+ "text_past": "I practiced a religion besides Catholicism."
},
"3": {
+ "detail": "Presuming God's mercy is hoping to obtain forgiveness without conversion and glory without merit (CCC 2092). It is wrong to do something immoral because you expect God to forgive you.",
"text": "Did I presume God's mercy?",
- "text_past": "I presumed God's mercy.",
- "detail": "Presuming God's mercy is hoping to obtain forgiveness without conversion and glory without merit (CCC 2092). It is wrong to do something immoral because you expect God to forgive you."
+ "text_past": "I presumed God's mercy."
},
"4": {
+ "detail": "Adoring God, praying to him, offering him the worship that belongs to him, fulfilling the promises and vows made to him are acts of the virtue of religion which fall under obedience to the first commandment (CCC 2135). Prayer is important because without prayer we cannot have a relationship with God.",
"text": "How is my prayer life? Do I need to pray more often?",
- "text_past": "I need to pray more often.",
- "detail": "Adoring God, praying to him, offering him the worship that belongs to him, fulfilling the promises and vows made to him are acts of the virtue of religion which fall under obedience to the first commandment (CCC 2135). Prayer is important because without prayer we cannot have a relationship with God."
+ "text_past": "I need to pray more often."
},
"5": {
+ "detail": "",
"text": "Our culture often conflicts with Catholic ideals. Did I fail to stand up for Catholic moral values?",
- "text_past": "I failed to stand up for Catholic moral values.",
- "detail": ""
+ "text_past": "I failed to stand up for Catholic moral values."
},
"6": {
+ "detail": "",
"text": "Did I use foul language?",
- "text_past": "I used foul language.",
- "detail": ""
+ "text_past": "I used foul language."
},
"7": {
+ "detail": "The second commandment forbids every improper use of God's name. Blasphemy is the use of the name of God, of Jesus Christ, of the Virgin Mary, and of the saints in an offensive way (CCC 2162).",
"text": "Did I use God's name without respect?",
- "text_past": "I used God's name without respect.",
- "detail": "The second commandment forbids every improper use of God's name. Blasphemy is the use of the name of God, of Jesus Christ, of the Virgin Mary, and of the saints in an offensive way (CCC 2162)."
+ "text_past": "I used God's name without respect."
},
"8": {
+ "detail": "Respect for His name is an expression of the respect owed to the mystery of God himself and to the whole sacred reality it evokes (CCC 2144).",
"text": "Did I insult God?",
- "text_past": "I insulted God.",
- "detail": "Respect for His name is an expression of the respect owed to the mystery of God himself and to the whole sacred reality it evokes (CCC 2144)."
+ "text_past": "I insulted God."
},
"9": {
+ "detail": "The first precept of the Catholic church is \"You shall attend Mass on Sundays and holy days of obligation and rest from servile labor\" (CCC 2042). As Catholics, we look forward to celebrating the Eucharist every Sunday. It is a sin to skip mass because it weakens our relationship with God.",
"text": "Did I skip mass on Sunday?",
- "text_past": "I skipped mass on Sunday.",
- "detail": "The first precept of the Catholic church is \"You shall attend Mass on Sundays and holy days of obligation and rest from servile labor\" (CCC 2042). As Catholics, we look forward to celebrating the Eucharist every Sunday. It is a sin to skip mass because it weakens our relationship with God."
+ "text_past": "I skipped mass on Sunday."
},
"10": {
+ "detail": "The first precept of the Catholic church is \"You shall attend Mass on Sundays and holy days of obligation and rest from servile labor\" (CCC 2042). As Catholics, we look forward to celebrating the Eucharist on holy days of obligation. It is a sin to skip mass because it weakens our relationship with God.",
"text": "Did I skip mass on a holy day of obligation?",
- "text_past": "I skipped mass on a holy day of obligation.",
- "detail": "The first precept of the Catholic church is \"You shall attend Mass on Sundays and holy days of obligation and rest from servile labor\" (CCC 2042). As Catholics, we look forward to celebrating the Eucharist on holy days of obligation. It is a sin to skip mass because it weakens our relationship with God."
+ "text_past": "I skipped mass on a holy day of obligation."
},
"11": {
+ "detail": "Come to church early, approach the Lord, and confess your sins, repent in prayer… Be present at the sacred and divine liturgy, conclude its prayer and do not leave before dismissal… (CCC 2178). It is also rude and distracting to others who are worshipping to arrive late or leave early.",
"text": "Did I arrive to mass late or leave early?",
- "text_past": "I arrived to mass late or left early.",
- "detail": "Come to church early, approach the Lord, and confess your sins, repent in prayer… Be present at the sacred and divine liturgy, conclude its prayer and do not leave before dismissal… (CCC 2178). It is also rude and distracting to others who are worshipping to arrive late or leave early."
+ "text_past": "I arrived to mass late or left early."
},
"12": {
+ "detail": "",
"text": "Did I disobey my parents?",
- "text_past": "I disobeyed my parents.",
- "detail": ""
+ "text_past": "I disobeyed my parents."
},
"13": {
+ "detail": "",
"text": "Did I fail to raise my children in the Catholic faith?",
- "text_past": "I failed to raise my children in the Catholic faith.",
- "detail": ""
+ "text_past": "I failed to raise my children in the Catholic faith."
},
"14": {
+ "detail": "",
"text": "Did I fail to care for my elderly relatives?",
- "text_past": "I failed to care for my elderly relatives.",
- "detail": ""
+ "text_past": "I failed to care for my elderly relatives."
},
"15": {
+ "detail": "",
"text": "Did I neglect my family?",
- "text_past": "I neglected my family.",
- "detail": ""
+ "text_past": "I neglected my family."
},
"16": {
+ "detail": "",
"text": "Did I disobey any responsible adult?",
- "text_past": "I disobeyed a responsible adult.",
- "detail": ""
+ "text_past": "I disobeyed a responsible adult."
},
"17": {
+ "detail": "",
"text": "Did I fail to teach my children about their human sexuality?",
- "text_past": "I failed to teach my children about their human sexuality.",
- "detail": ""
+ "text_past": "I failed to teach my children about their human sexuality."
},
"18": {
+ "detail": "",
"text": "Did I break a just law?",
- "text_past": "I broke a just law.",
- "detail": ""
+ "text_past": "I broke a just law."
},
"19": {
+ "detail": "",
"text": "Did I physically hurt anyone?",
- "text_past": "I physically hurt someone.",
- "detail": ""
+ "text_past": "I physically hurt someone."
},
"20": {
+ "detail": "",
"text": "Did I have an abortion? Did I participate in an abortion?",
- "text_past": "I had or participated in an abortion.",
- "detail": ""
+ "text_past": "I had or participated in an abortion."
},
"21": {
+ "detail": "\"Every action which, whether in anticipation of the conjugal act, or in its accomplishment, or in the development of its natural consequences, proposes, whether as an end or as a means, to render procreation impossible is intrinsically evil\" (CCC 2370). \"Legitimate intentions on the part of the spouses do not justify recourse to morally unacceptable means (for example, direct sterilization or contraception)\" (CCC 2399). Artificial contraception is wrong because it makes a beautiful act of love into something selfish.",
"text": "Did I use artificial birth control?",
- "text_past": "I used artificial birth control.",
- "detail": "\"Every action which, whether in anticipation of the conjugal act, or in its accomplishment, or in the development of its natural consequences, proposes, whether as an end or as a means, to render procreation impossible is intrinsically evil\" (CCC 2370). \"Legitimate intentions on the part of the spouses do not justify recourse to morally unacceptable means (for example, direct sterilization or contraception)\" (CCC 2399). Artificial contraception is wrong because it makes a beautiful act of love into something selfish."
+ "text_past": "I used artificial birth control."
},
"22": {
+ "detail": "",
"text": "Did I attempt suicide?",
- "text_past": "I attempted suicide.",
- "detail": ""
+ "text_past": "I attempted suicide."
},
"23": {
+ "detail": "",
"text": "Did I participate in euthanasia?",
- "text_past": "I participated in Euthanasia.",
- "detail": ""
+ "text_past": "I participated in Euthanasia."
},
"24": {
+ "detail": "",
"text": "Did I abuse drugs or alcohol?",
- "text_past": "I abused drugs or alcohol.",
- "detail": ""
+ "text_past": "I abused drugs or alcohol."
},
"25": {
+ "detail": "",
"text": "Did I have sex outside marriage?",
- "text_past": "I had sex outside marriage.",
- "detail": ""
+ "text_past": "I had sex outside marriage."
},
"26": {
+ "detail": "",
"text": "Am I guilty of the sin of lust?",
- "text_past": "I am guilty of the sin of lust.",
- "detail": ""
+ "text_past": "I am guilty of the sin of lust."
},
"27": {
+ "detail": "",
"text": "Did I look at pornography?",
- "text_past": "I looked at pornography.",
- "detail": ""
+ "text_past": "I looked at pornography."
},
"28": {
+ "detail": "",
"text": "Did I act on homosexual desires?",
- "text_past": "I acted on homosexual desires.",
- "detail": ""
+ "text_past": "I acted on homosexual desires."
},
"29": {
+ "detail": "",
"text": "Did I fail to honor my husband or wife?",
- "text_past": "I failed to honor my husband or wife.",
- "detail": ""
+ "text_past": "I failed to honor my husband or wife."
},
"30": {
+ "detail": "",
"text": "Did I read erotic literature?",
- "text_past": "I read erotic literature.",
- "detail": ""
+ "text_past": "I read erotic literature."
},
"31": {
+ "detail": "",
"text": "Did I engage in sexually immoral acts?",
- "text_past": "I engaged in sexually immoral acts.",
- "detail": ""
+ "text_past": "I engaged in sexually immoral acts."
},
"32": {
+ "detail": "",
"text": "Did I give in to overly passionate kissing for pleasure?",
- "text_past": "I gave in to overly passionate kissing for pleasure.",
- "detail": ""
+ "text_past": "I gave in to overly passionate kissing for pleasure."
},
"33": {
+ "detail": "",
"text": "Did I steal anything? If so, to what extent?",
- "text_past": "I stole something. (To such and such an extent.)",
- "detail": ""
+ "text_past": "I stole something. (To such and such an extent.)"
},
"34": {
+ "detail": "",
"text": "Did I pirate movies, music, or software?",
- "text_past": "I pirated movies, music, or software.",
- "detail": ""
+ "text_past": "I pirated movies, music, or software."
},
"35": {
+ "detail": "",
"text": "Did I lie or cheat?",
- "text_past": "I lied or cheated.",
- "detail": ""
+ "text_past": "I lied or cheated."
},
"36": {
+ "detail": "",
"text": "Did I gossip about others?",
- "text_past": "I gossiped about others.",
- "detail": ""
+ "text_past": "I gossiped about others."
},
"37": {
+ "detail": "",
"text": "Did I fail to fast on Ash Wednesday and Good Friday?",
- "text_past": "I failed to fast on Ash Wednesday or Good Friday.",
- "detail": ""
+ "text_past": "I failed to fast on Ash Wednesday or Good Friday."
},
"38": {
+ "detail": "",
"text": "Did I fail to abstain from meat on Fridays of Lent and Ash Wednesday?",
- "text_past": "I failed to abstain from meat on a Friday during Lent or Ash Wednesday.",
- "detail": ""
+ "text_past": "I failed to abstain from meat on a Friday during Lent or Ash Wednesday."
},
"39": {
+ "detail": "",
"text": "Did I fail to receive the Eucharist at least once during Easter?",
- "text_past": "I failed to receive the Eucharist at least once during Easter.",
- "detail": ""
+ "text_past": "I failed to receive the Eucharist at least once during Easter."
},
"40": {
+ "detail": "",
"text": "Did I fail to fast for an hour before receiving the Eucharist?",
- "text_past": "I failed to fast for an hour before receiving the Eucharist.",
- "detail": ""
+ "text_past": "I failed to fast for an hour before receiving the Eucharist."
},
"41": {
+ "detail": "",
"text": "Did I receive the Eucharist in a state of mortal sin?",
- "text_past": "I received the Eucharist in a state of mortal sin.",
- "detail": ""
+ "text_past": "I received the Eucharist in a state of mortal sin."
},
"42": {
+ "detail": "",
"text": "Did I intentionally hide something at confession?",
- "text_past": "I intentionally hid something at confession.",
- "detail": ""
+ "text_past": "I intentionally hid something at confession."
},
"43": {
+ "detail": "",
"text": "Was I too busy to rest and spend time with my family on Sunday?",
- "text_past": "I was too busy to rest and spend time with my family on Sunday.",
- "detail": ""
+ "text_past": "I was too busy to rest and spend time with my family on Sunday."
},
"44": {
+ "detail": "",
"text": "Was I jealous of someone else's wife/husband or fiancée/fiancé?",
- "text_past": "I was jealous of someone else's wife/husband or fiancée/fiancé.",
- "detail": ""
+ "text_past": "I was jealous of someone else's wife/husband or fiancée/fiancé."
},
"45": {
+ "detail": "",
"text": "Was I jealous of something that belongs to someone else?",
- "text_past": "I was jealous of something that belongs to someone else.",
- "detail": ""
+ "text_past": "I was jealous of something that belongs to someone else."
},
"46": {
+ "detail": "",
"text": "Did I vote for a candidate or policy that does not uphold my Catholic values?",
- "text_past": "I voted for a candidate or policy that does not uphold my Catholic values.",
- "detail": ""
+ "text_past": "I voted for a candidate or policy that does not uphold my Catholic values."
},
"47": {
+ "detail": "",
"text": "Did I listen to music or watch TV or a movie that have a bad influence on me?",
- "text_past": "I listened to music or watched TV or a movie that had a bad influence on me.",
- "detail": ""
+ "text_past": "I listened to music or watched TV or a movie that had a bad influence on me."
},
"48": {
+ "detail": "",
"text": "Was I greedy, or did I fail to give generously to my church and to the poor?",
- "text_past": "I was greedy or failed to give generously to my church or to the poor.",
- "detail": ""
+ "text_past": "I was greedy or failed to give generously to my church or to the poor."
},
"49": {
+ "detail": "",
"text": "Did I knowingly lead others into sin?",
- "text_past": "I knowingly led others into sin.",
- "detail": ""
+ "text_past": "I knowingly led others into sin."
},
"50": {
+ "detail": "",
"text": "Did I fail to make God a priority in my life?",
- "text_past": "I failed to make God a priority in my life.",
- "detail": ""
+ "text_past": "I failed to make God a priority in my life."
},
"51": {
+ "detail": "",
"text": "Have I acted selfishly?",
- "text_past": "I acted selfishly.",
- "detail": ""
+ "text_past": "I acted selfishly."
},
"52": {
+ "detail": "",
"text": "Did I participate in occult practices?",
- "text_past": "I participated in occult practices.",
- "detail": ""
+ "text_past": "I participated in occult practices."
},
"53": {
+ "detail": "",
"text": "Have I been slothful at work or at home?",
- "text_past": "I was slothful at work or at home.",
- "detail": ""
+ "text_past": "I was slothful at work or at home."
},
"54": {
+ "detail": "",
"text": "Have I been lazy with my school work?",
- "text_past": "I was lazy with my school work.",
- "detail": ""
+ "text_past": "I was lazy with my school work."
},
"55": {
+ "detail": "",
"text": "Have I been prideful or vain?",
- "text_past": "I was prideful or vain.",
- "detail": ""
+ "text_past": "I was prideful or vain."
},
"56": {
+ "detail": "",
"text": "Have I committed the sin of gluttony?",
- "text_past": "I am guilty of gluttony.",
- "detail": ""
+ "text_past": "I am guilty of gluttony."
},
"57": {
+ "detail": "",
"text": "Have I allowed myself to be controlled by anger?",
- "text_past": "I allowed myself to be controlled by anger.",
- "detail": ""
+ "text_past": "I allowed myself to be controlled by anger."
}
},
- "addbutton": {
- "add-custom-sin": "Add custom sin",
- "i-sinned-by": "I sinned by…",
- "cancel": "Cancel",
- "add": "Add"
+ "sins_list": {
+ "review": "Review"
},
- "examineitem": {
- "yes": "Yes"
+ "walkthrough": {
+ "amen": "Amen.",
+ "bless_me_father": "Bless me father, for I have sinned. It has been ____ since my last confession, and these are my sins:",
+ "god_the_father_of_mercies": "God, the Father of mercies…",
+ "in_the_name_of": "In the name of the Father, and of the Son, and of the Holy Spirit. Amen.",
+ "thanks_be_to_god": "Thanks be to God.",
+ "the_lord_has_freed_you": "The Lord has freed you from sin. Go in peace.",
+ "these_are_my_sins": "These are my sins, and I am sorry for them with all my heart.",
+ "walkthrough": "Walkthrough",
+ "your_confessor_may_offer": "(Your confessor may offer you some advice or have a short conversation with you.)",
+ "your_confessor_will_assign": "(Your confessor will assign you penance.) Now pray the act of contrition."
},
- "priestbubble": {
- "priest": "Priest"
+ "welcome": {
+ "body": " is a tool to help Roman Catholics walk through an examination of conscience prior to going to confession. We hope you'll find this useful to help remember sins you've committed since your last confession. Just check the Yes box next to sins in the Examine list, or tap the + button at the bottom right of the app to add your own. Then, scroll to the right to Review your sins and Walkthrough the steps of going to confession.
Data you enter is stored on your device (never sent over the Internet). Data you enter will be saved until you hit Clear in the app settings, even if you close the window or refresh the page.
God bless you on your path to holiness!",
+ "title": "Welcome!"
}
}
diff --git a/public/locales/es/translation.json b/public/locales/es/translation.json
index 54403be..73f7f76 100644
--- a/public/locales/es/translation.json
+++ b/public/locales/es/translation.json
@@ -1,213 +1,187 @@
{
- "navbar": {
- "prayers": "Oraciones",
- "help": "Ayuda",
- "about": "Acerca de",
- "clear": "Vacíe"
- },
- "walkthrough": {
- "bless_me_father": "Bendíceme, Padre, porque he pecado. Ha pasado ____ desde mi última confesión. Estos son mis pecados:",
- "walkthrough": "Confese",
- "in_the_name_of": "En el nombre del Padre, y del Hijo, y del Espiritu Santo. Amen.",
- "these_are_my_sins": "Estos son mis pecados y los siento de todo corazón.",
- "your_confessor_may_offer": "(El sacerdote podría ofrecerle algún consejo o tener una breve conversación con usted.)",
- "your_confessor_will_assign": "(El sacerdote asignará una penitencia). Ahora reze el acto de contrición.",
- "god_the_father_of_mercies": "Dios, Padre misericordioso…",
- "amen": "Amen.",
- "the_lord_has_freed_you": "El Señor los ha librado de sus pecados. Ve en paz.",
- "thanks_be_to_god": "Gracias a Dios."
- },
- "prayers": {
- "prayer_before_confession_text": "Oh, Espíritu Santo, fuente de toda luz, ven en mi auxilio y permíteme hacer una buena confesión. Trae a mi mente todo lo malo que he hecho y lo bueno que he dejado de hacer. Concédeme, además, una verdadera pena por mis pecados y la gracia de una sincera confesión. María, Madre mía, ayúdame a hacer una buena confesión. Amen.",
- "act_of_contrition_text": "Dios mío, me arrepiento de todo corazón de todos mis pecados y los aborrezco, porque al pecar, no sólo merezco las penas establecidas por ti justamente, sino principalmente porque te ofendí, a ti sumo Bien y digno de amor por encima de todas las cosas. Por eso propongo firmemente, con ayuda de tu gracia, no pecar más en adelante y huir de toda ocasión de pecado. Amén.",
- "our_father_text": "Padre nuestro que estás en el cielo, santificado sea tu Nombre; venga a nosotros tu Reino; hágase tu voluntad en la tierra como en el cielo. Danos hoy nuestro pan de cada día; perdona nuestras ofensas, como también nosotros perdonamos a los que nos ofenden; no nos dejes caer en la tentación, y líbranos del mal. Amén.",
- "hail_mary_text": "Dios te salve, María, llena eres de gracia; el Señor es contigo. Bendita Tú eres entre todas las mujeres, y bendito es el fruto de tu vientre, Jesús. Santa María, Madre de Dios, ruega por nosotros, pecadores, ahora y en la hora de nuestra muerte. Amén.",
- "hail_holy_queen_text": "Dios te salve, Reina y Madre de misericordia, vida, dulzura y esperanza nuestra; Dios te salve. A ti llamamos los desterrados hijos de Eva; a ti suspiramos, gimiendo y llorando en este valle de lágrimas. Ea, pues, Señora, abogada nuestra, vuelve a nosotros esos tus ojos misericordiosos; y después de este destierro, muéstranos a Jesús, fruto bendito de tu vientre. ¡Oh, clementísima, oh piadosa, oh dulce Virgen María! Ruega por nosotros, Santa Madre de Dios, para que seamos dignos de alcanzar las promesas de Nuestro Señor Jesucristo. Amen.",
- "prayers": "Oraciones",
- "prayer_before_confession": "Oración antes de la confesión",
- "act_of_contrition": "Acto de contrición",
- "another_act_of_contrition": "Otro acto de contrición",
- "thanksgiving_after_confession": "Acción de gracias después de la confesión",
- "our_father": "Padre Nuestro",
- "hail_mary": "Dios te salve María",
- "hail_holy_queen": "Dios te salve Reina",
- "another_act_of_contrition_text": "¡Señor mío, Jesucristo! Dios y Hombre verdadero, Creador, Padre y Redentor mío; por ser Vos quien sois, Bondad infinita, y porque os amo sobre todas las cosas, me pesa de todo corazón de haberos ofendido; también me pesa porque podéis castigarme con las penas del infierno. Ayudado de vuestra divina gracia propongo firmemente nunca más pecar, confesarme y cumplir la penitencia que me fuere impuesta. Amén.",
- "thanksgiving_after_confession_text": "Te agradezco, Señor, el haberme perdonado mis faltas; haz que te ame cada día más y que siempre haga tu Santísima Voluntad. Virgen Santísima, intercede por mí y guárdame en la gracia de Dios, como estoy en estos momentos. Cuida mis sentidos y mi corazón hasta mi muerte. Amén."
- },
"about": {
- "ccc_quote": "
Se le denomina sacramento de conversión porque realiza sacramentalmente la llamada de Jesús a la conversión (cf Mc 1,15), la vuelta al Padre (cf Lc 15,18) del que el hombre se había alejado por el pecado.
Se denomina sacramento de la penitencia porque consagra un proceso personal y eclesial de conversión, de arrepentimiento y de reparación por parte del cristiano pecador.
Se le denomina sacramento de la confesión porque la declaración o manifestación, la confesión de los pecados ante el sacerdote, es un elemento esencial de este sacramento. En un sentido profundo este sacramento es también una \"confesión\", reconocimiento y alabanza de la santidad de Dios y de su misericordia para con el hombre pecador.
Se le denomina sacramento del perdón porque, por la absolución sacramental del sacerdote, Dios concede al penitente \"el perdón y la paz\" (Ritual de la Penitencia, 46, 55).
Se le denomina sacramento de reconciliación porque otorga al pecador el amor de Dios que reconcilia: \"Dejaos reconciliar con Dios\" (2 Co 5,20). El que vive del amor misericordioso de Dios está pronto a responder a la llamada del Señor: \"Ve primero a reconciliarte con tu hermano\" (Mt 5,24).
La conversión a Cristo, el nuevo nacimiento por el Bautismo, el don del Espíritu Santo, el Cuerpo y la Sangre de Cristo recibidos como alimento nos han hecho \"santos e inmaculados ante Él\" (Ef 1,4), como la Iglesia misma, esposa de Cristo, es \"santa e inmaculada ante Él\" (Ef 5,27). Sin embargo, la vida nueva recibida en la iniciación cristiana no suprimió la fragilidad y la debilidad de la naturaleza humana, ni la inclinación al pecado que la tradición llama concupiscencia, y que permanece en los bautizados a fin de que sirva de prueba en ellos en el combate de la vida cristiana ayudados por la gracia de Dios (cf DS 1515). Esta lucha es la de la conversión con miras a la santidad y la vida eterna a la que el Señor no cesa de llamarnos (cf DS 1545; LG 40).
Jesús llama a la conversión. Esta llamada es una parte esencial del anuncio del Reino: \"El tiempo se ha cumplido y el Reino de Dios está cerca; convertíos y creed en la Buena Nueva\" (Mc 1,15). El Bautismo es el lugar principal de la conversión primera y fundamental, pues la llamada de Cristo a la conversión sigue resonando en la vida de los cristianos. Esta segunda conversión es una tarea ininterrumpida para toda la Iglesia que \"recibe en su propio seno a los pecadores\" y que siendo \"santa al mismo tiempo que necesitada de purificación constante, busca sin cesar la penitencia y la renovación\" (LG 8). Este esfuerzo de conversión no es sólo una obra humana. Es el movimiento del \"corazón contrito\" (Sal 51,19), atraído y movido por la gracia (cf Jn 6,44; 12,32) a responder al amor misericordioso de Dios que nos ha amado primero (cf 1 Jn 4,10). San Ambrosio dice acerca de las dos conversiones que, «en la Iglesia, existen el agua y las lágrimas: el agua del Bautismo y las lágrimas de la Penitencia» (Epistula extra collectionem 1 [41], 12).
",
- "if_you_find": "Si encuentra útil esta aplicación, considere compartirla con sus amigos y familiares. ¡Cuénte a la gente en Facebook, Reddit, Twitter, en su iglesia o en su grupo de estudio bíblico para ayudar a difundir el mensaje!",
- "information_you_enter": "La información que ingresa en esta aplicación solo se almacena en su dispositivo. No se envía por Internet. Podemos hacer esto usando una tecnología proporcionada por su navegador web llamada trazo local. No ejecutamos Google Analytics ni ningún otro mecanismo de recopilación de datos en este sitio. Los datos que ingrese se guardarán en su dispositivo hasta que presione Borrar incluso si cierra la ventana o actualiza la página.",
- "confessit_is_translated": "ConfessIt está traducido a varios idiomas. Si desea ayudar con este esfuerzo agregando una nueva traducción o mejorando una traducción existente, lea cómo hacerlo en GitHub o comuníquese con nosotros en Open Source Catholic en Slack.",
- "about_confessit": "Acerca de ConfessIt",
- "about_confessit_text": "ConfessIt es un examen de conciencia católico romano para computadoras, tabletas y teléfonos. Está diseñado para ser simple y fácil de usar, y puede ayudarle a recordar sus pecados cuando se confiese. También hay un tutorial de confesión que le dice exactamente lo que dirá el sacerdote y cómo debe responder, ¡un gran recurso si no se ha confesado en un tiempo! El examen de conciencia se basa en las enseñanzas fundamentales de la iglesia católica, es fácil de entender y es relevante para los católicos modernos.",
"about_confession": "Acerca de la confesión",
- "about_confession_intro": "La confesión es el sacramento con el cual los Católicos obtienen de la misericordia de Dios el perdón de los pecados cometidos contra El y, al mismo tiempo, se reconcilian con la Iglesia, a la que ofendieron con sus pecados. Ella les mueve a conversión con su amor, su ejemplo y sus oraciones.",
- "where_to_find": "Los horarios de confesión se enumeran en el boletín de su parroquia local, y puede encontrarlos en línea en el sitio web de su parroquia o en el sitio masstimes.org (Estados Unidos). También puede programar una confesión en cualquier momento que desee poniéndose en contacto con su parroquia local.",
"about_confession_end": "Cuando usted va a la confesión, por lo general, tendrá la opción de arrodillarse de forma anónima detrás de una pantalla, o sentarse cara a cara con el sacerdote. ¡No se ponga nervioso por ir a la confesión! Cualquier cosa que usted confiese, el sacerdote lo ha oído ya. Recuerde, él está ahí para ayudarlo.",
+ "about_confession_intro": "La confesión es el sacramento con el cual los Católicos obtienen de la misericordia de Dios el perdón de los pecados cometidos contra El y, al mismo tiempo, se reconcilian con la Iglesia, a la que ofendieron con sus pecados. Ella les mueve a conversión con su amor, su ejemplo y sus oraciones.",
+ "about_confessit": "Acerca de ConfessIt",
+ "about_confessit_text": "ConfessIt es un examen de conciencia católico romano para computadoras, tabletas y teléfonos. Está diseñado para ser simple y fácil de usar, y puede ayudarle a recordar sus pecados cuando se confiese. También hay un tutorial de confesión que le dice exactamente lo que dirá el sacerdote y cómo debe responder, ¡un gran recurso si no se ha confesado en un tiempo! El examen de conciencia se basa en las enseñanzas fundamentales de la iglesia católica, es fácil de entender y es relevante para los católicos modernos.",
+ "about_the_developer": "Acerca de el Desarrollador",
"about_this_app": "Acerca de esta App",
- "this_app_is_designed": "Esta aplicación está diseñada para ayudar a los católicos a prepararse para el sacramento de la confesión examinando su conciencia. NO es un sustituto de la confesión.",
- "please_be_respectful": "Sea respetuoso con quienes le rodean cuando utilice esta aplicación. Se recomienda que apague su teléfono cuando esté dentro de su iglesia y use esta aplicación antes de llegar. Si usa esta aplicación dentro de su iglesia o durante la confesión, asegúrese de que su teléfono esté en modo silencioso.",
- "this_website": "Este sitio web, ConfessIt.app, se basa en la Aplicación ConfessIt para Android (creada en 2012 por el mismo desarrollador). Si bien no es (todavía) una reproducción completa, su objetivo es hacer que la aplicación esté disponible para una gama más amplia de usuarios en una gama más amplia de dispositivos. (¡Este sitio funciona en iOS, Android, tabletas y computadoras!)",
- "privacy": "Privacidad",
- "open_source": "Fuente Abierta",
- "confessit_is_open_source": "ConfessIt es de código abierto. Desarrollamos la aplicación en GitHub y colaboramos en la comunidad Open Source Catholic en Slack.",
"can_i_help_with_translations": "¿Puedo ayudar con las traducciones?",
"can_i_help_write_code": "¿Puedo ayudar a escribir código?",
- "we_welcome_new_contributions": "Damos la bienvenida a nuevas contribuciones. Si desea contribuir a ConfessIt, la mejor manera de comenzar es leyer cómo hacerlo en GitHub.",
- "about_the_developer": "Acerca de el Desarrollador",
+ "ccc_quote": "
Se le denomina sacramento de conversión porque realiza sacramentalmente la llamada de Jesús a la conversión (cf Mc 1,15), la vuelta al Padre (cf Lc 15,18) del que el hombre se había alejado por el pecado.
Se denomina sacramento de la penitencia porque consagra un proceso personal y eclesial de conversión, de arrepentimiento y de reparación por parte del cristiano pecador.
Se le denomina sacramento de la confesión porque la declaración o manifestación, la confesión de los pecados ante el sacerdote, es un elemento esencial de este sacramento. En un sentido profundo este sacramento es también una \"confesión\", reconocimiento y alabanza de la santidad de Dios y de su misericordia para con el hombre pecador.
Se le denomina sacramento del perdón porque, por la absolución sacramental del sacerdote, Dios concede al penitente \"el perdón y la paz\" (Ritual de la Penitencia, 46, 55).
Se le denomina sacramento de reconciliación porque otorga al pecador el amor de Dios que reconcilia: \"Dejaos reconciliar con Dios\" (2 Co 5,20). El que vive del amor misericordioso de Dios está pronto a responder a la llamada del Señor: \"Ve primero a reconciliarte con tu hermano\" (Mt 5,24).
La conversión a Cristo, el nuevo nacimiento por el Bautismo, el don del Espíritu Santo, el Cuerpo y la Sangre de Cristo recibidos como alimento nos han hecho \"santos e inmaculados ante Él\" (Ef 1,4), como la Iglesia misma, esposa de Cristo, es \"santa e inmaculada ante Él\" (Ef 5,27). Sin embargo, la vida nueva recibida en la iniciación cristiana no suprimió la fragilidad y la debilidad de la naturaleza humana, ni la inclinación al pecado que la tradición llama concupiscencia, y que permanece en los bautizados a fin de que sirva de prueba en ellos en el combate de la vida cristiana ayudados por la gracia de Dios (cf DS 1515). Esta lucha es la de la conversión con miras a la santidad y la vida eterna a la que el Señor no cesa de llamarnos (cf DS 1545; LG 40).
Jesús llama a la conversión. Esta llamada es una parte esencial del anuncio del Reino: \"El tiempo se ha cumplido y el Reino de Dios está cerca; convertíos y creed en la Buena Nueva\" (Mc 1,15). El Bautismo es el lugar principal de la conversión primera y fundamental, pues la llamada de Cristo a la conversión sigue resonando en la vida de los cristianos. Esta segunda conversión es una tarea ininterrumpida para toda la Iglesia que \"recibe en su propio seno a los pecadores\" y que siendo \"santa al mismo tiempo que necesitada de purificación constante, busca sin cesar la penitencia y la renovación\" (LG 8). Este esfuerzo de conversión no es sólo una obra humana. Es el movimiento del \"corazón contrito\" (Sal 51,19), atraído y movido por la gracia (cf Jn 6,44; 12,32) a responder al amor misericordioso de Dios que nos ha amado primero (cf 1 Jn 4,10). San Ambrosio dice acerca de las dos conversiones que, «en la Iglesia, existen el agua y las lágrimas: el agua del Bautismo y las lágrimas de la Penitencia» (Epistula extra collectionem 1 [41], 12).
",
+ "confessit_is_open_source": "ConfessIt es de código abierto. Desarrollamos la aplicación en GitHub y colaboramos en la comunidad Open Source Catholic en Slack.",
+ "confessit_is_translated": "ConfessIt está traducido a varios idiomas. Si desea ayudar con este esfuerzo agregando una nueva traducción o mejorando una traducción existente, lea cómo hacerlo en GitHub o comuníquese con nosotros en Open Source Catholic en Slack.",
+ "if_you_find": "Si encuentra útil esta aplicación, considere compartirla con sus amigos y familiares. ¡Cuénte a la gente en Facebook, Reddit, Twitter, en su iglesia o en su grupo de estudio bíblico para ayudar a difundir el mensaje!",
+ "information": "Las citas bíblicas en esta aplicación provienen de la Versión Estándar Revisada de la Santa Biblia, Segunda Edición Católica. También se utilizó información del Catecismo de la Iglesia Católica.",
+ "information_you_enter": "La información que ingresa en esta aplicación solo se almacena en su dispositivo. No se envía por Internet. Podemos hacer esto usando una tecnología proporcionada por su navegador web llamada trazo local. No ejecutamos Google Analytics ni ningún otro mecanismo de recopilación de datos en este sitio. Los datos que ingrese se guardarán en su dispositivo hasta que presione Borrar incluso si cierra la ventana o actualiza la página.",
"mike_kasberg": "Mike Kasberg desarrolla ConfessIt en su tiempo libre, como una forma de retribuir a la iglesia. También está involucrado en algunos otros proyectos pequeños para apoyar a las organizaciones católicas con tecnología.",
- "information": "Las citas bíblicas en esta aplicación provienen de la Versión Estándar Revisada de la Santa Biblia, Segunda Edición Católica. También se utilizó información del Catecismo de la Iglesia Católica."
- },
- "examine_list": {
- "examine": "Examine"
- },
- "sins_list": {
- "review": "Revise"
- },
- "help": {
- "confessit_help": "Ayuda para ConfessIt",
- "basic_usage": "Uso básico",
- "data_persistence": "Persistencia de los datos",
- "step_4": "Despues de la confesión, usa el boton Borrar para vaciar todos los pecados demarcados.",
- "step_2": "Desliza hacia la siguiente pestaña, Revisar, para ver una lista de pecados que has marcado. Puedes revisar esta lista antes o durante la confesión si lo deseas.",
- "step_3": "Si no estas seguro de lo qué vas a decir en la confesión, pasa a la siguiente pestaña, Tutorial , para ver aproximadamente lo que tu y el sacerdote se dirán en la confesión. Puedes revisar esto durante la confesión si lo deseas.",
- "data_persistence_text": "Los datos que vas ad ingresar se almacenan en tu dispositivo (nunca se envían a través de Internet). Los datos que ingreses se guardarán hasta que presiones Borrar, incluso si cierras la ventana o actualizas la página. ¡Asegúrete de borrar tus datos cuando haya terminado si no deseas que otras personas que usan este dispositivo vean tus datos!",
- "step_1": "En la pestaña Examen, marca Sí junto a todos los pecados que quieras recordar para confesar."
+ "open_source": "Fuente Abierta",
+ "please_be_respectful": "Sea respetuoso con quienes le rodean cuando utilice esta aplicación. Se recomienda que apague su teléfono cuando esté dentro de su iglesia y use esta aplicación antes de llegar. Si usa esta aplicación dentro de su iglesia o durante la confesión, asegúrese de que su teléfono esté en modo silencioso.",
+ "privacy": "Privacidad",
+ "this_app_is_designed": "Esta aplicación está diseñada para ayudar a los católicos a prepararse para el sacramento de la confesión examinando su conciencia. NO es un sustituto de la confesión.",
+ "this_website": "Este sitio web, ConfessIt.app, se basa en la Aplicación ConfessIt para Android (creada en 2012 por el mismo desarrollador). Si bien no es (todavía) una reproducción completa, su objetivo es hacer que la aplicación esté disponible para una gama más amplia de usuarios en una gama más amplia de dispositivos. (¡Este sitio funciona en iOS, Android, tabletas y computadoras!)",
+ "we_welcome_new_contributions": "Damos la bienvenida a nuevas contribuciones. Si desea contribuir a ConfessIt, la mejor manera de comenzar es leyer cómo hacerlo en GitHub.",
+ "where_to_find": "Los horarios de confesión se enumeran en el boletín de su parroquia local, y puede encontrarlos en línea en el sitio web de su parroquia o en el sitio masstimes.org (Estados Unidos). También puede programar una confesión en cualquier momento que desee poniéndose en contacto con su parroquia local."
},
- "welcome": {
- "title": "¡Bienvenido!",
- "body": " es una herramienta para ayudar a los católicos romanos a realizar un examen de conciencia antes de ir a confesarse. Esperamos que encuentres esto útil para recordar los pecados que has cometido desde tu última confesión. Simplemente marca la casilla Sí al lado de los pecados en la lista de Examen, o toca el botón + en la parte inferior derecha de la aplicación para agregar los tuyos. Luego, desplázate hacia la derecha para Revisar tus pecados y Seguir los pasos para confesarte.
Los datos que ingreses se almacenan en tu dispositivo (nunca se envían por Internet). Los datos que ingreses se guardarán hasta que presiones Borrar en la configuración de la aplicación, incluso si cierras la ventana o actualizas la página.
¡Dios te bendiga en tu camino hacia la santidad!"
+ "addbutton": {
+ "add": "Añadir",
+ "add-custom-sin": "Añadir pecado personalizado",
+ "cancel": "Action-cancel",
+ "i-sinned-by": "Pequé al…"
},
"commandments": {
"1": {
- "title": "Primer Mandamiento",
+ "description": "Soy el Señor tu Dios, que te sacó de la tierra de Egipto, de la casa de servidumbre. No tendrás otros dioses delante de mí... no te inclinarás ante ellos ni los servirás; porque yo, el Señor tu Dios, soy un Dios celoso... mostrando amor inquebrantable a miles de aquellos que me aman y guardan mis mandamientos. (Ex 20:2-6) Los pecados capitales de soberbia y gula a menudo se consideran una violación de este mandamiento.",
"text": "Yo soy el Señor tu Dios. No habrá para ti otros dioses delante de mí. (Éx 20,3)",
- "description": "Soy el Señor tu Dios, que te sacó de la tierra de Egipto, de la casa de servidumbre. No tendrás otros dioses delante de mí... no te inclinarás ante ellos ni los servirás; porque yo, el Señor tu Dios, soy un Dios celoso... mostrando amor inquebrantable a miles de aquellos que me aman y guardan mis mandamientos. (Ex 20:2-6) Los pecados capitales de soberbia y gula a menudo se consideran una violación de este mandamiento."
+ "title": "Primer Mandamiento"
+ },
+ "2": {
+ "description": "No tomarás el nombre del Señor tu Dios en vano; porque no dejará sin castigo al que tome su nombre en vano. (Ex 20:7)",
+ "text": "No tomarás el nombre del Señor tu Dios en vano. (Ex 20:7)",
+ "title": "Segundo Mandamiento"
+ },
+ "3": {
+ "description": "Recuerda el día de reposo para santificarlo. Seis días trabajarás y harás todas tus labores; pero el séptimo día es de reposo para el Señor tu Dios; no harás en él trabajo alguno... Porque en seis días hizo el Señor los cielos y la tierra, el mar y todo lo que hay en ellos, y descansó el séptimo día; por tanto, el Señor bendijo el día de reposo y lo santificó. (Ex 20:8-11)",
+ "text": "Recuerda el día de reposo para santificarlo. (Ex 20:8)",
+ "title": "Tercer Mandamiento"
},
"4": {
- "title": "Cuarto Mandamiento",
+ "description": "Honra a tu padre y a tu madre, para que tus días se prolonguen en la tierra que el Señor tu Dios te da. (Ex 20:12)",
"text": "Honra a tu padre y a tu madre. (Ex 20:12)",
- "description": "Honra a tu padre y a tu madre, para que tus días se prolonguen en la tierra que el Señor tu Dios te da. (Ex 20:12)"
+ "title": "Cuarto Mandamiento"
},
"5": {
- "title": "Quinto Mandamiento",
+ "description": "No matarás. (Ex 20:13) El pecado capital de la ira se asocia a menudo con este mandamiento.",
"text": "No matarás. (Ex 20:13)",
- "description": "No matarás. (Ex 20:13) El pecado capital de la ira se asocia a menudo con este mandamiento."
+ "title": "Quinto Mandamiento"
},
"6": {
- "text": "No cometerás adulterio. (Ex 20:14)",
"description": "No cometerás adulterio. (Ex 20:14) El pecado capital de la lujuria rompe este mandamiento.",
+ "text": "No cometerás adulterio. (Ex 20:14)",
"title": "Sexto Mandamiento"
},
"7": {
- "title": "Séptimo Mandamiento",
+ "description": "No robarás. (Ex 20:15) Los pecados capitales de la avaricia y la pereza se consideran a menudo como causantes de la ruptura de este mandamiento.",
"text": "No robarás. (Ex 20:15)",
- "description": "No robarás. (Ex 20:15) Los pecados capitales de la avaricia y la pereza se consideran a menudo como causantes de la ruptura de este mandamiento."
+ "title": "Séptimo Mandamiento"
},
"8": {
- "title": "Octavo Mandamiento",
+ "description": "No darás falso testimonio contra tu prójimo. (Ex 20:16)",
"text": "No darás falso testimonio contra tu prójimo. (Ex 20:16)",
- "description": "No darás falso testimonio contra tu prójimo. (Ex 20:16)"
+ "title": "Octavo Mandamiento"
},
"9": {
- "title": "Noveno Mandamiento",
+ "description": "No codiciarás la mujer de tu prójimo. (Ex 20:17) El pecado capital de la envidia puede romper este mandamiento.",
"text": "No codiciarás la mujer de tu prójimo. (Ex 20:17)",
- "description": "No codiciarás la mujer de tu prójimo. (Ex 20:17) El pecado capital de la envidia puede romper este mandamiento."
+ "title": "Noveno Mandamiento"
},
"10": {
- "title": "Décimo Mandamiento",
+ "description": "No codiciarás la casa de tu prójimo... ni a su criado, ni a su criada, ni a su buey, ni a su asno, ni nada de lo que es de tu prójimo. (Ex 20:17) El pecado capital de la envidia puede romper este mandamiento.",
"text": "No codiciarás los bienes ajenos. (Ex 20:17)",
- "description": "No codiciarás la casa de tu prójimo... ni a su criado, ni a su criada, ni a su buey, ni a su asno, ni nada de lo que es de tu prójimo. (Ex 20:17) El pecado capital de la envidia puede romper este mandamiento."
+ "title": "Décimo Mandamiento"
},
"11": {
- "title": "Preceptos de la Iglesia",
+ "description": "Los preceptos de la Iglesia están establecidos en el contexto de una vida moral ligada y nutrida por la vida litúrgica. El carácter obligatorio de estas leyes positivas decretadas por las autoridades pastorales tiene como objetivo garantizar a los fieles el mínimo muy necesario en el espíritu de oración y esfuerzo moral, en el crecimiento en el amor a Dios y al prójimo (CIC 2041).",
"text": "Los preceptos de la Iglesia Católica son los requisitos mínimos que todos los católicos deben cumplir.",
- "description": "Los preceptos de la Iglesia están establecidos en el contexto de una vida moral ligada y nutrida por la vida litúrgica. El carácter obligatorio de estas leyes positivas decretadas por las autoridades pastorales tiene como objetivo garantizar a los fieles el mínimo muy necesario en el espíritu de oración y esfuerzo moral, en el crecimiento en el amor a Dios y al prójimo (CIC 2041)."
- },
- "3": {
- "description": "Recuerda el día de reposo para santificarlo. Seis días trabajarás y harás todas tus labores; pero el séptimo día es de reposo para el Señor tu Dios; no harás en él trabajo alguno... Porque en seis días hizo el Señor los cielos y la tierra, el mar y todo lo que hay en ellos, y descansó el séptimo día; por tanto, el Señor bendijo el día de reposo y lo santificó. (Ex 20:8-11)",
- "title": "Tercer Mandamiento",
- "text": "Recuerda el día de reposo para santificarlo. (Ex 20:8)"
- },
- "2": {
- "title": "Segundo Mandamiento",
- "text": "No tomarás el nombre del Señor tu Dios en vano. (Ex 20:7)",
- "description": "No tomarás el nombre del Señor tu Dios en vano; porque no dejará sin castigo al que tome su nombre en vano. (Ex 20:7)"
+ "title": "Preceptos de la Iglesia"
}
},
- "addbutton": {
- "add-custom-sin": "Añadir pecado personalizado",
- "i-sinned-by": "Pequé al…",
- "cancel": "Action-cancel",
- "add": "Añadir"
+ "examine_list": {
+ "examine": "Examine"
},
"examineitem": {
"yes": "Sí"
},
+ "help": {
+ "basic_usage": "Uso básico",
+ "confessit_help": "Ayuda para ConfessIt",
+ "data_persistence": "Persistencia de los datos",
+ "data_persistence_text": "Los datos que vas ad ingresar se almacenan en tu dispositivo (nunca se envían a través de Internet). Los datos que ingreses se guardarán hasta que presiones Borrar, incluso si cierras la ventana o actualizas la página. ¡Asegúrete de borrar tus datos cuando haya terminado si no deseas que otras personas que usan este dispositivo vean tus datos!",
+ "step_1": "En la pestaña Examen, marca Sí junto a todos los pecados que quieras recordar para confesar.",
+ "step_2": "Desliza hacia la siguiente pestaña, Revisar, para ver una lista de pecados que has marcado. Puedes revisar esta lista antes o durante la confesión si lo deseas.",
+ "step_3": "Si no estas seguro de lo qué vas a decir en la confesión, pasa a la siguiente pestaña, Tutorial , para ver aproximadamente lo que tu y el sacerdote se dirán en la confesión. Puedes revisar esto durante la confesión si lo deseas.",
+ "step_4": "Despues de la confesión, usa el boton Borrar para vaciar todos los pecados demarcados."
+ },
+ "navbar": {
+ "about": "Acerca de",
+ "clear": "Vacíe",
+ "help": "Ayuda",
+ "prayers": "Oraciones"
+ },
+ "prayers": {
+ "act_of_contrition": "Acto de contrición",
+ "act_of_contrition_text": "Dios mío, me arrepiento de todo corazón de todos mis pecados y los aborrezco, porque al pecar, no sólo merezco las penas establecidas por ti justamente, sino principalmente porque te ofendí, a ti sumo Bien y digno de amor por encima de todas las cosas. Por eso propongo firmemente, con ayuda de tu gracia, no pecar más en adelante y huir de toda ocasión de pecado. Amén.",
+ "another_act_of_contrition": "Otro acto de contrición",
+ "another_act_of_contrition_text": "¡Señor mío, Jesucristo! Dios y Hombre verdadero, Creador, Padre y Redentor mío; por ser Vos quien sois, Bondad infinita, y porque os amo sobre todas las cosas, me pesa de todo corazón de haberos ofendido; también me pesa porque podéis castigarme con las penas del infierno. Ayudado de vuestra divina gracia propongo firmemente nunca más pecar, confesarme y cumplir la penitencia que me fuere impuesta. Amén.",
+ "hail_holy_queen": "Dios te salve Reina",
+ "hail_holy_queen_text": "Dios te salve, Reina y Madre de misericordia, vida, dulzura y esperanza nuestra; Dios te salve. A ti llamamos los desterrados hijos de Eva; a ti suspiramos, gimiendo y llorando en este valle de lágrimas. Ea, pues, Señora, abogada nuestra, vuelve a nosotros esos tus ojos misericordiosos; y después de este destierro, muéstranos a Jesús, fruto bendito de tu vientre. ¡Oh, clementísima, oh piadosa, oh dulce Virgen María! Ruega por nosotros, Santa Madre de Dios, para que seamos dignos de alcanzar las promesas de Nuestro Señor Jesucristo. Amen.",
+ "hail_mary": "Dios te salve María",
+ "hail_mary_text": "Dios te salve, María, llena eres de gracia; el Señor es contigo. Bendita Tú eres entre todas las mujeres, y bendito es el fruto de tu vientre, Jesús. Santa María, Madre de Dios, ruega por nosotros, pecadores, ahora y en la hora de nuestra muerte. Amén.",
+ "our_father": "Padre Nuestro",
+ "our_father_text": "Padre nuestro que estás en el cielo, santificado sea tu Nombre; venga a nosotros tu Reino; hágase tu voluntad en la tierra como en el cielo. Danos hoy nuestro pan de cada día; perdona nuestras ofensas, como también nosotros perdonamos a los que nos ofenden; no nos dejes caer en la tentación, y líbranos del mal. Amén.",
+ "prayer_before_confession": "Oración antes de la confesión",
+ "prayer_before_confession_text": "Oh, Espíritu Santo, fuente de toda luz, ven en mi auxilio y permíteme hacer una buena confesión. Trae a mi mente todo lo malo que he hecho y lo bueno que he dejado de hacer. Concédeme, además, una verdadera pena por mis pecados y la gracia de una sincera confesión. María, Madre mía, ayúdame a hacer una buena confesión. Amen.",
+ "prayers": "Oraciones",
+ "thanksgiving_after_confession": "Acción de gracias después de la confesión",
+ "thanksgiving_after_confession_text": "Te agradezco, Señor, el haberme perdonado mis faltas; haz que te ame cada día más y que siempre haga tu Santísima Voluntad. Virgen Santísima, intercede por mí y guárdame en la gracia de Dios, como estoy en estos momentos. Cuida mis sentidos y mi corazón hasta mi muerte. Amén."
+ },
"priestbubble": {
"priest": "Sacerdote"
},
"sins": {
"1": {
+ "detail": "Obedecer en la fe es someterse libremente a la palabra que ha sido escuchada, porque su verdad está garantizada por Dios, que es la Verdad misma (CIC 144). Es importante creer en todas las enseñanzas de la iglesia.",
"text": "¿Me negué a creer en las enseñanzas de la Iglesia Católica?",
- "text_past": "Me negué a creer en las enseñanzas de la Iglesia Católica.",
- "detail": "Obedecer en la fe es someterse libremente a la palabra que ha sido escuchada, porque su verdad está garantizada por Dios, que es la Verdad misma (CIC 144). Es importante creer en todas las enseñanzas de la iglesia."
+ "text_past": "Me negué a creer en las enseñanzas de la Iglesia Católica."
},
- "42": {
- "text": "¿Oculté algo intencionalmente en la confesión?",
- "text_past": "Oculté intencionalmente algo en la confesión."
+ "2": {
+ "detail": "El primer mandamiento prohíbe honrar a dioses distintos del único Señor que se ha revelado a su pueblo (CIC 2110). Es incorrecto practicar una religión diferente al catolicismo porque debilita nuestra relación con nuestro Señor.",
+ "text": "¿Practiqué alguna religión aparte del catolicismo?",
+ "text_past": "Practiqué una religión aparte del catolicismo."
+ },
+ "3": {
+ "detail": "Presumir de la misericordia de Dios es esperar obtener el perdón sin conversión y la gloria sin mérito (CIC 2092). Es incorrecto hacer algo inmoral porque esperas que Dios te perdone.",
+ "text": "¿Presumí de la misericordia de Dios?",
+ "text_past": "Presumí de la misericordia de Dios."
},
"4": {
- "text": "¿Cómo está mi vida de oración? ¿Necesito orar más a menudo?",
"detail": "Adorar a Dios, rezarle, ofrecerle la adoración que le corresponde, cumplir las promesas y votos hechos a él son actos de la virtud de la religión que están bajo la obediencia al primer mandamiento (CIC 2135). La oración es importante porque sin ella no podemos tener una relación con Dios.",
+ "text": "¿Cómo está mi vida de oración? ¿Necesito orar más a menudo?",
"text_past": "Necesito rezar más a menudo."
},
- "6": {
- "text": "¿Utilicé lenguaje grosero?",
- "text_past": "Utilicé lenguaje grosero."
- },
- "8": {
- "text": "¿Insulté a Dios?",
- "text_past": "Insulté a Dios.",
- "detail": "El respeto por Su nombre es una expresión del respeto debido al misterio de Dios mismo y a toda la realidad sagrada que evoca (CIC 2144)."
- },
- "33": {
- "text": "¿Robé algo? Si es así, ¿en qué medida?",
- "text_past": "Robé algo. (Hasta tal y tal punto.)"
- },
- "16": {
- "text": "¿Desobedecí a algún adulto responsable?",
- "text_past": "Desobedecí a un adulto responsable."
- },
- "2": {
- "detail": "El primer mandamiento prohíbe honrar a dioses distintos del único Señor que se ha revelado a su pueblo (CIC 2110). Es incorrecto practicar una religión diferente al catolicismo porque debilita nuestra relación con nuestro Señor.",
- "text_past": "Practiqué una religión aparte del catolicismo.",
- "text": "¿Practiqué alguna religión aparte del catolicismo?"
- },
"5": {
"text": "Nuestra cultura a menudo entra en conflicto con los ideales católicos. ¿Fallé en defender los valores morales católicos?",
"text_past": "Fallé en defender los valores morales católicos."
},
+ "6": {
+ "text": "¿Utilicé lenguaje grosero?",
+ "text_past": "Utilicé lenguaje grosero."
+ },
"7": {
+ "detail": "El segundo mandamiento prohíbe todo uso indebido del nombre de Dios. La blasfemia es el uso del nombre de Dios, de Jesucristo, de la Virgen María y de los santos de manera ofensiva (CIC 2162).",
"text": "¿Usé el nombre de Dios sin respeto?",
- "text_past": "Usé el nombre de Dios sin respeto.",
- "detail": "El segundo mandamiento prohíbe todo uso indebido del nombre de Dios. La blasfemia es el uso del nombre de Dios, de Jesucristo, de la Virgen María y de los santos de manera ofensiva (CIC 2162)."
+ "text_past": "Usé el nombre de Dios sin respeto."
+ },
+ "8": {
+ "detail": "El respeto por Su nombre es una expresión del respeto debido al misterio de Dios mismo y a toda la realidad sagrada que evoca (CIC 2144).",
+ "text": "¿Insulté a Dios?",
+ "text_past": "Insulté a Dios."
},
"9": {
+ "detail": "El primer precepto de la Iglesia católica es \"Asistirás a Misa los domingos y días de precepto y descansarás de trabajos serviles\" (CIC 2042). Como católicos, esperamos con ansias celebrar la Eucaristía todos los domingos. Es pecado faltar a misa porque debilita nuestra relación con Dios.",
"text": "¿Falté a misa el domingo?",
- "text_past": "Falté a misa el domingo.",
- "detail": "El primer precepto de la Iglesia católica es \"Asistirás a Misa los domingos y días de precepto y descansarás de trabajos serviles\" (CIC 2042). Como católicos, esperamos con ansias celebrar la Eucaristía todos los domingos. Es pecado faltar a misa porque debilita nuestra relación con Dios."
+ "text_past": "Falté a misa el domingo."
},
"10": {
+ "detail": "El primer precepto de la Iglesia católica es \"Asistirás a Misa los domingos y días de precepto y descansarás de trabajos serviles\" (CIC 2042). Como católicos, esperamos con ansias celebrar la Eucaristía en los días de precepto. Es pecado faltar a misa porque debilita nuestra relación con Dios.",
"text": "¿Falté a misa en un día de precepto?",
- "text_past": "Falté a misa en un día de precepto.",
- "detail": "El primer precepto de la Iglesia católica es \"Asistirás a Misa los domingos y días de precepto y descansarás de trabajos serviles\" (CIC 2042). Como católicos, esperamos con ansias celebrar la Eucaristía en los días de precepto. Es pecado faltar a misa porque debilita nuestra relación con Dios."
+ "text_past": "Falté a misa en un día de precepto."
},
"11": {
+ "detail": "Ven a la iglesia temprano, acércate al Señor y confiesa tus pecados, arrepiéntete en oración... Esté presente en la sagrada y divina liturgia, concluya su oración y no se vaya antes de la despedida... (CIC 2178). También es de mala educación y distrae a los demás que están adorando llegar tarde o irse temprano.",
"text": "¿Llegué tarde a la misa o me fui temprano?",
- "text_past": "Llegué tarde a la misa o me fui temprano.",
- "detail": "Ven a la iglesia temprano, acércate al Señor y confiesa tus pecados, arrepiéntete en oración... Esté presente en la sagrada y divina liturgia, concluya su oración y no se vaya antes de la despedida... (CIC 2178). También es de mala educación y distrae a los demás que están adorando llegar tarde o irse temprano."
+ "text_past": "Llegué tarde a la misa o me fui temprano."
},
"12": {
"text": "¿Desobedecí a mis padres?",
@@ -225,31 +199,51 @@
"text": "¿Descuidé a mi familia?",
"text_past": "Descuidé a mi familia."
},
- "18": {
- "text": "¿Infringí alguna ley justa?",
- "text_past": "Infringí una ley justa."
- },
- "20": {
- "text": "¿Tuve un aborto? ¿Participé en un aborto?",
- "text_past": "Tuve o participé en un aborto."
+ "16": {
+ "text": "¿Desobedecí a algún adulto responsable?",
+ "text_past": "Desobedecí a un adulto responsable."
},
"17": {
"text": "¿Fallé en enseñar a mis hijos sobre su sexualidad humana?",
"text_past": "No les enseñé a mis hijos sobre su sexualidad humana."
},
+ "18": {
+ "text": "¿Infringí alguna ley justa?",
+ "text_past": "Infringí una ley justa."
+ },
"19": {
"text": "¿Lastimé físicamente a alguien?",
"text_past": "Lastimé físicamente a alguien."
},
- "24": {
- "text": "¿Abusé de drogas o alcohol?",
- "text_past": "Abusé de drogas o alcohol."
+ "20": {
+ "text": "¿Tuve un aborto? ¿Participé en un aborto?",
+ "text_past": "Tuve o participé en un aborto."
},
"21": {
"detail": "\"Toda acción que, ya sea en previsión del acto conyugal, en su realización o en el desarrollo de sus consecuencias naturales, propone, ya sea como fin o como medio, hacer imposible la procreación es intrínsecamente mala\" (CIC 2370). \"Las intenciones legítimas por parte de los cónyuges no justifican el recurso a medios moralmente inaceptables (por ejemplo, la esterilización directa o la anticoncepción)\" (CIC 2399). La anticoncepción artificial es incorrecta porque convierte un hermoso acto de amor en algo egoísta.",
"text": "¿Usé métodos anticonceptivos artificiales?",
"text_past": "Usé métodos anticonceptivos artificiales."
},
+ "22": {
+ "text": "¿Intenté suicidarme?",
+ "text_past": "Intenté suicidarme."
+ },
+ "23": {
+ "text": "¿Participé en la eutanasia?",
+ "text_past": "Participé en la eutanasia."
+ },
+ "24": {
+ "text": "¿Abusé de drogas o alcohol?",
+ "text_past": "Abusé de drogas o alcohol."
+ },
+ "25": {
+ "text": "¿Tuve sexo fuera del matrimonio?",
+ "text_past": "Tuve sexo fuera del matrimonio."
+ },
+ "26": {
+ "text": "¿Soy culpable del pecado de lujuria?",
+ "text_past": "Soy culpable del pecado de lujuria."
+ },
"27": {
"text": "¿Miré pornografía?",
"text_past": "Miré pornografía."
@@ -270,21 +264,49 @@
"text": "¿Realicé actos sexualmente inmorales?",
"text_past": "Realicé actos sexualmente inmorales."
},
- "52": {
- "text_past": "Participé en prácticas ocultistas.",
- "text": "¿Participé en prácticas ocultas?"
+ "32": {
+ "text": "¿Cedí a los besos apasionados por placer?",
+ "text_past": "Cedí a los besos apasionados por placer."
},
- "46": {
- "text": "¿Voté por un candidato o política que no sostiene mis valores católicos?",
- "text_past": "Voté por un candidato o política que no defiende mis valores católicos."
+ "33": {
+ "text": "¿Robé algo? Si es así, ¿en qué medida?",
+ "text_past": "Robé algo. (Hasta tal y tal punto.)"
+ },
+ "34": {
+ "text": "¿Piratié películas, música o software?",
+ "text_past": "Piratié películas, música o software."
+ },
+ "35": {
+ "text": "¿Mentí o engañé?",
+ "text_past": "Mentí o engañé."
+ },
+ "36": {
+ "text": "¿Hablé de otros a sus espaldas?",
+ "text_past": "Hablé de otros a sus espaldas."
+ },
+ "37": {
+ "text": "¿Fallé en ayunar el Miércoles de Ceniza y el Viernes Santo?",
+ "text_past": "Fallé en ayunar el Miércoles de Ceniza o el Viernes Santo."
+ },
+ "38": {
+ "text": "¿Fallé en abstenerme de comer carne los viernes de Cuaresma y el Miércoles de Ceniza?",
+ "text_past": "Fallé en abstenerme de comer carne un viernes de Cuaresma o el Miércoles de Ceniza."
},
"39": {
"text": "¿Fallé en recibir la Eucaristía al menos una vez durante la Pascua?",
"text_past": "Fallé en recibir la Eucaristía al menos una vez durante la Pascua."
},
- "47": {
- "text": "¿Escuché música o vi televisión o una película que tuvieron una mala influencia en mí?",
- "text_past": "Escuché música o vi televisión o una película que tuvo una mala influencia en mí."
+ "40": {
+ "text": "¿Dejé de ayunar una hora antes de recibir la Eucaristía?",
+ "text_past": "Fallé en ayunar durante una hora antes de recibir la Eucaristía."
+ },
+ "41": {
+ "text": "¿Recibí la Eucaristía en estado de pecado mortal?",
+ "text_past": "Recibí la Eucaristía en estado de pecado mortal."
+ },
+ "42": {
+ "text": "¿Oculté algo intencionalmente en la confesión?",
+ "text_past": "Oculté intencionalmente algo en la confesión."
},
"43": {
"text": "¿Estuve demasiado ocupado como para descansar y pasar tiempo con mi familia el domingo?",
@@ -298,6 +320,18 @@
"text": "¿Sentí celos de algo que pertenece a alguien más?",
"text_past": "Sentí celos de algo que pertenece a alguien más."
},
+ "46": {
+ "text": "¿Voté por un candidato o política que no sostiene mis valores católicos?",
+ "text_past": "Voté por un candidato o política que no defiende mis valores católicos."
+ },
+ "47": {
+ "text": "¿Escuché música o vi televisión o una película que tuvieron una mala influencia en mí?",
+ "text_past": "Escuché música o vi televisión o una película que tuvo una mala influencia en mí."
+ },
+ "48": {
+ "text": "¿Fui avaro o fallé en dar generosamente a mi iglesia y a los pobres?",
+ "text_past": "Fui avaro o fallé en dar generosamente a mi iglesia o a los pobres."
+ },
"49": {
"text": "¿Guié a otros al pecado conscientemente?",
"text_past": "Guié a otros al pecado conscientemente."
@@ -310,6 +344,10 @@
"text": "¿He actuado egoístamente?",
"text_past": "Actué egoístamente."
},
+ "52": {
+ "text": "¿Participé en prácticas ocultas?",
+ "text_past": "Participé en prácticas ocultistas."
+ },
"53": {
"text": "¿He sido perezoso en el trabajo o en casa?",
"text_past": "Fui perezoso en el trabajo o en casa."
@@ -318,10 +356,6 @@
"text": "¿He sido perezoso con mis tareas escolares?",
"text_past": "Fui perezoso con mis tareas escolares."
},
- "40": {
- "text": "¿Dejé de ayunar una hora antes de recibir la Eucaristía?",
- "text_past": "Fallé en ayunar durante una hora antes de recibir la Eucaristía."
- },
"55": {
"text": "¿He sido orgulloso o vanidoso?",
"text_past": "Fui orgulloso o vanidoso."
@@ -333,59 +367,25 @@
"57": {
"text": "¿Permití que me controlara la ira?",
"text_past": "Permití que me controlara la ira."
- },
- "23": {
- "text_past": "Participé en la eutanasia.",
- "text": "¿Participé en la eutanasia?"
- },
- "22": {
- "text": "¿Intenté suicidarme?",
- "text_past": "Intenté suicidarme."
- },
- "25": {
- "text": "¿Tuve sexo fuera del matrimonio?",
- "text_past": "Tuve sexo fuera del matrimonio."
- },
- "26": {
- "text": "¿Soy culpable del pecado de lujuria?",
- "text_past": "Soy culpable del pecado de lujuria."
- },
- "32": {
- "text": "¿Cedí a los besos apasionados por placer?",
- "text_past": "Cedí a los besos apasionados por placer."
- },
- "34": {
- "text": "¿Piratié películas, música o software?",
- "text_past": "Piratié películas, música o software."
- },
- "35": {
- "text": "¿Mentí o engañé?",
- "text_past": "Mentí o engañé."
- },
- "36": {
- "text": "¿Hablé de otros a sus espaldas?",
- "text_past": "Hablé de otros a sus espaldas."
- },
- "37": {
- "text": "¿Fallé en ayunar el Miércoles de Ceniza y el Viernes Santo?",
- "text_past": "Fallé en ayunar el Miércoles de Ceniza o el Viernes Santo."
- },
- "38": {
- "text": "¿Fallé en abstenerme de comer carne los viernes de Cuaresma y el Miércoles de Ceniza?",
- "text_past": "Fallé en abstenerme de comer carne un viernes de Cuaresma o el Miércoles de Ceniza."
- },
- "41": {
- "text": "¿Recibí la Eucaristía en estado de pecado mortal?",
- "text_past": "Recibí la Eucaristía en estado de pecado mortal."
- },
- "48": {
- "text": "¿Fui avaro o fallé en dar generosamente a mi iglesia y a los pobres?",
- "text_past": "Fui avaro o fallé en dar generosamente a mi iglesia o a los pobres."
- },
- "3": {
- "text": "¿Presumí de la misericordia de Dios?",
- "text_past": "Presumí de la misericordia de Dios.",
- "detail": "Presumir de la misericordia de Dios es esperar obtener el perdón sin conversión y la gloria sin mérito (CIC 2092). Es incorrecto hacer algo inmoral porque esperas que Dios te perdone."
}
+ },
+ "sins_list": {
+ "review": "Revise"
+ },
+ "walkthrough": {
+ "amen": "Amen.",
+ "bless_me_father": "Bendíceme, Padre, porque he pecado. Ha pasado ____ desde mi última confesión. Estos son mis pecados:",
+ "god_the_father_of_mercies": "Dios, Padre misericordioso…",
+ "in_the_name_of": "En el nombre del Padre, y del Hijo, y del Espiritu Santo. Amen.",
+ "thanks_be_to_god": "Gracias a Dios.",
+ "the_lord_has_freed_you": "El Señor los ha librado de sus pecados. Ve en paz.",
+ "these_are_my_sins": "Estos son mis pecados y los siento de todo corazón.",
+ "walkthrough": "Confese",
+ "your_confessor_may_offer": "(El sacerdote podría ofrecerle algún consejo o tener una breve conversación con usted.)",
+ "your_confessor_will_assign": "(El sacerdote asignará una penitencia). Ahora reze el acto de contrición."
+ },
+ "welcome": {
+ "body": " es una herramienta para ayudar a los católicos romanos a realizar un examen de conciencia antes de ir a confesarse. Esperamos que encuentres esto útil para recordar los pecados que has cometido desde tu última confesión. Simplemente marca la casilla Sí al lado de los pecados en la lista de Examen, o toca el botón + en la parte inferior derecha de la aplicación para agregar los tuyos. Luego, desplázate hacia la derecha para Revisar tus pecados y Seguir los pasos para confesarte.
Los datos que ingreses se almacenan en tu dispositivo (nunca se envían por Internet). Los datos que ingreses se guardarán hasta que presiones Borrar en la configuración de la aplicación, incluso si cierras la ventana o actualizas la página.
¡Dios te bendiga en tu camino hacia la santidad!",
+ "title": "¡Bienvenido!"
}
}
diff --git a/public/locales/it/translation.json b/public/locales/it/translation.json
index fc62152..583ada9 100644
--- a/public/locales/it/translation.json
+++ b/public/locales/it/translation.json
@@ -1,438 +1,438 @@
{
- "navbar": {
- "prayers": "Preghiere",
- "help": "Aiuto",
- "about": "Su questa app",
- "clear": "Svuota"
- },
- "examine_list": {
- "examine": "Esamina"
- },
- "sins_list": {
- "review": "Revisiona"
- },
- "walkthrough": {
- "walkthrough": "Confessa",
- "in_the_name_of": "Nel nome del Padre, e del Figlio, e dello Spirito Santo. Amen.",
- "bless_me_father": "Benedicimi Padre, perché ho peccato. Sono ____ dall'ultima confessione. Questi sono i miei peccati:",
- "these_are_my_sins": "Questi sono i miei peccati, e me ne pento con tutto il cuore.",
- "your_confessor_may_offer": "(Il confessore può ora offrire dei consigli o intrattenere una breve conversazione.)",
- "your_confessor_will_assign": "(Il confessore ti assegnerà una penitenza da adempiere.) Ora recita l'atto di dolore.",
- "god_the_father_of_mercies": "Dio, Padre di misericordia…",
- "amen": "Amen.",
- "the_lord_has_freed_you": "Il Signore ha perdonato i tuoi peccati. Va' in pace.",
- "thanks_be_to_god": "Lodiamo il Signore perché è buono."
- },
- "prayers": {
- "prayers": "Preghiere",
- "prayer_before_confession": "Preghiera prima della Confessione",
- "act_of_contrition": "Atto di Dolore",
- "another_act_of_contrition": "Altro Atto di Dolore",
- "thanksgiving_after_confession": "Ringraziamento dopo la Confessione",
- "our_father": "Padre Nostro",
- "hail_mary": "Ave Maria",
- "hail_holy_queen": "Salve Regina",
- "prayer_before_confession_text": "Padre santo, come il figliol prodigo mi rivolgo alla tua misericordia: «Ho peccato contro di te, non son più degno d'esser chiamato tuo figlio ». Cristo Gesù, Salvatore del mondo, che hai aperto al buon ladrone le porte del paradiso, ricordati di me nel tuo regno. Spirito Santo, sorgente di pace e d'amore, fa' che purificato da ogni colpa e riconciliato con il Padre io cammini sempre come figlio della luce. Amen.",
- "act_of_contrition_text": "Mio Dio, mi pento e mi dolgo con tutto il cuore dei miei peccati. Perché peccando ho meritato i tuoi castighi, e molto più perché ho offeso te, infinitamente buono e degno di essere amato sopra ogni cosa. Propongo con il tuo santo aiuto di non offenderti mai più, e di fuggire le occasioni prossime di peccato. Signore, misericordia, perdonami.",
- "another_act_of_contrition_text": "Ricordati, Signore, del tuo amore, della tua fedeltà che è da sempre. Non ricordare i miei peccati: ricordati di me nella tua misericordia, per la tua bontà, Signore. Amen.",
- "thanksgiving_after_confession_text": "Dio mio, Padre dolcissimo, com'è dolce la tua grazia, com'è grande il tuo amore! Hai perdonato tutti i miei peccati e mi hai fatto assaporare di nuovo le meraviglie del tuo amore. Ti ringraziano per me, o mio Dio, il Cielo e la terra ed io do voce a tutte le creature per lodarti e ringraziarti per sempre. Ti ringraziano le Anime del Purgatorio, per le quali ora Ti saranno più accette le mie preghiere, poiché ho l'anima purificata da ogni peccato e sono di nuovo tuo amico. Per mostrarti la mia riconoscenza, o Signore, come meglio posso, Ti offro la promessa di voler evitare ad ogni costo il peccato. Piuttosto, o mio Dio, scelgo il disprezzo del mondo, le mortificazioni e le pene, le tribolazioni di ogni tipo, ed anche la morte, ma mai più voglio trasgredire i tuoi precetti che sono consigli di Padre amorevole. Per mezzo della santa assoluzione mi hai accolto ancora nel tuo abbraccio paterno, ed io non voglio più staccarmi da Te. Amen.",
- "our_father_text": "Padre nostro, che sei nei cieli, sia santificato il Tuo nome; venga il Tuo regno; sia fatta la Tua volontà, come in cielo così in terra. Dàcci oggi il nostro pane quotidiano, e rimètti a noi i nostri debiti, come anche noi li rimettiamo ai nostri debitori. E non ci abbandonare alla tentazione, ma lìberaci dal male. Amen.",
- "hail_mary_text": "Ave Maria, piena di grazia. Il Signore è con te. Benedetta tu fra le donne, e benedetto il frutto del tuo seno, Gesù. Santa Maria, madre di Dio, prèga per noi peccatori, ora e nell'ora della nostra morte. Amen.",
- "hail_holy_queen_text": "Salve, Regina, madre di misericordia, vita, dolcezza e speranza nostra, salve. A Te ricorriamo, esuli figli di Eva; a Te sospiriamo, gementi e piangenti in questa valle di lacrime. Orsù dunque, avvocata nostra, rivolgi a noi gli occhi Tuoi misericordiosi. E mostraci, dopo questo esilio, Gesù, il frutto benedetto del tuo Seno. O clemente, o pia, o dolce Vergine Maria! Prega per noi Santa Madre di Dio, affinché siamo fatti degni delle promesse di Cristo. Amen."
- },
"about": {
- "about_confessit": "Informazioni su ConfessIt",
- "about_confessit_text": "ConfessIt è un esame di coscienza Cattolico Romano per computer, tablet, e smartphone. E' pensato per la facilità d'utilizzo, per essere di aiuto nel fare mente locale dei peccati da confessare. C'è anche una guida che ti segue passo passo nel rito della confessione, per aiutarti durante il rito. Una grande risorsa se non ti sei confessato da tempo! L'esame di coscienza si basa sugli insegnamenti della Chiesa Cattolica, è facile da comprendere, e risulta attuale per i cattolici di oggi.",
"about_confession": "Riguardo la Confessione",
- "about_confession_intro": "La Confessione è il sacramento con il quale i Cattolici ottengono il perdono dei peccati dalla misericordia di Dio, e vengono così riconciliati con la Chiesa, la comunità dei credenti, il Corpo di Cristo.",
- "ccc_quote": "
È chiamato sacramento della Conversione poiché realizza sacramentalmente l'appello di Gesù alla conversione,4 il cammino di ritorno al Padre (Cf Mc 1,15;Lc 15,18) da cui ci si è allontanati con il peccato.
È chiamato sacramento della Penitenza poiché consacra un cammino personale ed ecclesiale di conversione, di pentimento e di soddisfazione del cristiano peccatore.
È chiamato sacramento della Confessione poiché l'accusa, la confessione dei peccati davanti al sacerdote è un elemento essenziale di questo sacramento. In un senso profondo esso è anche una « confessione », riconoscimento e lode della santità di Dio e della sua misericordia verso l'uomo peccatore.
È chiamato sacramento del Perdono poiché, attraverso l'assoluzione sacramentale del sacerdote, Dio accorda al penitente « il perdono e la pace ». (Rito della Penitenza, 46. 55)
È chiamato sacramento della Riconciliazione perché dona al peccatore l'amore di Dio che riconcilia: « Lasciatevi riconciliare con Dio » (2 Cor 5,20). Colui che vive dell'amore misericordioso di Dio è pronto a rispondere all'invito del Signore: « Va' prima a riconciliarti con il tuo fratello » (Mt 5,24)
La conversione a Cristo, la nuova nascita dal Battesimo, il dono dello Spirito Santo, il Corpo e il Sangue di Cristo ricevuti in nutrimento, ci hanno resi « santi e immacolati al suo cospetto » (Ef 1,4), come la Chiesa stessa, Sposa di Cristo, è « santa e immacolata » (Ef 5,27) davanti a lui. Tuttavia, la vita nuova ricevuta nell'iniziazione cristiana non ha soppresso la fragilità e la debolezza della natura umana, né l'inclinazione al peccato che la tradizione chiama concupiscenza, la quale rimane nei battezzati perché sostengano le loro prove nel combattimento della vita cristiana, aiutati dalla grazia di Cristo. (Cf Concilio di Trento, Sess. 5a, Decretum de peccato originali, canone 5.) Si tratta del combattimento della conversione in vista della santità e della vita eterna alla quale il Signore non cessa di chiamarci.
Gesù chiama alla conversione. Questo appello è una componente essenziale dell'annuncio del Regno: « Il tempo è compiuto e il regno di Dio è ormai vicino; convertitevi e credete al Vangelo » (Mc 1,15). Il Battesimo è quindi il luogo principale della prima e fondamentale conversione, ma l'appello di Cristo alla conversione continua a risuonare nella vita dei cristiani. Questa seconda conversione è un impegno continuo per tutta la Chiesa che « comprende nel suo seno i peccatori » e che, « santa insieme e sempre bisognosa di purificazione, incessantemente si applica alla penitenza e al suo rinnovamento ». (Concilio Vaticano II, Cost. dogm. Lumen gentium, 8.) Questo sforzo di conversione non è soltanto un'opera umana. È il dinamismo del « cuore contrito » (Cf Sal 51,19) attirato e mosso dalla grazia (Cf Gv 6,44; 12,32) a rispondere all'amore misericordioso di Dio che ci ha amati per primo (Cf 1 Gv 4,10). A proposito delle due conversioni sant'Ambrogio dice: « La Chiesa ha l'acqua e le lacrime: l'acqua del Battesimo, le lacrime della Penitenza » (Sant'Ambrogio, Epistula extra collectionem, 1 [41], 12).
",
- "where_to_find": "Gli orari per la confessione sono elencati nel bollettino della tua parrocchia, o li puoi trovare sul sito della tua parrocchia oppure sul sito masstimes.org. Puoi anche prenotare una confessione rivolgendoti direttamente alla tua parrocchia.",
"about_confession_end": "Quando ti confessi, hai generalmente la scelta tra stare seduti a faccia a faccia con il confessore, o stare in ginocchio dietro una grata in maniera più anonima. Non c'è motivo per preoccuparsi nella confessione! Qualsiasi peccato potrai accusare, il sacerdote l'ha già ascoltato. Ricòrdati che il sacerdote è lì per te, per aiutarti, per il tuo bene.",
+ "about_confession_intro": "La Confessione è il sacramento con il quale i Cattolici ottengono il perdono dei peccati dalla misericordia di Dio, e vengono così riconciliati con la Chiesa, la comunità dei credenti, il Corpo di Cristo.",
+ "about_confessit": "Informazioni su ConfessIt",
+ "about_confessit_text": "ConfessIt è un esame di coscienza Cattolico Romano per computer, tablet, e smartphone. E' pensato per la facilità d'utilizzo, per essere di aiuto nel fare mente locale dei peccati da confessare. C'è anche una guida che ti segue passo passo nel rito della confessione, per aiutarti durante il rito. Una grande risorsa se non ti sei confessato da tempo! L'esame di coscienza si basa sugli insegnamenti della Chiesa Cattolica, è facile da comprendere, e risulta attuale per i cattolici di oggi.",
+ "about_the_developer": "Riguardo lo Sviluppatore",
"about_this_app": "Riguardo quest'App",
- "this_app_is_designed": "Quest'app è pensata per assistere i cattolici che desiderano confessarsi, nella fase dell'esame di coscienza prima della confessione. NON si tratta di un sostituto per la confessione.",
- "please_be_respectful": "Si raccomanda avere un occhio di riguardo per coloro che possano stare nelle vicinanze quando fai uso dell'app. Si raccomanda di utilizzare l'app prima di giungere in chiesa, e di spegnere poi il telefono quando si è in chiesa. Se usi l'app dentro la chiesa o durante la confessione, assicùrati che il telefono sia in modalità silenziosa.",
- "this_website": "Questo sito, ConfessIt.app, è basato sull'App ConfessIt per Android (creato nel 2012 dallo stesso sviluppatore). Mentre non è (ancora) una riproduzione completa, mira a rendere l'app maggiormente disponibile per più utenti su più dispositivi. (Questo sito funziona su iOS, Android, sia su tablet che su computer!)",
+ "can_i_help_with_translations": "Posso aiutare con le traduzioni?",
+ "can_i_help_write_code": "Posso aiutare a scrivere codice?",
+ "ccc_quote": "
È chiamato sacramento della Conversione poiché realizza sacramentalmente l'appello di Gesù alla conversione,4 il cammino di ritorno al Padre (Cf Mc 1,15;Lc 15,18) da cui ci si è allontanati con il peccato.
È chiamato sacramento della Penitenza poiché consacra un cammino personale ed ecclesiale di conversione, di pentimento e di soddisfazione del cristiano peccatore.
È chiamato sacramento della Confessione poiché l'accusa, la confessione dei peccati davanti al sacerdote è un elemento essenziale di questo sacramento. In un senso profondo esso è anche una « confessione », riconoscimento e lode della santità di Dio e della sua misericordia verso l'uomo peccatore.
È chiamato sacramento del Perdono poiché, attraverso l'assoluzione sacramentale del sacerdote, Dio accorda al penitente « il perdono e la pace ». (Rito della Penitenza, 46. 55)
È chiamato sacramento della Riconciliazione perché dona al peccatore l'amore di Dio che riconcilia: « Lasciatevi riconciliare con Dio » (2 Cor 5,20). Colui che vive dell'amore misericordioso di Dio è pronto a rispondere all'invito del Signore: « Va' prima a riconciliarti con il tuo fratello » (Mt 5,24)
La conversione a Cristo, la nuova nascita dal Battesimo, il dono dello Spirito Santo, il Corpo e il Sangue di Cristo ricevuti in nutrimento, ci hanno resi « santi e immacolati al suo cospetto » (Ef 1,4), come la Chiesa stessa, Sposa di Cristo, è « santa e immacolata » (Ef 5,27) davanti a lui. Tuttavia, la vita nuova ricevuta nell'iniziazione cristiana non ha soppresso la fragilità e la debolezza della natura umana, né l'inclinazione al peccato che la tradizione chiama concupiscenza, la quale rimane nei battezzati perché sostengano le loro prove nel combattimento della vita cristiana, aiutati dalla grazia di Cristo. (Cf Concilio di Trento, Sess. 5a, Decretum de peccato originali, canone 5.) Si tratta del combattimento della conversione in vista della santità e della vita eterna alla quale il Signore non cessa di chiamarci.
Gesù chiama alla conversione. Questo appello è una componente essenziale dell'annuncio del Regno: « Il tempo è compiuto e il regno di Dio è ormai vicino; convertitevi e credete al Vangelo » (Mc 1,15). Il Battesimo è quindi il luogo principale della prima e fondamentale conversione, ma l'appello di Cristo alla conversione continua a risuonare nella vita dei cristiani. Questa seconda conversione è un impegno continuo per tutta la Chiesa che « comprende nel suo seno i peccatori » e che, « santa insieme e sempre bisognosa di purificazione, incessantemente si applica alla penitenza e al suo rinnovamento ». (Concilio Vaticano II, Cost. dogm. Lumen gentium, 8.) Questo sforzo di conversione non è soltanto un'opera umana. È il dinamismo del « cuore contrito » (Cf Sal 51,19) attirato e mosso dalla grazia (Cf Gv 6,44; 12,32) a rispondere all'amore misericordioso di Dio che ci ha amati per primo (Cf 1 Gv 4,10). A proposito delle due conversioni sant'Ambrogio dice: « La Chiesa ha l'acqua e le lacrime: l'acqua del Battesimo, le lacrime della Penitenza » (Sant'Ambrogio, Epistula extra collectionem, 1 [41], 12).
",
+ "confessit_is_open_source": "ConfessIt è un progetto informatico a sorgenti aperte (\"open source\"). Sviluppiamo l'app su GitHub e collaboriamo nella comunità Open Source Catholic su Slack.",
+ "confessit_is_translated": "ConfessIt è tradotto in varie lingue. Se puoi aiutare in questo, aggiungendo una nuova traduzione o migliorando una traduzione già esistente, leggi su GitHub come fare per contribuire, oppure rivolgiti a noi nello spazio di lavoro Open Source Catholic su Slack.",
"if_you_find": "Se ti piace l'app, condivìdila con amici e parenti. Pàrlane su Facebook, Reddit, Twitter, in chiesa, o nel tuo gruppo di catechesi in modo da farla conoscere!",
- "privacy": "Privacy",
+ "information": "Le citazioni bibliche di quest'app provengono dall'edizione CEI 2008 della Bibbia. Vengono tratte informazioni anche dal Catechismo della Chiesa Cattolica.",
"information_you_enter": "Le informazioni immesse nell'app sono immagazzinate soltanto sul tuo dispositivo. Non vengono trasmesse via internet. Questo è possibile grazie ad una tecnologia offerta dal browser, chiamata local storage. Non viene utilizzato alcun sistema di analisi dei dati, del tipo Google Analytics o qualsiasi altro sistema simile. I dati da te immessi permangono sul dispositivo anche se chiudi la finestra o aggiorni la pagina; vengono eliminati solo quando fai clic su Svuota.",
+ "mike_kasberg": "Mike Kasberg sviluppa ConfessIt nel suo tempo libero, per ridare qualcosa alla chiesa in cambio di tutto quello che ha ricevuto. È anche coinvolto in alcuni altri piccoli progetti per supportare le organizzazioni cattoliche con la tecnologia.",
"open_source": "Sorgenti Aperte",
- "confessit_is_open_source": "ConfessIt è un progetto informatico a sorgenti aperte (\"open source\"). Sviluppiamo l'app su GitHub e collaboriamo nella comunità Open Source Catholic su Slack.",
- "can_i_help_with_translations": "Posso aiutare con le traduzioni?",
- "confessit_is_translated": "ConfessIt è tradotto in varie lingue. Se puoi aiutare in questo, aggiungendo una nuova traduzione o migliorando una traduzione già esistente, leggi su GitHub come fare per contribuire, oppure rivolgiti a noi nello spazio di lavoro Open Source Catholic su Slack.",
- "can_i_help_write_code": "Posso aiutare a scrivere codice?",
+ "please_be_respectful": "Si raccomanda avere un occhio di riguardo per coloro che possano stare nelle vicinanze quando fai uso dell'app. Si raccomanda di utilizzare l'app prima di giungere in chiesa, e di spegnere poi il telefono quando si è in chiesa. Se usi l'app dentro la chiesa o durante la confessione, assicùrati che il telefono sia in modalità silenziosa.",
+ "privacy": "Privacy",
+ "this_app_is_designed": "Quest'app è pensata per assistere i cattolici che desiderano confessarsi, nella fase dell'esame di coscienza prima della confessione. NON si tratta di un sostituto per la confessione.",
+ "this_website": "Questo sito, ConfessIt.app, è basato sull'App ConfessIt per Android (creato nel 2012 dallo stesso sviluppatore). Mentre non è (ancora) una riproduzione completa, mira a rendere l'app maggiormente disponibile per più utenti su più dispositivi. (Questo sito funziona su iOS, Android, sia su tablet che su computer!)",
"we_welcome_new_contributions": "Nuovi contributi sono benvenuti. Se vuoi contribuire allo sviluppo di ConfessIt, inizia col leggere le istruzioni su GitHub per i contributi.",
- "about_the_developer": "Riguardo lo Sviluppatore",
- "mike_kasberg": "Mike Kasberg sviluppa ConfessIt nel suo tempo libero, per ridare qualcosa alla chiesa in cambio di tutto quello che ha ricevuto. È anche coinvolto in alcuni altri piccoli progetti per supportare le organizzazioni cattoliche con la tecnologia.",
- "information": "Le citazioni bibliche di quest'app provengono dall'edizione CEI 2008 della Bibbia. Vengono tratte informazioni anche dal Catechismo della Chiesa Cattolica."
+ "where_to_find": "Gli orari per la confessione sono elencati nel bollettino della tua parrocchia, o li puoi trovare sul sito della tua parrocchia oppure sul sito masstimes.org. Puoi anche prenotare una confessione rivolgendoti direttamente alla tua parrocchia."
},
- "help": {
- "confessit_help": "ConfessIt Assistenza",
- "basic_usage": "Utilizzo di base",
- "step_1": "Nella scheda Esamina, spunta Sì accanto ai peccati di cui vuoi fare una promemoria per la confessione.",
- "step_2": "Scorri alla prossima scheda, Revisiona, per vedere la lista dei peccati che hai segnato. Ritroverai la lista anche nella scheda Confessa.",
- "step_3": "Se non sei sicuro di cosa dire durante la confessione, scorri alla scheda successiva, Confessa, dove puoi visionare per sommi capi il dialogo che avviene tra sacerdote e penitente durante la confessione. Puoi anche riguardarti questa sezione durante la confessione se ti è di aiuto.",
- "step_4": "Una volta che ti sei confessato, puoi usare il pulsante Svuota per eliminare tutti i peccati segnati.",
- "data_persistence": "Persistenza dei dati",
- "data_persistence_text": "I dati inseriti sono memorizzati direttamente sul dispositivo (mai inviati su Internet). I dati inseriti rimangono fintanto che non premi il pulsante Svuota, e persistono anche se chiudi la finestra o aggiorni la pagina. Assicùrati pertanto di cancellare i dati quando hai finito, se non vuoi che altre persone che usano questo dispositivo vedano i tuoi dati!"
- },
- "welcome": {
- "title": "Benvenuto!",
- "body": " è uno strumento per assistere Cattolici romani nell'esame di coscienza prima di andare alla confessione. Speriamo che possa esserti d'aiuto nel fare mente locale dei peccati commessi dall'ultima confessione. Semplicemente puoi spuntare la casella Sì accanto ai peccati nell'elenco Esamina, oppure toccare il pulsante + in fondo a destra all'app per aggiungerne uno personalizzato. Poi, scorri verso destra alla scheda Revisiona per visualizzare l'elenco dei tuoi peccati, e poi di nuovo alla scheda Confessa per rivedere il rito della confessione.
I dati da te immessi sono immagazzinati soltanto sul tuo dispositivo (mai verranno trasmessi via internet). I dati da te immessi permangono nell'app, anche se chiudi la finestra o ricarichi la pagina, fino a quando non scegli Svuota dalle impostazioni dell'app.
Che il Signore ti benedica nel tuo cammino verso la santità!"
+ "addbutton": {
+ "add": "Aggiungi",
+ "add-custom-sin": "Aggiungi peccato personalizzato",
+ "cancel": "Annulla",
+ "i-sinned-by": "Ho peccato in…"
},
"commandments": {
"1": {
- "title": "Primo Comandamento",
+ "description": "Io sono il Signore, tuo Dio, che ti ho fatto uscire dalla terra d'Egitto, dalla condizione servile: Non avrai altri dèi di fronte a me... Non ti prostrerai davanti a loro e non li servirai. Perché io, il Signore, tuo Dio, sono un Dio geloso... che dimostra la sua bontà fino a mille generazioni, per quelli che mi amano e osservano i miei comandamenti. (Es 20,2-6) I peccati capitali di orgoglio e ghiottoneria vanno contro questo comandamento.",
"text": "Non avrai altri dèi di fronte a me (Es 20,3)",
- "description": "Io sono il Signore, tuo Dio, che ti ho fatto uscire dalla terra d'Egitto, dalla condizione servile: Non avrai altri dèi di fronte a me... Non ti prostrerai davanti a loro e non li servirai. Perché io, il Signore, tuo Dio, sono un Dio geloso... che dimostra la sua bontà fino a mille generazioni, per quelli che mi amano e osservano i miei comandamenti. (Es 20,2-6) I peccati capitali di orgoglio e ghiottoneria vanno contro questo comandamento."
+ "title": "Primo Comandamento"
},
"2": {
- "title": "Secondo Comandamento",
+ "description": "Non pronuncerai invano il nome del Signore, tuo Dio, perché il Signore non lascia impunito chi pronuncia il suo nome invano. (Es 20,7)",
"text": "Non pronuncerai invano il nome del Signore, tuo Dio. (Es 20,7)",
- "description": "Non pronuncerai invano il nome del Signore, tuo Dio, perché il Signore non lascia impunito chi pronuncia il suo nome invano. (Es 20,7)"
+ "title": "Secondo Comandamento"
},
"3": {
- "title": "Terzo Comandamento",
+ "description": "Ricòrdati del giorno del sabato per santificarlo. Sei giorni lavorerai e farai ogni tuo lavoro; ma il settimo giorno è il sabato in onore del Signore, tuo Dio: non farai alcun lavoro, né tu né tuo figlio né tua figlia, né il tuo schiavo né la tua schiava, né il tuo bestiame, né il forestiero che dimora presso di te. Perché in sei giorni il Signore ha fatto il cielo e la terra e il mare e quanto è in essi, ma si è riposato il settimo giorno. Perciò il Signore ha benedetto il giorno del sabato e lo ha consacrato. (Es 20,8-11)",
"text": "Ricòrdati del giorno del sabato per santificarlo. (Es 20,8)",
- "description": "Ricòrdati del giorno del sabato per santificarlo. Sei giorni lavorerai e farai ogni tuo lavoro; ma il settimo giorno è il sabato in onore del Signore, tuo Dio: non farai alcun lavoro, né tu né tuo figlio né tua figlia, né il tuo schiavo né la tua schiava, né il tuo bestiame, né il forestiero che dimora presso di te. Perché in sei giorni il Signore ha fatto il cielo e la terra e il mare e quanto è in essi, ma si è riposato il settimo giorno. Perciò il Signore ha benedetto il giorno del sabato e lo ha consacrato. (Es 20,8-11)"
+ "title": "Terzo Comandamento"
},
"4": {
- "title": "Quarto Comandamento",
+ "description": "Onora tuo padre e tua madre, perché si prolunghino i tuoi giorni nel paese che il Signore, tuo Dio, ti dà. (Es 20,12)",
"text": "Onora tuo padre e tua madre. (Es 20,12)",
- "description": "Onora tuo padre e tua madre, perché si prolunghino i tuoi giorni nel paese che il Signore, tuo Dio, ti dà. (Es 20,12)"
+ "title": "Quarto Comandamento"
},
"5": {
- "title": "Quinto Comandamento",
+ "description": "Non ucciderai. (Es 20,13). Il peccato capitale dell'ira è associato a questo comandamento.",
"text": "Non ucciderai. (Es 20,13)",
- "description": "Non ucciderai. (Es 20,13). Il peccato capitale dell'ira è associato a questo comandamento."
+ "title": "Quinto Comandamento"
},
"6": {
- "title": "Sesto Comandamento",
+ "description": "Non commetterai adulterio. (Es 20,14) Il peccato capitale della lussuria va contro questo comandamento.",
"text": "Non commetterai adulterio. (Es 20,14)",
- "description": "Non commetterai adulterio. (Es 20,14) Il peccato capitale della lussuria va contro questo comandamento."
+ "title": "Sesto Comandamento"
},
"7": {
- "title": "Settimo Comandamento",
+ "description": "Non ruberai. (Es 20,15) I peccati capitali dell'invidia e dell'ignavia vanno contro questo comandamento.",
"text": "Non ruberai. (Es 20,15)",
- "description": "Non ruberai. (Es 20,15) I peccati capitali dell'invidia e dell'ignavia vanno contro questo comandamento."
+ "title": "Settimo Comandamento"
},
"8": {
- "title": "Ottavo Comandamento",
+ "description": "Non pronuncerai falsa testimonianza contro il tuo prossimo. (Es 20,16)",
"text": "Non pronuncerai falsa testimonianza contro il tuo prossimo. (Es 20,16)",
- "description": "Non pronuncerai falsa testimonianza contro il tuo prossimo. (Es 20,16)"
+ "title": "Ottavo Comandamento"
},
"9": {
- "title": "Nono Comandamento",
+ "description": "Non desidererai la moglie del tuo prossimo. (Es 20,17) Il peccato capitale della gelosia va contro questo comandamento.",
"text": "Non desidererai la moglie del tuo prossimo. (Es 20,17)",
- "description": "Non desidererai la moglie del tuo prossimo. (Es 20,17) Il peccato capitale della gelosia va contro questo comandamento."
+ "title": "Nono Comandamento"
},
"10": {
- "title": "Decimo Comandamento",
+ "description": "Non desidererai la casa del tuo prossimo. Non desidererai la moglie del tuo prossimo, né il suo schiavo né la sua schiava, né il suo bue né il suo asino, né alcuna cosa che appartenga al tuo prossimo. (Es 20,17) Il peccato capitale della gelosia va contro questo comandamento.",
"text": "Non desidererai la casa del tuo prossimo... né alcuna cosa che appartenga al tuo prossimo. (Es 20,17)",
- "description": "Non desidererai la casa del tuo prossimo. Non desidererai la moglie del tuo prossimo, né il suo schiavo né la sua schiava, né il suo bue né il suo asino, né alcuna cosa che appartenga al tuo prossimo. (Es 20,17) Il peccato capitale della gelosia va contro questo comandamento."
+ "title": "Decimo Comandamento"
},
"11": {
- "title": "Precetti della Chiesa",
+ "description": "I precetti della Chiesa si collocano in questa linea di una vita morale che si aggancia alla vita liturgica e di essa si nutre. Il carattere obbligatorio di tali leggi positive promulgate dalle autorità pastorali, ha come fine di garantire ai fedeli il minimo indispensabile nello spirito di preghiera e nell'impegno morale, nella crescita del l'amore di Dio e del prossimo (CCC 2041).",
"text": "I precetti della Chiesa Cattolica sono gli adempimenti minimi richiesti da ogni Cattolico.",
- "description": "I precetti della Chiesa si collocano in questa linea di una vita morale che si aggancia alla vita liturgica e di essa si nutre. Il carattere obbligatorio di tali leggi positive promulgate dalle autorità pastorali, ha come fine di garantire ai fedeli il minimo indispensabile nello spirito di preghiera e nell'impegno morale, nella crescita del l'amore di Dio e del prossimo (CCC 2041)."
+ "title": "Precetti della Chiesa"
}
},
+ "examine_list": {
+ "examine": "Esamina"
+ },
+ "examineitem": {
+ "yes": "Sì"
+ },
+ "help": {
+ "basic_usage": "Utilizzo di base",
+ "confessit_help": "ConfessIt Assistenza",
+ "data_persistence": "Persistenza dei dati",
+ "data_persistence_text": "I dati inseriti sono memorizzati direttamente sul dispositivo (mai inviati su Internet). I dati inseriti rimangono fintanto che non premi il pulsante Svuota, e persistono anche se chiudi la finestra o aggiorni la pagina. Assicùrati pertanto di cancellare i dati quando hai finito, se non vuoi che altre persone che usano questo dispositivo vedano i tuoi dati!",
+ "step_1": "Nella scheda Esamina, spunta Sì accanto ai peccati di cui vuoi fare una promemoria per la confessione.",
+ "step_2": "Scorri alla prossima scheda, Revisiona, per vedere la lista dei peccati che hai segnato. Ritroverai la lista anche nella scheda Confessa.",
+ "step_3": "Se non sei sicuro di cosa dire durante la confessione, scorri alla scheda successiva, Confessa, dove puoi visionare per sommi capi il dialogo che avviene tra sacerdote e penitente durante la confessione. Puoi anche riguardarti questa sezione durante la confessione se ti è di aiuto.",
+ "step_4": "Una volta che ti sei confessato, puoi usare il pulsante Svuota per eliminare tutti i peccati segnati."
+ },
+ "navbar": {
+ "about": "Su questa app",
+ "clear": "Svuota",
+ "help": "Aiuto",
+ "prayers": "Preghiere"
+ },
+ "prayers": {
+ "act_of_contrition": "Atto di Dolore",
+ "act_of_contrition_text": "Mio Dio, mi pento e mi dolgo con tutto il cuore dei miei peccati. Perché peccando ho meritato i tuoi castighi, e molto più perché ho offeso te, infinitamente buono e degno di essere amato sopra ogni cosa. Propongo con il tuo santo aiuto di non offenderti mai più, e di fuggire le occasioni prossime di peccato. Signore, misericordia, perdonami.",
+ "another_act_of_contrition": "Altro Atto di Dolore",
+ "another_act_of_contrition_text": "Ricordati, Signore, del tuo amore, della tua fedeltà che è da sempre. Non ricordare i miei peccati: ricordati di me nella tua misericordia, per la tua bontà, Signore. Amen.",
+ "hail_holy_queen": "Salve Regina",
+ "hail_holy_queen_text": "Salve, Regina, madre di misericordia, vita, dolcezza e speranza nostra, salve. A Te ricorriamo, esuli figli di Eva; a Te sospiriamo, gementi e piangenti in questa valle di lacrime. Orsù dunque, avvocata nostra, rivolgi a noi gli occhi Tuoi misericordiosi. E mostraci, dopo questo esilio, Gesù, il frutto benedetto del tuo Seno. O clemente, o pia, o dolce Vergine Maria! Prega per noi Santa Madre di Dio, affinché siamo fatti degni delle promesse di Cristo. Amen.",
+ "hail_mary": "Ave Maria",
+ "hail_mary_text": "Ave Maria, piena di grazia. Il Signore è con te. Benedetta tu fra le donne, e benedetto il frutto del tuo seno, Gesù. Santa Maria, madre di Dio, prèga per noi peccatori, ora e nell'ora della nostra morte. Amen.",
+ "our_father": "Padre Nostro",
+ "our_father_text": "Padre nostro, che sei nei cieli, sia santificato il Tuo nome; venga il Tuo regno; sia fatta la Tua volontà, come in cielo così in terra. Dàcci oggi il nostro pane quotidiano, e rimètti a noi i nostri debiti, come anche noi li rimettiamo ai nostri debitori. E non ci abbandonare alla tentazione, ma lìberaci dal male. Amen.",
+ "prayer_before_confession": "Preghiera prima della Confessione",
+ "prayer_before_confession_text": "Padre santo, come il figliol prodigo mi rivolgo alla tua misericordia: «Ho peccato contro di te, non son più degno d'esser chiamato tuo figlio ». Cristo Gesù, Salvatore del mondo, che hai aperto al buon ladrone le porte del paradiso, ricordati di me nel tuo regno. Spirito Santo, sorgente di pace e d'amore, fa' che purificato da ogni colpa e riconciliato con il Padre io cammini sempre come figlio della luce. Amen.",
+ "prayers": "Preghiere",
+ "thanksgiving_after_confession": "Ringraziamento dopo la Confessione",
+ "thanksgiving_after_confession_text": "Dio mio, Padre dolcissimo, com'è dolce la tua grazia, com'è grande il tuo amore! Hai perdonato tutti i miei peccati e mi hai fatto assaporare di nuovo le meraviglie del tuo amore. Ti ringraziano per me, o mio Dio, il Cielo e la terra ed io do voce a tutte le creature per lodarti e ringraziarti per sempre. Ti ringraziano le Anime del Purgatorio, per le quali ora Ti saranno più accette le mie preghiere, poiché ho l'anima purificata da ogni peccato e sono di nuovo tuo amico. Per mostrarti la mia riconoscenza, o Signore, come meglio posso, Ti offro la promessa di voler evitare ad ogni costo il peccato. Piuttosto, o mio Dio, scelgo il disprezzo del mondo, le mortificazioni e le pene, le tribolazioni di ogni tipo, ed anche la morte, ma mai più voglio trasgredire i tuoi precetti che sono consigli di Padre amorevole. Per mezzo della santa assoluzione mi hai accolto ancora nel tuo abbraccio paterno, ed io non voglio più staccarmi da Te. Amen."
+ },
+ "priestbubble": {
+ "priest": "Sacerdote"
+ },
"sins": {
"1": {
+ "detail": "Obbedire nella fede è sottomettersi liberamente alla parola ascoltata, perché la sua verità è garantita da Dio, il quale è la verità stessa (CCC 144). Credere agli insegnamenti della chiesa è la via della salvezza.",
"text": "Ho rifiutato qualche insegnamento della Chiesa Cattolica?",
- "text_past": "Ho rifiutato gli insegnamenti della Chiesa Cattolica.",
- "detail": "Obbedire nella fede è sottomettersi liberamente alla parola ascoltata, perché la sua verità è garantita da Dio, il quale è la verità stessa (CCC 144). Credere agli insegnamenti della chiesa è la via della salvezza."
+ "text_past": "Ho rifiutato gli insegnamenti della Chiesa Cattolica."
},
"2": {
+ "detail": "Il primo comandamento vieta di onorare altri dèi, all'infuori dell'unico Signore che si è rivelato al suo popolo. Proibisce la superstizione e l'irreligione. La superstizione rappresenta, in qualche modo, un eccesso perverso della religione; l'irreligione è un vizio opposto, per difetto, alla virtù della religione (CCC 2110).",
"text": "Ho praticato altre religioni che non siano il Cattolicesimo?",
- "text_past": "Ho praticato altre religioni che siano il Cattolicesimo.",
- "detail": "Il primo comandamento vieta di onorare altri dèi, all'infuori dell'unico Signore che si è rivelato al suo popolo. Proibisce la superstizione e l'irreligione. La superstizione rappresenta, in qualche modo, un eccesso perverso della religione; l'irreligione è un vizio opposto, per difetto, alla virtù della religione (CCC 2110)."
+ "text_past": "Ho praticato altre religioni che siano il Cattolicesimo."
},
"3": {
+ "detail": "Ci sono due tipi di presunzione. O l'uomo presume delle proprie capacità (sperando di potersi salvare senza l'aiuto dall'alto), oppure presume della onnipotenza e della misericordia di Dio (sperando di ottenere il suo perdono senza conversione e la gloria senza merito) (CCC 2092). E' illecito compiere un atto immorale nella previsione che Dio sarà misericordioso.",
"text": "Ho peccato di presunzione, dando per scontato la misericordia di Dio e quindi acconsentendo al peccato senza scrupolo?",
- "text_past": "Ho peccato di presunzione nei confronti della misericordia divina.",
- "detail": "Ci sono due tipi di presunzione. O l'uomo presume delle proprie capacità (sperando di potersi salvare senza l'aiuto dall'alto), oppure presume della onnipotenza e della misericordia di Dio (sperando di ottenere il suo perdono senza conversione e la gloria senza merito) (CCC 2092). E' illecito compiere un atto immorale nella previsione che Dio sarà misericordioso."
+ "text_past": "Ho peccato di presunzione nei confronti della misericordia divina."
},
"4": {
+ "detail": "Adorare Dio, pregarlo, rendergli il culto che a lui è dovuto, mantenere le promesse e i voti che a lui si sono fatti, sono atti della virtù della religione, che esprimono l'obbedienza al primo comandamento (CC 2135). Senza la preghiera non possiamo avere un vero rapporto con Dio.",
"text": "Com'è la mia vita di preghiera? Dovrei forse pregare di più?",
- "text_past": "Dovrei pregare di più.",
- "detail": "Adorare Dio, pregarlo, rendergli il culto che a lui è dovuto, mantenere le promesse e i voti che a lui si sono fatti, sono atti della virtù della religione, che esprimono l'obbedienza al primo comandamento (CC 2135). Senza la preghiera non possiamo avere un vero rapporto con Dio."
+ "text_past": "Dovrei pregare di più."
},
"5": {
+ "detail": "",
"text": "Il mondo talvolta va in conflitto con gli ideali Cattolici. Sono stato costante nell'aderire ai valori morali della religione Cattolica?",
- "text_past": "Sono venuto meno nell'adesione ai valori morali Cattolici.",
- "detail": ""
+ "text_past": "Sono venuto meno nell'adesione ai valori morali Cattolici."
},
"6": {
+ "detail": "",
"text": "Ho usato un linguaggio volgare?",
- "text_past": "Ho usato un linguaggio volgare.",
- "detail": ""
+ "text_past": "Ho usato un linguaggio volgare."
},
"7": {
+ "detail": "Il secondo comandamento proibisce ogni uso sconveniente del nome di Dio. La bestemmia consiste nell'usare il nome di Dio, di Gesù Cristo, della Vergine Maria e dei santi in un modo ingiurioso (CC 2162).",
"text": "Ho usato il nome di Dio invano?",
- "text_past": "Ho usato il nome di Dio invano.",
- "detail": "Il secondo comandamento proibisce ogni uso sconveniente del nome di Dio. La bestemmia consiste nell'usare il nome di Dio, di Gesù Cristo, della Vergine Maria e dei santi in un modo ingiurioso (CC 2162)."
+ "text_past": "Ho usato il nome di Dio invano."
},
"8": {
+ "detail": "Il rispetto per il nome di Dio esprime quello dovuto al suo stesso mistero e a tutta la realtà sacra da esso evocata (CC 2144).",
"text": "Ho insultato Dio?",
- "text_past": "Ho insultato Dio.",
- "detail": "Il rispetto per il nome di Dio esprime quello dovuto al suo stesso mistero e a tutta la realtà sacra da esso evocata (CC 2144)."
+ "text_past": "Ho insultato Dio."
},
"9": {
+ "detail": "Il primo precetto (« Partecipa alla Messa la domenica e le altre feste comandate e rimani libero dalle occupazioni del lavoro ») esige dai fedeli che santifichino il giorno in cui si ricorda la risurrezione del Signore e le particolari festività liturgiche in onore dei misteri del Signore, della beata Vergine Maria e dei santi, in primo luogo partecipando alla celebrazione eucaristica in cui si riunisce la comunità cristiana, e che riposino da quei lavori e da quelle attività che potrebbero impedire una tale santificazione di questi giorni (CC2042). Da Cattolici, attendiamo con gioia la celebrazione Eucaristica domenicale. E' un peccato saltare la Messa, perché in questa maniera il nostro rapporto con Dio si indebolisce.",
"text": "Ho saltato la Messa domenicale?",
- "text_past": "Ho saltato la Messa domenicale.",
- "detail": "Il primo precetto (« Partecipa alla Messa la domenica e le altre feste comandate e rimani libero dalle occupazioni del lavoro ») esige dai fedeli che santifichino il giorno in cui si ricorda la risurrezione del Signore e le particolari festività liturgiche in onore dei misteri del Signore, della beata Vergine Maria e dei santi, in primo luogo partecipando alla celebrazione eucaristica in cui si riunisce la comunità cristiana, e che riposino da quei lavori e da quelle attività che potrebbero impedire una tale santificazione di questi giorni (CC2042). Da Cattolici, attendiamo con gioia la celebrazione Eucaristica domenicale. E' un peccato saltare la Messa, perché in questa maniera il nostro rapporto con Dio si indebolisce."
+ "text_past": "Ho saltato la Messa domenicale."
},
"10": {
+ "detail": "Il primo precetto (« Partecipa alla Messa la domenica e le altre feste comandate e rimani libero dalle occupazioni del lavoro ») esige dai fedeli che santifichino il giorno in cui si ricorda la risurrezione del Signore e le particolari festività liturgiche in onore dei misteri del Signore, della beata Vergine Maria e dei santi, in primo luogo partecipando alla celebrazione eucaristica in cui si riunisce la comunità cristiana, e che riposino da quei lavori e da quelle attività che potrebbero impedire una tale santificazione di questi giorni (CC2042). Da Cattolici, attendiamo con gioia la celebrazione Eucaristica nei giorni di precetto. E' un peccato saltare la Messa, perché in questa maniera il nostro rapporto con Dio si indebolisce.",
"text": "Ho saltato la Messa nei giorni di precetto?",
- "text_past": "Ho saltato la Messa nei giorni di precetto.",
- "detail": "Il primo precetto (« Partecipa alla Messa la domenica e le altre feste comandate e rimani libero dalle occupazioni del lavoro ») esige dai fedeli che santifichino il giorno in cui si ricorda la risurrezione del Signore e le particolari festività liturgiche in onore dei misteri del Signore, della beata Vergine Maria e dei santi, in primo luogo partecipando alla celebrazione eucaristica in cui si riunisce la comunità cristiana, e che riposino da quei lavori e da quelle attività che potrebbero impedire una tale santificazione di questi giorni (CC2042). Da Cattolici, attendiamo con gioia la celebrazione Eucaristica nei giorni di precetto. E' un peccato saltare la Messa, perché in questa maniera il nostro rapporto con Dio si indebolisce."
+ "text_past": "Ho saltato la Messa nei giorni di precetto."
},
"11": {
+ "detail": "Affrettarsi verso la chiesa, avvicinarsi al Signore e confessare i propri peccati, pentirsi durante la preghiera… Assistere alla santa e divina liturgia, terminare la propria preghiera e non uscirne prima del congedo… (CCC 2178). Arrivare in ritardo o andare via prima è anche irrispettoso nei confronti di altri che sono raccolti in preghiera, e crea distrazione.",
"text": "Sono arrivato tardi a Messa o sono andato via prima?",
- "text_past": "Sono arrivato tardi a Messa o sono andato via prima.",
- "detail": "Affrettarsi verso la chiesa, avvicinarsi al Signore e confessare i propri peccati, pentirsi durante la preghiera… Assistere alla santa e divina liturgia, terminare la propria preghiera e non uscirne prima del congedo… (CCC 2178). Arrivare in ritardo o andare via prima è anche irrispettoso nei confronti di altri che sono raccolti in preghiera, e crea distrazione."
+ "text_past": "Sono arrivato tardi a Messa o sono andato via prima."
},
"12": {
+ "detail": "",
"text": "Ho disobbedito ai genitori?",
- "text_past": "Ho disobbedito ai genitori.",
- "detail": ""
+ "text_past": "Ho disobbedito ai genitori."
},
"13": {
+ "detail": "",
"text": "Ho mancato nell'impartire / testimoniare la fede Cattolica ai miei figli?",
- "text_past": "Ho mancato nell'impartire / testimoniare la fede Cattolica ai miei figli.",
- "detail": ""
+ "text_past": "Ho mancato nell'impartire / testimoniare la fede Cattolica ai miei figli."
},
"14": {
+ "detail": "",
"text": "Ho mancato di prendermi cura dei miei parenti più anziani?",
- "text_past": "Ho mancato di prendermi cura dei miei parenti più anziani.",
- "detail": ""
+ "text_past": "Ho mancato di prendermi cura dei miei parenti più anziani."
},
"15": {
+ "detail": "",
"text": "Ho trascurato la mia famiglia?",
- "text_past": "Ho trascurato la mia famiglia.",
- "detail": ""
+ "text_past": "Ho trascurato la mia famiglia."
},
"16": {
+ "detail": "",
"text": "Ho disobbedito ad un adulto responsabile?",
- "text_past": "Ho disobbedito ad un adulto responsabile.",
- "detail": ""
+ "text_past": "Ho disobbedito ad un adulto responsabile."
},
"17": {
+ "detail": "",
"text": "Ho fallito nell'educare i miei figli per quanto riguarda la loro sessualità?",
- "text_past": "Non ho educato correttamente i miei figli circa la loro sessualità.",
- "detail": ""
+ "text_past": "Non ho educato correttamente i miei figli circa la loro sessualità."
},
"18": {
+ "detail": "",
"text": "Ho infranto una legge giusta?",
- "text_past": "Ho infranto una legge giusta.",
- "detail": ""
+ "text_past": "Ho infranto una legge giusta."
},
"19": {
+ "detail": "",
"text": "Ho recato un danno fisico a qualcuno?",
- "text_past": "Ho recato un danno fisico a qualcuno.",
- "detail": ""
+ "text_past": "Ho recato un danno fisico a qualcuno."
},
"20": {
+ "detail": "",
"text": "Ho procurato un aborto? Oppure ho partecipato a procurare un aborto?",
- "text_past": "Ho procurato o ho partecipato in un aborto.",
- "detail": ""
+ "text_past": "Ho procurato o ho partecipato in un aborto."
},
"21": {
+ "detail": "\"È intrinsecamente cattiva ogni azione che, o in previsione dell'atto coniugale, o nel suo compimento, o nello sviluppo delle sue conseguenze naturali, si proponga, come scopo o come mezzo, di impedire la procreazione\" (CCC 2370). \"La legittimità delle intenzioni degli sposi non giustifica il ricorso a mezzi moralmente inaccettabili (per esempio, la sterilizzazione diretta o la contraccezione)\" (CCC 2399). La contraccezione artificiale è moralmente errata perché trasforma quello che dovrebbe essere un atto di amore in un atto di egoismo.",
"text": "Ho usato contraccettivi?",
- "text_past": "Ho usato contraccettivi.",
- "detail": "\"È intrinsecamente cattiva ogni azione che, o in previsione dell'atto coniugale, o nel suo compimento, o nello sviluppo delle sue conseguenze naturali, si proponga, come scopo o come mezzo, di impedire la procreazione\" (CCC 2370). \"La legittimità delle intenzioni degli sposi non giustifica il ricorso a mezzi moralmente inaccettabili (per esempio, la sterilizzazione diretta o la contraccezione)\" (CCC 2399). La contraccezione artificiale è moralmente errata perché trasforma quello che dovrebbe essere un atto di amore in un atto di egoismo."
+ "text_past": "Ho usato contraccettivi."
},
"22": {
+ "detail": "",
"text": "Ho tentato il suicidio?",
- "text_past": "Ho tentato il suicidio.",
- "detail": ""
+ "text_past": "Ho tentato il suicidio."
},
"23": {
+ "detail": "",
"text": "Ho partecipato nell'eutanasia?",
- "text_past": "Ho partecipato nell'eutanasia.",
- "detail": ""
+ "text_past": "Ho partecipato nell'eutanasia."
},
"24": {
+ "detail": "",
"text": "Ho abusato di droga o alcol?",
- "text_past": "Ho abusato di droga o alcol.",
- "detail": ""
+ "text_past": "Ho abusato di droga o alcol."
},
"25": {
+ "detail": "",
"text": "Ho avuto rapporti intimi fuori del matrimonio?",
- "text_past": "Ho avuto rapporti intimi fuori del matrimonio.",
- "detail": ""
+ "text_past": "Ho avuto rapporti intimi fuori del matrimonio."
},
"26": {
+ "detail": "",
"text": "Sono colpevole del peccato della lussuria?",
- "text_past": "Sono colpevole del peccato di lussuria.",
- "detail": ""
+ "text_past": "Sono colpevole del peccato di lussuria."
},
"27": {
+ "detail": "",
"text": "Ho guardato alla pornografia?",
- "text_past": "Ho guardato alla pornografia.",
- "detail": ""
+ "text_past": "Ho guardato alla pornografia."
},
"28": {
+ "detail": "",
"text": "Ho acconsentito a desideri contrari alla natura?",
- "text_past": "Ho acconsentito a desideri contrari alla natura.",
- "detail": ""
+ "text_past": "Ho acconsentito a desideri contrari alla natura."
},
"29": {
+ "detail": "",
"text": "Sono venuto meno nell'onorare mio marito / mia moglie?",
- "text_past": "Sono venuto meno nell'onorare mio marito / mia moglie.",
- "detail": ""
+ "text_past": "Sono venuto meno nell'onorare mio marito / mia moglie."
},
"30": {
+ "detail": "",
"text": "Ho letto letteratura erotica?",
- "text_past": "Ho letto letteratura erotica.",
- "detail": ""
+ "text_past": "Ho letto letteratura erotica."
},
"31": {
+ "detail": "",
"text": "Ho partecipato in atti sessuali immorali?",
- "text_past": "Ho partecipato in atti sessuali immorali.",
- "detail": ""
+ "text_past": "Ho partecipato in atti sessuali immorali."
},
"32": {
+ "detail": "",
"text": "Ho indugiato in baci passionali per la ricerca di piacere?",
- "text_past": "Ho ceduto nel bacio appassionato per la ricerca di piacere.",
- "detail": ""
+ "text_past": "Ho ceduto nel bacio appassionato per la ricerca di piacere."
},
"33": {
+ "detail": "",
"text": "Ho rubato? Se sì, con quale valore?",
- "text_past": "Ho rubato, per un valore di ___.",
- "detail": ""
+ "text_past": "Ho rubato, per un valore di ___."
},
"34": {
+ "detail": "",
"text": "Ho commesso atti di pirateria informatica duplicando film, musica o software?",
- "text_past": "Ho contribuito alla pirateria informatica di film, musica o software.",
- "detail": ""
+ "text_past": "Ho contribuito alla pirateria informatica di film, musica o software."
},
"35": {
+ "detail": "",
"text": "Sono stato menzognero/a o ingannevole?",
- "text_past": "Sono stato menzognero o ingannevole.",
- "detail": ""
+ "text_past": "Sono stato menzognero o ingannevole."
},
"36": {
+ "detail": "",
"text": "Mi sono dato al chiacchiericcio?",
- "text_past": "Mi sono dato al chiacchiericcio.",
- "detail": ""
+ "text_past": "Mi sono dato al chiacchiericcio."
},
"37": {
+ "detail": "",
"text": "Ho mancato di osservare il digiuno il Mercoledì delle Ceneri ed il Venerdì Santo?",
- "text_past": "Ho mancato di osservare il digiuno il Mercoledì delle Ceneri o il Venerdì Santo.",
- "detail": ""
+ "text_past": "Ho mancato di osservare il digiuno il Mercoledì delle Ceneri o il Venerdì Santo."
},
"38": {
+ "detail": "",
"text": "Ho mancato di osservare l'astinenza dalla carne nei venerdì di quaresima e il Mercoledì delle Ceneri?",
- "text_past": "Ho mancato di osservare l'astinenza dalla carne durante un venerdì di quaresima o il Mercoledì delle Ceneri.",
- "detail": ""
+ "text_past": "Ho mancato di osservare l'astinenza dalla carne durante un venerdì di quaresima o il Mercoledì delle Ceneri."
},
"39": {
+ "detail": "",
"text": "Ho mancato di ricevere l'Eucaristia almeno una volta durante il periodo pasquale?",
- "text_past": "Ho mancato di ricevere l'Eucaristia almeno una volta durante la Pasqua.",
- "detail": ""
+ "text_past": "Ho mancato di ricevere l'Eucaristia almeno una volta durante la Pasqua."
},
"40": {
+ "detail": "",
"text": "Ho mancato di osservare un'ora di digiuno prima di ricevere l'Eucaristia?",
- "text_past": "Ho mancato di osservare un'ora di digiuno prima di ricevere l'Eucaristia.",
- "detail": ""
+ "text_past": "Ho mancato di osservare un'ora di digiuno prima di ricevere l'Eucaristia."
},
"41": {
+ "detail": "",
"text": "Ho ricevuto l'Eucaristia nello stato di peccato mortale?",
- "text_past": "Ho ricevuto l'Eucaristia nello stato di peccato mortale.",
- "detail": ""
+ "text_past": "Ho ricevuto l'Eucaristia nello stato di peccato mortale."
},
"42": {
+ "detail": "",
"text": "Ho nascosto intenzionalmente qualche peccato durante la confessione?",
- "text_past": "Ho nascosto intenzionalmente qualche peccato durante la confessione.",
- "detail": ""
+ "text_past": "Ho nascosto intenzionalmente qualche peccato durante la confessione."
},
"43": {
+ "detail": "",
"text": "Ho mancato di curare il riposo domenicale, o il tempo dedicato alla famiglia?",
- "text_past": "Ho mancato di curare il riposo domenicale, o il tempo dedicato alla famiglia.",
- "detail": ""
+ "text_past": "Ho mancato di curare il riposo domenicale, o il tempo dedicato alla famiglia."
},
"44": {
+ "detail": "",
"text": "Ho desiderato la moglie/il marito oppure la fidanzata/il fidanzato di altri?",
- "text_past": "Ho desiderato la moglie/il marito o la fidanzata/il fidanzato di altri.",
- "detail": ""
+ "text_past": "Ho desiderato la moglie/il marito o la fidanzata/il fidanzato di altri."
},
"45": {
+ "detail": "",
"text": "Ho desiderato i beni altrui?",
- "text_past": "Ho desiderato i beni altrui.",
- "detail": ""
+ "text_past": "Ho desiderato i beni altrui."
},
"46": {
+ "detail": "",
"text": "Ho votato per un candidato politico o per un regolamento che non sostiene i miei valori cattolici?",
- "text_past": "Ho votato per un candidato politico o per un regolamento che non sostiene i miei valori Cattolici.",
- "detail": ""
+ "text_past": "Ho votato per un candidato politico o per un regolamento che non sostiene i miei valori Cattolici."
},
"47": {
+ "detail": "",
"text": "Ho ascoltato musica, oppure guardato un programma televisivo o un film, oppure ho letto letteratura che mi può influenzare negativamente?",
- "text_past": "Ho ascoltato musica, oppure guardato un programma televisivo o un film, oppure ho letto letteratura che mi può influenzare negativamente.",
- "detail": ""
+ "text_past": "Ho ascoltato musica, oppure guardato un programma televisivo o un film, oppure ho letto letteratura che mi può influenzare negativamente."
},
"48": {
+ "detail": "",
"text": "Sono stato/a avido/a, oppure ho mancato di donare con cuore generoso alla comunità ecclesiale e ai poveri?",
- "text_past": "Sono stato/a avido/a oppure ho mancato di donare con cuore generoso alla comunità ecclesiale o ai poveri.",
- "detail": ""
+ "text_past": "Sono stato/a avido/a oppure ho mancato di donare con cuore generoso alla comunità ecclesiale o ai poveri."
},
"49": {
+ "detail": "",
"text": "Ho indotto consapevolmente altri al peccato?",
- "text_past": "Ho indotto consapevolmente altri al peccato.",
- "detail": ""
+ "text_past": "Ho indotto consapevolmente altri al peccato."
},
"50": {
+ "detail": "",
"text": "Ho mancato di fare di Dio una priorità nella mia vita?",
- "text_past": "Ho mancato di fare di Dio una priorità nella mia vita.",
- "detail": ""
+ "text_past": "Ho mancato di fare di Dio una priorità nella mia vita."
},
"51": {
+ "detail": "",
"text": "Ho agito in maniera egoista?",
- "text_past": "Ho agito in maniera egoista.",
- "detail": ""
+ "text_past": "Ho agito in maniera egoista."
},
"52": {
+ "detail": "",
"text": "Ho partecipato in pratiche occulte?",
- "text_past": "Ho partecipato in pratiche occulte.",
- "detail": ""
+ "text_past": "Ho partecipato in pratiche occulte."
},
"53": {
+ "detail": "",
"text": "Ho peccato di accidia al lavoro o a casa?",
- "text_past": "Ho peccato di accidia al lavoro o a casa.",
- "detail": ""
+ "text_past": "Ho peccato di accidia al lavoro o a casa."
},
"54": {
+ "detail": "",
"text": "Sono stato pigro con i miei compiti scolastici?",
- "text_past": "Sono stato pigro con i miei compiti scolastici.",
- "detail": ""
+ "text_past": "Sono stato pigro con i miei compiti scolastici."
},
"55": {
+ "detail": "",
"text": "Sono stato vanitoso o orgoglioso?",
- "text_past": "Sono stato vanitoso o orgoglioso.",
- "detail": ""
+ "text_past": "Sono stato vanitoso o orgoglioso."
},
"56": {
+ "detail": "",
"text": "Ho peccato di golosità?",
- "text_past": "Ho peccato di golosità.",
- "detail": ""
+ "text_past": "Ho peccato di golosità."
},
"57": {
+ "detail": "",
"text": "Sono stato iracondo?",
- "text_past": "Sono stato iracondo.",
- "detail": ""
+ "text_past": "Sono stato iracondo."
}
},
- "addbutton": {
- "add-custom-sin": "Aggiungi peccato personalizzato",
- "i-sinned-by": "Ho peccato in…",
- "cancel": "Annulla",
- "add": "Aggiungi"
+ "sins_list": {
+ "review": "Revisiona"
},
- "examineitem": {
- "yes": "Sì"
+ "walkthrough": {
+ "amen": "Amen.",
+ "bless_me_father": "Benedicimi Padre, perché ho peccato. Sono ____ dall'ultima confessione. Questi sono i miei peccati:",
+ "god_the_father_of_mercies": "Dio, Padre di misericordia…",
+ "in_the_name_of": "Nel nome del Padre, e del Figlio, e dello Spirito Santo. Amen.",
+ "thanks_be_to_god": "Lodiamo il Signore perché è buono.",
+ "the_lord_has_freed_you": "Il Signore ha perdonato i tuoi peccati. Va' in pace.",
+ "these_are_my_sins": "Questi sono i miei peccati, e me ne pento con tutto il cuore.",
+ "walkthrough": "Confessa",
+ "your_confessor_may_offer": "(Il confessore può ora offrire dei consigli o intrattenere una breve conversazione.)",
+ "your_confessor_will_assign": "(Il confessore ti assegnerà una penitenza da adempiere.) Ora recita l'atto di dolore."
},
- "priestbubble": {
- "priest": "Sacerdote"
+ "welcome": {
+ "body": " è uno strumento per assistere Cattolici romani nell'esame di coscienza prima di andare alla confessione. Speriamo che possa esserti d'aiuto nel fare mente locale dei peccati commessi dall'ultima confessione. Semplicemente puoi spuntare la casella Sì accanto ai peccati nell'elenco Esamina, oppure toccare il pulsante + in fondo a destra all'app per aggiungerne uno personalizzato. Poi, scorri verso destra alla scheda Revisiona per visualizzare l'elenco dei tuoi peccati, e poi di nuovo alla scheda Confessa per rivedere il rito della confessione.
I dati da te immessi sono immagazzinati soltanto sul tuo dispositivo (mai verranno trasmessi via internet). I dati da te immessi permangono nell'app, anche se chiudi la finestra o ricarichi la pagina, fino a quando non scegli Svuota dalle impostazioni dell'app.
Che il Signore ti benedica nel tuo cammino verso la santità!",
+ "title": "Benvenuto!"
}
}
diff --git a/public/locales/pt-BR/translation.json b/public/locales/pt-BR/translation.json
index 7f2a165..6a5204f 100644
--- a/public/locales/pt-BR/translation.json
+++ b/public/locales/pt-BR/translation.json
@@ -1,438 +1,438 @@
{
- "navbar": {
- "prayers": "Orações",
- "help": "Ajuda",
- "about": "Sobre",
- "clear": "Limpar"
- },
- "examine_list": {
- "examine": "Examinar"
- },
- "sins_list": {
- "review": "Revisar"
- },
- "walkthrough": {
- "walkthrough": "Passo a passo",
- "in_the_name_of": "Em nome do Pai, e do Filho e do Espírito Santo. Amém.",
- "bless_me_father": "Abençoe-me, Pai, pois pequei. Tem sido ____ desde a minha última confissão, e estes são os meus pecados:",
- "these_are_my_sins": "Estes são os meus pecados, e lamento por eles de todo o meu coração.",
- "your_confessor_may_offer": "(Seu confessor pode oferecer-lhe alguns conselhos ou ter uma breve conversa com você.)",
- "your_confessor_will_assign": "(Seu confessor lhe atribuirá penitência. Agora rezem o Ato de Contrição.",
- "god_the_father_of_mercies": "Deus, o Pai das misericórdias…",
- "amen": "Amém.",
- "the_lord_has_freed_you": "O Senhor te libertou do pecado. Vá em paz.",
- "thanks_be_to_god": "Graças a Deus."
- },
- "prayers": {
- "prayers": "Orações",
- "prayer_before_confession": "Oração antes da confissão",
- "act_of_contrition": "Ato de Contrição",
- "another_act_of_contrition": "Outro Ato de Contrição",
- "thanksgiving_after_confession": "Ação de Graças após a Confissão",
- "our_father": "Pai-Nosso",
- "hail_mary": "Ave-Maria",
- "hail_holy_queen": "Salve Rainha",
- "prayer_before_confession_text": "Meu Senhor e Deus, eu pequei. Sou culpado diante de ti. Dai-me forças para dizer ao Teu ministro o que Te digo no segredo do meu coração. Aumente o meu arrependimento. Torná-lo mais genuíno. Que seja realmente uma tristeza por ter ofendido a Ti e ao meu próximo, em vez de um amor ferido por mim mesmo. Ajuda-me a reparar meu pecado. Que os sofrimentos da minha vida e as minhas pequenas mortificações se unam aos sofrimentos de Jesus, Vosso Filho, e cooperem para erradicar o pecado do mundo. Amém.",
- "act_of_contrition_text": "Meu Deus, sinto muito pelos meus pecados de todo o coração. Ao escolher fazer o mal e deixar de fazer o bem, pequei contra Ti, a quem devo amar acima de todas as coisas. Eu tenciono firmemente, com a Tua ajuda, fazer penitência, não pecar mais e evitar tudo o que me leva ao pecado. Jesus Cristo sofreu e morreu por nós. Em Seu nome, meu Deus, tenha misericórdia.",
- "another_act_of_contrition_text": "Ó meu Deus, lamento profundamente por ter Vos ofendido, e detesto todos os meus pecados, porque temo a perda do céu e as dores do inferno; mas acima de tudo porque eles Vos ofendem, meu Deus, que são todos bons e merecedores do meu amor. Resolvo firmemente, com a ajuda da Tua graça, confessar os meus pecados, fazer penitência e mudar a minha vida. Amém.",
- "thanksgiving_after_confession_text": "Meu querido Jesus, Contei todos os meus pecados o melhor que pude. Eu tentei arduamente fazer uma boa confissão. Tenho certeza de que Tu me perdoaste. Eu agradeço. É somente por causa de todos os Teus sofrimentos que posso me confessar e me libertar dos meus pecados. Seu coração está cheio de amor e misericórdia pelos pobres pecadores. Eu Te amo porque Tu és tão bom para mim. Meu amado Salvador, Eu tentarei me livrar do pecado e te amar mais a cada dia. Minha querida Mãe Maria, ore por mim e ajude-me a cumprir minhas promessas. Proteja-me e não me deixe cair no pecado.",
- "our_father_text": "Pai nosso, que estais no céu, santificado seja o Vosso nome; Venha a nós o Vosso reino. Seja feita a Vossa vontade, assim na terra como no céu. O pão nosso de cada dia nos dai hoje, perdoai as nossas ofensas, assim como nós perdoamos a quem nos tem ofendido; e não nos deixeis cair em tentação, mas livrai-nos do mal. Amén.",
- "hail_mary_text": "Ave Maria, cheia de graça. O Senhor é convosco. Bendita sois vós entre as mulheres, e bendito é o fruto do vosso ventre, Jesus. Santa Maria, Mãe de Deus, rogai por nós pecadores, agora e na hora da nossa morte. Amém.",
- "hail_holy_queen_text": "Salve Rainha, Mãe de Misericórdia! Vida, doçura nossa e esperança nossa, salve! A vós bradamos, os degredados filhos de Eva. A vós suspiramos, gemendo e chorando neste vale de Lágrimas. Eia, pois, advogada nossa, esses vossos olhos misericordiosos a nós volvei; E depois deste desterro mostrai-nos Jesus, bendito fruto do vosso ventre. Ó clemente, ó piedosa, ó doce sempre Virgem Maria. Rogai por nós, Santa Mãe de Deus, para que sejamos dignos das promessas de Cristo. Amém."
- },
"about": {
- "about_confessit": "Sobre o ConfessIt",
- "about_confessit_text": "ConfessIt é um exame de consciência Católico Romano para computadores, tablets e telefones. Ele foi projetado para ser simples e fácil de usar e pode ajudá-lo a se lembrar de seus pecados quando se for confessar. Há também um passo a passo da confissão que informa exatamente o que o padre dirá e como você deve responder - um ótimo recurso se você não se confessa há algum tempo! O exame de consciência é baseado nos ensinamentos fundamentais da Igreja Católica, é fácil de entender e é relevante para os católicos modernos.",
"about_confession": "Sobre a Confissão",
- "about_confession_intro": "A confissão é o santo sacramento pelo qual os católicos obtêm perdão a partir da misericórdia de Deus pelos seus pecados, e são assim reconciliados com a Igreja, a comunidade dos crentes, o Corpo de Cristo.",
- "ccc_quote": "
Chama-se sacramento da conversão porque torna sacramentalmente presente o chamamento de Jesus à conversão, o primeiro passo para voltar ao Pai (cf. Mc 1,15; Lc 15,18), do qual se afastou pelo pecado.
Chama-se sacramento da Penitência, porque consagra as etapas pessoais e eclesiais de conversão, penitência e satisfação do pecador cristão.
Chama-se sacramento da confissão, porque a revelação ou confissão de pecados a um padre é um elemento essencial deste sacramento. Em um sentido profundo, é também uma \"confissão\" - reconhecimento e louvor - da santidade de Deus e da sua misericórdia para com o homem pecador.
Chama-se sacramento do perdão, porque pelo sacerdote absolvição sacramental Deus concede ao penitente \"perdão e paz\" (Ordo paenitantiae 46 fórmula de absolvição).
Chama-se sacramento da reconciliação, porque dá ao pecador o amor de Deus que reconcilia: \"Reconciliai-vos com Deus\" (2 Coríntios 5:20). Quem vive do amor misericordioso de Deus está pronto a responder ao chamamento do Senhor: \"Vai, reconcilia-te primeiro com o teu irmão\" (Mt 5,24).
A conversão a Cristo, o novo nascimento do Batismo, o dom do Espírito Santo e o Corpo e o Sangue de Cristo recebidos como alimento nos tornaram “santos e sem mácula”, assim como a própria Igreja, a Esposa de Cristo, é “santa e sem mácula”. (Ef 1:4; 5:27). No entanto, a vida nova recebida na iniciação cristã não aboliu a fragilidade e fraqueza da natureza humana, nem a inclinação para o pecado que a tradição chama de concupiscência, que permanece nos batizados para que, com a ajuda da graça de Cristo, possam provar-se no luta da vida cristã (cf. Concílio de Trento, DS 1545; Lumen Gentium 40). Esta é a luta de conversão rumo à santidade e à vida eterna, à qual o Senhor não cessa de nos chamar.
Jesus chama à conversão. Este chamado é parte essencial da proclamação do reino: \"Completou-se o tempo e o Reino de Deus está próximo; fazei penitência e crede no Evangelho\" (Mc 1,15). O batismo é o lugar principal da primeira e fundamental conversão, mas depois continua a ressoar na vida dos cristãos a chamada de Cristo à conversão. Esta segunda conversão é uma tarefa ininterrupta para toda a Igreja que, \"apertando os pecadores em seu seio, (é) ao mesmo tempo santa e sempre necessitada de purificação, (e) segue constantemente o caminho da penitência e da renovação\" (Lumen Gentium 8). Este esforço de conversão não é apenas uma obra humana. É o movimento de um \"coração contrito\", atraído e movido pela graça para responder ao amor misericordioso de Deus que nos amou primeiro (Sl 51,17; Jo 6,44; 12,32; 1 Jo 4,10 ). Santo Ambrósio diz das duas conversões que, na Igreja, \"há água e lágrimas: a água do batismo e as lágrimas do arrependimento\" (epístola 41).
",
- "where_to_find": "Os horários das confissões estão listados no boletim da paróquia local e você pode encontrá-los on-line no site da paróquia ou em masstimes.org. Você também pode agendar uma confissão a qualquer momento, entrando em contato a sua paróquia local.",
"about_confession_end": "Quando você vai para a confissão, normalmente, você terá a opção de ajoelhar-se anonimamente atrás de uma tela ou sentar-se cara a cara com o seu confessor. Não fique nervoso para ir à confissão! Seja o que for que você confesse, o seu padre já o ouviu antes. Lembre-se, ele está lá para ajudá-lo.",
+ "about_confession_intro": "A confissão é o santo sacramento pelo qual os católicos obtêm perdão a partir da misericórdia de Deus pelos seus pecados, e são assim reconciliados com a Igreja, a comunidade dos crentes, o Corpo de Cristo.",
+ "about_confessit": "Sobre o ConfessIt",
+ "about_confessit_text": "ConfessIt é um exame de consciência Católico Romano para computadores, tablets e telefones. Ele foi projetado para ser simples e fácil de usar e pode ajudá-lo a se lembrar de seus pecados quando se for confessar. Há também um passo a passo da confissão que informa exatamente o que o padre dirá e como você deve responder - um ótimo recurso se você não se confessa há algum tempo! O exame de consciência é baseado nos ensinamentos fundamentais da Igreja Católica, é fácil de entender e é relevante para os católicos modernos.",
+ "about_the_developer": "Sobre o programador",
"about_this_app": "Sobre este aplicativo",
- "this_app_is_designed": "Este aplicativo é projetado para ajudar os Católicos Romanos a se prepararem para o Sacramento da Confissão, examinando a sua consciência. NÃO é um substituto para a confissão.",
- "please_be_respectful": "Respeite as pessoas ao seu redor ao usar este aplicativo. Eu recomendo que você desligue o telefone quando estiver dentro da sua Igreja e use este aplicativo antes de chegar. Caso você usar este aplicativo dentro da sua igreja ou durante a confissão, certifique-se de que o seu telefone esteja no modo silencioso.",
- "this_website": "Este site, ConfessIt.app, é baseado no ConfessIt Android App (criado em 2012 pelo mesmo desenvolvedor). Embora não seja (ainda) uma reprodução completa, o objetivo é disponibilizar o aplicativo para uma ampla gama de usuários em uma ampla gama de dispositivos. (Este site funciona em iOS, Android, tablets e computadores!)",
+ "can_i_help_with_translations": "Posso ajudar com as traduções?",
+ "can_i_help_write_code": "Posso ajudar a escrever o código?",
+ "ccc_quote": "
Chama-se sacramento da conversão porque torna sacramentalmente presente o chamamento de Jesus à conversão, o primeiro passo para voltar ao Pai (cf. Mc 1,15; Lc 15,18), do qual se afastou pelo pecado.
Chama-se sacramento da Penitência, porque consagra as etapas pessoais e eclesiais de conversão, penitência e satisfação do pecador cristão.
Chama-se sacramento da confissão, porque a revelação ou confissão de pecados a um padre é um elemento essencial deste sacramento. Em um sentido profundo, é também uma \"confissão\" - reconhecimento e louvor - da santidade de Deus e da sua misericórdia para com o homem pecador.
Chama-se sacramento do perdão, porque pelo sacerdote absolvição sacramental Deus concede ao penitente \"perdão e paz\" (Ordo paenitantiae 46 fórmula de absolvição).
Chama-se sacramento da reconciliação, porque dá ao pecador o amor de Deus que reconcilia: \"Reconciliai-vos com Deus\" (2 Coríntios 5:20). Quem vive do amor misericordioso de Deus está pronto a responder ao chamamento do Senhor: \"Vai, reconcilia-te primeiro com o teu irmão\" (Mt 5,24).
A conversão a Cristo, o novo nascimento do Batismo, o dom do Espírito Santo e o Corpo e o Sangue de Cristo recebidos como alimento nos tornaram “santos e sem mácula”, assim como a própria Igreja, a Esposa de Cristo, é “santa e sem mácula”. (Ef 1:4; 5:27). No entanto, a vida nova recebida na iniciação cristã não aboliu a fragilidade e fraqueza da natureza humana, nem a inclinação para o pecado que a tradição chama de concupiscência, que permanece nos batizados para que, com a ajuda da graça de Cristo, possam provar-se no luta da vida cristã (cf. Concílio de Trento, DS 1545; Lumen Gentium 40). Esta é a luta de conversão rumo à santidade e à vida eterna, à qual o Senhor não cessa de nos chamar.
Jesus chama à conversão. Este chamado é parte essencial da proclamação do reino: \"Completou-se o tempo e o Reino de Deus está próximo; fazei penitência e crede no Evangelho\" (Mc 1,15). O batismo é o lugar principal da primeira e fundamental conversão, mas depois continua a ressoar na vida dos cristãos a chamada de Cristo à conversão. Esta segunda conversão é uma tarefa ininterrupta para toda a Igreja que, \"apertando os pecadores em seu seio, (é) ao mesmo tempo santa e sempre necessitada de purificação, (e) segue constantemente o caminho da penitência e da renovação\" (Lumen Gentium 8). Este esforço de conversão não é apenas uma obra humana. É o movimento de um \"coração contrito\", atraído e movido pela graça para responder ao amor misericordioso de Deus que nos amou primeiro (Sl 51,17; Jo 6,44; 12,32; 1 Jo 4,10 ). Santo Ambrósio diz das duas conversões que, na Igreja, \"há água e lágrimas: a água do batismo e as lágrimas do arrependimento\" (epístola 41).
",
+ "confessit_is_open_source": "ConfessIt é open source. Desenvolvemos o aplicativo no GitHub e colaboramos na comunidade Open Source Catholic no Slack.",
+ "confessit_is_translated": "ConfessIt é traduzido em vários idiomas. Caso você queira ajudar com esse esforço adicionando uma nova tradução ou melhorando uma tradução existente, leia sobre como fazê-lo no GitHub ou entre em contato conosco na comunidade Open Source Catholic no Slack.",
"if_you_find": "Caso achar que esta aplicação é útil, por favor considere partilhá-la com os seus amigos e familiares. Conte às pessoas sobre isso no Facebook, Reddit, Twitter, na sua Igreja ou no seu grupo de estudo da Bíblia para ajudar a espalhar a palavra!",
- "privacy": "Privacidade",
+ "information": "As citações da Bíblia neste aplicativo vêm da Bíblia Ave Maria. Informações do Catecismo da Igreja Católica também foram usadas.",
"information_you_enter": "As informações inseridas neste aplicativo são armazenadas apenas no seu dispositivo. Não é enviado pela internet. Podemos fazer isso usando uma tecnologia fornecida pelo seu navegador da Web chamada armazenamento local. Não executamos o Google Analytics ou qualquer outro mecanismo de coleta de dados neste site. Os dados introduzidos serão guardados no seu dispositivo até clicar em Limpar, mesmo que feche a janela ou atualize a página.",
+ "mike_kasberg": "Mike Kasberg desenvolve ConfessIt em seu tempo livre, como uma forma de retribuir à Igreja. Ele também está envolvido em alguns outros pequenos projetos para apoiar organizações Católicas com tecnologia.",
"open_source": "Código aberto",
- "confessit_is_open_source": "ConfessIt é open source. Desenvolvemos o aplicativo no GitHub e colaboramos na comunidade Open Source Catholic no Slack.",
- "can_i_help_with_translations": "Posso ajudar com as traduções?",
- "confessit_is_translated": "ConfessIt é traduzido em vários idiomas. Caso você queira ajudar com esse esforço adicionando uma nova tradução ou melhorando uma tradução existente, leia sobre como fazê-lo no GitHub ou entre em contato conosco na comunidade Open Source Catholic no Slack.",
- "can_i_help_write_code": "Posso ajudar a escrever o código?",
+ "please_be_respectful": "Respeite as pessoas ao seu redor ao usar este aplicativo. Eu recomendo que você desligue o telefone quando estiver dentro da sua Igreja e use este aplicativo antes de chegar. Caso você usar este aplicativo dentro da sua igreja ou durante a confissão, certifique-se de que o seu telefone esteja no modo silencioso.",
+ "privacy": "Privacidade",
+ "this_app_is_designed": "Este aplicativo é projetado para ajudar os Católicos Romanos a se prepararem para o Sacramento da Confissão, examinando a sua consciência. NÃO é um substituto para a confissão.",
+ "this_website": "Este site, ConfessIt.app, é baseado no ConfessIt Android App (criado em 2012 pelo mesmo desenvolvedor). Embora não seja (ainda) uma reprodução completa, o objetivo é disponibilizar o aplicativo para uma ampla gama de usuários em uma ampla gama de dispositivos. (Este site funciona em iOS, Android, tablets e computadores!)",
"we_welcome_new_contributions": "Nós agradecemos novas contribuições. Caso você gostaria contribuir para o ConfessIt, a melhor maneira de começar é lendo sobre como fazê-lo no GitHub.",
- "about_the_developer": "Sobre o programador",
- "mike_kasberg": "Mike Kasberg desenvolve ConfessIt em seu tempo livre, como uma forma de retribuir à Igreja. Ele também está envolvido em alguns outros pequenos projetos para apoiar organizações Católicas com tecnologia.",
- "information": "As citações da Bíblia neste aplicativo vêm da Bíblia Ave Maria. Informações do Catecismo da Igreja Católica também foram usadas."
+ "where_to_find": "Os horários das confissões estão listados no boletim da paróquia local e você pode encontrá-los on-line no site da paróquia ou em masstimes.org. Você também pode agendar uma confissão a qualquer momento, entrando em contato a sua paróquia local."
},
- "help": {
- "confessit_help": "ConfessIt Ajuda",
- "basic_usage": "Utilização Básica",
- "step_1": "Na guia Examinar, marque Sim ao lado de todos os pecados que deseja relembrar para confessar.",
- "step_2": "Deslize para a próxima aba, Revisar, para ver uma lista de pecados que você marcou. Você pode rever esta lista antes ou durante a confissão, se desejar.",
- "step_3": "Caso você não tiver certeza do que dizer na confissão, deslize para a próxima guia, Passo a passo, para ver aproximadamente o que você e o padre dirão um ao outro na confissão. Você pode rever isso durante a confissão, se desejar.",
- "step_4": "Depois de se confessar, use o botão Limpar para limpar todos os pecados que você marcou.",
- "data_persistence": "Persistência de Dados",
- "data_persistence_text": "Os dados inseridos são armazenados no seu dispositivo (nunca enviados pela Internet). Os dados introduzidos serão guardados até clicar em Limpar, mesmo que feche a janela ou atualize a página. Certifique-se de limpar os seus dados quando terminar, se não quiser que outras pessoas que usam este dispositivo vejam os seus dados!"
- },
- "welcome": {
- "title": "Bem vindo!",
- "body": " é uma ferramenta para ajudar os Católicos Romanos a passarem por um exame de consciência antes de se confessarem. Esperamos que você ache isso útil para ajudá-lo a se lembrar dos pecados que cometeu desde sua última confissão. Basta marcar a caixa Sim ao lado dos pecados na lista da aba Examinar ou tocar no botão + no canto inferior direito do aplicativo para adicionar o seu próprio . Em seguida, deslize para a direita para Revisar seus pecados e para a aba Passo a passo que há os passos para ir se confessar.
Os dados inseridos são armazenados no seu dispositivo (nunca enviados pela Internet). Os dados inseridos estarão salvos até que você pressione Limpar nas configurações do aplicativo, mesmo que feche a janela ou atualize a página.
Deus o abençoe em seu caminho para a santidade!"
+ "addbutton": {
+ "add": "Adicionar",
+ "add-custom-sin": "Adicionar pecado personalizado",
+ "cancel": "Cancelar",
+ "i-sinned-by": "Eu pequei por…"
},
"commandments": {
"1": {
- "title": "Primeiro Mandamento",
+ "description": "Eu sou o Senhor, teu Deus, que te fez sair do Egito, da casa da servidão. Não terás outros deuses diante de minha face. Não farás para ti escultura, nem figura alguma do que está em cima, nos céus, ou embaixo, sobre a terra, ou nas águas, debaixo da terra. Não te prostrarás diante delas e não lhes prestarás culto. Eu sou o Senhor, teu Deus, um Deus zeloso que vingo a iniquidade dos pais nos filhos, nos netos e nos bisnetos daqueles que me odeiam, mas uso de misericórdia até a milésima geração com aqueles que me amam e guardam os meus mandamentos. (Ex 20:2-6) The capital sins of pride and gluttony are often considered to break this commandment.",
"text": "Não terás outros deuses diante de minha face. (Ex 20:3)",
- "description": "Eu sou o Senhor, teu Deus, que te fez sair do Egito, da casa da servidão. Não terás outros deuses diante de minha face. Não farás para ti escultura, nem figura alguma do que está em cima, nos céus, ou embaixo, sobre a terra, ou nas águas, debaixo da terra. Não te prostrarás diante delas e não lhes prestarás culto. Eu sou o Senhor, teu Deus, um Deus zeloso que vingo a iniquidade dos pais nos filhos, nos netos e nos bisnetos daqueles que me odeiam, mas uso de misericórdia até a milésima geração com aqueles que me amam e guardam os meus mandamentos. (Ex 20:2-6) The capital sins of pride and gluttony are often considered to break this commandment."
+ "title": "Primeiro Mandamento"
},
"2": {
- "title": "Segundo Mandamento",
+ "description": "Não pronunciarás o nome do Senhor, teu Deus, em prova de falsidade, porque o Senhor não deixa impune aquele que pronuncia o seu nome em favor do erro. (Ex 20:7)",
"text": "Não pronunciarás o nome do Senhor, teu Deus, em vão. (Ex 20:7)",
- "description": "Não pronunciarás o nome do Senhor, teu Deus, em prova de falsidade, porque o Senhor não deixa impune aquele que pronuncia o seu nome em favor do erro. (Ex 20:7)"
+ "title": "Segundo Mandamento"
},
"3": {
- "title": "Terceiro Mandamento",
+ "description": "Lembra-te de santificar o dia de sábado. Trabalharás durante seis dias, e farás toda a tua obra. Mas no sétimo dia, que é um repouso em honra do Senhor, teu Deus, não farás trabalho algum, nem tu, nem teu filho, nem tua filha, nem teu servo, nem tua serva, nem teu animal, nem o estrangeiro que está dentro de teus muros. Porque em seis dias o Senhor fez o céu, a terra, o mar e tudo que neles há, e repousou no sétimo dia; e, por isso, o Senhor abençoou o dia de sábado e o consagrou. (Ex 20:8-11)",
"text": "Lembra-te de santificar o dia de sábado. (Ex 20:8)",
- "description": "Lembra-te de santificar o dia de sábado. Trabalharás durante seis dias, e farás toda a tua obra. Mas no sétimo dia, que é um repouso em honra do Senhor, teu Deus, não farás trabalho algum, nem tu, nem teu filho, nem tua filha, nem teu servo, nem tua serva, nem teu animal, nem o estrangeiro que está dentro de teus muros. Porque em seis dias o Senhor fez o céu, a terra, o mar e tudo que neles há, e repousou no sétimo dia; e, por isso, o Senhor abençoou o dia de sábado e o consagrou. (Ex 20:8-11)"
+ "title": "Terceiro Mandamento"
},
"4": {
- "title": "Quarto Mandamento",
+ "description": "Honra teu pai e tua mãe, para que teus dias se prolonguem sobre a terra que te dá o Senhor, teu Deus. (Ex 20:12)",
"text": "Honra teu pai e tua mãe. (Ex 20:12)",
- "description": "Honra teu pai e tua mãe, para que teus dias se prolonguem sobre a terra que te dá o Senhor, teu Deus. (Ex 20:12)"
+ "title": "Quarto Mandamento"
},
"5": {
- "title": "Quinto Mandamento",
+ "description": "Não matarás. (Êx 20:13) O pecado capital da ira é muitas vezes associado a este mandamento.",
"text": "Não matarás. (Ex 20:13)",
- "description": "Não matarás. (Êx 20:13) O pecado capital da ira é muitas vezes associado a este mandamento."
+ "title": "Quinto Mandamento"
},
"6": {
- "title": "Sexto Mandamento",
+ "description": "Não cometerás adultério. (Êx 20:14) O pecado capital da luxúria quebra este mandamento.",
"text": "Não cometerás adultério. (Ex 20:14)",
- "description": "Não cometerás adultério. (Êx 20:14) O pecado capital da luxúria quebra este mandamento."
+ "title": "Sexto Mandamento"
},
"7": {
- "title": "Sétimo Mandamento",
+ "description": "Não roubarás. (Êx 20:15) Os pecados capitais da ganância e da preguiça são frequentemente considerados a quebrar esse mandamento.",
"text": "Não roubarás. (Êx 20:15)",
- "description": "Não roubarás. (Êx 20:15) Os pecados capitais da ganância e da preguiça são frequentemente considerados a quebrar esse mandamento."
+ "title": "Sétimo Mandamento"
},
"8": {
- "title": "Oitavo Mandamento",
+ "description": "Não dirás falso testemunho contra o teu próximo. (Êx 20:16)",
"text": "Não levantarás falso testemunho contra teu próximo. (Ex 20:16)",
- "description": "Não dirás falso testemunho contra o teu próximo. (Êx 20:16)"
+ "title": "Oitavo Mandamento"
},
"9": {
- "title": "Nono Mandamento",
+ "description": "Não cobiçarás a mulher do teu próximo. (Êx 20:17) O pecado capital do ciúme pode quebrar este mandamento.",
"text": "Não cobiçarás a mulher do teu próximo. (Êx 20:17)",
- "description": "Não cobiçarás a mulher do teu próximo. (Êx 20:17) O pecado capital do ciúme pode quebrar este mandamento."
+ "title": "Nono Mandamento"
},
"10": {
- "title": "Décimo Mandamento",
+ "description": "Não cobiçarás a casa do teu próximo, nem o seu servo, nem a sua serva, nem o seu boi, nem o seu jumento, nem coisa alguma que pertença ao teu próximo. (Êx 20:17) O pecado capital do ciúme pode quebrar este mandamento.",
"text": "Não cobiçarás os bens do teu próximo. (Êx 20:17)",
- "description": "Não cobiçarás a casa do teu próximo, nem o seu servo, nem a sua serva, nem o seu boi, nem o seu jumento, nem coisa alguma que pertença ao teu próximo. (Êx 20:17) O pecado capital do ciúme pode quebrar este mandamento."
+ "title": "Décimo Mandamento"
},
"11": {
- "title": "Preceitos da Igreja",
+ "description": "Os preceitos da Igreja inserem-se no contexto de uma vida moral ligada e alimentada pela vida litúrgica. O caráter obrigatório dessas leis positivas decretadas pelas autoridades pastorais tem o objetivo de garantir aos fiéis o mínimo necessário no espírito de oração e esforço moral, no crescimento no amor a Deus e ao próximo (CIC 2041).",
"text": "Os preceitos da Igreja Católica são os requisitos mínimos que todos os católicos devem cumprir.",
- "description": "Os preceitos da Igreja inserem-se no contexto de uma vida moral ligada e alimentada pela vida litúrgica. O caráter obrigatório dessas leis positivas decretadas pelas autoridades pastorais tem o objetivo de garantir aos fiéis o mínimo necessário no espírito de oração e esforço moral, no crescimento no amor a Deus e ao próximo (CIC 2041)."
+ "title": "Preceitos da Igreja"
}
},
+ "examine_list": {
+ "examine": "Examinar"
+ },
+ "examineitem": {
+ "yes": "Sim"
+ },
+ "help": {
+ "basic_usage": "Utilização Básica",
+ "confessit_help": "ConfessIt Ajuda",
+ "data_persistence": "Persistência de Dados",
+ "data_persistence_text": "Os dados inseridos são armazenados no seu dispositivo (nunca enviados pela Internet). Os dados introduzidos serão guardados até clicar em Limpar, mesmo que feche a janela ou atualize a página. Certifique-se de limpar os seus dados quando terminar, se não quiser que outras pessoas que usam este dispositivo vejam os seus dados!",
+ "step_1": "Na guia Examinar, marque Sim ao lado de todos os pecados que deseja relembrar para confessar.",
+ "step_2": "Deslize para a próxima aba, Revisar, para ver uma lista de pecados que você marcou. Você pode rever esta lista antes ou durante a confissão, se desejar.",
+ "step_3": "Caso você não tiver certeza do que dizer na confissão, deslize para a próxima guia, Passo a passo, para ver aproximadamente o que você e o padre dirão um ao outro na confissão. Você pode rever isso durante a confissão, se desejar.",
+ "step_4": "Depois de se confessar, use o botão Limpar para limpar todos os pecados que você marcou."
+ },
+ "navbar": {
+ "about": "Sobre",
+ "clear": "Limpar",
+ "help": "Ajuda",
+ "prayers": "Orações"
+ },
+ "prayers": {
+ "act_of_contrition": "Ato de Contrição",
+ "act_of_contrition_text": "Meu Deus, sinto muito pelos meus pecados de todo o coração. Ao escolher fazer o mal e deixar de fazer o bem, pequei contra Ti, a quem devo amar acima de todas as coisas. Eu tenciono firmemente, com a Tua ajuda, fazer penitência, não pecar mais e evitar tudo o que me leva ao pecado. Jesus Cristo sofreu e morreu por nós. Em Seu nome, meu Deus, tenha misericórdia.",
+ "another_act_of_contrition": "Outro Ato de Contrição",
+ "another_act_of_contrition_text": "Ó meu Deus, lamento profundamente por ter Vos ofendido, e detesto todos os meus pecados, porque temo a perda do céu e as dores do inferno; mas acima de tudo porque eles Vos ofendem, meu Deus, que são todos bons e merecedores do meu amor. Resolvo firmemente, com a ajuda da Tua graça, confessar os meus pecados, fazer penitência e mudar a minha vida. Amém.",
+ "hail_holy_queen": "Salve Rainha",
+ "hail_holy_queen_text": "Salve Rainha, Mãe de Misericórdia! Vida, doçura nossa e esperança nossa, salve! A vós bradamos, os degredados filhos de Eva. A vós suspiramos, gemendo e chorando neste vale de Lágrimas. Eia, pois, advogada nossa, esses vossos olhos misericordiosos a nós volvei; E depois deste desterro mostrai-nos Jesus, bendito fruto do vosso ventre. Ó clemente, ó piedosa, ó doce sempre Virgem Maria. Rogai por nós, Santa Mãe de Deus, para que sejamos dignos das promessas de Cristo. Amém.",
+ "hail_mary": "Ave-Maria",
+ "hail_mary_text": "Ave Maria, cheia de graça. O Senhor é convosco. Bendita sois vós entre as mulheres, e bendito é o fruto do vosso ventre, Jesus. Santa Maria, Mãe de Deus, rogai por nós pecadores, agora e na hora da nossa morte. Amém.",
+ "our_father": "Pai-Nosso",
+ "our_father_text": "Pai nosso, que estais no céu, santificado seja o Vosso nome; Venha a nós o Vosso reino. Seja feita a Vossa vontade, assim na terra como no céu. O pão nosso de cada dia nos dai hoje, perdoai as nossas ofensas, assim como nós perdoamos a quem nos tem ofendido; e não nos deixeis cair em tentação, mas livrai-nos do mal. Amén.",
+ "prayer_before_confession": "Oração antes da confissão",
+ "prayer_before_confession_text": "Meu Senhor e Deus, eu pequei. Sou culpado diante de ti. Dai-me forças para dizer ao Teu ministro o que Te digo no segredo do meu coração. Aumente o meu arrependimento. Torná-lo mais genuíno. Que seja realmente uma tristeza por ter ofendido a Ti e ao meu próximo, em vez de um amor ferido por mim mesmo. Ajuda-me a reparar meu pecado. Que os sofrimentos da minha vida e as minhas pequenas mortificações se unam aos sofrimentos de Jesus, Vosso Filho, e cooperem para erradicar o pecado do mundo. Amém.",
+ "prayers": "Orações",
+ "thanksgiving_after_confession": "Ação de Graças após a Confissão",
+ "thanksgiving_after_confession_text": "Meu querido Jesus, Contei todos os meus pecados o melhor que pude. Eu tentei arduamente fazer uma boa confissão. Tenho certeza de que Tu me perdoaste. Eu agradeço. É somente por causa de todos os Teus sofrimentos que posso me confessar e me libertar dos meus pecados. Seu coração está cheio de amor e misericórdia pelos pobres pecadores. Eu Te amo porque Tu és tão bom para mim. Meu amado Salvador, Eu tentarei me livrar do pecado e te amar mais a cada dia. Minha querida Mãe Maria, ore por mim e ajude-me a cumprir minhas promessas. Proteja-me e não me deixe cair no pecado."
+ },
+ "priestbubble": {
+ "priest": "Padre"
+ },
"sins": {
"1": {
+ "detail": "Obedecer na fé é submeter-se livremente à palavra ouvida, porque a sua verdade é garantida por Deus, que é a própria Verdade (CIC 144). É importante acreditar em todos os ensinamentos da Igreja.",
"text": "Recusei-me a acreditar nos ensinamentos da Igreja Católica?",
- "text_past": "Eu recusei a acreditar nos ensinamentos da Igreja Católica.",
- "detail": "Obedecer na fé é submeter-se livremente à palavra ouvida, porque a sua verdade é garantida por Deus, que é a própria Verdade (CIC 144). É importante acreditar em todos os ensinamentos da Igreja."
+ "text_past": "Eu recusei a acreditar nos ensinamentos da Igreja Católica."
},
"2": {
+ "detail": "O primeiro mandamento proíbe honrar outros deuses além do único Senhor que se revelou ao seu povo (CIC 2110). É errado praticar uma religião diferente do catolicismo porque enfraquece nosso relacionamento com nosso Senhor.",
"text": "Pratiquei alguma religião além do catolicismo?",
- "text_past": "Pratiquei uma religião além do catolicismo.",
- "detail": "O primeiro mandamento proíbe honrar outros deuses além do único Senhor que se revelou ao seu povo (CIC 2110). É errado praticar uma religião diferente do catolicismo porque enfraquece nosso relacionamento com nosso Senhor."
+ "text_past": "Pratiquei uma religião além do catolicismo."
},
"3": {
+ "detail": "Presumir a misericórdia de Deus é esperar obter perdão sem conversão e glória sem mérito (CIC 2092). É errado fazer algo imoral porque você espera que Deus o perdoe.",
"text": "Presumi a misericórdia de Deus?",
- "text_past": "Eu presumi a misericórdia de Deus.",
- "detail": "Presumir a misericórdia de Deus é esperar obter perdão sem conversão e glória sem mérito (CIC 2092). É errado fazer algo imoral porque você espera que Deus o perdoe."
+ "text_past": "Eu presumi a misericórdia de Deus."
},
"4": {
+ "detail": "Adorar a Deus, rezar a Ele, oferecer-Lhe o culto que Lhe pertence, cumprir as promessas e os votos que Lhe são feitos são atos da virtude da religião que se submetem à obediência ao primeiro mandamento (CIC 2135). A oração é importante porque sem oração não podemos ter um relacionamento com Deus.",
"text": "Como é a minha vida de oração? Eu preciso rezar com mais frequência?",
- "text_past": "Tenho que rezar mais vezes.",
- "detail": "Adorar a Deus, rezar a Ele, oferecer-Lhe o culto que Lhe pertence, cumprir as promessas e os votos que Lhe são feitos são atos da virtude da religião que se submetem à obediência ao primeiro mandamento (CIC 2135). A oração é importante porque sem oração não podemos ter um relacionamento com Deus."
+ "text_past": "Tenho que rezar mais vezes."
},
"5": {
+ "detail": "",
"text": "Nossa cultura muitas vezes entra em conflito com os ideais católicos. Será que deixei de defender os valores morais católicos?",
- "text_past": "Falhei em defender os valores morais católicos.",
- "detail": ""
+ "text_past": "Falhei em defender os valores morais católicos."
},
"6": {
+ "detail": "",
"text": "Eu usei linguagem suja?",
- "text_past": "Eu usei linguagem suja.",
- "detail": ""
+ "text_past": "Eu usei linguagem suja."
},
"7": {
+ "detail": "O segundo mandamento proíbe todo uso impróprio do nome de Deus. Blasfêmia é o uso do nome de Deus, de Jesus Cristo, da Virgem Maria e dos santos de maneira ofensiva (CIC 2162).",
"text": "Eu falei nome de Deus em vão?",
- "text_past": "Eu falei o nome de Deus em vão.",
- "detail": "O segundo mandamento proíbe todo uso impróprio do nome de Deus. Blasfêmia é o uso do nome de Deus, de Jesus Cristo, da Virgem Maria e dos santos de maneira ofensiva (CIC 2162)."
+ "text_past": "Eu falei o nome de Deus em vão."
},
"8": {
+ "detail": "O respeito pelo Teu nome é expressão do respeito devido ao mistério do próprio Deus e a toda a realidade sagrada que ele evoca (CIC 2144).",
"text": "Eu insultei Deus?",
- "text_past": "Eu insultei Deus.",
- "detail": "O respeito pelo Teu nome é expressão do respeito devido ao mistério do próprio Deus e a toda a realidade sagrada que ele evoca (CIC 2144)."
+ "text_past": "Eu insultei Deus."
},
"9": {
+ "detail": "O primeiro preceito da Igreja Católica é: “Assistireis à Missa aos domingos e dias santos de festa e descanso do trabalho servil” (CIC 2042). Como católicos, esperamos celebrar a Eucaristia todos os domingos. É um pecado faltar a missa porque enfraquece nosso relacionamento com Deus.",
"text": "Faltei à Santa Missa no domingo?",
- "text_past": "Eu faltei à Santa Missa no domingo.",
- "detail": "O primeiro preceito da Igreja Católica é: “Assistireis à Missa aos domingos e dias santos de festa e descanso do trabalho servil” (CIC 2042). Como católicos, esperamos celebrar a Eucaristia todos os domingos. É um pecado faltar a missa porque enfraquece nosso relacionamento com Deus."
+ "text_past": "Eu faltei à Santa Missa no domingo."
},
"10": {
+ "detail": "O primeiro preceito da Igreja Católica é: “Assistireis à Missa aos domingos e dias santos de obrigação e descanso do trabalho servil” (CIC 2042). Como católicos, esperamos celebrar a Eucaristia nos dias santos de obrigação. É um pecado faltar à Missa porque enfraquece nosso relacionamento com Deus.",
"text": "Faltei à Missa em um dia de festa?",
- "text_past": "Faltei à missa num dia sagrado de festa.",
- "detail": "O primeiro preceito da Igreja Católica é: “Assistireis à Missa aos domingos e dias santos de obrigação e descanso do trabalho servil” (CIC 2042). Como católicos, esperamos celebrar a Eucaristia nos dias santos de obrigação. É um pecado faltar à Missa porque enfraquece nosso relacionamento com Deus."
+ "text_past": "Faltei à missa num dia sagrado de festa."
},
"11": {
+ "detail": "Vir cedo à Igreja, aproximar-se do Senhor e confessar os próprios pecados, arrepender-se deles na oração [...], assistir à Santa e divina liturgia, acabar a sua oração e não sair antes da despedida [...] (CIC 2178). Muitas vezes o temos dito: este dia é-vos dado para a oração e o descanso. É o dia que o Senhor fez: nele exultemos e cantemos de alegria.",
"text": "Cheguei atrasado à missa ou saí mais cedo?",
- "text_past": "Cheguei à missa atrasado ou saí mais cedo.",
- "detail": "Vir cedo à Igreja, aproximar-se do Senhor e confessar os próprios pecados, arrepender-se deles na oração [...], assistir à Santa e divina liturgia, acabar a sua oração e não sair antes da despedida [...] (CIC 2178). Muitas vezes o temos dito: este dia é-vos dado para a oração e o descanso. É o dia que o Senhor fez: nele exultemos e cantemos de alegria."
+ "text_past": "Cheguei à missa atrasado ou saí mais cedo."
},
"12": {
+ "detail": "",
"text": "Eu desobedeci meus pais?",
- "text_past": "Eu desobedeci meus pais.",
- "detail": ""
+ "text_past": "Eu desobedeci meus pais."
},
"13": {
+ "detail": "",
"text": "Deixei de criar os meus filhos na fé Católica?",
- "text_past": "Deixei de criar os meus filhos na fé Católica.",
- "detail": ""
+ "text_past": "Deixei de criar os meus filhos na fé Católica."
},
"14": {
+ "detail": "",
"text": "Deixei de cuidar dos meus parentes idosos?",
- "text_past": "Deixei de cuidar dos meus parentes idosos.",
- "detail": ""
+ "text_past": "Deixei de cuidar dos meus parentes idosos."
},
"15": {
+ "detail": "",
"text": "Negligenciei a minha família?",
- "text_past": "Negligenciei a minha família.",
- "detail": ""
+ "text_past": "Negligenciei a minha família."
},
"16": {
+ "detail": "",
"text": "Eu desobedeci algum adulto responsável?",
- "text_past": "Desobedeci a um adulto responsável.",
- "detail": ""
+ "text_past": "Desobedeci a um adulto responsável."
},
"17": {
+ "detail": "",
"text": "Deixei de ensinar aos meus filhos sobre a sexualidade humana deles?",
- "text_past": "Falhei em ensinar meus filhos sobre a sexualidade humana deles.",
- "detail": ""
+ "text_past": "Falhei em ensinar meus filhos sobre a sexualidade humana deles."
},
"18": {
+ "detail": "",
"text": "Quebrei uma lei justa?",
- "text_past": "Quebrei uma lei justa.",
- "detail": ""
+ "text_past": "Quebrei uma lei justa."
},
"19": {
+ "detail": "",
"text": "Machuquei alguém fisicamente?",
- "text_past": "Eu machuquei alguém fisicamente.",
- "detail": ""
+ "text_past": "Eu machuquei alguém fisicamente."
},
"20": {
+ "detail": "",
"text": "Fiz um aborto? Participei de um aborto?",
- "text_past": "Eu fiz ou participei de um aborto.",
- "detail": ""
+ "text_past": "Eu fiz ou participei de um aborto."
},
"21": {
+ "detail": "\"Qualquer acção que, quer em previsão do acto conjugal, quer durante a sua realização, quer no desenrolar das suas consequências naturais, se proponha, como fim ou como meio, tornar impossível a procriação é intrinsecamente má\" (CIC 2370). \"A regulação dos nascimentos representa um dos aspectos da paternidade e da maternidade responsáveis. A legitimidade das intenções dos esposos não justifica o recurso a meios moralmente inadmissíveis\" (por exemplo, a esterilização directa ou a contracepção). Contracepção Artificial é errado porque torna um belo Ato de Amor em algo egoísta.",
"text": "Eu usei anticoncepcionais artificiais?",
- "text_past": "Usei anticoncepcionais artificiais.",
- "detail": "\"Qualquer acção que, quer em previsão do acto conjugal, quer durante a sua realização, quer no desenrolar das suas consequências naturais, se proponha, como fim ou como meio, tornar impossível a procriação é intrinsecamente má\" (CIC 2370). \"A regulação dos nascimentos representa um dos aspectos da paternidade e da maternidade responsáveis. A legitimidade das intenções dos esposos não justifica o recurso a meios moralmente inadmissíveis\" (por exemplo, a esterilização directa ou a contracepção). Contracepção Artificial é errado porque torna um belo Ato de Amor em algo egoísta."
+ "text_past": "Usei anticoncepcionais artificiais."
},
"22": {
+ "detail": "",
"text": "Eu tentei suicídio?",
- "text_past": "Eu tentei suicídio.",
- "detail": ""
+ "text_past": "Eu tentei suicídio."
},
"23": {
+ "detail": "",
"text": "Participei da eutanásia?",
- "text_past": "Participei da eutanásia.",
- "detail": ""
+ "text_past": "Participei da eutanásia."
},
"24": {
+ "detail": "",
"text": "Eu abusei de drogas ou álcool?",
- "text_past": "Eu abusei de drogas ou álcool.",
- "detail": ""
+ "text_past": "Eu abusei de drogas ou álcool."
},
"25": {
+ "detail": "",
"text": "Fiz sexo fora do casamento?",
- "text_past": "Fiz sexo fora do casamento.",
- "detail": ""
+ "text_past": "Fiz sexo fora do casamento."
},
"26": {
+ "detail": "",
"text": "Sou culpado do pecado da luxúria?",
- "text_past": "Eu sou culpado do pecado da luxúria.",
- "detail": ""
+ "text_past": "Eu sou culpado do pecado da luxúria."
},
"27": {
+ "detail": "",
"text": "Eu assisti pornografia?",
- "text_past": "Eu assisti pornografia.",
- "detail": ""
+ "text_past": "Eu assisti pornografia."
},
"28": {
+ "detail": "",
"text": "Agi de acordo com os desejos homossexuais?",
- "text_past": "Agi de acordo com os desejos homossexuais.",
- "detail": ""
+ "text_past": "Agi de acordo com os desejos homossexuais."
},
"29": {
+ "detail": "",
"text": "Deixei de honrar o meu marido ou a minha esposa?",
- "text_past": "Deixei de honrar o meu marido ou a minha esposa.",
- "detail": ""
+ "text_past": "Deixei de honrar o meu marido ou a minha esposa."
},
"30": {
+ "detail": "",
"text": "Eu li literatura erótica?",
- "text_past": "Eu li literatura erótica.",
- "detail": ""
+ "text_past": "Eu li literatura erótica."
},
"31": {
+ "detail": "",
"text": "Envolvi-me em atos sexualmente imorais?",
- "text_past": "Envolvi-me em atos sexualmente imorais.",
- "detail": ""
+ "text_past": "Envolvi-me em atos sexualmente imorais."
},
"32": {
+ "detail": "",
"text": "Eu cedi a beijos excessivamente apaixonados por prazer?",
- "text_past": "Eu cedi a beijos excessivamente apaixonados por prazer.",
- "detail": ""
+ "text_past": "Eu cedi a beijos excessivamente apaixonados por prazer."
},
"33": {
+ "detail": "",
"text": "Roubei alguma coisa? Em caso afirmativo, em que medida?",
- "text_past": "Eu roubei alguma coisa. (Até certo ponto.)",
- "detail": ""
+ "text_past": "Eu roubei alguma coisa. (Até certo ponto.)"
},
"34": {
+ "detail": "",
"text": "Eu pirateei filmes, música ou software?",
- "text_past": "Eu pirateei filmes, música ou software.",
- "detail": ""
+ "text_past": "Eu pirateei filmes, música ou software."
},
"35": {
+ "detail": "",
"text": "Menti ou enganei?",
- "text_past": "Eu menti ou enganei.",
- "detail": ""
+ "text_past": "Eu menti ou enganei."
},
"36": {
+ "detail": "",
"text": "Eu fofoquei sobre os outros?",
- "text_past": "Eu fofoquei sobre os outros.",
- "detail": ""
+ "text_past": "Eu fofoquei sobre os outros."
},
"37": {
+ "detail": "",
"text": "Deixei de jejuar na Quarta-feira de Cinzas e na Sexta-feira Santa?",
- "text_past": "Não consegui jejuar na Quarta-feira de Cinzas ou na Sexta-feira Santa.",
- "detail": ""
+ "text_past": "Não consegui jejuar na Quarta-feira de Cinzas ou na Sexta-feira Santa."
},
"38": {
+ "detail": "",
"text": "Deixei de me abster de carne nas sextas-feiras da Quaresma e da Quarta-feira de Cinzas?",
- "text_past": "Eu não me abstive de carne numa sexta-feira durante a Quaresma ou na quarta-feira de Cinzas.",
- "detail": ""
+ "text_past": "Eu não me abstive de carne numa sexta-feira durante a Quaresma ou na quarta-feira de Cinzas."
},
"39": {
+ "detail": "",
"text": "Deixei de receber a Eucaristia pelo menos uma vez durante a Páscoa?",
- "text_past": "Eu não recebi a Eucaristia pelo menos uma vez durante a Páscoa.",
- "detail": ""
+ "text_past": "Eu não recebi a Eucaristia pelo menos uma vez durante a Páscoa."
},
"40": {
+ "detail": "",
"text": "Deixei de jejuar por uma hora antes de receber a Eucaristia?",
- "text_past": "Eu deixei de jejuar por uma hora antes de receber a Eucaristia.",
- "detail": ""
+ "text_past": "Eu deixei de jejuar por uma hora antes de receber a Eucaristia."
},
"41": {
+ "detail": "",
"text": "Recebi a Eucaristia em estado de pecado mortal?",
- "text_past": "Eu recebi a Eucaristia em estado de pecado mortal.",
- "detail": ""
+ "text_past": "Eu recebi a Eucaristia em estado de pecado mortal."
},
"42": {
+ "detail": "",
"text": "Escondi algo intencionalmente na confissão?",
- "text_past": "Eu intencionalmente escondi algo na confissão.",
- "detail": ""
+ "text_past": "Eu intencionalmente escondi algo na confissão."
},
"43": {
+ "detail": "",
"text": "Eu fiquei muito ocupado para descansar e passar tempo com a minha família no domingo?",
- "text_past": "Eu fiquei muito ocupado para descansar e passar um tempo com a minha família no domingo.",
- "detail": ""
+ "text_past": "Eu fiquei muito ocupado para descansar e passar um tempo com a minha família no domingo."
},
"44": {
+ "detail": "",
"text": "Eu fiquei com ciúmes da esposa/marido ou noiva/noivo de outra pessoa?",
- "text_past": "Eu fiquei com ciúmes da esposa/marido ou noiva/noivo de outra pessoa.",
- "detail": ""
+ "text_past": "Eu fiquei com ciúmes da esposa/marido ou noiva/noivo de outra pessoa."
},
"45": {
+ "detail": "",
"text": "Eu fiquei com ciúmes de algo que pertence a outra pessoa?",
- "text_past": "Eu fiquei com ciúmes de algo que pertence a outra pessoa.",
- "detail": ""
+ "text_past": "Eu fiquei com ciúmes de algo que pertence a outra pessoa."
},
"46": {
+ "detail": "",
"text": "Votei num candidato ou numa política que não defende os meus valores Católicos?",
- "text_past": "Votei num candidato ou numa política que não defende os meus valores Católicos.",
- "detail": ""
+ "text_past": "Votei num candidato ou numa política que não defende os meus valores Católicos."
},
"47": {
+ "detail": "",
"text": "Eu ouvi música ou assisti TV ou um filme que tinha uma má influência sobre mim?",
- "text_past": "Eu ouvi música ou assisti TV ou um filme que teve uma má influência sobre mim.",
- "detail": ""
+ "text_past": "Eu ouvi música ou assisti TV ou um filme que teve uma má influência sobre mim."
},
"48": {
+ "detail": "",
"text": "Fui ganancioso ou falhei em dar generosamente à minha Igreja e aos pobres?",
- "text_past": "Fui ganancioso ou deixei de doar generosamente para minha Igreja ou para os pobres.",
- "detail": ""
+ "text_past": "Fui ganancioso ou deixei de doar generosamente para minha Igreja ou para os pobres."
},
"49": {
+ "detail": "",
"text": "Conscientemente levei outros a pecar?",
- "text_past": "Eu conscientemente levei outros ao pecado.",
- "detail": ""
+ "text_past": "Eu conscientemente levei outros ao pecado."
},
"50": {
+ "detail": "",
"text": "Falhei em fazer de Deus uma prioridade em minha vida?",
- "text_past": "Eu falhei em fazer de Deus uma prioridade em minha vida.",
- "detail": ""
+ "text_past": "Eu falhei em fazer de Deus uma prioridade em minha vida."
},
"51": {
+ "detail": "",
"text": "Agi de forma egoísta?",
- "text_past": "Eu agi de forma egoísta.",
- "detail": ""
+ "text_past": "Eu agi de forma egoísta."
},
"52": {
+ "detail": "",
"text": "Participei de práticas ocultas?",
- "text_past": "Eu participei de práticas ocultas.",
- "detail": ""
+ "text_past": "Eu participei de práticas ocultas."
},
"53": {
+ "detail": "",
"text": "Fui preguiçoso no trabalho ou em casa?",
- "text_past": "Fui preguiçoso no trabalho ou em casa.",
- "detail": ""
+ "text_past": "Fui preguiçoso no trabalho ou em casa."
},
"54": {
+ "detail": "",
"text": "Tenho sido preguiçoso com meus trabalhos escolares?",
- "text_past": "Eu tenho sido preguiçoso com meus trabalhos escolares.",
- "detail": ""
+ "text_past": "Eu tenho sido preguiçoso com meus trabalhos escolares."
},
"55": {
+ "detail": "",
"text": "Fui orgulhoso ou vaidoso?",
- "text_past": "Eu era orgulhoso ou vaidoso.",
- "detail": ""
+ "text_past": "Eu era orgulhoso ou vaidoso."
},
"56": {
+ "detail": "",
"text": "Cometi o pecado da gula?",
- "text_past": "Eu sou culpado de gula.",
- "detail": ""
+ "text_past": "Eu sou culpado de gula."
},
"57": {
+ "detail": "",
"text": "Permiti ser controlado pela raiva?",
- "text_past": "Eu me permiti ser controlado pela raiva.",
- "detail": ""
+ "text_past": "Eu me permiti ser controlado pela raiva."
}
},
- "addbutton": {
- "add-custom-sin": "Adicionar pecado personalizado",
- "i-sinned-by": "Eu pequei por…",
- "cancel": "Cancelar",
- "add": "Adicionar"
+ "sins_list": {
+ "review": "Revisar"
},
- "examineitem": {
- "yes": "Sim"
+ "walkthrough": {
+ "amen": "Amém.",
+ "bless_me_father": "Abençoe-me, Pai, pois pequei. Tem sido ____ desde a minha última confissão, e estes são os meus pecados:",
+ "god_the_father_of_mercies": "Deus, o Pai das misericórdias…",
+ "in_the_name_of": "Em nome do Pai, e do Filho e do Espírito Santo. Amém.",
+ "thanks_be_to_god": "Graças a Deus.",
+ "the_lord_has_freed_you": "O Senhor te libertou do pecado. Vá em paz.",
+ "these_are_my_sins": "Estes são os meus pecados, e lamento por eles de todo o meu coração.",
+ "walkthrough": "Passo a passo",
+ "your_confessor_may_offer": "(Seu confessor pode oferecer-lhe alguns conselhos ou ter uma breve conversa com você.)",
+ "your_confessor_will_assign": "(Seu confessor lhe atribuirá penitência. Agora rezem o Ato de Contrição."
},
- "priestbubble": {
- "priest": "Padre"
+ "welcome": {
+ "body": " é uma ferramenta para ajudar os Católicos Romanos a passarem por um exame de consciência antes de se confessarem. Esperamos que você ache isso útil para ajudá-lo a se lembrar dos pecados que cometeu desde sua última confissão. Basta marcar a caixa Sim ao lado dos pecados na lista da aba Examinar ou tocar no botão + no canto inferior direito do aplicativo para adicionar o seu próprio . Em seguida, deslize para a direita para Revisar seus pecados e para a aba Passo a passo que há os passos para ir se confessar.
Os dados inseridos são armazenados no seu dispositivo (nunca enviados pela Internet). Os dados inseridos estarão salvos até que você pressione Limpar nas configurações do aplicativo, mesmo que feche a janela ou atualize a página.
Deus o abençoe em seu caminho para a santidade!",
+ "title": "Bem vindo!"
}
}