@zodic/shared 0.0.141 → 0.0.143
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/app/services/ConceptService.ts +147 -28
- package/app/workflow/ConceptWorkflow.ts +6 -4
- package/package.json +1 -1
- package/types/scopes/legacy.ts +7 -1
- package/utils/conceptPrompts.ts +341 -78
|
@@ -4,7 +4,7 @@ import 'reflect-metadata';
|
|
|
4
4
|
import { v4 as uuidv4 } from 'uuid';
|
|
5
5
|
import { schema } from '../..';
|
|
6
6
|
import { Concept, ControlNetConfig, Languages } from '../../types';
|
|
7
|
-
import { KVConcept, sizes } from '../../types/scopes/legacy';
|
|
7
|
+
import { KVConcept, sizes, StructuredConceptContent } from '../../types/scopes/legacy';
|
|
8
8
|
import { leonardoInitImages } from '../../utils/initImages';
|
|
9
9
|
import { buildConceptKVKey } from '../../utils/KVKeysBuilders';
|
|
10
10
|
import { AppContext } from '../base/AppContext';
|
|
@@ -29,7 +29,7 @@ export class ConceptService {
|
|
|
29
29
|
const kvFailuresStore = this.context.kvConceptFailuresStore(); // 🔴 Replace with actual KV store
|
|
30
30
|
const kvKeyEN = buildConceptKVKey("en-us", conceptSlug, combinationString);
|
|
31
31
|
const kvKeyPT = buildConceptKVKey("pt-br", conceptSlug, combinationString);
|
|
32
|
-
const failureKey = `failures:${conceptSlug}:${combinationString}`;
|
|
32
|
+
const failureKey = `failures:basic-info:${conceptSlug}:${combinationString}`;
|
|
33
33
|
|
|
34
34
|
// ✅ Check if data already exists
|
|
35
35
|
if (!override) {
|
|
@@ -208,40 +208,159 @@ export class ConceptService {
|
|
|
208
208
|
* Generate additional content for a concept.
|
|
209
209
|
*/
|
|
210
210
|
async generateContent(
|
|
211
|
-
language: Languages,
|
|
212
211
|
conceptSlug: Concept,
|
|
213
|
-
combinationString: string
|
|
212
|
+
combinationString: string,
|
|
213
|
+
override: boolean = false // ✅ New optional override parameter
|
|
214
214
|
): Promise<void> {
|
|
215
|
-
const kvKey = buildConceptKVKey(language, conceptSlug, combinationString);
|
|
216
215
|
console.log(
|
|
217
|
-
|
|
216
|
+
`🚀 Generating content for concept: ${conceptSlug}, combination: ${combinationString}, override: ${override}`
|
|
218
217
|
);
|
|
219
|
-
|
|
220
|
-
const
|
|
221
|
-
|
|
218
|
+
|
|
219
|
+
const kvStore = this.context.kvConceptsStore();
|
|
220
|
+
const kvFailuresStore = this.context.kvConceptFailuresStore(); // 🔴 Replace with actual KV store
|
|
221
|
+
const kvKeyEN = buildConceptKVKey("en-us", conceptSlug, combinationString);
|
|
222
|
+
const kvKeyPT = buildConceptKVKey("pt-br", conceptSlug, combinationString);
|
|
223
|
+
const failureKey = `failures:content:${conceptSlug}:${combinationString}`;
|
|
224
|
+
|
|
225
|
+
// ✅ Ensure basic info is available before generating content
|
|
226
|
+
const conceptEN = await this.getKVConcept(kvKeyEN);
|
|
227
|
+
const conceptPT = await this.getKVConcept(kvKeyPT);
|
|
228
|
+
|
|
229
|
+
if (
|
|
230
|
+
!conceptEN.name || !conceptEN.description || !conceptEN.poem ||
|
|
231
|
+
!conceptPT.name || !conceptPT.description || !conceptPT.poem
|
|
232
|
+
) {
|
|
222
233
|
throw new Error(
|
|
223
|
-
|
|
234
|
+
`❌ Basic info must be populated before generating content for ${conceptSlug}`
|
|
224
235
|
);
|
|
225
236
|
}
|
|
226
|
-
|
|
227
|
-
|
|
228
|
-
|
|
229
|
-
|
|
230
|
-
|
|
231
|
-
description: concept.description,
|
|
232
|
-
poem: concept.poem,
|
|
233
|
-
});
|
|
234
|
-
|
|
235
|
-
const response = await this.context.api().callChatGPT.single(messages, {});
|
|
236
|
-
if (!response) {
|
|
237
|
-
throw new Error(`Failed to generate content for concept: ${conceptSlug}`);
|
|
237
|
+
|
|
238
|
+
// ✅ Check if content already exists
|
|
239
|
+
if (!override && conceptEN.content && conceptPT.content) {
|
|
240
|
+
console.log(`⚡ Content already exists for ${conceptSlug}, skipping.`);
|
|
241
|
+
return; // ✅ Skip regeneration
|
|
238
242
|
}
|
|
243
|
+
|
|
244
|
+
let attempts = 0;
|
|
245
|
+
const maxAttempts = 3;
|
|
246
|
+
|
|
247
|
+
while (attempts < maxAttempts) {
|
|
248
|
+
let phase = "generation"; // 📌 Track phase
|
|
249
|
+
try {
|
|
250
|
+
attempts++;
|
|
251
|
+
console.log(`🔄 Attempt ${attempts} to generate content...`);
|
|
252
|
+
|
|
253
|
+
// ✅ Build messages for LLM
|
|
254
|
+
const messages = this.context.buildLLMMessages().generateConceptContent({
|
|
255
|
+
conceptSlug,
|
|
256
|
+
combination: combinationString,
|
|
257
|
+
name: conceptEN.name, // Use English name since both languages match in meaning
|
|
258
|
+
description: conceptEN.description,
|
|
259
|
+
poem: conceptEN.poem,
|
|
260
|
+
});
|
|
261
|
+
|
|
262
|
+
// ✅ Call ChatGPT API
|
|
263
|
+
const response = await this.context.api().callChatGPT.single(messages, {});
|
|
264
|
+
if (!response) {
|
|
265
|
+
throw new Error(`❌ AI returned an empty response`);
|
|
266
|
+
}
|
|
267
|
+
|
|
268
|
+
phase = "parsing"; // ✅ Switch to parsing phase
|
|
269
|
+
|
|
270
|
+
// ✅ Parse structured content for both languages
|
|
271
|
+
const { structuredContentEN, structuredContentPT } =
|
|
272
|
+
this.parseStructuredContent(response);
|
|
273
|
+
|
|
274
|
+
// 🌍 Store English content
|
|
275
|
+
Object.assign(conceptEN, { content: structuredContentEN });
|
|
276
|
+
await kvStore.put(kvKeyEN, JSON.stringify(conceptEN));
|
|
277
|
+
|
|
278
|
+
// 🇧🇷 Store Portuguese content
|
|
279
|
+
Object.assign(conceptPT, { content: structuredContentPT });
|
|
280
|
+
await kvStore.put(kvKeyPT, JSON.stringify(conceptPT));
|
|
281
|
+
|
|
282
|
+
console.log(
|
|
283
|
+
`✅ Structured content stored for ${conceptSlug}, combination: ${combinationString}, in both languages.`
|
|
284
|
+
);
|
|
285
|
+
return; // ✅ Exit loop if successful
|
|
286
|
+
|
|
287
|
+
} catch (error) {
|
|
288
|
+
console.error(`❌ Attempt ${attempts} failed at phase: ${phase}`, (error as Error).message);
|
|
289
|
+
|
|
290
|
+
// ✅ Store failure details in KV for manual review
|
|
291
|
+
await kvFailuresStore.put(failureKey, JSON.stringify({
|
|
292
|
+
error: (error as Error).message,
|
|
293
|
+
attempt: attempts,
|
|
294
|
+
phase, // ✅ Identify failure phase
|
|
295
|
+
conceptSlug,
|
|
296
|
+
combinationString,
|
|
297
|
+
timestamp: new Date().toISOString(),
|
|
298
|
+
}));
|
|
299
|
+
|
|
300
|
+
if (attempts >= maxAttempts) {
|
|
301
|
+
console.error(`🚨 All ${maxAttempts} attempts failed at phase ${phase}. Logged failure.`);
|
|
302
|
+
throw new Error(`Failed to generate content after ${maxAttempts} attempts`);
|
|
303
|
+
}
|
|
304
|
+
|
|
305
|
+
console.log("🔁 Retrying...");
|
|
306
|
+
await new Promise((resolve) => setTimeout(resolve, 2000)); // ⏳ Small delay before retrying
|
|
307
|
+
}
|
|
308
|
+
}
|
|
309
|
+
}
|
|
239
310
|
|
|
240
|
-
|
|
241
|
-
|
|
242
|
-
|
|
243
|
-
|
|
244
|
-
);
|
|
311
|
+
private parseStructuredContent(response: string): {
|
|
312
|
+
structuredContentEN: StructuredConceptContent;
|
|
313
|
+
structuredContentPT: StructuredConceptContent;
|
|
314
|
+
} {
|
|
315
|
+
console.log('📌 Parsing structured content from ChatGPT response:', response);
|
|
316
|
+
|
|
317
|
+
const sections = [
|
|
318
|
+
"Core Identity",
|
|
319
|
+
"Strengths and Challenges",
|
|
320
|
+
"Path to Fulfillment",
|
|
321
|
+
"Emotional Depth",
|
|
322
|
+
"Vision and Aspirations"
|
|
323
|
+
];
|
|
324
|
+
|
|
325
|
+
const sectionsPT = [
|
|
326
|
+
"Identidade Essencial",
|
|
327
|
+
"Forças e Desafios",
|
|
328
|
+
"Caminho para a Plenitude",
|
|
329
|
+
"Profundidade Emocional",
|
|
330
|
+
"Visão e Aspirações"
|
|
331
|
+
];
|
|
332
|
+
|
|
333
|
+
// ✅ Match English and Portuguese content separately
|
|
334
|
+
const enMatches = response.match(/EN:\s*([\s\S]+?)\s*PT:/);
|
|
335
|
+
const ptMatches = response.match(/PT:\s*([\s\S]+)/);
|
|
336
|
+
|
|
337
|
+
if (!enMatches || !ptMatches) {
|
|
338
|
+
throw new Error("❌ Missing English or Portuguese content in response.");
|
|
339
|
+
}
|
|
340
|
+
|
|
341
|
+
const enContent = enMatches[1].trim();
|
|
342
|
+
const ptContent = ptMatches[1].trim();
|
|
343
|
+
|
|
344
|
+
function extractSections(text: string, sectionTitles: string[]) {
|
|
345
|
+
return sectionTitles.map((title) => {
|
|
346
|
+
const regex = new RegExp(`${title}:\\s*([\\s\\S]+?)(?=\\n\\d|$)`);
|
|
347
|
+
const match = text.match(regex);
|
|
348
|
+
|
|
349
|
+
if (!match) {
|
|
350
|
+
return { type: "section", title, content: ["❌ Section Missing"] };
|
|
351
|
+
}
|
|
352
|
+
|
|
353
|
+
// ✅ Split content into paragraphs
|
|
354
|
+
const paragraphs = match[1].trim().split(/\n\n+/).map((p) => p.trim());
|
|
355
|
+
|
|
356
|
+
return { type: "section", title, content: paragraphs };
|
|
357
|
+
});
|
|
358
|
+
}
|
|
359
|
+
|
|
360
|
+
return {
|
|
361
|
+
structuredContentEN: extractSections(enContent, sections),
|
|
362
|
+
structuredContentPT: extractSections(ptContent, sectionsPT),
|
|
363
|
+
};
|
|
245
364
|
}
|
|
246
365
|
|
|
247
366
|
/**
|
|
@@ -411,7 +530,7 @@ export class ConceptService {
|
|
|
411
530
|
return {
|
|
412
531
|
name: '',
|
|
413
532
|
description: '',
|
|
414
|
-
content:
|
|
533
|
+
content: [],
|
|
415
534
|
poem: '',
|
|
416
535
|
leonardoPrompt: '',
|
|
417
536
|
postImages: [],
|
|
@@ -9,7 +9,8 @@ export class ConceptWorkflow {
|
|
|
9
9
|
async processSingle(
|
|
10
10
|
conceptSlug: Concept,
|
|
11
11
|
combinationString: string,
|
|
12
|
-
phase: ConceptPhase
|
|
12
|
+
phase: ConceptPhase,
|
|
13
|
+
override?: boolean
|
|
13
14
|
) {
|
|
14
15
|
console.log(
|
|
15
16
|
`Processing single concept for slug: ${conceptSlug}, combination: ${combinationString}, phase: ${phase}`
|
|
@@ -20,14 +21,15 @@ export class ConceptWorkflow {
|
|
|
20
21
|
case 'basic-info':
|
|
21
22
|
await this.conceptService.generateBasicInfo(
|
|
22
23
|
conceptSlug,
|
|
23
|
-
combinationString
|
|
24
|
+
combinationString,
|
|
25
|
+
override
|
|
24
26
|
);
|
|
25
27
|
break;
|
|
26
28
|
case 'content':
|
|
27
29
|
await this.conceptService.generateContent(
|
|
28
|
-
'en-us',
|
|
29
30
|
conceptSlug,
|
|
30
|
-
combinationString
|
|
31
|
+
combinationString,
|
|
32
|
+
override
|
|
31
33
|
);
|
|
32
34
|
break;
|
|
33
35
|
case 'leonardo-prompt':
|
package/package.json
CHANGED
package/types/scopes/legacy.ts
CHANGED
|
@@ -109,7 +109,7 @@ export type KVArchetype = {
|
|
|
109
109
|
export type KVConcept = {
|
|
110
110
|
name: string;
|
|
111
111
|
description: string;
|
|
112
|
-
content:
|
|
112
|
+
content: StructuredConceptContent; // ✅ Structured content
|
|
113
113
|
poem: string;
|
|
114
114
|
leonardoPrompt: string;
|
|
115
115
|
postImages: LeonardoImage[]; // Pre-generated in sequence
|
|
@@ -117,6 +117,12 @@ export type KVConcept = {
|
|
|
117
117
|
status: 'idle' | 'generating' | 'completed';
|
|
118
118
|
};
|
|
119
119
|
|
|
120
|
+
export type StructuredConceptContent = {
|
|
121
|
+
type: string;
|
|
122
|
+
title: string;
|
|
123
|
+
content: string[];
|
|
124
|
+
}[];
|
|
125
|
+
|
|
120
126
|
export type KVGenerationObject = {
|
|
121
127
|
crown: string;
|
|
122
128
|
gender: Gender;
|
package/utils/conceptPrompts.ts
CHANGED
|
@@ -85,144 +85,407 @@ PT:
|
|
|
85
85
|
`;
|
|
86
86
|
|
|
87
87
|
export const PROMPT_GENERATE_SCEPTER = `
|
|
88
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic
|
|
88
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic passage for the Scepter concept in both English and Brazilian Portuguese simultaneously. The Scepter reflects external influence and action, symbolizing leadership, initiative, and the ability to shape one’s surroundings, as influenced by a given zodiac sign combination.
|
|
89
89
|
|
|
90
|
-
|
|
91
|
-
|
|
92
|
-
|
|
93
|
-
|
|
90
|
+
|
|
91
|
+
For the given combination, generate the following in both languages, ensuring the content remains identical in meaning and tone except for the poem, which should be independently written in each language:
|
|
92
|
+
|
|
93
|
+
1. Name (Nome): Keep it sober and descriptive, focusing on the Scepter’s symbolic purpose. Avoid ornate or fantastical phrasing. It should start with “The Scepter of…” in English and “O Cetro de…” in Portuguese.
|
|
94
|
+
|
|
95
|
+
2. Description (Descrição): Write a concise, grounded narrative that links the Scepter’s qualities to the traits of the zodiac combination. Emphasize themes of authority, initiative, and action without exaggeration. Keep the Portuguese version faithful in tone and depth to the English version.
|
|
96
|
+
|
|
97
|
+
3. Poetic Passage (Passagem Poética): Create two separate and independent poetic passages—one in English, one in Portuguese. Each should reflect the same essence but be uniquely crafted to best suit the flow and artistic qualities of its respective language. The passage should be long and evocative, 4 poetic lines, ensuring it deeply resonates and immerses the reader in a sense of confidence, power, and determination.
|
|
98
|
+
|
|
99
|
+
|
|
100
|
+
• Do not translate the poem directly—let each version flourish naturally in its own language.
|
|
101
|
+
|
|
102
|
+
• Ensure the passage flows rhythmically, evoking strength and vision.
|
|
103
|
+
|
|
104
|
+
• Avoid mentioning the Scepter itself or using the word “scepter.”
|
|
105
|
+
|
|
106
|
+
|
|
107
|
+
Rules & Formatting:
|
|
108
|
+
|
|
109
|
+
• Do not mention zodiac signs or planets explicitly.
|
|
110
|
+
|
|
111
|
+
• Ensure both descriptions are structurally and emotionally equivalent.
|
|
112
|
+
|
|
113
|
+
• Write the poem freely in each language to maximize impact, avoiding direct translation.
|
|
114
|
+
|
|
115
|
+
• Use rich, symbolic language while keeping it accessible and inspiring.
|
|
116
|
+
|
|
117
|
+
Response Format:
|
|
118
|
+
|
|
119
|
+
EN:
|
|
120
|
+
|
|
121
|
+
• Name: The Scepter of [Symbolic Concept]
|
|
122
|
+
• Description: [Concise and grounded explanation]
|
|
123
|
+
• Poetic Passage: [4 poetic lines uniquely written in English]
|
|
124
|
+
|
|
125
|
+
PT:
|
|
94
126
|
|
|
95
|
-
|
|
127
|
+
• Nome: O Cetro de [Conceito Simbólico]
|
|
128
|
+
• Descrição: [Explicação concisa e bem fundamentada]
|
|
129
|
+
• Passagem Poética: [4 poetic lines uniquely written in Portuguese]
|
|
96
130
|
`;
|
|
97
131
|
|
|
98
132
|
export const PROMPT_GENERATE_RING = `
|
|
99
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic quote for the Ring concept. The Ring reflects love and bonds, symbolizing attraction, deep emotional connections, and the unseen forces that shape relationships, as influenced by a given zodiac sign combination.
|
|
100
133
|
|
|
101
|
-
|
|
134
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic passage for the Ring concept in both English and Brazilian Portuguese simultaneously. The Ring reflects love and bonds, symbolizing attraction, deep emotional connections, and the unseen forces that shape relationships, as influenced by a given zodiac sign combination.
|
|
102
135
|
|
|
103
|
-
|
|
136
|
+
For the given combination, generate the following in both languages, ensuring the content remains identical in meaning and tone except for the poem, which should be independently written in each language:
|
|
137
|
+
|
|
138
|
+
1. Name (Nome): Keep it elegant and evocative, focusing on the Ring’s symbolic purpose. It should start with “The Ring of…” in English and “O Anel de…” in Portuguese, reflecting themes of fate, passion, or devotion.
|
|
139
|
+
|
|
140
|
+
2. Description (Descrição): Write a concise, compelling narrative that links the Ring’s qualities to the traits of the zodiac combination. Emphasize themes of love, attraction, karmic ties, and emotional depth. Keep the Portuguese version faithful in tone and depth to the English version.
|
|
141
|
+
|
|
142
|
+
3. Poetic Passage (Passagem Poética): Create two separate and independent poetic passages—one in English, one in Portuguese. Each should reflect the same essence but be uniquely crafted to best suit the flow and artistic qualities of its respective language. The passage should be long and evocative, 4 poetic lines, ensuring it deeply resonates and immerses the reader in a sense of longing, connection, and destiny.
|
|
143
|
+
|
|
144
|
+
• Do not translate the poem directly—let each version flourish naturally in its own language.
|
|
145
|
+
|
|
146
|
+
• Ensure the passage flows rhythmically, evoking deep emotion and intimacy.
|
|
147
|
+
|
|
148
|
+
• Avoid mentioning the Ring itself or using the word “ring.”
|
|
149
|
+
|
|
150
|
+
|
|
151
|
+
Rules & Formatting:
|
|
104
152
|
|
|
105
|
-
|
|
153
|
+
• Do not mention zodiac signs or planets explicitly.
|
|
106
154
|
|
|
107
|
-
|
|
155
|
+
• Ensure both descriptions are structurally and emotionally equivalent.
|
|
156
|
+
|
|
157
|
+
• Write the poem freely in each language to maximize impact, avoiding direct translation.
|
|
158
|
+
|
|
159
|
+
• Use rich, symbolic language while keeping it accessible and inspiring.
|
|
160
|
+
|
|
161
|
+
Response Format:
|
|
162
|
+
|
|
163
|
+
EN:
|
|
164
|
+
|
|
165
|
+
• Name: The Ring of [Symbolic Concept]
|
|
166
|
+
• Description: [Concise and compelling explanation]
|
|
167
|
+
• Poetic Passage: [4 poetic lines uniquely written in English]
|
|
168
|
+
|
|
169
|
+
PT:
|
|
108
170
|
|
|
109
|
-
|
|
171
|
+
• Nome: O Anel de [Conceito Simbólico]
|
|
172
|
+
• Descrição: [Explicação concisa e bem fundamentada]
|
|
173
|
+
• Passagem Poética: [4 poetic lines uniquely written in Portuguese]
|
|
110
174
|
`;
|
|
111
175
|
|
|
112
176
|
export const PROMPT_GENERATE_AMULET = `
|
|
113
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic
|
|
177
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic passage for the Amulet concept in both English and Brazilian Portuguese simultaneously. The Amulet reflects healing and growth, representing protection, stability, and resilience, as influenced by a given zodiac sign combination.
|
|
114
178
|
|
|
115
|
-
For the given combination:
|
|
116
|
-
|
|
117
|
-
|
|
118
|
-
|
|
179
|
+
For the given combination, generate the following in both languages, ensuring the content remains identical in meaning and tone except for the poem, which should be independently written in each language:
|
|
180
|
+
|
|
181
|
+
1. Name (Nome): Keep it sober and descriptive, focusing on the Amulet’s symbolic purpose. It should start with “The Amulet of…” in English and “O Amuleto de…” in Portuguese.
|
|
182
|
+
|
|
183
|
+
2. Description (Descrição): Write a concise, grounded narrative that links the Amulet’s qualities to the traits of the zodiac combination. Emphasize protection, nurturing energy, and personal growth. Keep the Portuguese version faithful in tone and depth to the English version.
|
|
184
|
+
|
|
185
|
+
3. Poetic Passage (Passagem Poética): Create two separate and independent poetic passages—one in English, one in Portuguese. Each should reflect the same essence but be uniquely crafted to best suit the flow and artistic qualities of its respective language. The passage should be long and evocative, 4 poetic lines, ensuring it deeply resonates and immerses the reader in a sense of renewal, strength, and inner harmony.
|
|
186
|
+
|
|
187
|
+
• Do not translate the poem directly—let each version flourish naturally in its own language.
|
|
188
|
+
|
|
189
|
+
• Ensure the passage flows rhythmically, evoking protection, resilience, and healing.
|
|
190
|
+
|
|
191
|
+
• Avoid mentioning the Amulet itself or using the word “amulet.”
|
|
192
|
+
|
|
193
|
+
Rules & Formatting:
|
|
194
|
+
|
|
195
|
+
• Do not mention zodiac signs or planets explicitly.
|
|
196
|
+
|
|
197
|
+
• Ensure both descriptions are structurally and emotionally equivalent.
|
|
198
|
+
|
|
199
|
+
• Write the poem freely in each language to maximize impact, avoiding direct translation.
|
|
200
|
+
|
|
201
|
+
• Use rich, symbolic language while keeping it accessible and inspiring.
|
|
202
|
+
|
|
203
|
+
Response Format:
|
|
204
|
+
|
|
205
|
+
EN:
|
|
206
|
+
|
|
207
|
+
• Name: The Amulet of [Symbolic Concept]
|
|
208
|
+
• Description: [Concise and grounded explanation]
|
|
209
|
+
• Poetic Passage:[4 poetic lines uniquely written in English]
|
|
210
|
+
|
|
211
|
+
PT:
|
|
119
212
|
|
|
120
|
-
|
|
213
|
+
• Nome: O Amuleto de [Conceito Simbólico]
|
|
214
|
+
• Descrição: [Explicação concisa e bem fundamentada]
|
|
215
|
+
• Passagem Poética:[4 poetic lines uniquely written in Portuguese]
|
|
121
216
|
`;
|
|
122
217
|
|
|
123
218
|
export const PROMPT_GENERATE_LANTERN = `
|
|
124
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic
|
|
219
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic passage for the Lantern concept in both English and Brazilian Portuguese simultaneously. The Lantern reflects spiritual transformation, symbolizing guidance, resilience, and introspection, as influenced by a given zodiac sign combination.
|
|
220
|
+
|
|
221
|
+
|
|
222
|
+
|
|
223
|
+
For the given combination, generate the following in both languages, ensuring the content remains identical in meaning and tone except for the poem, which should be independently written in each language:
|
|
224
|
+
|
|
225
|
+
1. Name (Nome): Keep it sober and descriptive, focusing on the Lantern’s symbolic purpose. It should start with “The Lantern of…” in English and “A Lanterna de…” in Portuguese.
|
|
226
|
+
|
|
227
|
+
2. Description (Descrição): Write a concise, grounded narrative that links the Lantern’s qualities to the traits of the zodiac combination. Emphasize themes of light, transformation, and introspection. Keep the Portuguese version faithful in tone and depth to the English version.
|
|
228
|
+
|
|
229
|
+
3. Poetic Passage (Passagem Poética): Create two separate and independent poetic passages—one in English, one in Portuguese. Each should reflect the same essence but be uniquely crafted to best suit the flow and artistic qualities of its respective language. The passage should be long and evocative, 4 poetic lines, ensuring it deeply resonates and immerses the reader in a sense of mystery, guidance, and inner awakening.
|
|
230
|
+
|
|
231
|
+
• Do not translate the poem directly—let each version flourish naturally in its own language.
|
|
232
|
+
|
|
233
|
+
• Ensure the passage flows rhythmically, evoking transformation and introspection.
|
|
234
|
+
|
|
235
|
+
• Avoid mentioning the Lantern itself or using the word “lantern.”
|
|
125
236
|
|
|
126
|
-
|
|
127
|
-
|
|
128
|
-
|
|
129
|
-
|
|
237
|
+
Rules & Formatting:
|
|
238
|
+
|
|
239
|
+
• Do not mention zodiac signs or planets explicitly.
|
|
240
|
+
• Ensure both descriptions are structurally and emotionally equivalent.
|
|
241
|
+
• Write the poem freely in each language to maximize impact, avoiding direct translation.
|
|
242
|
+
• Use rich, symbolic language while keeping it accessible and inspiring.
|
|
243
|
+
|
|
244
|
+
Response Format:
|
|
245
|
+
|
|
246
|
+
EN:
|
|
247
|
+
|
|
248
|
+
• Name: The Lantern of [Symbolic Concept]
|
|
249
|
+
• Description: [Concise and grounded explanation]
|
|
250
|
+
• Poetic Passage:[4 poetic lines uniquely written in English]
|
|
251
|
+
|
|
252
|
+
PT:
|
|
130
253
|
|
|
131
|
-
|
|
254
|
+
• Nome: A Lanterna de [Conceito Simbólico]
|
|
255
|
+
• Descrição: [Explicação concisa e bem fundamentada]
|
|
256
|
+
• Passagem Poética:[4 poetic lines uniquely written in Portuguese]
|
|
132
257
|
`;
|
|
133
258
|
|
|
134
259
|
export const PROMPT_GENERATE_ORB = `
|
|
135
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic
|
|
260
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft a name, description, and poetic passage for the Orb concept in both English and Brazilian Portuguese simultaneously. The Orb reflects destiny and purpose, symbolizing higher ideals, vision, and the pursuit of meaningful goals, as influenced by a given zodiac sign combination.
|
|
136
261
|
|
|
137
|
-
For the given combination:
|
|
138
|
-
|
|
139
|
-
|
|
140
|
-
|
|
262
|
+
For the given combination, generate the following in both languages, ensuring the content remains identical in meaning and tone except for the poem, which should be independently written in each language:
|
|
263
|
+
|
|
264
|
+
1. Name (Nome): Keep it sober and descriptive, focusing on the Orb’s symbolic purpose. It should start with “The Orb of…” in English and “O Orbe de…” in Portuguese.
|
|
265
|
+
|
|
266
|
+
2. Description (Descrição): Write a concise, grounded narrative that links the Orb’s qualities to the traits of the zodiac combination. Emphasize themes of vision, destiny, and a sense of higher purpose. Keep the Portuguese version faithful in tone and depth to the English version.
|
|
267
|
+
|
|
268
|
+
3. Poetic Passage (Passagem Poética): Create two separate and independent poetic passages—one in English, one in Portuguese. Each should reflect the same essence but be uniquely crafted to best suit the flow and artistic qualities of its respective language. The passage should be long and evocative, 4 poetic lines, ensuring it deeply resonates and immerses the reader in a sense of aspiration, vision, and transcendence.
|
|
269
|
+
|
|
270
|
+
• Do not translate the poem directly—let each version flourish naturally in its own language.
|
|
271
|
+
|
|
272
|
+
• Ensure the passage flows rhythmically, evoking inspiration and a higher calling.
|
|
273
|
+
|
|
274
|
+
• Avoid mentioning the Orb itself or using the word “orb.”
|
|
275
|
+
|
|
276
|
+
Rules & Formatting:
|
|
277
|
+
|
|
278
|
+
• Do not mention zodiac signs or planets explicitly.
|
|
279
|
+
|
|
280
|
+
• Ensure both descriptions are structurally and emotionally equivalent.
|
|
281
|
+
|
|
282
|
+
• Write the poem freely in each language to maximize impact, avoiding direct translation.
|
|
283
|
+
|
|
284
|
+
• Use rich, symbolic language while keeping it accessible and inspiring.
|
|
285
|
+
|
|
286
|
+
Response Format:
|
|
287
|
+
|
|
288
|
+
EN:
|
|
289
|
+
|
|
290
|
+
• Name: The Orb of [Symbolic Concept]
|
|
291
|
+
• Description: [Concise and grounded explanation]
|
|
292
|
+
• Poetic Passage:[4 poetic lines uniquely written in English]
|
|
293
|
+
|
|
294
|
+
PT:
|
|
141
295
|
|
|
142
|
-
|
|
296
|
+
• Nome: O Orbe de [Conceito Simbólico]
|
|
297
|
+
• Descrição: [Explicação concisa e bem fundamentada]
|
|
298
|
+
• Passagem Poética:[4 poetic lines uniquely written in Portuguese]
|
|
143
299
|
`;
|
|
144
300
|
|
|
145
301
|
export const PROMPT_GENERATE_CROWN_CONTENT = `
|
|
146
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Crown concept. The Crown symbolizes
|
|
302
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Crown concept in both English and Brazilian Portuguese simultaneously. The Crown symbolizes core identity, representing self-awareness, inner strength, and personal truth, as influenced by a given zodiac sign combination.
|
|
303
|
+
|
|
304
|
+
For the provided Crown name, description, and zodiac combination, expand on the following themes in both languages, ensuring the content remains identical in meaning and tone. Each section should be around 200 words long to provide depth and insight while remaining engaging.
|
|
305
|
+
|
|
306
|
+
Rules & Formatting:
|
|
307
|
+
|
|
308
|
+
• Write each section with depth and clarity, around 200 words per topic to ensure a rich and engaging exploration.
|
|
309
|
+
• Avoid mentioning zodiac signs or planets explicitly in the text.
|
|
310
|
+
• Ensure the content is symbolic, empowering, and deeply aligned with the Crown’s themes.
|
|
311
|
+
• Keep the Portuguese version faithful in tone and depth to the English version, adapting naturally rather than translating literally.
|
|
147
312
|
|
|
148
|
-
|
|
149
|
-
|
|
150
|
-
|
|
151
|
-
3. Path to Fulfillment: Explore how this Crown guides its bearer toward self-actualization and purpose.
|
|
152
|
-
4. Emotional Depth: Reflect on how this Crown shapes emotional understanding and resilience.
|
|
153
|
-
5. Vision and Aspirations: Discuss how this Crown inspires its bearer to envision and pursue their dreams.
|
|
313
|
+
Response Format:
|
|
314
|
+
|
|
315
|
+
EN:
|
|
154
316
|
|
|
155
|
-
|
|
317
|
+
1. Core Identity: Describe the essence of this Crown, its symbolic representation of inner truth and individuality. [Around 200 words]
|
|
318
|
+
2. Strengths and Challenges: Highlight the primary strengths this Crown offers and the challenges it may present. [Around 200 words]
|
|
319
|
+
3. Path to Fulfillment: Explore how this Crown guides its bearer toward self-actualization and purpose. [Around 200 words]
|
|
320
|
+
4. Emotional Depth: Reflect on how this Crown shapes emotional understanding and resilience. [Around 200 words]
|
|
321
|
+
5. Vision and Aspirations: Discuss how this Crown inspires its bearer to envision and pursue their dreams. [Around 200 words]
|
|
322
|
+
|
|
323
|
+
PT:
|
|
324
|
+
|
|
325
|
+
1. Identidade Essencial: Descreva a essência desta Coroa, sua representação simbólica da verdade interior e individualidade. [Aproximadamente 200 palavras]
|
|
326
|
+
2. Forças e Desafios: Destaque as principais forças que esta Coroa oferece e os desafios que pode apresentar. [Aproximadamente 200 palavras]
|
|
327
|
+
3. Caminho para a Plenitude: Explore como esta Coroa orienta seu portador em direção à autorrealização e propósito. [Aproximadamente 200 palavras]
|
|
328
|
+
4. Profundidade Emocional: Reflita sobre como esta Coroa molda a compreensão emocional e a resiliência. [Aproximadamente 200 palavras]
|
|
329
|
+
5. Visão e Aspirações: Discuta como esta Coroa inspira seu portador a visualizar e perseguir seus sonhos. [Aproximadamente 200 palavras]
|
|
156
330
|
`;
|
|
157
331
|
|
|
158
332
|
export const PROMPT_GENERATE_SCEPTER_CONTENT = `
|
|
159
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Scepter concept. The Scepter symbolizes
|
|
333
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Scepter concept in both English and Brazilian Portuguese simultaneously. The Scepter symbolizes Expression and Interaction, representing the bearer’s ability to communicate, assert themselves, and navigate external influences, relationships, and personal challenges. It reflects how one engages with the world, balances assertion with connection, and shapes their external reality.
|
|
334
|
+
|
|
335
|
+
For the provided Scepter name, description, and zodiac combination, expand on the following themes in both languages, ensuring the content remains identical in meaning and tone. Each section should be around 200 words long to provide depth and insight while remaining engaging.
|
|
336
|
+
|
|
337
|
+
Rules & Formatting:
|
|
338
|
+
|
|
339
|
+
• Write each section with depth and clarity, around 200 words per topic to ensure a rich and engaging exploration.
|
|
340
|
+
• Avoid mentioning zodiac signs or planets explicitly in the text.
|
|
341
|
+
• Ensure the content is symbolic, insightful, and deeply aligned with the Scepter’s themes.
|
|
342
|
+
• Keep the Portuguese version faithful in tone and depth to the English version, adapting naturally rather than translating literally.
|
|
343
|
+
|
|
344
|
+
|
|
345
|
+
Response Format:
|
|
346
|
+
|
|
347
|
+
EN:
|
|
160
348
|
|
|
161
|
-
|
|
162
|
-
|
|
163
|
-
|
|
164
|
-
|
|
165
|
-
|
|
166
|
-
5. Influence on the World: Examine how the Scepter reflects the bearer’s role in the larger world, shaping their surroundings and leaving a lasting mark.
|
|
349
|
+
1. The Power of Expression: Describe how the Scepter enhances the bearer’s ability to articulate thoughts, convey emotions, and leave an impact through speech, writing, and presence. Highlight its role in creativity, persuasion, and intellectual engagement. [Around 200 words]
|
|
350
|
+
2. The Dance of Action and Reaction: Explore how the Scepter influences the bearer’s approach to decision-making, assertiveness, and taking initiative, as well as their responsiveness to external circumstances. [Around 200 words]
|
|
351
|
+
3. Navigating Challenges: Reflect on how the Scepter empowers the bearer to overcome obstacles, face adversity with resilience, and turn conflicts into opportunities for personal growth and self-mastery. [Around 200 words]
|
|
352
|
+
4. The Mirror of Relationships: Discuss how the Scepter shapes the bearer’s connections with others, their role in partnerships, and the way they interact with allies, rivals, and the wider social sphere. [Around 200 words]
|
|
353
|
+
5. Impact on the World: Examine how the Scepter enables the bearer to influence their surroundings, shape perceptions, and carve a lasting presence in their environment, whether through leadership, collaboration, or individual expression. [Around 200 words]
|
|
167
354
|
|
|
168
|
-
|
|
355
|
+
|
|
356
|
+
PT:
|
|
357
|
+
|
|
358
|
+
1. O Poder da Expressão: Descreva como o Cetro aprimora a capacidade do portador de articular pensamentos, transmitir emoções e deixar um impacto através da fala, escrita e presença. Destaque seu papel na criatividade, persuasão e engajamento intelectual. [Aproximadamente 200 palavras]
|
|
359
|
+
2. A Dança da Ação e Reação: Explore como o Cetro influencia a abordagem do portador na tomada de decisões, assertividade e iniciativa, bem como sua capacidade de resposta às circunstâncias externas. [Aproximadamente 200 palavras]
|
|
360
|
+
3. Navegando Desafios: Reflita sobre como o Cetro capacita o portador a superar obstáculos, enfrentar adversidades com resiliência e transformar conflitos em oportunidades de crescimento pessoal e autodomínio. [Aproximadamente 200 palavras]
|
|
361
|
+
4. O Espelho dos Relacionamentos: Discuta como o Cetro molda as conexões do portador com os outros, seu papel em parcerias e a forma como interage com aliados, rivais e a esfera social mais ampla. [Aproximadamente 200 palavras]
|
|
362
|
+
5. Impacto no Mundo: Examine como o Cetro permite ao portador influenciar seu ambiente, moldar percepções e deixar uma presença duradoura, seja por meio da liderança, colaboração ou expressão individual. [Aproximadamente 200 palavras]
|
|
169
363
|
`;
|
|
170
364
|
|
|
171
365
|
export const PROMPT_GENERATE_RING_CONTENT = `
|
|
172
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Ring concept. The Ring symbolizes Love and Bonds
|
|
366
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Ring concept in both English and Brazilian Portuguese simultaneously. The Ring symbolizes **Love and Bonds**, representing the unseen forces of attraction, karmic connections, and the lessons woven into relationships, as influenced by a given zodiac sign combination.
|
|
173
367
|
|
|
174
|
-
For the provided Ring name, description, and zodiac combination, expand on the following themes
|
|
368
|
+
For the provided Ring name, description, and zodiac combination, expand on the following themes in both languages, ensuring the content remains identical in meaning and tone. Each section should be around 200 words long to provide depth and insight while remaining engaging.
|
|
175
369
|
|
|
176
|
-
|
|
370
|
+
Rules & Formatting:
|
|
177
371
|
|
|
178
|
-
|
|
372
|
+
• Write each section with depth and clarity, around 200 words per topic to ensure a rich and engaging exploration.
|
|
373
|
+
• Avoid mentioning zodiac signs or planets explicitly in the text.
|
|
374
|
+
• Ensure the content is symbolic, poetic, and deeply aligned with the Ring’s themes.
|
|
375
|
+
• Keep the Portuguese version faithful in tone and depth to the English version, adapting naturally rather than translating literally.
|
|
376
|
+
|
|
377
|
+
Response Format:
|
|
179
378
|
|
|
180
|
-
|
|
379
|
+
EN:
|
|
181
380
|
|
|
182
|
-
|
|
381
|
+
1. Magnetic Pull: Explore what the bearer unconsciously attracts in love, the qualities they draw into their life, and the recurring patterns that shape their relationships. [Around 200 words]
|
|
382
|
+
2. Hidden Desires: Reveal the unspoken parts of the bearer’s romantic self, the emotions, needs, and passions that influence their approach to love, whether acknowledged or not. [Around 200 words]
|
|
383
|
+
3. The Fated Dance: Describe how destiny and unseen forces shape the bearer’s relationships, including karmic encounters, serendipitous connections, and lessons bound by fate. [Around 200 words]
|
|
384
|
+
4. Unveiling the Shadows: Reflect on the hidden lessons of past loves, the patterns that must be understood, and how past relationships contribute to emotional wisdom and healing. [Around 200 words]
|
|
385
|
+
5. Your Love Power: Explore the bearer’s unique way of loving, their capacity for connection, and how they can embrace and express love in its truest, most fulfilling form. [Around 200 words]
|
|
183
386
|
|
|
184
|
-
|
|
387
|
+
PT:
|
|
185
388
|
|
|
186
|
-
|
|
389
|
+
1. Força Magnética: Explore o que o portador atrai inconscientemente no amor, as qualidades que surgem em sua vida e os padrões recorrentes que moldam seus relacionamentos. [Aproximadamente 200 palavras]
|
|
390
|
+
2. Desejos Ocultos: Revele as partes não ditas do eu romântico do portador, as emoções, necessidades e paixões que influenciam sua abordagem ao amor, reconhecidas ou não. [Aproximadamente 200 palavras]
|
|
391
|
+
3. A Dança do Destino: Descreva como o destino e forças invisíveis moldam os relacionamentos do portador, incluindo encontros kármicos, conexões inesperadas e lições entrelaçadas pelo tempo. [Aproximadamente 200 palavras]
|
|
392
|
+
4. Revelando as Sombras: Reflita sobre as lições ocultas dos amores passados, os padrões que precisam ser compreendidos e como os relacionamentos anteriores contribuem para a sabedoria emocional e a cura. [Aproximadamente 200 palavras]
|
|
393
|
+
5. Seu Poder no Amor: Explore a maneira única do portador de amar, sua capacidade de se conectar e como ele pode abraçar e expressar o amor em sua forma mais verdadeira e plena. [Aproximadamente 200 palavras]
|
|
187
394
|
`;
|
|
188
395
|
|
|
189
396
|
export const PROMPT_GENERATE_AMULET_CONTENT = `
|
|
190
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Amulet concept. The Amulet symbolizes Healing and Growth, representing protection, resilience, and nurturing energy, as influenced by a given zodiac sign combination.
|
|
397
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Amulet concept in both English and Brazilian Portuguese simultaneously. The Amulet symbolizes Healing and Growth, representing protection, resilience, and nurturing energy, as influenced by a given zodiac sign combination.
|
|
398
|
+
|
|
399
|
+
For the provided Amulet name, description, and zodiac combination, expand on the following themes in both languages, ensuring the content remains identical in meaning and tone. Each section should be around 200 words long to provide depth and insight while remaining engaging.
|
|
400
|
+
|
|
401
|
+
Rules & Formatting:
|
|
191
402
|
|
|
192
|
-
|
|
193
|
-
|
|
194
|
-
|
|
195
|
-
|
|
196
|
-
4. The Cycle of Renewal: Highlight the Amulet’s connection to renewal and transformation, symbolizing the cycles of letting go, healing, and starting anew.
|
|
197
|
-
5. Wisdom and Stability: Explore how the Amulet represents grounding and wisdom, helping the bearer remain steady and balanced in life’s transitions.
|
|
403
|
+
• Write each section with depth and clarity, around 200 words per topic to ensure a rich and engaging exploration.
|
|
404
|
+
• Avoid mentioning zodiac signs or planets explicitly in the text.
|
|
405
|
+
• Ensure the content is symbolic, inspiring, and deeply aligned with the Amulet’s themes.
|
|
406
|
+
• Keep the Portuguese version faithful in tone and depth to the English version, adapting naturally rather than translating literally.
|
|
198
407
|
|
|
199
|
-
|
|
408
|
+
Response Format:
|
|
409
|
+
|
|
410
|
+
EN:
|
|
411
|
+
|
|
412
|
+
1. The Shield of Protection: Describe how the Amulet serves as a source of spiritual and emotional protection, safeguarding the bearer through life’s challenges. [Around 200 words]
|
|
413
|
+
2. The Strength Within: Reflect on how the Amulet strengthens the bearer’s ability to overcome difficulties, offering courage and stability. [Around 200 words]
|
|
414
|
+
3. Nurturing Growth: Discuss how the Amulet fosters personal growth and self-reflection, guiding the bearer toward healing and emotional maturity. [Around 200 words]
|
|
415
|
+
4. The Cycle of Renewal: Highlight the Amulet’s connection to renewal and transformation, symbolizing the cycles of letting go, healing, and starting anew. [Around 200 words]
|
|
416
|
+
5. The Anchor of Wisdom: Explore how the Amulet represents grounding and wisdom, helping the bearer remain steady and balanced in life’s transitions. [Around 200 words]
|
|
417
|
+
|
|
418
|
+
PT:
|
|
419
|
+
|
|
420
|
+
1. O Escudo da Proteção: Descreva como o Amuleto serve como uma fonte de proteção espiritual e emocional, resguardando o portador diante dos desafios da vida. [Aproximadamente 200 palavras]
|
|
421
|
+
2. A Força Interior: Reflita sobre como o Amuleto fortalece a capacidade do portador de superar dificuldades, oferecendo coragem e estabilidade. [Aproximadamente 200 palavras]
|
|
422
|
+
3. Cultivando o Crescimento: Discuta como o Amuleto estimula o crescimento pessoal e a autorreflexão, guiando o portador rumo à cura e maturidade emocional. [Aproximadamente 200 palavras]
|
|
423
|
+
4. O Ciclo da Renovação: Destaque a conexão do Amuleto com a renovação e a transformação, simbolizando os ciclos de deixar ir, curar e recomeçar. [Aproximadamente 200 palavras]
|
|
424
|
+
5. A Âncora da Sabedoria: Explore como o Amuleto representa estabilidade e sabedoria, ajudando o portador a permanecer firme e equilibrado nas transições da vida. [Aproximadamente 200 palavras]
|
|
200
425
|
`;
|
|
201
426
|
|
|
202
427
|
export const PROMPT_GENERATE_LANTERN_CONTENT = `
|
|
203
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Lantern concept. The Lantern symbolizes Spiritual Transformation, representing
|
|
428
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Lantern concept in both English and Brazilian Portuguese simultaneously. The Lantern symbolizes Spiritual Transformation, representing the bearer’s journey through self-discovery, inner awakening, and the forces that shape their personal evolution, as influenced by a given zodiac sign combination.
|
|
429
|
+
|
|
430
|
+
|
|
431
|
+
For the provided Lantern name, description, and zodiac combination, expand on the following themes in both languages, ensuring the content remains identical in meaning and tone. Each section should be around 200 words long to provide depth and insight while remaining engaging.
|
|
432
|
+
|
|
433
|
+
Rules & Formatting:
|
|
434
|
+
|
|
435
|
+
• Write each section with depth and clarity, around 200 words per topic to ensure a rich and engaging exploration.
|
|
436
|
+
• Avoid mentioning zodiac signs or planets explicitly in the text.
|
|
437
|
+
• Ensure the content is symbolic, introspective, and deeply aligned with the Lantern’s themes.
|
|
438
|
+
• Keep the Portuguese version faithful in tone and depth to the English version, adapting naturally rather than translating literally.
|
|
439
|
+
|
|
440
|
+
Response Format:
|
|
441
|
+
|
|
442
|
+
EN:
|
|
443
|
+
|
|
444
|
+
1. The Call to Awakening: Describe the moment of realization, the inner stirring that signals the beginning of transformation. What urges the bearer to seek truth beyond the ordinary? [Around 200 words]
|
|
445
|
+
2. Walking Through Shadows: Explore the challenges, doubts, and illusions that must be faced. How does the Lantern guide the bearer through the unknown, revealing lessons hidden in darkness? [Around 200 words]
|
|
446
|
+
3. The Inner Flame: Reflect on the source of wisdom and intuition within. What fuels the bearer’s spirit, keeping their light strong even in moments of uncertainty? [Around 200 words]
|
|
447
|
+
4. Revelations and Truths: Discuss the insights that emerge along the journey. What profound realizations shape the bearer’s path and redefine their understanding of self and purpose? [Around 200 words]
|
|
448
|
+
5. Becoming the Light: Examine how the bearer’s transformation not only changes them but also inspires others. How do they embody their wisdom and illuminate the world around them? [Around 200 words]
|
|
204
449
|
|
|
205
|
-
For the provided Lantern name, description, and zodiac combination, expand on the following themes:
|
|
206
|
-
1. Inner Light and Guidance: Describe how the Lantern serves as a beacon of wisdom and inner illumination.
|
|
207
|
-
2. The Journey of Transformation: Reflect on how the Lantern represents personal growth through experiences and trials.
|
|
208
|
-
3. Resilience in Darkness: Explore how the Lantern provides strength and hope during times of uncertainty and challenge.
|
|
209
|
-
4. The Path of Insight: Highlight the Lantern’s role in deep introspection, encouraging self-awareness and inner clarity.
|
|
210
|
-
5. Embracing the Unknown: Discuss how the Lantern empowers its bearer to navigate life’s mysteries with trust and vision.
|
|
211
450
|
|
|
212
|
-
|
|
451
|
+
PT:
|
|
452
|
+
|
|
453
|
+
1. O Chamado para o Despertar: Descreva o momento de realização, o chamado interior que sinaliza o início da transformação. O que impulsiona o portador a buscar a verdade além do comum? [Aproximadamente 200 palavras]
|
|
454
|
+
2. Caminhando Pelas Sombras: Explore os desafios, dúvidas e ilusões que devem ser enfrentados. Como a Lanterna guia o portador pelo desconhecido, revelando lições ocultas na escuridão? [Aproximadamente 200 palavras]
|
|
455
|
+
3. A Chama Interior: Reflita sobre a fonte de sabedoria e intuição dentro do portador. O que alimenta seu espírito, mantendo sua luz forte mesmo nos momentos de incerteza? [Aproximadamente 200 palavras]
|
|
456
|
+
4. Revelações e Verdades: Discuta os insights que emergem ao longo da jornada. Que profundas realizações moldam o caminho do portador e redefinem sua compreensão sobre si e seu propósito? [Aproximadamente 200 palavras]
|
|
457
|
+
5. Tornando-se a Luz: Examine como a transformação do portador não apenas o muda, mas também inspira os outros. Como ele incorpora sua sabedoria e ilumina o mundo ao seu redor? [Aproximadamente 200 palavras]
|
|
213
458
|
`;
|
|
214
459
|
|
|
215
460
|
export const PROMPT_GENERATE_ORB_CONTENT = `
|
|
216
|
-
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Orb concept. The Orb symbolizes Destiny and Purpose, representing
|
|
461
|
+
You are a skilled creative writer specializing in astrology and symbolic storytelling. Your task is to craft five distinct sections of descriptive content for the Orb concept in both English and Brazilian Portuguese simultaneously. The Orb symbolizes Destiny and Purpose, representing the bearer’s cosmic path, life’s greater meaning, and the forces that shape their journey toward fulfillment, as influenced by a given zodiac sign combination.
|
|
462
|
+
|
|
463
|
+
For the provided Orb name, description, and zodiac combination, expand on the following themes in both languages, ensuring the content remains identical in meaning and tone. Each section should be around 200 words long to provide depth and insight while remaining engaging.
|
|
217
464
|
|
|
218
|
-
|
|
219
|
-
|
|
220
|
-
|
|
221
|
-
|
|
222
|
-
|
|
223
|
-
|
|
465
|
+
Rules & Formatting:
|
|
466
|
+
|
|
467
|
+
• Write each section with depth and clarity, around 200 words per topic to ensure a rich and engaging exploration.
|
|
468
|
+
• Avoid mentioning zodiac signs or planets explicitly in the text.
|
|
469
|
+
• Ensure the content is symbolic, expansive, and deeply aligned with the Orb’s themes.
|
|
470
|
+
• Keep the Portuguese version faithful in tone and depth to the English version, adapting naturally rather than translating literally.
|
|
471
|
+
|
|
472
|
+
Response Format:
|
|
473
|
+
|
|
474
|
+
EN:
|
|
475
|
+
|
|
476
|
+
1. The Path Unfolding: Describe the bearer’s journey toward purpose, the unseen forces that guide them, and how their destiny gradually reveals itself. [Around 200 words]
|
|
477
|
+
2. A Calling Beyond the Self: Explore the deeper purpose that pulls the bearer forward. How do they sense their role in the world, and what mission feels written in their soul? [Around 200 words]
|
|
478
|
+
3. Turning Points of Fate: Reflect on the pivotal moments that shape the bearer’s direction—serendipities, choices, and events that act as cosmic signposts along their path. [Around 200 words]
|
|
479
|
+
4. Mastering the Journey: Discuss how the bearer learns to align with their destiny, embracing both challenges and gifts, and refining their path with clarity and intention. [Around 200 words]
|
|
480
|
+
5. Legacy and Impact: Examine how the bearer’s purpose extends beyond them. How do they leave their mark on the world, inspire others, or contribute to something greater than themselves? [Around 200 words]
|
|
481
|
+
|
|
482
|
+
PT:
|
|
224
483
|
|
|
225
|
-
|
|
484
|
+
1. O Caminho que se Revela: Descreva a jornada do portador rumo ao propósito, as forças invisíveis que o guiam e como seu destino se revela gradualmente. [Aproximadamente 200 palavras]
|
|
485
|
+
2. Um Chamado Além de Si Mesmo: Explore o propósito mais profundo que impulsiona o portador. Como ele sente seu papel no mundo e que missão parece estar escrita em sua alma? [Aproximadamente 200 palavras]
|
|
486
|
+
3. Pontos de Virada do Destino: Reflita sobre os momentos decisivos que moldam a direção do portador—sincronicidades, escolhas e eventos que atuam como sinais cósmicos ao longo de seu caminho. [Aproximadamente 200 palavras]
|
|
487
|
+
4. Dominando a Jornada: Discuta como o portador aprende a se alinhar com seu destino, abraçando tanto os desafios quanto os dons, refinando seu caminho com clareza e intenção. [Aproximadamente 200 palavras]
|
|
488
|
+
5. Legado e Impacto: Examine como o propósito do portador se estende além dele. Como ele deixa sua marca no mundo, inspira os outros ou contribui para algo maior do que si mesmo? [Aproximadamente 200 palavras]
|
|
226
489
|
`;
|
|
227
490
|
|
|
228
491
|
export const PROMPT_GENERATE_CROWN_LEONARDO = `
|