fruitpicker01 commited on
Commit
bd4051d
·
verified ·
1 Parent(s): 187abbb

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +689 -203
app.py CHANGED
@@ -8,11 +8,21 @@ from langchain.schema import SystemMessage
8
  from langchain_community.chat_models.gigachat import GigaChat
9
  from openpyxl import load_workbook
10
  import base64
 
 
11
 
12
- # Установка ключа API для OpenAI и GigaChat
13
  openai_api_key = os.getenv('GPT_KEY')
14
  gc_key = os.getenv('GC_KEY')
15
  token = os.getenv('GITHUB_TOKEN')
 
 
 
 
 
 
 
 
16
 
17
  # Авторизация в сервисе GigaChat
18
  chat_pro = GigaChat(credentials=gc_key, model='GigaChat-Pro', max_tokens=68, verify_ssl_certs=False)
@@ -30,7 +40,11 @@ except Exception as e:
30
  features = {}
31
  for sheet_name, df in data.items():
32
  try:
33
- features[sheet_name] = df.set_index(df.columns[0]).to_dict()[df.columns[1]]
 
 
 
 
34
  except Exception as e:
35
  print(f"Ошибка при обработке данных листа {sheet_name}: {e}")
36
  features[sheet_name] = {}
@@ -42,7 +56,6 @@ def generate_standard_prompt(description, advantages, *selected_values):
42
  "Начни сообщение с призыва к действию с продуктом.\n"
43
  f"Описание предложения: {description}\n"
44
  f"Преимущества: {advantages}\n"
45
- "Вклад на короткий срок.\n"
46
  "В тексте смс запрещено использование:\n"
47
  "- Запрещенные слова: № один, номер один, № 1, вкусный, дешёвый, продукт, спам, доступный, банкротство, долги, займ, срочно, сейчас, лучший, главный, номер 1, гарантия, успех, лидер;\n"
48
  "- Обращение к клиенту;\n"
@@ -131,6 +144,88 @@ def generate_message_gigachat_plus(prompt):
131
  except Exception as e:
132
  return f"Ошибка при обращении к GigaChat-Plus: {e}"
133
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
134
  def generate_message_gpt4o_with_retry(prompt):
135
  for _ in range(10): # Максимум 10 попыток
136
  message = generate_message_gpt4o(prompt)
@@ -159,8 +254,49 @@ def generate_message_gigachat_plus_with_retry(prompt):
159
  return message
160
  return message
161
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
162
 
163
- # Обновляем генерацию сообщений для отображения в интерфейсе
164
  def generate_messages(description, advantages, *selected_values):
165
  standard_prompt = generate_standard_prompt(description, advantages, *selected_values)
166
 
@@ -169,108 +305,252 @@ def generate_messages(description, advantages, *selected_values):
169
  "gpt4o": None,
170
  "gigachat_pro": None,
171
  "gigachat_lite": None,
172
- "gigachat_plus": None
 
 
 
 
 
 
173
  }
174
 
175
- yield results["prompt"], "", "", "", "", "Генерация стандартного промпта завершена"
176
 
 
177
  results["gpt4o"] = generate_message_gpt4o_with_retry(standard_prompt)
178
  gpt4o_length = len(results["gpt4o"])
179
  gpt4o_display = f"{results['gpt4o']}\n\n------\nКоличество знаков: {gpt4o_length}"
180
- yield results["prompt"], gpt4o_display, "", "", "", "Сообщение GPT-4o сгенерировано"
181
 
182
  results["gigachat_pro"] = generate_message_gigachat_pro_with_retry(standard_prompt)
183
  gigachat_pro_length = len(results["gigachat_pro"])
184
  gigachat_pro_display = f"{results['gigachat_pro']}\n\n------\nКоличество знаков: {gigachat_pro_length}"
185
- yield results["prompt"], gpt4o_display, gigachat_pro_display, "", "", "Сообщение GigaChat-Pro сгенерировано"
186
 
187
  time.sleep(2)
188
-
189
  results["gigachat_lite"] = generate_message_gigachat_lite_with_retry(standard_prompt)
190
  gigachat_lite_length = len(results["gigachat_lite"])
191
  gigachat_lite_display = f"{results['gigachat_lite']}\n\n------\nКоличество знаков: {gigachat_lite_length}"
192
- yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, "", "Сообщение GigaChat-Lite сгенерировано"
193
 
194
  time.sleep(2)
195
-
196
  results["gigachat_plus"] = generate_message_gigachat_plus_with_retry(standard_prompt)
197
  gigachat_plus_length = len(results["gigachat_plus"])
198
  gigachat_plus_display = f"{results['gigachat_plus']}\n\n------\nКоличество знаков: {gigachat_plus_length}"
199
- yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, "Все сообщения сгенерированы"
200
 
201
- return results
 
 
 
 
 
 
 
 
 
 
 
 
 
 
202
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
203
 
204
 
205
  # Функция для генерации персонализированного промпта
206
  def generate_personalization_prompt(*selected_values):
207
  prompt = "Адаптируй, не превышая длину сообщения в 250 знаков с пробелами, текст с учетом следующих особенностей:\n"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
208
  for i, feature in enumerate(features.keys()):
209
- if selected_values[i]:
210
- try:
211
- prompt += f"{features[feature][selected_values[i]]}\n"
212
- except KeyError:
213
- return f"Ошибка: выбранное значение {selected_values[i]} не найдено в данных."
214
-
 
 
 
 
 
 
 
 
 
215
  prompt += "Убедись, что в готовом тексте до 250 знаков с пробелами."
216
-
217
  return prompt.strip()
218
 
 
219
  # Функция для выполнения персонализации на основе сгенерированного промпта и сообщения
220
  def perform_personalization(standard_message, personalization_prompt):
221
  full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
222
- return generate_message_gpt4o(full_prompt)
223
 
224
  # Также обновляем функции персонализации
225
  def perform_personalization_gigachat(standard_message, personalization_prompt, model):
226
  full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
227
  if model == "gigachat_pro":
228
- result = generate_message_gigachat_pro(full_prompt)
229
  elif model == "gigachat_lite":
230
- result = generate_message_gigachat_lite(full_prompt)
231
  elif model == "gigachat_plus":
232
- result = generate_message_gigachat_plus(full_prompt)
233
  return clean_message(result)
234
 
235
- def perform_personalization_with_retry(standard_message, personalization_prompt):
236
- for _ in range(10): # Максимум 10 попыток
237
- message = perform_personalization(standard_message, personalization_prompt)
238
- if len(message) <= 250:
239
- return message
240
- return message # Возвращаем последнее сгенерированное сообщение, если все попытки не удались
241
 
242
- def perform_personalization_gigachat_with_retry(standard_message, personalization_prompt, model):
243
- for _ in range(10):
244
- message = perform_personalization_gigachat(standard_message, personalization_prompt, model)
245
- if len(message) <= 250:
246
- return message
247
- return message
 
 
 
 
 
248
 
 
 
 
249
 
250
- # Обновляем блок персонализации
251
- def personalize_messages_with_yield(gpt4o_message, gigachat_pro_message, gigachat_lite_message, gigachat_plus_message, *selected_values):
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
252
  personalization_prompt = generate_personalization_prompt(*selected_values)
253
- yield personalization_prompt, "", "", "", "", "Промпт для персонализации сгенерирован"
254
 
255
- personalized_message_gpt4o = perform_personalization_with_retry(gpt4o_message, personalization_prompt)
256
  gpt4o_length = len(personalized_message_gpt4o)
257
  gpt4o_display = f"{personalized_message_gpt4o}\n\n------\nКоличество знаков: {gpt4o_length}"
258
- yield personalization_prompt, gpt4o_display, "", "", "", "Персонализированное сообщение GPT-4o сгенерировано"
259
 
260
- personalized_message_gigachat_pro = perform_personalization_gigachat_with_retry(gigachat_pro_message, personalization_prompt, "gigachat_pro")
261
  gigachat_pro_length = len(personalized_message_gigachat_pro)
262
  gigachat_pro_display = f"{personalized_message_gigachat_pro}\n\n------\nКоличество знаков: {gigachat_pro_length}"
263
- yield personalization_prompt, gpt4o_display, gigachat_pro_display, "", "", "Персонализированное сообщение GigaChat-Pro сгенерировано"
264
 
265
- personalized_message_gigachat_lite = perform_personalization_gigachat_with_retry(gigachat_lite_message, personalization_prompt, "gigachat_lite")
266
  gigachat_lite_length = len(personalized_message_gigachat_lite)
267
  gigachat_lite_display = f"{personalized_message_gigachat_lite}\n\n------\nКоличество знаков: {gigachat_lite_length}"
268
- yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, "", "Персонализированное сообщение GigaChat-Lite сгенерировано"
269
 
270
- personalized_message_gigachat_plus = perform_personalization_gigachat_with_retry(gigachat_plus_message, personalization_prompt, "gigachat_plus")
271
  gigachat_plus_length = len(personalized_message_gigachat_plus)
272
  gigachat_plus_display = f"{personalized_message_gigachat_plus}\n\n------\nКоличество знаков: {gigachat_plus_length}"
273
- yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, "Все персонализированные сообщения сгенерированы"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
274
 
275
 
276
  # Функция для генерации промпта проверки текста
@@ -320,30 +600,42 @@ def generate_error_check_prompt():
320
 
321
  # Функция для выполнения проверки текста с использованием yield
322
  def check_errors_with_yield(*personalized_messages):
323
- if len(personalized_messages) < 4:
324
- yield "", "", "", "", "", "Ошибка: недостаточно сообщений для проверки"
325
  return
326
 
327
  error_check_prompt = generate_error_check_prompt()
328
- yield error_check_prompt, "", "", "", "", "Промпт для проверки текста сгенерирован"
329
 
330
  error_message_gpt4o = perform_personalization(f"{error_check_prompt}\n\n{personalized_messages[0]}", "")
331
- yield error_check_prompt, error_message_gpt4o, "", "", "", "Результат проверки GPT-4o сгенерирован"
332
 
333
  error_message_gigachat_pro = perform_personalization_gigachat(f"{error_check_prompt}\n\n{personalized_messages[1]}", "", "gigachat_pro")
334
- yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, "", "", "Результат проверки GigaChat-Pro сгенерирован"
335
 
336
- time.sleep(3)
337
  error_message_gigachat_lite = perform_personalization_gigachat(f"{error_check_prompt}\n\n{personalized_messages[2]}", "", "gigachat_lite")
338
- yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, "", "Результат проверки GigaChat-Lite сгенерирован"
 
 
 
339
 
340
- try:
341
- time.sleep(3)
342
- error_message_gigachat_plus = perform_personalization_gigachat(f"{error_check_prompt}\n\n{personalized_messages[3]}", "", "gigachat_plus")
343
- except Exception as e:
344
- error_message_gigachat_plus = f"Ошибка при обработке GigaChat-Plus: {e}"
345
-
346
- yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, "Все результаты проверки сгенерированы"
 
 
 
 
 
 
 
 
 
 
347
 
348
 
349
  def save_to_github(personalized_message, model_name, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form):
@@ -369,7 +661,7 @@ def save_to_github(personalized_message, model_name, comment, corrected_message,
369
  file_content_encoded = base64.b64encode(json.dumps(data_to_save).encode()).decode()
370
 
371
  # Параметры для GitHub API
372
- repo = "fruitpicker01/Storage_1"
373
  path = f"file_{int(time.time())}.json"
374
  url = f"https://api.github.com/repos/{repo}/contents/{path}"
375
  headers = {
@@ -388,7 +680,7 @@ def save_to_github(personalized_message, model_name, comment, corrected_message,
388
  # Создание интерфейса Gradio
389
  with gr.Blocks() as demo:
390
  gr.Markdown("# Генерация SMS-сообщений по заданным признакам")
391
-
392
  with gr.Row():
393
  with gr.Column(scale=1):
394
  description_input = gr.Textbox(
@@ -417,163 +709,357 @@ with gr.Blocks() as demo:
417
  )
418
  selections = []
419
  for feature in features.keys():
420
- selections.append(gr.Dropdown(choices=[None] + list(features[feature].keys()), label=f"Выберите {feature}"))
421
-
422
- submit_btn = gr.Button("1. Создать неперсонализированное сообщение") # Оранжевая кнопка по умолчанию
423
 
424
  with gr.Column(scale=2):
425
- prompt_display = gr.Textbox(label="Неперсонализированный промпт", lines=20, interactive=False)
426
- output_text_gpt4o = gr.Textbox(label="Неперсонализированное сообщение GPT-4o", lines=3, interactive=False)
427
- output_text_gigachat_pro = gr.Textbox(label="Неперсонализированное сообщение GigaChat-Pro", lines=3, interactive=False)
428
- output_text_gigachat_lite = gr.Textbox(label="Неперсонализированное сообщение GigaChat-Lite", lines=3, interactive=False)
429
- output_text_gigachat_plus = gr.Textbox(label="Неперсонализированное сообщение GigaChat-Lite+", lines=3, interactive=False)
430
-
431
- submit_btn.click(
432
- generate_messages,
433
- inputs=[description_input, advantages_input] + selections,
434
- outputs=[prompt_display, output_text_gpt4o, output_text_gigachat_pro, output_text_gigachat_lite, output_text_gigachat_plus]
435
- )
436
 
437
  with gr.Row():
 
438
  personalize_btn = gr.Button("2. Выполнить персонализацию (нажимать только после кнопки 1)", elem_id="personalize_button")
439
-
 
440
  with gr.Row():
441
- personalize_btn.click(
442
- personalize_messages_with_yield,
443
- inputs=[output_text_gpt4o, output_text_gigachat_pro, output_text_gigachat_lite, output_text_gigachat_plus] + selections,
444
- outputs=[
445
- gr.Textbox(label="Промпт для персонализации", lines=6, interactive=False),
446
- personalized_output_text_gpt4o := gr.Textbox(label="Персонализированное сообщение GPT-4o", lines=6, interactive=False),
447
- personalized_output_text_gigachat_pro := gr.Textbox(label="Персонализированное сообщение GigaChat-Pro", lines=6, interactive=False),
448
- personalized_output_text_gigachat_lite := gr.Textbox(label="Персонализированное сообщение GigaChat-Lite", lines=6, interactive=False),
449
- personalized_output_text_gigachat_plus := gr.Textbox(label="Персонализированное сообщение GigaChat-Lite+", lines=6, interactive=False)
450
- ]
451
- )
452
 
 
453
  with gr.Row():
454
- gr.Markdown("*Комментарий (опционально):*")
455
- comment_gpt4o = gr.Textbox(label="", lines=3)
456
- comment_gigachat_pro = gr.Textbox(label="", lines=3)
457
- comment_gigachat_lite = gr.Textbox(label="", lines=3)
458
- comment_gigachat_plus = gr.Textbox(label="", lines=3)
459
 
 
460
  with gr.Row():
461
- gr.Markdown("*Откорректированное сообщение (опционально):*")
462
- corrected_gpt4o = gr.Textbox(label="", lines=3)
463
- corrected_gigachat_pro = gr.Textbox(label="", lines=3)
464
- corrected_gigachat_lite = gr.Textbox(label="", lines=3)
465
- corrected_gigachat_plus = gr.Textbox(label="", lines=3)
466
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
467
 
468
- # Отдельная строка для кнопок с использованием пустой колонки
469
  with gr.Row():
470
- gr.Button("Жми 👍 для сохранения удачного SMS в базу =>")
471
- save_gpt4o_btn = gr.Button("👍")
472
- save_gigachat_pro_btn = gr.Button("👍")
473
- save_gigachat_lite_btn = gr.Button("👍")
474
- save_gigachat_plus_btn = gr.Button("👍")
475
-
476
- # Привязка кнопок к функциям сохранения
477
- save_gpt4o_btn.click(
478
- fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
479
- save_to_github(personalized_message, "GPT-4o", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
480
- inputs=[
481
- personalized_output_text_gpt4o,
482
- comment_gpt4o,
483
- corrected_gpt4o,
484
- description_input,
485
- advantages_input,
486
- prompt_display,
487
- output_text_gpt4o,
488
- selections[0], # Пол
489
- selections[1], # Поколение
490
- selections[2], # Психотип
491
- selections[3], # Стадия бизнеса
492
- selections[4], # Отрасль
493
- selections[5] # ОПФ
494
- ],
495
- outputs=None
496
- )
 
 
497
 
498
- save_gigachat_pro_btn.click(
499
- fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
500
- save_to_github(personalized_message, "GigaChat-Pro", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
501
- inputs=[
502
- personalized_output_text_gigachat_pro,
503
- comment_gigachat_pro,
504
- corrected_gigachat_pro,
505
- description_input,
506
- advantages_input,
507
- prompt_display,
508
- output_text_gigachat_pro,
509
- selections[0], # Пол
510
- selections[1], # Поколение
511
- selections[2], # Психотип
512
- selections[3], # Стадия бизнеса
513
- selections[4], # Отрасль
514
- selections[5] # ОПФ
515
- ],
516
- outputs=None
517
- )
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
518
 
519
- save_gigachat_lite_btn.click(
520
- fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
521
- save_to_github(personalized_message, "GigaChat-Lite", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
522
- inputs=[
523
- personalized_output_text_gigachat_lite,
524
- comment_gigachat_lite,
525
- corrected_gigachat_lite,
526
- description_input,
527
- advantages_input,
528
- prompt_display,
529
- output_text_gigachat_lite,
530
- selections[0], # Пол
531
- selections[1], # Поколение
532
- selections[2], # Психотип
533
- selections[3], # Стадия бизнеса
534
- selections[4], # Отрасль
535
- selections[5] # ОПФ
536
- ],
537
- outputs=None
538
- )
539
 
540
- save_gigachat_plus_btn.click(
541
- fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
542
- save_to_github(personalized_message, "GigaChat-Lite+", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
543
- inputs=[
544
- personalized_output_text_gigachat_plus,
545
- comment_gigachat_plus,
546
- corrected_gigachat_plus,
547
- description_input,
548
- advantages_input,
549
- prompt_display,
550
- output_text_gigachat_plus,
551
- selections[0], # Пол
552
- selections[1], # Поколение
553
- selections[2], # Психотип
554
- selections[3], # Стадия бизнеса
555
- selections[4], # Отрасль
556
- selections[5] # ОПФ
557
- ],
558
- outputs=None
559
- )
 
560
 
561
- # Использование сохраненных переменных в следующем блоке
562
- with gr.Row():
563
- check_errors_btn = gr.Button("3. Проверить текст (нажимать только после кнопки 2) - экспериментальная фича, качество пока крайне низкое", elem_id="check_errors_button")
564
-
565
- with gr.Row():
566
- check_errors_btn.click(
567
- check_errors_with_yield,
568
- inputs=[personalized_output_text_gpt4o, personalized_output_text_gigachat_pro, personalized_output_text_gigachat_lite, personalized_output_text_gigachat_plus],
569
- outputs=[
570
- gr.Textbox(label="Промпт для проверки текста", lines=6, interactive=False),
571
- gr.Textbox(label="Результат проверки GPT-4o", lines=6),
572
- gr.Textbox(label="Результат проверки GigaChat-Pro", lines=6),
573
- gr.Textbox(label="Результат проверки GigaChat-Lite", lines=6),
574
- gr.Textbox(label="Результат проверки GigaChat-Lite+", lines=6)
575
- ]
576
- )
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
577
 
578
 
579
  demo.launch()
 
8
  from langchain_community.chat_models.gigachat import GigaChat
9
  from openpyxl import load_workbook
10
  import base64
11
+ from together import Together
12
+ from mistralai import Mistral
13
 
14
+ # Установка ключа API для OpenAI, GigaChat и Mistral
15
  openai_api_key = os.getenv('GPT_KEY')
16
  gc_key = os.getenv('GC_KEY')
17
  token = os.getenv('GITHUB_TOKEN')
18
+ TOGETHER_API_KEY = os.getenv('TOGETHER_API_KEY')
19
+ MISTRAL_API_KEY = os.getenv('MISTRAL_API_KEY')
20
+
21
+ # Инициализация клиента для Together
22
+ client = Together(api_key=TOGETHER_API_KEY)
23
+
24
+ # Инициализация клиента для Mistral
25
+ client_mistral = Mistral(api_key=MISTRAL_API_KEY)
26
 
27
  # Авторизация в сервисе GigaChat
28
  chat_pro = GigaChat(credentials=gc_key, model='GigaChat-Pro', max_tokens=68, verify_ssl_certs=False)
 
40
  features = {}
41
  for sheet_name, df in data.items():
42
  try:
43
+ if sheet_name == "Пол Поколение Психотип":
44
+ # Создаем словарь, где ключи — это кортежи (Пол, Поколение, Психотип), а значения — инструкции
45
+ features[sheet_name] = df.set_index(['Пол', 'Поколение', 'Психотип'])['Инструкция'].to_dict()
46
+ else:
47
+ features[sheet_name] = df.set_index(df.columns[0]).to_dict()[df.columns[1]]
48
  except Exception as e:
49
  print(f"Ошибка при обработке данных листа {sheet_name}: {e}")
50
  features[sheet_name] = {}
 
56
  "Начни сообщение с призыва к действию с продуктом.\n"
57
  f"Описание предложения: {description}\n"
58
  f"Преимущества: {advantages}\n"
 
59
  "В тексте смс запрещено использование:\n"
60
  "- Запрещенные слова: № один, номер один, № 1, вкусный, дешёвый, продукт, спам, доступный, банкротство, долги, займ, срочно, сейчас, лучший, главный, номер 1, гарантия, успех, лидер;\n"
61
  "- Обращение к клиенту;\n"
 
144
  except Exception as e:
145
  return f"Ошибка при обращении к GigaChat-Plus: {e}"
146
 
147
+ def generate_message_meta_llama_3_1_405b(prompt):
148
+ try:
149
+ response = client.chat.completions.create(
150
+ model="meta-llama/Meta-Llama-3.1-405B-Instruct-Turbo",
151
+ messages=[{"role": "user", "content": prompt}],
152
+ max_tokens=74,
153
+ temperature=0.7
154
+ )
155
+ cleaned_message = clean_message(response.choices[0].message.content.strip())
156
+ return cleaned_message
157
+ except Exception as e:
158
+ return f"Ошибка при обращении к Meta-Llama-3.1-405B: {e}"
159
+
160
+ def generate_message_meta_llama_3_1_70b(prompt):
161
+ try:
162
+ response = client.chat.completions.create(
163
+ model="meta-llama/Meta-Llama-3.1-70B-Instruct-Turbo",
164
+ messages=[{"role": "user", "content": prompt}],
165
+ max_tokens=74,
166
+ temperature=0.7
167
+ )
168
+ cleaned_message = clean_message(response.choices[0].message.content.strip())
169
+ return cleaned_message
170
+ except Exception as e:
171
+ return f"Ошибка при обращении к Meta-Llama-3.1-70B: {e}"
172
+
173
+ def generate_message_meta_llama_3_1_8b(prompt):
174
+ try:
175
+ response = client.chat.completions.create(
176
+ model="meta-llama/Meta-Llama-3.1-8B-Instruct-Turbo",
177
+ messages=[{"role": "user", "content": prompt}],
178
+ max_tokens=74,
179
+ temperature=0.7
180
+ )
181
+ cleaned_message = clean_message(response.choices[0].message.content.strip())
182
+ return cleaned_message
183
+ except Exception as e:
184
+ return f"Ошибка при обращении к Meta-Llama-3.1-8B: {e}"
185
+
186
+ def generate_message_gemma_2_27b_it(prompt):
187
+ try:
188
+ response = client.chat.completions.create(
189
+ model="google/gemma-2-27b-it",
190
+ messages=[{"role": "user", "content": prompt}],
191
+ max_tokens=74,
192
+ temperature=0.7
193
+ )
194
+ cleaned_message = clean_message(response.choices[0].message.content.strip())
195
+ return cleaned_message
196
+ except Exception as e:
197
+ return f"Ошибка при обращении к Gemma-2-27b-it: {e}"
198
+
199
+ def generate_message_gemma_2_9b_it(prompt):
200
+ try:
201
+ response = client.chat.completions.create(
202
+ model="google/gemma-2-9b-it",
203
+ messages=[{"role": "user", "content": prompt}],
204
+ max_tokens=74,
205
+ temperature=0.7
206
+ )
207
+ cleaned_message = clean_message(response.choices[0].message.content.strip())
208
+ return cleaned_message
209
+ except Exception as e:
210
+ return f"Ошибка при обращении к Gemma-2-9b-it: {e}"
211
+
212
+ def generate_message_mistral(prompt):
213
+ try:
214
+ chat_response = client_mistral.chat.complete(
215
+ model="mistral-large-latest",
216
+ messages=[
217
+ {
218
+ "role": "user",
219
+ "content": prompt,
220
+ "max_tokens": 74
221
+ },
222
+ ]
223
+ )
224
+ cleaned_message = clean_message(chat_response.choices[0].message.content.strip())
225
+ return cleaned_message
226
+ except Exception as e:
227
+ return f"Ошибка при обращении к Mistral: {e}"
228
+
229
  def generate_message_gpt4o_with_retry(prompt):
230
  for _ in range(10): # Максимум 10 попыток
231
  message = generate_message_gpt4o(prompt)
 
254
  return message
255
  return message
256
 
257
+ def generate_message_meta_llama_3_1_405b_with_retry(prompt):
258
+ for _ in range(10):
259
+ message = generate_message_meta_llama_3_1_405b(prompt)
260
+ if len(message) <= 250:
261
+ return message
262
+ return message
263
+
264
+ def generate_message_meta_llama_3_1_70b_with_retry(prompt):
265
+ for _ in range(10):
266
+ message = generate_message_meta_llama_3_1_70b(prompt)
267
+ if len(message) <= 250:
268
+ return message
269
+ return message
270
+
271
+ def generate_message_meta_llama_3_1_8b_with_retry(prompt):
272
+ for _ in range(10):
273
+ message = generate_message_meta_llama_3_1_8b(prompt)
274
+ if len(message) <= 250:
275
+ return message
276
+ return message
277
+
278
+ def generate_message_gemma_2_27b_it_with_retry(prompt):
279
+ for _ in range(10):
280
+ message = generate_message_gemma_2_27b_it(prompt)
281
+ if len(message) <= 250:
282
+ return message
283
+ return message
284
+
285
+ def generate_message_gemma_2_9b_it_with_retry(prompt):
286
+ for _ in range(10):
287
+ message = generate_message_gemma_2_9b_it(prompt)
288
+ if len(message) <= 250:
289
+ return message
290
+ return message
291
+
292
+ def generate_message_mistral_with_retry(prompt):
293
+ for _ in range(10):
294
+ message = generate_message_mistral(prompt)
295
+ if len(message) <= 250:
296
+ return message
297
+ return message
298
+
299
 
 
300
  def generate_messages(description, advantages, *selected_values):
301
  standard_prompt = generate_standard_prompt(description, advantages, *selected_values)
302
 
 
305
  "gpt4o": None,
306
  "gigachat_pro": None,
307
  "gigachat_lite": None,
308
+ "gigachat_plus": None,
309
+ "meta_llama_3_1_405b": None,
310
+ "meta_llama_3_1_70b": None,
311
+ "meta_llama_3_1_8b": None,
312
+ "gemma_2_27b_it": None,
313
+ "gemma_2_9b_it": None,
314
+ "mistral": None # Добавляем Mistral
315
  }
316
 
317
+ yield results["prompt"], "", "", "", "", "", "", "", "", "", ""
318
 
319
+ # Generating messages using existing models (as before)
320
  results["gpt4o"] = generate_message_gpt4o_with_retry(standard_prompt)
321
  gpt4o_length = len(results["gpt4o"])
322
  gpt4o_display = f"{results['gpt4o']}\n\n------\nКоличество знаков: {gpt4o_length}"
323
+ yield results["prompt"], gpt4o_display, "", "", "", "", "", "", "", "", ""
324
 
325
  results["gigachat_pro"] = generate_message_gigachat_pro_with_retry(standard_prompt)
326
  gigachat_pro_length = len(results["gigachat_pro"])
327
  gigachat_pro_display = f"{results['gigachat_pro']}\n\n------\nКоличество знаков: {gigachat_pro_length}"
328
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, "", "", "", "", "", "", "", ""
329
 
330
  time.sleep(2)
331
+
332
  results["gigachat_lite"] = generate_message_gigachat_lite_with_retry(standard_prompt)
333
  gigachat_lite_length = len(results["gigachat_lite"])
334
  gigachat_lite_display = f"{results['gigachat_lite']}\n\n------\nКоличество знаков: {gigachat_lite_length}"
335
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, "", "", "", "", "", "", ""
336
 
337
  time.sleep(2)
338
+
339
  results["gigachat_plus"] = generate_message_gigachat_plus_with_retry(standard_prompt)
340
  gigachat_plus_length = len(results["gigachat_plus"])
341
  gigachat_plus_display = f"{results['gigachat_plus']}\n\n------\nКоличество знаков: {gigachat_plus_length}"
342
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, "", "", "", "", "", ""
343
 
344
+ time.sleep(2)
345
+
346
+ results["meta_llama_3_1_405b"] = generate_message_meta_llama_3_1_405b_with_retry(standard_prompt)
347
+ meta_llama_405b_length = len(results["meta_llama_3_1_405b"])
348
+ meta_llama_405b_display = f"{results['meta_llama_3_1_405b']}\n\n------\nКоличество знаков: {meta_llama_405b_length}"
349
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, "", "", "", "", ""
350
+
351
+ time.sleep(4)
352
+
353
+ results["meta_llama_3_1_70b"] = generate_message_meta_llama_3_1_70b_with_retry(standard_prompt)
354
+ meta_llama_70b_length = len(results["meta_llama_3_1_70b"])
355
+ meta_llama_70b_display = f"{results['meta_llama_3_1_70b']}\n\n------\nКоличество знаков: {meta_llama_70b_length}"
356
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, "", "", "", ""
357
+
358
+ time.sleep(4)
359
 
360
+ results["meta_llama_3_1_8b"] = generate_message_meta_llama_3_1_8b_with_retry(standard_prompt)
361
+ meta_llama_8b_length = len(results["meta_llama_3_1_8b"])
362
+ meta_llama_8b_display = f"{results['meta_llama_3_1_8b']}\n\n------\nКоличество знаков: {meta_llama_8b_length}"
363
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, "", "", ""
364
+
365
+ time.sleep(4)
366
+
367
+ results["gemma_2_27b_it"] = generate_message_gemma_2_27b_it_with_retry(standard_prompt)
368
+ gemma_27b_length = len(results["gemma_2_27b_it"])
369
+ gemma_27b_display = f"{results['gemma_2_27b_it']}\n\n------\nКоличество знаков: {gemma_27b_length}"
370
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, gemma_27b_display, "", ""
371
+
372
+ time.sleep(4)
373
+
374
+ results["gemma_2_9b_it"] = generate_message_gemma_2_9b_it_with_retry(standard_prompt)
375
+ gemma_9b_length = len(results["gemma_2_9b_it"])
376
+ gemma_9b_display = f"{results['gemma_2_9b_it']}\n\n------\nКоличество знаков: {gemma_9b_length}"
377
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, gemma_27b_display, gemma_9b_display, ""
378
+
379
+ time.sleep(4)
380
+
381
+ # Добавляем Mistral
382
+ results["mistral"] = generate_message_mistral_with_retry(standard_prompt)
383
+ mistral_length = len(results["mistral"])
384
+ mistral_display = f"{results['mistral']}\n\n------\nКоличество знаков: {mistral_length}"
385
+ yield results["prompt"], gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, gemma_27b_display, gemma_9b_display, mistral_display
386
+
387
+ time.sleep(4)
388
+
389
+ return results
390
 
391
 
392
  # Функция для генерации персонализированного промпта
393
  def generate_personalization_prompt(*selected_values):
394
  prompt = "Адаптируй, не превышая длину сообщения в 250 знаков с пробелами, текст с учетом следующих особенностей:\n"
395
+ gender, generation, psychotype = selected_values[0], selected_values[1], selected_values[2]
396
+ combined_instruction = ""
397
+ additional_instructions = ""
398
+
399
+ print(f"Выбранные значения: Пол={gender}, Поколение={generation}, Психотип={psychotype}")
400
+
401
+ # Проверяем, выбраны ли все три параметра: Пол, Поколение, Психотип
402
+ if gender and generation and psychotype:
403
+ # Получаем данные с листа "Пол Поколение Психотип"
404
+ sheet = features.get("Пол Поколение Психотип", {})
405
+
406
+ # Ищем ключ, соответствующий комбинации "Пол", "Поколение", "Психотип"
407
+ key = (gender, generation, psychotype)
408
+ if key in sheet:
409
+ combined_instruction = sheet[key]
410
+ print(f"Найдена комбинированная инструкция: {combined_instruction}")
411
+ else:
412
+ print(f"Комбинированная инструкция для ключа {key} не найдена.")
413
+
414
+ # Если не найдена комбинированная инструкция, добавляем индивидуальные инструкции
415
+ if not combined_instruction:
416
+ print("Добавляем индивидуальные инструкции для Пол, Поколение, Психотип.")
417
+ for i, feature in enumerate(["Пол", "Поколение", "Психотип"]):
418
+ if selected_values[i]:
419
+ try:
420
+ instruction = features[feature][selected_values[i]]
421
+ additional_instructions += f"{instruction}\n"
422
+ print(f"Добавлена инструкция из {feature}: {instruction}")
423
+ except KeyError:
424
+ return f"Ошибка: выбранное значение {selected_values[i]} не найдено в данных."
425
+
426
+ # Добавляем инструкции для остальных параметров (например, Отрасль)
427
  for i, feature in enumerate(features.keys()):
428
+ if feature not in ["Пол", "Поколение", "Психотип", "Пол Поколение Психотип"]:
429
+ if i < len(selected_values) and selected_values[i]:
430
+ try:
431
+ instruction = features[feature][selected_values[i]]
432
+ additional_instructions += f"{instruction}\n"
433
+ print(f"Добавлена инструкция из {feature}: {instruction}")
434
+ except KeyError:
435
+ return f"Ошибка: выбранное значение {selected_values[i]} не найдено в данных."
436
+
437
+ # Формируем итоговый промпт
438
+ if combined_instruction:
439
+ prompt += combined_instruction # Добавляем комбинированную инструкцию, если она есть
440
+ if additional_instructions:
441
+ prompt += additional_instructions # Добавляем остальные инструкции
442
+
443
  prompt += "Убедись, что в готовом тексте до 250 знаков с пробелами."
444
+
445
  return prompt.strip()
446
 
447
+
448
  # Функция для выполнения персонализации на основе сгенерированного промпта и сообщения
449
  def perform_personalization(standard_message, personalization_prompt):
450
  full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
451
+ return generate_message_gpt4o_with_retry(full_prompt)
452
 
453
  # Также обновляем функции персонализации
454
  def perform_personalization_gigachat(standard_message, personalization_prompt, model):
455
  full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
456
  if model == "gigachat_pro":
457
+ result = generate_message_gigachat_pro_with_retry(full_prompt)
458
  elif model == "gigachat_lite":
459
+ result = generate_message_gigachat_lite_with_retry(full_prompt)
460
  elif model == "gigachat_plus":
461
+ result = generate_message_gigachat_plus_with_retry(full_prompt)
462
  return clean_message(result)
463
 
464
+ def perform_personalization_meta_llama_405b(standard_message, personalization_prompt):
465
+ full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
466
+ return generate_message_meta_llama_3_1_405b_with_retry(full_prompt)
 
 
 
467
 
468
+ def perform_personalization_meta_llama_70b(standard_message, personalization_prompt):
469
+ full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
470
+ return generate_message_meta_llama_3_1_70b_with_retry(full_prompt)
471
+
472
+ def perform_personalization_meta_llama_8b(standard_message, personalization_prompt):
473
+ full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
474
+ return generate_message_meta_llama_3_1_8b_with_retry(full_prompt)
475
+
476
+ def perform_personalization_gemma_27b_it(standard_message, personalization_prompt):
477
+ full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
478
+ return generate_message_gemma_2_27b_it_with_retry(full_prompt)
479
 
480
+ def perform_personalization_gemma_9b_it(standard_message, personalization_prompt):
481
+ full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
482
+ return generate_message_gemma_2_9b_it_with_retry(full_prompt)
483
 
484
+ def perform_personalization_mistral(standard_message, personalization_prompt):
485
+ full_prompt = f"{personalization_prompt}\n\nТекст для адаптации:\n{standard_message}"
486
+ return generate_message_mistral_with_retry(full_prompt)
487
+
488
+ # Updated function to include additional models in personalization
489
+ def personalize_messages_with_yield(
490
+ gpt4o_message,
491
+ gigachat_pro_message,
492
+ gigachat_lite_message,
493
+ gigachat_plus_message,
494
+ meta_llama_405b_message,
495
+ meta_llama_70b_message,
496
+ meta_llama_8b_message,
497
+ gemma_27b_message,
498
+ gemma_9b_message,
499
+ mistral_message,
500
+ *selected_values
501
+ ):
502
  personalization_prompt = generate_personalization_prompt(*selected_values)
503
+ yield personalization_prompt, "", "", "", "", "", "", "", "", "", ""
504
 
505
+ personalized_message_gpt4o = perform_personalization(gpt4o_message, personalization_prompt)
506
  gpt4o_length = len(personalized_message_gpt4o)
507
  gpt4o_display = f"{personalized_message_gpt4o}\n\n------\nКоличество знаков: {gpt4o_length}"
508
+ yield personalization_prompt, gpt4o_display, "", "", "", "", "", "", "", "", ""
509
 
510
+ personalized_message_gigachat_pro = perform_personalization_gigachat(gigachat_pro_message, personalization_prompt, "gigachat_pro")
511
  gigachat_pro_length = len(personalized_message_gigachat_pro)
512
  gigachat_pro_display = f"{personalized_message_gigachat_pro}\n\n------\nКоличество знаков: {gigachat_pro_length}"
513
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, "", "", "", "", "", "", "", ""
514
 
515
+ personalized_message_gigachat_lite = perform_personalization_gigachat(gigachat_lite_message, personalization_prompt, "gigachat_lite")
516
  gigachat_lite_length = len(personalized_message_gigachat_lite)
517
  gigachat_lite_display = f"{personalized_message_gigachat_lite}\n\n------\nКоличество знаков: {gigachat_lite_length}"
518
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, "", "", "", "", "", "", ""
519
 
520
+ personalized_message_gigachat_plus = perform_personalization_gigachat(gigachat_plus_message, personalization_prompt, "gigachat_plus")
521
  gigachat_plus_length = len(personalized_message_gigachat_plus)
522
  gigachat_plus_display = f"{personalized_message_gigachat_plus}\n\n------\nКоличество знаков: {gigachat_plus_length}"
523
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, "", "", "", "", "", ""
524
+
525
+ personalized_message_meta_llama_405b = perform_personalization_meta_llama_405b(meta_llama_405b_message, personalization_prompt)
526
+ meta_llama_405b_length = len(personalized_message_meta_llama_405b)
527
+ meta_llama_405b_display = f"{personalized_message_meta_llama_405b}\n\n------\nКоличество знаков: {meta_llama_405b_length}"
528
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, "", "", "", "", ""
529
+
530
+ personalized_message_meta_llama_70b = perform_personalization_meta_llama_70b(meta_llama_70b_message, personalization_prompt)
531
+ meta_llama_70b_length = len(personalized_message_meta_llama_70b)
532
+ meta_llama_70b_display = f"{personalized_message_meta_llama_70b}\n\n------\nКоличество знаков: {meta_llama_70b_length}"
533
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, "", "", "", ""
534
+
535
+ personalized_message_meta_llama_8b = perform_personalization_meta_llama_8b(meta_llama_8b_message, personalization_prompt)
536
+ meta_llama_8b_length = len(personalized_message_meta_llama_8b)
537
+ meta_llama_8b_display = f"{personalized_message_meta_llama_8b}\n\n------\nКоличество знаков: {meta_llama_8b_length}"
538
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, "", "", ""
539
+
540
+ personalized_message_gemma_27b_it = perform_personalization_gemma_27b_it(gemma_27b_message, personalization_prompt)
541
+ gemma_27b_length = len(personalized_message_gemma_27b_it)
542
+ gemma_27b_display = f"{personalized_message_gemma_27b_it}\n\n------\nКоличество знаков: {gemma_27b_length}"
543
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, gemma_27b_display, "", ""
544
+
545
+ personalized_message_gemma_9b_it = perform_personalization_gemma_9b_it(gemma_9b_message, personalization_prompt)
546
+ gemma_9b_length = len(personalized_message_gemma_9b_it)
547
+ gemma_9b_display = f"{personalized_message_gemma_9b_it}\n\n------\nКоличество знаков: {gemma_9b_length}"
548
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, gemma_27b_display, gemma_9b_display, ""
549
+
550
+ personalized_message_mistral = perform_personalization_mistral(mistral_message, personalization_prompt)
551
+ mistral_length = len(personalized_message_mistral)
552
+ mistral_display = f"{personalized_message_mistral}\n\n------\nКоличество знаков: {mistral_length}"
553
+ yield personalization_prompt, gpt4o_display, gigachat_pro_display, gigachat_lite_display, gigachat_plus_display, meta_llama_405b_display, meta_llama_70b_display, meta_llama_8b_display, gemma_27b_display, gemma_9b_display, mistral_display
554
 
555
 
556
  # Функция для генерации промпта проверки текста
 
600
 
601
  # Функция для выполнения проверки текста с использованием yield
602
  def check_errors_with_yield(*personalized_messages):
603
+ if len(personalized_messages) < 10: # Adjusted for the inclusion of Mistral
604
+ yield "", "", "", "", "", "", "", "", "", "", "Ошибка: недостаточно сообщений для проверки"
605
  return
606
 
607
  error_check_prompt = generate_error_check_prompt()
608
+ yield error_check_prompt, "", "", "", "", "", "", "", "", "", "Промпт для проверки текста сгенерирован"
609
 
610
  error_message_gpt4o = perform_personalization(f"{error_check_prompt}\n\n{personalized_messages[0]}", "")
611
+ yield error_check_prompt, error_message_gpt4o, "", "", "", "", "", "", "", "", "Результат проверки GPT-4o сгенерирован"
612
 
613
  error_message_gigachat_pro = perform_personalization_gigachat(f"{error_check_prompt}\n\n{personalized_messages[1]}", "", "gigachat_pro")
614
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, "", "", "", "", "", "", "", "Результат проверки GigaChat-Pro сгенерирован"
615
 
 
616
  error_message_gigachat_lite = perform_personalization_gigachat(f"{error_check_prompt}\n\n{personalized_messages[2]}", "", "gigachat_lite")
617
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, "", "", "", "", "", "", "Результат проверки GigaChat-Lite сгенерирован"
618
+
619
+ error_message_gigachat_plus = perform_personalization_gigachat(f"{error_check_prompt}\n\n{personalized_messages[3]}", "", "gigachat_plus")
620
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, "", "", "", "", "", "Результат проверки GigaChat-Plus сгенерирован"
621
 
622
+ error_message_meta_llama_405b = perform_personalization(f"{error_check_prompt}\n\n{personalized_messages[4]}", "")
623
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, error_message_meta_llama_405b, "", "", "", "", "Результат проверки Meta-Llama-3.1-405B сгенерирован"
624
+
625
+ error_message_meta_llama_70b = perform_personalization_meta_llama_70b(f"{error_check_prompt}\n\n{personalized_messages[5]}", "")
626
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, error_message_meta_llama_405b, error_message_meta_llama_70b, "", "", "", "Результат проверки Meta-Llama-3.1-70B сгенерирован"
627
+
628
+ error_message_meta_llama_8b = perform_personalization_meta_llama_8b(f"{error_check_prompt}\n\n{personalized_messages[6]}", "")
629
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, error_message_meta_llama_405b, error_message_meta_llama_70b, error_message_meta_llama_8b, "", "", "Результат проверки Meta-Llama-3.1-8B сгенерирован"
630
+
631
+ error_message_gemma_27b_it = perform_personalization_gemma_27b_it(f"{error_check_prompt}\n\n{personalized_messages[7]}", "")
632
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, error_message_meta_llama_405b, error_message_meta_llama_70b, error_message_meta_llama_8b, error_message_gemma_27b_it, "", "Результат проверки Gemma-2-27B-IT сгенерирован"
633
+
634
+ error_message_gemma_9b_it = perform_personalization_gemma_9b_it(f"{error_check_prompt}\n\n{personalized_messages[8]}", "")
635
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, error_message_meta_llama_405b, error_message_meta_llama_70b, error_message_meta_llama_8b, error_message_gemma_27b_it, error_message_gemma_9b_it, "", "Результат проверки Gemma-2-9B-IT сгенерирован"
636
+
637
+ error_message_mistral = perform_personalization_mistral(f"{error_check_prompt}\n\n{personalized_messages[9]}", "")
638
+ yield error_check_prompt, error_message_gpt4o, error_message_gigachat_pro, error_message_gigachat_lite, error_message_gigachat_plus, error_message_meta_llama_405b, error_message_meta_llama_70b, error_message_meta_llama_8b, error_message_gemma_27b_it, error_message_gemma_9b_it, error_message_mistral, "Все результаты проверки сгенерированы"
639
 
640
 
641
  def save_to_github(personalized_message, model_name, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form):
 
661
  file_content_encoded = base64.b64encode(json.dumps(data_to_save).encode()).decode()
662
 
663
  # Параметры для GitHub API
664
+ repo = "fruitpicker01/Storage_Kate"
665
  path = f"file_{int(time.time())}.json"
666
  url = f"https://api.github.com/repos/{repo}/contents/{path}"
667
  headers = {
 
680
  # Создание интерфейса Gradio
681
  with gr.Blocks() as demo:
682
  gr.Markdown("# Генерация SMS-сообщений по заданным признакам")
683
+
684
  with gr.Row():
685
  with gr.Column(scale=1):
686
  description_input = gr.Textbox(
 
709
  )
710
  selections = []
711
  for feature in features.keys():
712
+ if feature not in ["Пол Поколение Психотип"]: # Исключаем этот лист из выбора
713
+ selections.append(gr.Dropdown(choices=[None] + list(features[feature].keys()), label=f"Выберите {feature}"))
 
714
 
715
  with gr.Column(scale=2):
716
+ prompt_display = gr.Textbox(label="Неперсонализированный промпт", lines=25, interactive=False)
717
+ personalization_prompt = gr.Textbox(label="Персонализированный промпт", lines=24, interactive=False)
 
 
 
 
 
 
 
 
 
718
 
719
  with gr.Row():
720
+ submit_btn = gr.Button("1. Создать неперсонализированное сообщение")
721
  personalize_btn = gr.Button("2. Выполнить персонализацию (нажимать только после кнопки 1)", elem_id="personalize_button")
722
+
723
+ # Первый ряд
724
  with gr.Row():
725
+ output_text_gpt4o = gr.Textbox(label="Неперсонализированное сообщение GPT-4o", lines=3, interactive=False)
726
+ personalized_output_text_gpt4o = gr.Textbox(label="Персонализированное сообщение GPT-4o", lines=3, interactive=False)
727
+ comment_gpt4o = gr.Textbox(label="Комментарий к сообщению GPT-4o", lines=3)
728
+ corrected_gpt4o = gr.Textbox(label="Откорректированное сообщение GPT-4o", lines=3)
729
+ save_gpt4o_btn = gr.Button("👍 GPT-4o")
 
 
 
 
 
 
730
 
731
+ # Второй ряд
732
  with gr.Row():
733
+ output_text_gigachat_pro = gr.Textbox(label="Неперсонализированное сообщение GigaChat-Pro", lines=3, interactive=False)
734
+ personalized_output_text_gigachat_pro = gr.Textbox(label="Персонализированное сообщение GigaChat-Pro", lines=3, interactive=False)
735
+ comment_gigachat_pro = gr.Textbox(label="Комментарий к сообщению GigaChat-Pro", lines=3)
736
+ corrected_gigachat_pro = gr.Textbox(label="Откорректированное сообщение GigaChat-Pro", lines=3)
737
+ save_gigachat_pro_btn = gr.Button("👍 GigaChat-Pro")
738
 
739
+ # Третий ряд
740
  with gr.Row():
741
+ output_text_gigachat_lite = gr.Textbox(label="Неперсонализированное сообщение GigaChat-Lite", lines=3, interactive=False)
742
+ personalized_output_text_gigachat_lite = gr.Textbox(label="Персонализированное сообщение GigaChat-Lite", lines=3, interactive=False)
743
+ comment_gigachat_lite = gr.Textbox(label="Комментарий к сообщению GigaChat-Lite", lines=3)
744
+ corrected_gigachat_lite = gr.Textbox(label="Откорректированное сообщение GigaChat-Lite", lines=3)
745
+ save_gigachat_lite_btn = gr.Button("👍 GigaChat-Lite")
746
 
747
+ # Четвертый ряд
748
+ with gr.Row():
749
+ output_text_gigachat_plus = gr.Textbox(label="Неперсонализированное сообщение GigaChat-Lite+", lines=3, interactive=False)
750
+ personalized_output_text_gigachat_plus = gr.Textbox(label="Персонализированное сообщение GigaChat-Lite+", lines=3, interactive=False)
751
+ comment_gigachat_plus = gr.Textbox(label="Комментарий к сообщению GigaChat-Lite+", lines=3)
752
+ corrected_gigachat_plus = gr.Textbox(label="Откорректированное сообщение GigaChat-Lite+", lines=3)
753
+ save_gigachat_plus_btn = gr.Button("👍 GigaChat-Lite+")
754
+
755
+ # Пятый ряд
756
+ with gr.Row():
757
+ output_text_meta_llama_405b = gr.Textbox(label="Неперсонализированное сообщение Meta-Llama-3.1-405B", lines=3, interactive=False)
758
+ personalized_output_text_meta_llama_405b = gr.Textbox(label="Персонализированное сообщение Meta-Llama-3.1-405B", lines=3, interactive=False)
759
+ comment_meta_llama_405b = gr.Textbox(label="Комментарий к сообщению Meta-Llama-3.1-405B", lines=3)
760
+ corrected_meta_llama_405b = gr.Textbox(label="Откорректированное сообщение Meta-Llama-3.1-405B", lines=3)
761
+ save_meta_llama_405b_btn = gr.Button("👍 Meta-Llama-3.1-405B")
762
 
763
+ # Шестой ряд
764
  with gr.Row():
765
+ output_text_meta_llama_70b = gr.Textbox(label="Неперсонализированное сообщение Meta-Llama-3.1-70B", lines=3, interactive=False)
766
+ personalized_output_text_meta_llama_70b = gr.Textbox(label="Персонализированное сообщение Meta-Llama-3.1-70B", lines=3, interactive=False)
767
+ comment_meta_llama_70b = gr.Textbox(label="Комментарий к сообщению Meta-Llama-3.1-70B", lines=3)
768
+ corrected_meta_llama_70b = gr.Textbox(label="Откорректированное сообщение Meta-Llama-3.1-70B", lines=3)
769
+ save_meta_llama_70b_btn = gr.Button("👍 Meta-Llama-3.1-70B")
770
+
771
+ # Седьмой ряд
772
+ with gr.Row():
773
+ output_text_meta_llama_8b = gr.Textbox(label="Неперсонализ��рованное сообщение Meta-Llama-3.1-8B", lines=3, interactive=False)
774
+ personalized_output_text_meta_llama_8b = gr.Textbox(label="Персонализированное сообщение Meta-Llama-3.1-8B", lines=3, interactive=False)
775
+ comment_meta_llama_8b = gr.Textbox(label="Комментарий к сообщению Meta-Llama-3.1-8B", lines=3)
776
+ corrected_meta_llama_8b = gr.Textbox(label="Откорректированное сообщение Meta-Llama-3.1-8B", lines=3)
777
+ save_meta_llama_8b_btn = gr.Button("👍 Meta-Llama-3.1-8B")
778
+
779
+ # Восьмой ряд
780
+ with gr.Row():
781
+ output_text_gemma_27b = gr.Textbox(label="Неперсонализированное сообщение Gemma-2-27B-IT", lines=3, interactive=False)
782
+ personalized_output_text_gemma_27b = gr.Textbox(label="Персонализированное сообщение Gemma-2-27B-IT", lines=3, interactive=False)
783
+ comment_gemma_27b = gr.Textbox(label="Комментарий к сообщению Gemma-2-27B-IT", lines=3)
784
+ corrected_gemma_27b = gr.Textbox(label="Откорректированное сообщение Gemma-2-27B-IT", lines=3)
785
+ save_gemma_27b_btn = gr.Button("👍 Gemma-2-27B-IT")
786
+
787
+ # Девятый ряд
788
+ with gr.Row():
789
+ output_text_gemma_9b = gr.Textbox(label="Неперсонализированное сообщение Gemma-2-9B-IT", lines=3, interactive=False)
790
+ personalized_output_text_gemma_9b = gr.Textbox(label="Персонализированное сообщение Gemma-2-9B-IT", lines=3, interactive=False)
791
+ comment_gemma_9b = gr.Textbox(label="Комментарий к сообщению Gemma-2-9B-IT", lines=3)
792
+ corrected_gemma_9b = gr.Textbox(label="Откорректированное сообщение Gemma-2-9B-IT", lines=3)
793
+ save_gemma_9b_btn = gr.Button("👍 Gemma-2-9B-IT")
794
 
795
+ # Десятый ряд
796
+ with gr.Row():
797
+ output_text_mistral = gr.Textbox(label="Неперсонализированное сообщение Mistral-Large-2407", lines=3, interactive=False)
798
+ personalized_output_text_mistral = gr.Textbox(label="Персонализированное сообщение Mistral-Large-2407", lines=3, interactive=False)
799
+ comment_mistral = gr.Textbox(label="Комментарий к сообщению Mistral-Large-2407", lines=3)
800
+ corrected_mistral = gr.Textbox(label="Откорректированное сообщение Mistral-Large-2407", lines=3)
801
+ save_mistral_btn = gr.Button("👍 Mistral-Large-2407")
802
+
803
+
804
+ # Добавление функционала для кнопок
805
+ submit_btn.click(
806
+ generate_messages,
807
+ inputs=[description_input, advantages_input] + selections,
808
+ outputs=[
809
+ prompt_display,
810
+ output_text_gpt4o,
811
+ output_text_gigachat_pro,
812
+ output_text_gigachat_lite,
813
+ output_text_gigachat_plus,
814
+ output_text_meta_llama_405b,
815
+ output_text_meta_llama_70b,
816
+ output_text_meta_llama_8b,
817
+ output_text_gemma_27b,
818
+ output_text_gemma_9b,
819
+ output_text_mistral # Добавляем Mistral
820
+ ]
821
+ )
822
+
823
+ personalize_btn.click(
824
+ personalize_messages_with_yield,
825
+ inputs=[
826
+ output_text_gpt4o,
827
+ output_text_gigachat_pro,
828
+ output_text_gigachat_lite,
829
+ output_text_gigachat_plus,
830
+ output_text_meta_llama_405b,
831
+ output_text_meta_llama_70b,
832
+ output_text_meta_llama_8b,
833
+ output_text_gemma_27b,
834
+ output_text_gemma_9b,
835
+ output_text_mistral # Добавляем Mistral
836
+ ] + selections,
837
+ outputs=[
838
+ personalization_prompt,
839
+ personalized_output_text_gpt4o,
840
+ personalized_output_text_gigachat_pro,
841
+ personalized_output_text_gigachat_lite,
842
+ personalized_output_text_gigachat_plus,
843
+ personalized_output_text_meta_llama_405b,
844
+ personalized_output_text_meta_llama_70b,
845
+ personalized_output_text_meta_llama_8b,
846
+ personalized_output_text_gemma_27b,
847
+ personalized_output_text_gemma_9b,
848
+ personalized_output_text_mistral # Добавляем Mistral
849
+ ]
850
+ )
851
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
852
 
853
+ # Привязка кнопок к функциям сохранения
854
+ save_gpt4o_btn.click(
855
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
856
+ save_to_github(personalized_message, "GPT-4o", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
857
+ inputs=[
858
+ personalized_output_text_gpt4o,
859
+ comment_gpt4o,
860
+ corrected_gpt4o,
861
+ description_input,
862
+ advantages_input,
863
+ prompt_display,
864
+ output_text_gpt4o,
865
+ selections[0], # Пол
866
+ selections[1], # Поколение
867
+ selections[2], # Психотип
868
+ selections[3], # Стадия бизнеса
869
+ selections[4], # Отрасль
870
+ selections[5] # ОПФ
871
+ ],
872
+ outputs=None
873
+ )
874
 
875
+ save_gigachat_pro_btn.click(
876
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
877
+ save_to_github(personalized_message, "GigaChat-Pro", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
878
+ inputs=[
879
+ personalized_output_text_gigachat_pro,
880
+ comment_gigachat_pro,
881
+ corrected_gigachat_pro,
882
+ description_input,
883
+ advantages_input,
884
+ prompt_display,
885
+ output_text_gigachat_pro,
886
+ selections[0], # Пол
887
+ selections[1], # Поколение
888
+ selections[2], # Психотип
889
+ selections[3], # Стадия бизнеса
890
+ selections[4], # Отрасль
891
+ selections[5] # ОПФ
892
+ ],
893
+ outputs=None
894
+ )
895
+
896
+ save_gigachat_lite_btn.click(
897
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
898
+ save_to_github(personalized_message, "GigaChat-Lite", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
899
+ inputs=[
900
+ personalized_output_text_gigachat_lite,
901
+ comment_gigachat_lite,
902
+ corrected_gigachat_lite,
903
+ description_input,
904
+ advantages_input,
905
+ prompt_display,
906
+ output_text_gigachat_lite,
907
+ selections[0], # Пол
908
+ selections[1], # Поколение
909
+ selections[2], # Психотип
910
+ selections[3], # Стадия бизнеса
911
+ selections[4], # Отрасль
912
+ selections[5] # ОПФ
913
+ ],
914
+ outputs=None
915
+ )
916
+
917
+ save_gigachat_plus_btn.click(
918
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
919
+ save_to_github(personalized_message, "GigaChat-Lite+", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
920
+ inputs=[
921
+ personalized_output_text_gigachat_plus,
922
+ comment_gigachat_plus,
923
+ corrected_gigachat_plus,
924
+ description_input,
925
+ advantages_input,
926
+ prompt_display,
927
+ output_text_gigachat_plus,
928
+ selections[0], # Пол
929
+ selections[1], # Поколение
930
+ selections[2], # Психотип
931
+ selections[3], # Стадия бизнеса
932
+ selections[4], # Отрасль
933
+ selections[5] # ОПФ
934
+ ],
935
+ outputs=None
936
+ )
937
+
938
+ save_meta_llama_405b_btn.click(
939
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
940
+ save_to_github(personalized_message, "Meta-Llama-3.1-405B", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
941
+ inputs=[
942
+ personalized_output_text_meta_llama_405b,
943
+ comment_meta_llama_405b,
944
+ corrected_meta_llama_405b,
945
+ description_input,
946
+ advantages_input,
947
+ prompt_display,
948
+ output_text_meta_llama_405b,
949
+ selections[0], # Пол
950
+ selections[1], # Поколение
951
+ selections[2], # Психотип
952
+ selections[3], # Стадия бизнеса
953
+ selections[4], # Отрасль
954
+ selections[5] # ОПФ
955
+ ],
956
+ outputs=None
957
+ )
958
+
959
+ save_meta_llama_70b_btn.click(
960
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
961
+ save_to_github(personalized_message, "Meta-Llama-3.1-70B", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
962
+ inputs=[
963
+ personalized_output_text_meta_llama_70b,
964
+ comment_meta_llama_70b,
965
+ corrected_meta_llama_70b,
966
+ description_input,
967
+ advantages_input,
968
+ prompt_display,
969
+ output_text_meta_llama_70b,
970
+ selections[0], # Пол
971
+ selections[1], # Поколение
972
+ selections[2], # Психотип
973
+ selections[3], # Стадия бизнеса
974
+ selections[4], # Отрасль
975
+ selections[5] # ОПФ
976
+ ],
977
+ outputs=None
978
+ )
979
+
980
+ save_meta_llama_8b_btn.click(
981
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
982
+ save_to_github(personalized_message, "Meta-Llama-3.1-8B", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
983
+ inputs=[
984
+ personalized_output_text_meta_llama_8b,
985
+ comment_meta_llama_8b,
986
+ corrected_meta_llama_8b,
987
+ description_input,
988
+ advantages_input,
989
+ prompt_display,
990
+ output_text_meta_llama_8b,
991
+ selections[0], # Пол
992
+ selections[1], # Поколение
993
+ selections[2], # Психотип
994
+ selections[3], # Стадия бизнеса
995
+ selections[4], # Отрасль
996
+ selections[5] # ОПФ
997
+ ],
998
+ outputs=None
999
+ )
1000
+
1001
+ save_gemma_27b_btn.click(
1002
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
1003
+ save_to_github(personalized_message, "Gemma-2-27B-IT", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
1004
+ inputs=[
1005
+ personalized_output_text_gemma_27b,
1006
+ comment_gemma_27b,
1007
+ corrected_gemma_27b,
1008
+ description_input,
1009
+ advantages_input,
1010
+ prompt_display,
1011
+ output_text_gemma_27b,
1012
+ selections[0], # Пол
1013
+ selections[1], # Поколение
1014
+ selections[2], # Психотип
1015
+ selections[3], # Стадия бизнеса
1016
+ selections[4], # Отрасль
1017
+ selections[5] # ОПФ
1018
+ ],
1019
+ outputs=None
1020
+ )
1021
+
1022
+ save_gemma_9b_btn.click(
1023
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
1024
+ save_to_github(personalized_message, "Gemma-2-9B-IT", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
1025
+ inputs=[
1026
+ personalized_output_text_gemma_9b,
1027
+ comment_gemma_9b,
1028
+ corrected_gemma_9b,
1029
+ description_input,
1030
+ advantages_input,
1031
+ prompt_display,
1032
+ output_text_gemma_9b,
1033
+ selections[0], # Пол
1034
+ selections[1], # Поколение
1035
+ selections[2], # Психотип
1036
+ selections[3], # Стадия бизнеса
1037
+ selections[4], # Отрасль
1038
+ selections[5] # ОПФ
1039
+ ],
1040
+ outputs=None
1041
+ )
1042
+
1043
+ save_mistral_btn.click(
1044
+ fn=lambda personalized_message, comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form:
1045
+ save_to_github(personalized_message, "Mistral", comment, corrected_message, description, advantages, non_personalized_prompt, non_personalized_message, gender, generation, psychotype, business_stage, industry, legal_form),
1046
+ inputs=[
1047
+ personalized_output_text_mistral,
1048
+ comment_mistral,
1049
+ corrected_mistral,
1050
+ description_input,
1051
+ advantages_input,
1052
+ prompt_display,
1053
+ output_text_mistral,
1054
+ selections[0], # Пол
1055
+ selections[1], # Поколение
1056
+ selections[2], # Психотип
1057
+ selections[3], # Стадия бизнеса
1058
+ selections[4], # Отрасль
1059
+ selections[5] # ОПФ
1060
+ ],
1061
+ outputs=None
1062
+ )
1063
 
1064
 
1065
  demo.launch()