ginipick commited on
Commit
b3be69b
1 Parent(s): 319f3b5

Create app.py

Browse files
Files changed (1) hide show
  1. app.py +500 -0
app.py ADDED
@@ -0,0 +1,500 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import gradio as gr
2
+ from huggingface_hub import InferenceClient
3
+ import os
4
+ import pandas as pd
5
+ from typing import List, Dict, Tuple
6
+ import json
7
+ import io
8
+ import traceback
9
+ import csv
10
+
11
+ # 추론 API 클라이언트 설정
12
+ hf_client = InferenceClient(
13
+ "CohereForAI/c4ai-command-r-plus-08-2024", token=os.getenv("HF_TOKEN")
14
+ )
15
+
16
+ def load_code(filename: str) -> str:
17
+ try:
18
+ with open(filename, 'r', encoding='utf-8') as file:
19
+ return file.read()
20
+ except FileNotFoundError:
21
+ return f"{filename} 파일을 찾을 수 없습니다."
22
+ except Exception as e:
23
+ return f"파일을 읽는 중 오류가 발생했습니다: {str(e)}"
24
+
25
+ def load_parquet(filename: str) -> str:
26
+ try:
27
+ df = pd.read_parquet(filename, engine='pyarrow')
28
+ return df.head(10).to_markdown(index=False)
29
+ except FileNotFoundError:
30
+ return f"{filename} 파일을 찾을 수 없습니다."
31
+ except Exception as e:
32
+ return f"파일을 읽는 중 오류가 발생했습니다: {str(e)}"
33
+
34
+ def respond(
35
+ message: str,
36
+ history: List[Dict[str, str]],
37
+ system_message: str = "",
38
+ max_tokens: int = 4000,
39
+ temperature: float = 0.5,
40
+ top_p: float = 0.9,
41
+ parquet_data: str = None
42
+ ) -> str:
43
+ # 시스템 프롬프트 설정
44
+ if parquet_data:
45
+ system_prefix = """반드시 한글로 답변할 것. 너는 업로드된 데이터를 기반으로 질문에 답변하는 역할을 한다. 데이터를 분석하여 사용자에게 도움이 되는 정보를 제공하라. 데이터를 활용하여 상세하고 정확한 답변을 제공하되, 민감한 정보나 개인 정보를 노출하지 마라."""
46
+ try:
47
+ df = pd.read_json(io.StringIO(parquet_data))
48
+ # 데이터의 요약 정보 생성
49
+ data_summary = df.describe(include='all').to_string()
50
+ system_prefix += f"\n\n업로드된 데이터의 요약 정보:\n{data_summary}"
51
+ except Exception as e:
52
+ print(f"데이터 로드 중 오류 발생: {str(e)}\n{traceback.format_exc()}")
53
+ system_prefix += "\n\n데이터를 로드하는 중 오류가 발생했습니다."
54
+ else:
55
+ system_prefix = system_message or "너는 AI 조언자 역할이다."
56
+
57
+ # 메시지 생성
58
+ prompt = system_prefix + "\n\n"
59
+ for chat in history:
60
+ if chat['role'] == 'user':
61
+ prompt += f"사용자: {chat['content']}\n"
62
+ else:
63
+ prompt += f"AI: {chat['content']}\n"
64
+ prompt += f"사용자: {message}\nAI:"
65
+
66
+ try:
67
+ # 모델에 메시지 전송 및 응답 받기
68
+ response = ""
69
+ stream = hf_client.text_generation(
70
+ prompt=prompt,
71
+ max_new_tokens=max_tokens,
72
+ stream=True,
73
+ temperature=temperature,
74
+ top_p=top_p,
75
+ )
76
+ for msg in stream:
77
+ if msg:
78
+ response += msg
79
+ yield response
80
+ except Exception as e:
81
+ error_message = f"추론 중 오류가 발생했습니다: {str(e)}\n{traceback.format_exc()}"
82
+ print(error_message)
83
+ yield error_message
84
+
85
+ def upload_csv(file_path: str) -> Tuple[str, str]:
86
+ try:
87
+ # CSV 파일 읽기
88
+ df = pd.read_csv(file_path, sep=',')
89
+ # 필수 컬럼 확인
90
+ required_columns = {'id', 'text', 'label', 'metadata'}
91
+ available_columns = set(df.columns)
92
+ missing_columns = required_columns - available_columns
93
+ if missing_columns:
94
+ return f"CSV 파일에 다음 필수 컬럼이 누락되었습니다: {', '.join(missing_columns)}", ""
95
+ # 데이터 클렌징
96
+ df.drop_duplicates(inplace=True)
97
+ df.fillna('', inplace=True)
98
+ # 데이터 유형 최적화
99
+ df = df.astype({'id': 'int32', 'text': 'string', 'label': 'category', 'metadata': 'string'})
100
+ # Parquet 파일로 변환
101
+ parquet_filename = os.path.splitext(os.path.basename(file_path))[0] + '.parquet'
102
+ df.to_parquet(parquet_filename, engine='pyarrow', compression='snappy')
103
+ return f"{parquet_filename} 파일이 성공적으로 업로드되고 변환되었습니다.", parquet_filename
104
+ except Exception as e:
105
+ return f"CSV 파일 업로드 및 변환 중 오류가 발생했습니다: {str(e)}", ""
106
+
107
+ def upload_parquet(file_path: str) -> Tuple[str, str, str]:
108
+ try:
109
+ # Parquet 파일 읽기
110
+ df = pd.read_parquet(file_path, engine='pyarrow')
111
+ # Markdown으로 변환하여 미리보기
112
+ parquet_content = df.head(10).to_markdown(index=False)
113
+ # DataFrame을 JSON 문자열로 변환
114
+ parquet_json = df.to_json(orient='records', force_ascii=False)
115
+ return "Parquet 파일이 성공적으로 업로드되었습니다.", parquet_content, parquet_json
116
+ except Exception as e:
117
+ return f"Parquet 파일 업로드 중 오류가 발생했습니다: {str(e)}", "", ""
118
+
119
+ def text_to_parquet(text: str) -> Tuple[str, str, str]:
120
+ try:
121
+ from io import StringIO
122
+ # CSV 데이터를 StringIO를 통해 읽기
123
+ csv_data = StringIO(text)
124
+ df = pd.read_csv(
125
+ csv_data,
126
+ sep=',',
127
+ dtype=str,
128
+ quoting=csv.QUOTE_ALL, # 모든 필드를 큰따옴표로 감싸는 것으로 처리
129
+ escapechar='\\', # 이스케이프 문자 설정
130
+ engine='python', # Python 엔진 사용
131
+ header=None, # 첫 번째 행을 열 이름으로 사용하지 않음
132
+ names=['id', 'text', 'label', 'metadata'] # 열 이름 지정
133
+ )
134
+ # 데이터 유형 최적화
135
+ df = df.astype({'id': 'int32', 'text': 'string', 'label': 'string', 'metadata': 'string'})
136
+ # Parquet 파일로 변환
137
+ parquet_filename = 'text_to_parquet.parquet'
138
+ df.to_parquet(parquet_filename, engine='pyarrow', compression='snappy')
139
+ # Parquet 파일 내용 미리보기
140
+ parquet_content = load_parquet(parquet_filename)
141
+ return f"{parquet_filename} 파일이 성공적으로 변환되었습니다.", parquet_content, parquet_filename
142
+ except Exception as e:
143
+ error_message = f"텍스트 변환 중 오류가 발생했습니다: {str(e)}\n{traceback.format_exc()}"
144
+ print(error_message)
145
+ return error_message, "", ""
146
+
147
+ def preprocess_text_with_llm(input_text: str) -> str:
148
+ if not input_text.strip():
149
+ return "입력 텍스트가 비어있습니다."
150
+
151
+ system_prompt = """당신은 데이터 전처리 전문가입니다. 입력된 텍스트를 CSV 데이터셋 형식으로 변환하세요.
152
+
153
+ 규칙:
154
+ 1. 출력 형식: id,text,label,metadata
155
+ 2. id: 1부터 시작하는 순차적 번호
156
+ 3. text: 의미 있는 단위로 분리된 텍스트
157
+ 4. label: 텍스트의 주제나 카테고리
158
+ 5. metadata: 추가 정보(날짜, 출처 등)
159
+
160
+ 주의사항:
161
+ - 텍스트에 쉼표가 있으면 큰따옴표로 감싸기
162
+ - 큰따옴표는 백슬래시로 이스케이프 처리
163
+ - 각 행은 새로운 줄로 구분
164
+ - 모든 필드는 쉼표로 구분
165
+
166
+ 입력 텍스트:
167
+ """
168
+
169
+ full_prompt = f"{system_prompt}\n\n{input_text}\n\n출력:"
170
+
171
+ try:
172
+ response = ""
173
+ stream = hf_client.text_generation(
174
+ prompt=full_prompt,
175
+ max_new_tokens=4000, # 토큰 수 증가
176
+ temperature=0.3, # 더 결정적인 출력을 위해 낮춤
177
+ top_p=0.9,
178
+ stream=True,
179
+ )
180
+
181
+ for msg in stream:
182
+ if msg:
183
+ response += msg
184
+
185
+ # 응답 정제
186
+ processed_text = response.strip()
187
+
188
+ # CSV 형식 검증
189
+ try:
190
+ # StringIO를 사용하여 CSV 형식 검증
191
+ from io import StringIO
192
+ import csv
193
+ csv.reader(StringIO(processed_text))
194
+ return processed_text
195
+ except csv.Error:
196
+ return "LLM이 올바른 CSV 형식을 생성하지 못했습니다. 다시 시도해주세요."
197
+
198
+ except Exception as e:
199
+ error_message = f"전처리 중 오류가 발생했습니다: {str(e)}\n{traceback.format_exc()}"
200
+ print(error_message)
201
+ return error_message
202
+
203
+ # CSS 설정
204
+ css = """
205
+ footer {
206
+ visibility: hidden;
207
+ }
208
+ #chatbot-container, #chatbot-data-upload {
209
+ height: 700px;
210
+ overflow-y: scroll;
211
+ }
212
+ #chatbot-container .message, #chatbot-data-upload .message {
213
+ font-size: 14px;
214
+ }
215
+ /* 입력창 배경색 및 글자색 변경 */
216
+ textarea, input[type="text"] {
217
+ background-color: #ffffff; /* 흰색 배경 */
218
+ color: #000000; /* 검정색 글자 */
219
+ }
220
+ /* 파일 업로드 영역 높이 조절 */
221
+ #parquet-upload-area {
222
+ max-height: 150px;
223
+ overflow-y: auto;
224
+ }
225
+ /* 초기 설명 글씨 크기 조절 */
226
+ #initial-description {
227
+ font-size: 14px;
228
+ }
229
+ """
230
+
231
+ # Gradio Blocks 인터페이스 설정
232
+ with gr.Blocks(css=css) as demo:
233
+ gr.Markdown("# My RAG: LLM이 나만의 데이터로 학습한 콘텐츠 생성/답변", elem_id="initial-description")
234
+ gr.Markdown(
235
+ "### 1) 나만의 데이터를 입력 또는 CSV 업로드로 Parquet 데이터셋 자동 변환 2) Parquet 데이터셋을 업로드하면, LLM이 맞춤 학습 데이터로 활용하여 응답\n"
236
+ "### Tip) '예제'를 통해 다양한 활용 방법을 체험하고 응용해 보세요, 데이터셋 업로드시 미리보기는 10건만 출력",
237
+ elem_id="initial-description"
238
+ )
239
+
240
+
241
+
242
+ # 첫 번째 탭: 챗봇 데이터 업로드 (탭 이름 변경: "My 데이터셋+LLM")
243
+ with gr.Tab("My 데이터셋+LLM"):
244
+ gr.Markdown("### LLM과 대화하기")
245
+ chatbot_data_upload = gr.Chatbot(label="챗봇", type="messages", elem_id="chatbot-data-upload")
246
+ msg_data_upload = gr.Textbox(label="메시지 입력", placeholder="여기에 메시지를 입력하세요...")
247
+ send_data_upload = gr.Button("전송")
248
+
249
+ with gr.Accordion("시스템 프롬프트 및 옵션 설정", open=False):
250
+ system_message = gr.Textbox(label="System Message", value="너는 AI 조언자 역할이다.")
251
+ max_tokens = gr.Slider(minimum=1, maximum=8000, value=1000, label="Max Tokens")
252
+ temperature = gr.Slider(minimum=0, maximum=1, value=0.7, label="Temperature")
253
+ top_p = gr.Slider(minimum=0, maximum=1, value=0.9, label="Top P")
254
+
255
+ parquet_data_state = gr.State()
256
+
257
+ def handle_message_data_upload(
258
+ message: str,
259
+ history: List[Dict[str, str]],
260
+ system_message: str,
261
+ max_tokens: int,
262
+ temperature: float,
263
+ top_p: float,
264
+ parquet_data: str
265
+ ):
266
+ history = history or []
267
+ try:
268
+ # 사용자의 메시지를 히스토리에 추가
269
+ history.append({"role": "user", "content": message})
270
+ # 응답 생성
271
+ response_gen = respond(
272
+ message, history, system_message, max_tokens, temperature, top_p, parquet_data
273
+ )
274
+ partial_response = ""
275
+ for partial in response_gen:
276
+ partial_response = partial
277
+ # 대화 내역 업데이트
278
+ display_history = history + [
279
+ {"role": "assistant", "content": partial_response}
280
+ ]
281
+ yield display_history, ""
282
+ # 어시스턴트의 응답을 히스토리에 추가
283
+ history.append({"role": "assistant", "content": partial_response})
284
+ except Exception as e:
285
+ response = f"추론 중 오류가 발생했습니다: {str(e)}"
286
+ history.append({"role": "assistant", "content": response})
287
+ yield history, ""
288
+
289
+ send_data_upload.click(
290
+ handle_message_data_upload,
291
+ inputs=[
292
+ msg_data_upload,
293
+ chatbot_data_upload,
294
+ system_message,
295
+ max_tokens,
296
+ temperature,
297
+ top_p,
298
+ parquet_data_state, # parquet_data_state를 사용하여 업로드된 데이터를 전달
299
+ ],
300
+ outputs=[chatbot_data_upload, msg_data_upload],
301
+ queue=True
302
+ )
303
+
304
+ # 예제 추가
305
+ with gr.Accordion("예제", open=False):
306
+ gr.Examples(
307
+ examples=[
308
+ ["업로드된 데이터셋에 대해 요약 설명하라."],
309
+ ["업로드된 데이터셋 파일을 학습 데이터로 활용하여, 본 서비스를 SEO 최적화하여 블로그 포스트(개요, 배경 및 필요성, 기존 유사 제품/서비스와 비교하여 특장점, 활용처, 가치, 기대효과, 결론을 포함)로 4000 토큰 이상 작성하라"],
310
+ ["업로드된 데이터셋 파일을 학습 데이터로 활용하여, 사용 방법과 차별점, 특징, 강점을 중심으로 4000 토큰 이상 유튜브 영상 스크립트 형태로 작성하라"],
311
+ ["업로드된 데이터셋 파일을 학습 데이터로 활용하여, 제품 상세 페이지 형식의 내용을 4000 토큰 이상 자세히 설명하라"],
312
+ ["업로드된 데이터셋 파일을 학습 데이터로 활용하여, FAQ 20건을 상세하게 작성하라. 4000토큰 이상 사용하라."],
313
+ ["업로드된 데이터셋 파일을 학습 데이터로 활용하여, 특허 출원에 활용할 기술 및 비즈니스 모델 측면을 포함하여 특허 출원서 구성에 맞게 혁신적인 창의 발명 내용을 중심으로 4000 토큰 이상 작성하라."],
314
+ ],
315
+ inputs=msg_data_upload,
316
+ label="예제 선택",
317
+ )
318
+
319
+ # Parquet 파일 업로드를 화면 하단으로 이동
320
+ gr.Markdown("### Parquet 파일 업로드")
321
+ with gr.Row():
322
+ with gr.Column():
323
+ parquet_upload = gr.File(
324
+ label="Parquet 파일 업로드", type="filepath", elem_id="parquet-upload-area"
325
+ )
326
+ parquet_upload_button = gr.Button("업로드")
327
+ parquet_upload_status = gr.Textbox(label="업로드 상태", interactive=False)
328
+ parquet_preview_chat = gr.Markdown(label="Parquet 파일 미리보기")
329
+
330
+ def handle_parquet_upload(file_path: str):
331
+ message, parquet_content, parquet_json = upload_parquet(file_path)
332
+ if parquet_json:
333
+ return message, parquet_content, parquet_json
334
+ else:
335
+ return message, "", ""
336
+
337
+ parquet_upload_button.click(
338
+ handle_parquet_upload,
339
+ inputs=parquet_upload,
340
+ outputs=[parquet_upload_status, parquet_preview_chat, parquet_data_state]
341
+ )
342
+
343
+ # 두 번째 탭: 데이터 변환 (탭 이름 변경: "CSV to My 데이터셋")
344
+ with gr.Tab("CSV to My 데이터셋"):
345
+ gr.Markdown("### CSV 파일 업로드 및 Parquet 변환")
346
+ with gr.Row():
347
+ with gr.Column():
348
+ csv_file = gr.File(label="CSV 파일 업로드", type="filepath")
349
+ upload_button = gr.Button("업로드 및 변환")
350
+ upload_status = gr.Textbox(label="업로드 상태", interactive=False)
351
+ parquet_preview = gr.Markdown(label="Parquet 파일 미리보기")
352
+ download_button = gr.File(label="Parquet 파일 다운로드", interactive=False)
353
+
354
+ def handle_csv_upload(file_path: str):
355
+ message, parquet_filename = upload_csv(file_path)
356
+ if parquet_filename:
357
+ parquet_content = load_parquet(parquet_filename)
358
+ return message, parquet_content, parquet_filename
359
+ else:
360
+ return message, "", None
361
+
362
+ upload_button.click(
363
+ handle_csv_upload,
364
+ inputs=csv_file,
365
+ outputs=[upload_status, parquet_preview, download_button]
366
+ )
367
+
368
+ # 세 번째 탭: 텍스트 to csv to parquet 변환 (탭 이름 변경: "Text to My 데이터셋")
369
+ with gr.Tab("Text to My 데이터셋"):
370
+ gr.Markdown("### 텍스트를 입력하면 CSV로 변환 후 Parquet으로 자동 전환됩니다.")
371
+ with gr.Row():
372
+ with gr.Column():
373
+ text_input = gr.Textbox(
374
+ label="텍스트 입력 (각 행은 `id,text,label,metadata` 형식으로 입력)",
375
+ lines=10,
376
+ placeholder='예: 1,"이순신","장군","거북선"\n2,"원균","장군","모함"\n3,"선조","왕","시기"\n4,"도요토미 히데요시","왕","침략"'
377
+ )
378
+ convert_button = gr.Button("변환 및 다운로드")
379
+ convert_status = gr.Textbox(label="변환 상태", interactive=False)
380
+ parquet_preview_convert = gr.Markdown(label="Parquet 파일 미리보기")
381
+ download_parquet_convert = gr.File(label="Parquet 파일 다운로드", interactive=False)
382
+
383
+ def handle_text_to_parquet(text: str):
384
+ message, parquet_content, parquet_filename = text_to_parquet(text)
385
+ if parquet_filename:
386
+ return message, parquet_content, parquet_filename
387
+ else:
388
+ return message, "", None
389
+
390
+ convert_button.click(
391
+ handle_text_to_parquet,
392
+ inputs=text_input,
393
+ outputs=[convert_status, parquet_preview_convert, download_parquet_convert]
394
+ )
395
+
396
+ # 네 번째 탭: 텍스트를 데이터셋 형식으로 전처리 (개선된 버전)
397
+ with gr.Tab("Text Preprocessing with LLM"):
398
+ gr.Markdown("### 텍스트를 입력하면 LLM이 데이터셋 형식에 맞게 전처리하여 출력합니다.")
399
+ with gr.Row():
400
+ with gr.Column():
401
+ raw_text_input = gr.Textbox(
402
+ label="텍스트 입력",
403
+ lines=15,
404
+ placeholder="여기에 전처리할 텍스트를 입력하세요..."
405
+ )
406
+
407
+ with gr.Row():
408
+ preprocess_button = gr.Button("전처리 실행", variant="primary")
409
+ clear_button = gr.Button("초기화")
410
+
411
+ preprocess_status = gr.Textbox(
412
+ label="전처리 상태",
413
+ interactive=False,
414
+ value="대기 중..."
415
+ )
416
+
417
+ processed_text_output = gr.Textbox(
418
+ label="전처리된 데이터셋 출력",
419
+ lines=15,
420
+ interactive=False
421
+ )
422
+
423
+ # Parquet 변환 및 다운로드 섹션
424
+ with gr.Row():
425
+ convert_to_parquet_button = gr.Button("Parquet으로 변환", visible=True)
426
+ download_parquet = gr.File(
427
+ label="변환된 Parquet 파일 다운로드",
428
+ visible=False
429
+ )
430
+
431
+ def handle_text_preprocessing(input_text: str):
432
+ if not input_text.strip():
433
+ return "입력 텍스트가 없습니다.", ""
434
+
435
+ try:
436
+ preprocess_status_msg = "전처리를 시작합니다..."
437
+ yield preprocess_status_msg, ""
438
+
439
+ processed_text = preprocess_text_with_llm(input_text)
440
+
441
+ if processed_text:
442
+ preprocess_status_msg = "전처리가 완료되었습니다."
443
+ yield preprocess_status_msg, processed_text
444
+ else:
445
+ preprocess_status_msg = "전처리 결과가 없습니다."
446
+ yield preprocess_status_msg, ""
447
+
448
+ except Exception as e:
449
+ error_msg = f"처리 중 오류가 발생했습니다: {str(e)}"
450
+ yield error_msg, ""
451
+
452
+ def clear_inputs():
453
+ return "", "대기 중...", ""
454
+
455
+ def convert_to_parquet_file(processed_text: str):
456
+ if not processed_text.strip():
457
+ return "변환할 텍스트가 없습니다.", None
458
+
459
+ try:
460
+ message, parquet_content, parquet_filename = text_to_parquet(processed_text)
461
+ if parquet_filename:
462
+ return message, parquet_filename
463
+ return message, None
464
+ except Exception as e:
465
+ return f"Parquet 변환 중 오류 발생: {str(e)}", None
466
+
467
+ # 이벤트 핸들러 연결
468
+ preprocess_button.click(
469
+ handle_text_preprocessing,
470
+ inputs=[raw_text_input],
471
+ outputs=[preprocess_status, processed_text_output],
472
+ queue=True
473
+ )
474
+
475
+ clear_button.click(
476
+ clear_inputs,
477
+ outputs=[raw_text_input, preprocess_status, processed_text_output]
478
+ )
479
+
480
+ convert_to_parquet_button.click(
481
+ convert_to_parquet_file,
482
+ inputs=[processed_text_output],
483
+ outputs=[preprocess_status, download_parquet]
484
+ )
485
+
486
+ # 예제 텍스트 추가
487
+ with gr.Accordion("예제 텍스트", open=False):
488
+ gr.Examples(
489
+ examples=[
490
+ ["이순신은 조선 중기의 무신이다. 그는 임진왜란 당시 해군을 이끌었다. 거북선을 만들어 왜군과 싸웠다."],
491
+ ["인공지능은 컴퓨터 과학의 한 분야이다. 기계학습은 인공지능의 하위 분야이다. 딥러닝은 기계학습의 한 방법이다."]
492
+ ],
493
+ inputs=raw_text_input,
494
+ label="예제 선택"
495
+ )
496
+
497
+ gr.Markdown("### [email protected]", elem_id="initial-description")
498
+
499
+ if __name__ == "__main__":
500
+ demo.launch(share=True)