Spaces:
Sleeping
Sleeping
ver2.5
Browse files- OpenAITools/CrinicalTrialTools.py +112 -0
- PATHtoOriginaltool.ipynb +56 -14
- app.py +51 -27
- appOld.py +82 -0
- dev/ClinicalTrialApp.ipynb +24 -4
- dev/ClinicalTrialApp2.ipynb +184 -0
- dev/GraphAppDev6.ipynb +1068 -0
- dev/GraphAppDev7.ipynb +124 -0
- dev/filtered_data.csv +40 -53
- dev/full_data.csv +154 -0
OpenAITools/CrinicalTrialTools.py
CHANGED
@@ -309,3 +309,115 @@ class GraderAgent:
|
|
309 |
result = GraderAgent.invoke({"document": AgentJudgment_output})
|
310 |
AgentGrade = result.score
|
311 |
return AgentGrade
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
309 |
result = GraderAgent.invoke({"document": AgentJudgment_output})
|
310 |
AgentGrade = result.score
|
311 |
return AgentGrade
|
312 |
+
|
313 |
+
import re
|
314 |
+
|
315 |
+
class LLMTranslator:
|
316 |
+
def __init__(self, llm):
|
317 |
+
self.llm = llm
|
318 |
+
self.structured_llm_modifier = self.llm.with_structured_output(ModifyQuestion)
|
319 |
+
|
320 |
+
self.system_prompt = """あなたは、優秀な翻訳者です。\n
|
321 |
+
日本語を英語に翻訳して下さい。\n
|
322 |
+
"""
|
323 |
+
self.system_prompt2 = """あなたは、優秀な翻訳者です。\n
|
324 |
+
日本語を英語に以下のフォーマットに従って翻訳して下さい。\n
|
325 |
+
MainQuestion:
|
326 |
+
Known gene mutation:
|
327 |
+
Measurable tumour:
|
328 |
+
Biopsiable tumour:
|
329 |
+
"""
|
330 |
+
|
331 |
+
self.modify_prompt = ChatPromptTemplate.from_messages(
|
332 |
+
[
|
333 |
+
("system", self.system_prompt),
|
334 |
+
("human", "ユーザーの質問: {question}"),
|
335 |
+
]
|
336 |
+
)
|
337 |
+
|
338 |
+
self.modify_prompt2 = ChatPromptTemplate.from_messages(
|
339 |
+
[
|
340 |
+
("system", self.system_prompt2),
|
341 |
+
("human", "ユーザーの質問: {question}"),
|
342 |
+
]
|
343 |
+
)
|
344 |
+
|
345 |
+
def is_english(self, text: str) -> bool:
|
346 |
+
"""
|
347 |
+
簡易的にテキストが英語かどうかを判定する関数
|
348 |
+
:param text: 判定するテキスト
|
349 |
+
:return: 英語の場合True、日本語の場合False
|
350 |
+
"""
|
351 |
+
# 英語のアルファベットが多く含まれているかを確認
|
352 |
+
return bool(re.match(r'^[A-Za-z0-9\s.,?!]+$', text))
|
353 |
+
|
354 |
+
def translate(self, question: str) -> str:
|
355 |
+
"""
|
356 |
+
質問を翻訳するメソッド。英語の質問はそのまま返す。
|
357 |
+
:param question: 質問文
|
358 |
+
:return: 翻訳済みの質問文、または元の質問文(英語の場合)
|
359 |
+
"""
|
360 |
+
# 質問が英語の場合、そのまま返す
|
361 |
+
if self.is_english(question):
|
362 |
+
return question
|
363 |
+
|
364 |
+
# 日本語の質問は翻訳プロセスにかける
|
365 |
+
question_modifier = self.modify_prompt | self.structured_llm_modifier
|
366 |
+
result = question_modifier.invoke({"question": question})
|
367 |
+
modify_question = result.modified_question
|
368 |
+
return modify_question
|
369 |
+
|
370 |
+
def translateQuestion(self, question: str) -> str:
|
371 |
+
"""
|
372 |
+
フォーマット付きで質問を翻訳するメソッド。
|
373 |
+
:param question: 質問文
|
374 |
+
:return: フォーマットに従った翻訳済みの質問
|
375 |
+
"""
|
376 |
+
question_modifier = self.modify_prompt2 | self.structured_llm_modifier
|
377 |
+
result = question_modifier.invoke({"question": question})
|
378 |
+
modify_question = result.modified_question
|
379 |
+
return modify_question
|
380 |
+
|
381 |
+
def generate_ex_question(age, sex, tumor_type, GeneMutation, Meseable, Biopsiable):
|
382 |
+
# GeneMutationが空の場合はUnknownに設定
|
383 |
+
gene_mutation_text = GeneMutation if GeneMutation else "Unknown"
|
384 |
+
|
385 |
+
# MeseableとBiopsiableの値をYes, No, Unknownに変換
|
386 |
+
meseable_text = (
|
387 |
+
"Yes" if Meseable == "有り" else "No" if Meseable == "無し" else "Unknown"
|
388 |
+
)
|
389 |
+
biopsiable_text = (
|
390 |
+
"Yes" if Biopsiable == "有り" else "No" if Biopsiable == "無し" else "Unknown"
|
391 |
+
)
|
392 |
+
|
393 |
+
# 質問文の生成
|
394 |
+
ex_question = f"""{age}歳{sex}の{tumor_type}患者さんはこの治験に参加することができますか?
|
395 |
+
判明している遺伝子変異: {gene_mutation_text}
|
396 |
+
Meseable tumor: {meseable_text}
|
397 |
+
Biopsiable tumor: {biopsiable_text}
|
398 |
+
です。
|
399 |
+
"""
|
400 |
+
return ex_question
|
401 |
+
|
402 |
+
def generate_ex_question_English(age, sex, tumor_type, GeneMutation, Meseable, Biopsiable):
|
403 |
+
# GeneMutationが空の場合は"Unknown"に設定
|
404 |
+
gene_mutation_text = GeneMutation if GeneMutation else "Unknown"
|
405 |
+
|
406 |
+
# sexの値を male または female に変換
|
407 |
+
sex_text = "male" if sex == "男性" else "female" if sex == "女性" else "Unknown"
|
408 |
+
|
409 |
+
# MeseableとBiopsiableの値を "Yes", "No", "Unknown" に変換
|
410 |
+
meseable_text = (
|
411 |
+
"Yes" if Meseable == "有り" else "No" if Meseable == "無し" else "Unknown"
|
412 |
+
)
|
413 |
+
biopsiable_text = (
|
414 |
+
"Yes" if Biopsiable == "有り" else "No" if Biopsiable == "無し" else "Unknown"
|
415 |
+
)
|
416 |
+
|
417 |
+
# 英語での質問文を生成
|
418 |
+
ex_question = f"""Can a {age}-year-old {sex_text} patient with {tumor_type} participate in this clinical trial?
|
419 |
+
Known gene mutation: {gene_mutation_text}
|
420 |
+
Measurable tumor: {meseable_text}
|
421 |
+
Biopsiable tumor: {biopsiable_text}
|
422 |
+
"""
|
423 |
+
return ex_question
|
PATHtoOriginaltool.ipynb
CHANGED
@@ -2,7 +2,7 @@
|
|
2 |
"cells": [
|
3 |
{
|
4 |
"cell_type": "code",
|
5 |
-
"execution_count":
|
6 |
"metadata": {},
|
7 |
"outputs": [
|
8 |
{
|
@@ -17,7 +17,7 @@
|
|
17 |
" '/Users/satoc/Dropbox/programing/python/gradio']"
|
18 |
]
|
19 |
},
|
20 |
-
"execution_count":
|
21 |
"metadata": {},
|
22 |
"output_type": "execute_result"
|
23 |
}
|
@@ -31,7 +31,7 @@
|
|
31 |
},
|
32 |
{
|
33 |
"cell_type": "code",
|
34 |
-
"execution_count":
|
35 |
"metadata": {},
|
36 |
"outputs": [
|
37 |
{
|
@@ -40,7 +40,7 @@
|
|
40 |
"'/Users/satoc/Dropbox/programing/python/gradio'"
|
41 |
]
|
42 |
},
|
43 |
-
"execution_count":
|
44 |
"metadata": {},
|
45 |
"output_type": "execute_result"
|
46 |
}
|
@@ -51,7 +51,7 @@
|
|
51 |
},
|
52 |
{
|
53 |
"cell_type": "code",
|
54 |
-
"execution_count":
|
55 |
"metadata": {},
|
56 |
"outputs": [
|
57 |
{
|
@@ -60,13 +60,14 @@
|
|
60 |
"'/Users/satoc/Dropbox/programing/python/gradio/original_tools.pth'"
|
61 |
]
|
62 |
},
|
63 |
-
"execution_count":
|
64 |
"metadata": {},
|
65 |
"output_type": "execute_result"
|
66 |
}
|
67 |
],
|
68 |
"source": [
|
69 |
"fileName = paths[-1] + '/' +'original_tools.pth'\n",
|
|
|
70 |
"fileName"
|
71 |
]
|
72 |
},
|
@@ -79,7 +80,7 @@
|
|
79 |
},
|
80 |
{
|
81 |
"cell_type": "code",
|
82 |
-
"execution_count":
|
83 |
"metadata": {},
|
84 |
"outputs": [],
|
85 |
"source": [
|
@@ -88,7 +89,7 @@
|
|
88 |
},
|
89 |
{
|
90 |
"cell_type": "code",
|
91 |
-
"execution_count":
|
92 |
"metadata": {},
|
93 |
"outputs": [
|
94 |
{
|
@@ -97,7 +98,7 @@
|
|
97 |
"'/Users/satoc/Dropbox/programing/python/ClinicalTrialV2'"
|
98 |
]
|
99 |
},
|
100 |
-
"execution_count":
|
101 |
"metadata": {},
|
102 |
"output_type": "execute_result"
|
103 |
}
|
@@ -108,7 +109,7 @@
|
|
108 |
},
|
109 |
{
|
110 |
"cell_type": "code",
|
111 |
-
"execution_count":
|
112 |
"metadata": {},
|
113 |
"outputs": [],
|
114 |
"source": [
|
@@ -125,14 +126,14 @@
|
|
125 |
},
|
126 |
{
|
127 |
"cell_type": "code",
|
128 |
-
"execution_count":
|
129 |
"metadata": {},
|
130 |
"outputs": [
|
131 |
{
|
132 |
"name": "stdout",
|
133 |
"output_type": "stream",
|
134 |
"text": [
|
135 |
-
"['/Users/satoc/miniforge3/envs/gradio/lib/python312.zip', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12/lib-dynload', '', '/Users/satoc
|
136 |
"/Users/satoc/Dropbox/programing/python/gradio/original_tools.pth\n",
|
137 |
"/Users/satoc/Dropbox/programing/python/ClinicalTrialV2\n"
|
138 |
]
|
@@ -153,7 +154,7 @@
|
|
153 |
},
|
154 |
{
|
155 |
"cell_type": "code",
|
156 |
-
"execution_count":
|
157 |
"metadata": {},
|
158 |
"outputs": [],
|
159 |
"source": [
|
@@ -162,7 +163,7 @@
|
|
162 |
},
|
163 |
{
|
164 |
"cell_type": "code",
|
165 |
-
"execution_count":
|
166 |
"metadata": {},
|
167 |
"outputs": [],
|
168 |
"source": [
|
@@ -176,6 +177,47 @@
|
|
176 |
"outputs": [],
|
177 |
"source": []
|
178 |
},
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
179 |
{
|
180 |
"cell_type": "code",
|
181 |
"execution_count": null,
|
|
|
2 |
"cells": [
|
3 |
{
|
4 |
"cell_type": "code",
|
5 |
+
"execution_count": 3,
|
6 |
"metadata": {},
|
7 |
"outputs": [
|
8 |
{
|
|
|
17 |
" '/Users/satoc/Dropbox/programing/python/gradio']"
|
18 |
]
|
19 |
},
|
20 |
+
"execution_count": 3,
|
21 |
"metadata": {},
|
22 |
"output_type": "execute_result"
|
23 |
}
|
|
|
31 |
},
|
32 |
{
|
33 |
"cell_type": "code",
|
34 |
+
"execution_count": 2,
|
35 |
"metadata": {},
|
36 |
"outputs": [
|
37 |
{
|
|
|
40 |
"'/Users/satoc/Dropbox/programing/python/gradio'"
|
41 |
]
|
42 |
},
|
43 |
+
"execution_count": 2,
|
44 |
"metadata": {},
|
45 |
"output_type": "execute_result"
|
46 |
}
|
|
|
51 |
},
|
52 |
{
|
53 |
"cell_type": "code",
|
54 |
+
"execution_count": 11,
|
55 |
"metadata": {},
|
56 |
"outputs": [
|
57 |
{
|
|
|
60 |
"'/Users/satoc/Dropbox/programing/python/gradio/original_tools.pth'"
|
61 |
]
|
62 |
},
|
63 |
+
"execution_count": 11,
|
64 |
"metadata": {},
|
65 |
"output_type": "execute_result"
|
66 |
}
|
67 |
],
|
68 |
"source": [
|
69 |
"fileName = paths[-1] + '/' +'original_tools.pth'\n",
|
70 |
+
"#fileName = \"/Users/satoc/Dropbox/programing/python/ClinicalTrialV2\" + '/' +'original_tools.pth'\n",
|
71 |
"fileName"
|
72 |
]
|
73 |
},
|
|
|
80 |
},
|
81 |
{
|
82 |
"cell_type": "code",
|
83 |
+
"execution_count": 12,
|
84 |
"metadata": {},
|
85 |
"outputs": [],
|
86 |
"source": [
|
|
|
89 |
},
|
90 |
{
|
91 |
"cell_type": "code",
|
92 |
+
"execution_count": 13,
|
93 |
"metadata": {},
|
94 |
"outputs": [
|
95 |
{
|
|
|
98 |
"'/Users/satoc/Dropbox/programing/python/ClinicalTrialV2'"
|
99 |
]
|
100 |
},
|
101 |
+
"execution_count": 13,
|
102 |
"metadata": {},
|
103 |
"output_type": "execute_result"
|
104 |
}
|
|
|
109 |
},
|
110 |
{
|
111 |
"cell_type": "code",
|
112 |
+
"execution_count": 14,
|
113 |
"metadata": {},
|
114 |
"outputs": [],
|
115 |
"source": [
|
|
|
126 |
},
|
127 |
{
|
128 |
"cell_type": "code",
|
129 |
+
"execution_count": 2,
|
130 |
"metadata": {},
|
131 |
"outputs": [
|
132 |
{
|
133 |
"name": "stdout",
|
134 |
"output_type": "stream",
|
135 |
"text": [
|
136 |
+
"['/Users/satoc/miniforge3/envs/gradio/lib/python312.zip', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12/lib-dynload', '', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12/site-packages', '/Users/satoc/Dropbox/programing/python/gradio']\n",
|
137 |
"/Users/satoc/Dropbox/programing/python/gradio/original_tools.pth\n",
|
138 |
"/Users/satoc/Dropbox/programing/python/ClinicalTrialV2\n"
|
139 |
]
|
|
|
154 |
},
|
155 |
{
|
156 |
"cell_type": "code",
|
157 |
+
"execution_count": 16,
|
158 |
"metadata": {},
|
159 |
"outputs": [],
|
160 |
"source": [
|
|
|
163 |
},
|
164 |
{
|
165 |
"cell_type": "code",
|
166 |
+
"execution_count": 17,
|
167 |
"metadata": {},
|
168 |
"outputs": [],
|
169 |
"source": [
|
|
|
177 |
"outputs": [],
|
178 |
"source": []
|
179 |
},
|
180 |
+
{
|
181 |
+
"cell_type": "code",
|
182 |
+
"execution_count": 2,
|
183 |
+
"metadata": {},
|
184 |
+
"outputs": [
|
185 |
+
{
|
186 |
+
"name": "stdout",
|
187 |
+
"output_type": "stream",
|
188 |
+
"text": [
|
189 |
+
".pthファイルを作成するパス: /Users/satoc/miniforge3/envs/gradio/lib/python3.12/site-packages/original_tools.pth\n",
|
190 |
+
"現在の作業ディレクトリ: /Users/satoc/Dropbox/programing/python/ClinicalTrialV2\n",
|
191 |
+
"モジュール検索パス:\n",
|
192 |
+
"['/Users/satoc/miniforge3/envs/gradio/lib/python312.zip', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12/lib-dynload', '', '/Users/satoc/.local/lib/python3.12/site-packages', '/Users/satoc/miniforge3/envs/gradio/lib/python3.12/site-packages', '/Users/satoc/Dropbox/programing/python/gradio']\n"
|
193 |
+
]
|
194 |
+
}
|
195 |
+
],
|
196 |
+
"source": [
|
197 |
+
"import sys\n",
|
198 |
+
"import os\n",
|
199 |
+
"import site\n",
|
200 |
+
"\n",
|
201 |
+
"# site-packagesのディレクトリを取得\n",
|
202 |
+
"site_packages_path = site.getsitepackages()[0] # 複数ある場合、通常は最初のものを使用\n",
|
203 |
+
"\n",
|
204 |
+
"# .pthファイルのパスをsite-packagesに設定\n",
|
205 |
+
"fileName = os.path.join(site_packages_path, 'original_tools.pth')\n",
|
206 |
+
"print(f\".pthファイルを作成するパス: {fileName}\")\n",
|
207 |
+
"\n",
|
208 |
+
"# 現在の作業ディレクトリを取得\n",
|
209 |
+
"cwd = os.getcwd()\n",
|
210 |
+
"print(f\"現在の作業ディレクトリ: {cwd}\")\n",
|
211 |
+
"\n",
|
212 |
+
"# .pthファイルを作成し、現在の作業ディレクトリのパスを書き込む\n",
|
213 |
+
"with open(fileName, mode='w') as f:\n",
|
214 |
+
" f.write(cwd)\n",
|
215 |
+
"\n",
|
216 |
+
"# 確認のためにsys.pathを再表示\n",
|
217 |
+
"print(\"モジュール検索パス:\")\n",
|
218 |
+
"print(sys.path)\n"
|
219 |
+
]
|
220 |
+
},
|
221 |
{
|
222 |
"cell_type": "code",
|
223 |
"execution_count": null,
|
app.py
CHANGED
@@ -1,48 +1,55 @@
|
|
1 |
import gradio as gr
|
2 |
import pandas as pd
|
3 |
-
from OpenAITools.FetchTools import fetch_clinical_trials
|
4 |
from langchain_openai import ChatOpenAI
|
5 |
from langchain_groq import ChatGroq
|
6 |
-
from OpenAITools.CrinicalTrialTools import
|
7 |
|
8 |
# モデルとエージェントの初期化
|
9 |
groq = ChatGroq(model_name="llama3-70b-8192", temperature=0)
|
10 |
-
|
11 |
-
extractor = TumorNameExtractor(groq)
|
12 |
CriteriaCheckAgent = SimpleClinicalTrialAgent(groq)
|
13 |
grader_agent = GraderAgent(groq)
|
14 |
|
15 |
# データフレームを生成する関数
|
16 |
-
def
|
17 |
-
|
18 |
-
|
19 |
-
|
|
|
|
|
|
|
|
|
|
|
20 |
df['AgentJudgment'] = None
|
21 |
df['AgentGrade'] = None
|
22 |
-
|
|
|
23 |
NCTIDs = list(df['NCTID'])
|
24 |
progress = gr.Progress(track_tqdm=True)
|
25 |
-
|
26 |
for i, nct_id in enumerate(NCTIDs):
|
27 |
target_criteria = df.loc[df['NCTID'] == nct_id, 'Eligibility Criteria'].values[0]
|
28 |
-
agent_judgment = CriteriaCheckAgent.evaluate_eligibility(target_criteria,
|
29 |
agent_grade = grader_agent.evaluate_eligibility(agent_judgment)
|
|
|
|
|
30 |
df.loc[df['NCTID'] == nct_id, 'AgentJudgment'] = agent_judgment
|
31 |
df.loc[df['NCTID'] == nct_id, 'AgentGrade'] = agent_grade
|
32 |
progress((i + 1) / len(NCTIDs))
|
33 |
|
|
|
34 |
columns_order = ['NCTID', 'AgentGrade', 'Title', 'AgentJudgment', 'Japanes Locations',
|
35 |
'Primary Completion Date', 'Cancer', 'Summary', 'Eligibility Criteria']
|
36 |
df = df[columns_order]
|
|
|
|
|
37 |
|
38 |
-
|
39 |
-
|
40 |
-
# AgentGradeが特定の値(yes, no, unclear)の行だけを選択する関数
|
41 |
def filter_rows_by_grade(original_df, grade):
|
42 |
df_filtered = original_df[original_df['AgentGrade'] == grade]
|
43 |
return df_filtered, df_filtered
|
44 |
|
45 |
-
#
|
46 |
def download_filtered_csv(df):
|
47 |
file_path = "filtered_data.csv"
|
48 |
df.to_csv(file_path, index=False)
|
@@ -56,27 +63,44 @@ def download_full_csv(df):
|
|
56 |
|
57 |
# Gradioインターフェースの作成
|
58 |
with gr.Blocks() as demo:
|
59 |
-
gr.Markdown("##
|
60 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
61 |
dataframe_output = gr.DataFrame()
|
62 |
original_df = gr.State()
|
63 |
filtered_df = gr.State()
|
64 |
|
65 |
-
|
66 |
-
|
67 |
-
|
68 |
-
|
69 |
-
|
70 |
-
|
71 |
-
|
72 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
73 |
|
74 |
-
|
|
|
|
|
75 |
yes_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("yes")], outputs=[dataframe_output, filtered_df])
|
76 |
no_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("no")], outputs=[dataframe_output, filtered_df])
|
77 |
unclear_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("unclear")], outputs=[dataframe_output, filtered_df])
|
78 |
download_filtered_button.click(fn=download_filtered_csv, inputs=filtered_df, outputs=download_filtered_output)
|
79 |
download_full_button.click(fn=download_full_csv, inputs=original_df, outputs=download_full_output)
|
80 |
-
|
81 |
if __name__ == "__main__":
|
82 |
demo.launch()
|
|
|
1 |
import gradio as gr
|
2 |
import pandas as pd
|
3 |
+
from OpenAITools.FetchTools import fetch_clinical_trials
|
4 |
from langchain_openai import ChatOpenAI
|
5 |
from langchain_groq import ChatGroq
|
6 |
+
from OpenAITools.CrinicalTrialTools import SimpleClinicalTrialAgent, GraderAgent, LLMTranslator, generate_ex_question_English
|
7 |
|
8 |
# モデルとエージェントの初期化
|
9 |
groq = ChatGroq(model_name="llama3-70b-8192", temperature=0)
|
10 |
+
translator = LLMTranslator(groq)
|
|
|
11 |
CriteriaCheckAgent = SimpleClinicalTrialAgent(groq)
|
12 |
grader_agent = GraderAgent(groq)
|
13 |
|
14 |
# データフレームを生成する関数
|
15 |
+
def generate_dataframe(age, sex, tumor_type, GeneMutation, Meseable, Biopsiable):
|
16 |
+
# 日本語の腫瘍タイプを英語に翻訳
|
17 |
+
TumorName = translator.translate(tumor_type)
|
18 |
+
|
19 |
+
# 質問文を生成
|
20 |
+
ex_question = generate_ex_question_English(age, sex, TumorName, GeneMutation, Meseable, Biopsiable)
|
21 |
+
|
22 |
+
# 臨床試験データの取得
|
23 |
+
df = fetch_clinical_trials(TumorName)
|
24 |
df['AgentJudgment'] = None
|
25 |
df['AgentGrade'] = None
|
26 |
+
|
27 |
+
# 臨床試験の適格性の評価
|
28 |
NCTIDs = list(df['NCTID'])
|
29 |
progress = gr.Progress(track_tqdm=True)
|
|
|
30 |
for i, nct_id in enumerate(NCTIDs):
|
31 |
target_criteria = df.loc[df['NCTID'] == nct_id, 'Eligibility Criteria'].values[0]
|
32 |
+
agent_judgment = CriteriaCheckAgent.evaluate_eligibility(target_criteria, ex_question)
|
33 |
agent_grade = grader_agent.evaluate_eligibility(agent_judgment)
|
34 |
+
|
35 |
+
# データフレームの更新
|
36 |
df.loc[df['NCTID'] == nct_id, 'AgentJudgment'] = agent_judgment
|
37 |
df.loc[df['NCTID'] == nct_id, 'AgentGrade'] = agent_grade
|
38 |
progress((i + 1) / len(NCTIDs))
|
39 |
|
40 |
+
# 列を指定した順に並び替え
|
41 |
columns_order = ['NCTID', 'AgentGrade', 'Title', 'AgentJudgment', 'Japanes Locations',
|
42 |
'Primary Completion Date', 'Cancer', 'Summary', 'Eligibility Criteria']
|
43 |
df = df[columns_order]
|
44 |
+
|
45 |
+
return df, df # フィルタ用と表示用にデータフレームを返す
|
46 |
|
47 |
+
# 特定のAgentGrade(yes, no, unclear)に基づいて行をフィルタリングする関数
|
|
|
|
|
48 |
def filter_rows_by_grade(original_df, grade):
|
49 |
df_filtered = original_df[original_df['AgentGrade'] == grade]
|
50 |
return df_filtered, df_filtered
|
51 |
|
52 |
+
# CSVとして保存しダウンロードする関数
|
53 |
def download_filtered_csv(df):
|
54 |
file_path = "filtered_data.csv"
|
55 |
df.to_csv(file_path, index=False)
|
|
|
63 |
|
64 |
# Gradioインターフェースの作成
|
65 |
with gr.Blocks() as demo:
|
66 |
+
gr.Markdown("## 臨床試験適格性評価インターフェース")
|
67 |
+
|
68 |
+
# 各種入力フィールド
|
69 |
+
age_input = gr.Textbox(label="Age", placeholder="例: 65")
|
70 |
+
sex_input = gr.Dropdown(choices=["男性", "女性"], label="Sex")
|
71 |
+
tumor_type_input = gr.Textbox(label="Tumor Type", placeholder="例: gastric cancer, 日本でも良いですが英語の方が精度が高いです。")
|
72 |
+
gene_mutation_input = gr.Textbox(label="Gene Mutation", placeholder="例: HER2")
|
73 |
+
measurable_input = gr.Dropdown(choices=["有り", "無し", "不明"], label="Measurable Tumor")
|
74 |
+
biopsiable_input = gr.Dropdown(choices=["有り", "無し", "不明"], label="Biopsiable Tumor")
|
75 |
+
|
76 |
+
# データフレーム表示エリア
|
77 |
dataframe_output = gr.DataFrame()
|
78 |
original_df = gr.State()
|
79 |
filtered_df = gr.State()
|
80 |
|
81 |
+
# データフレーム生成ボタン
|
82 |
+
generate_button = gr.Button("Generate Clinical Trials Data")
|
83 |
+
|
84 |
+
# フィルタリングボタン
|
85 |
+
yes_button = gr.Button("Show Eligible Trials")
|
86 |
+
no_button = gr.Button("Show Ineligible Trials")
|
87 |
+
unclear_button = gr.Button("Show Unclear Trials")
|
88 |
+
|
89 |
+
# ダウンロードボタン
|
90 |
+
download_filtered_button = gr.Button("Download Filtered Data")
|
91 |
+
download_filtered_output = gr.File(label="Download Filtered Data")
|
92 |
+
|
93 |
+
download_full_button = gr.Button("Download Full Data")
|
94 |
+
download_full_output = gr.File(label="Download Full Data")
|
95 |
|
96 |
+
|
97 |
+
# ボタン動作の設定
|
98 |
+
generate_button.click(fn=generate_dataframe, inputs=[age_input, sex_input, tumor_type_input, gene_mutation_input, measurable_input, biopsiable_input], outputs=[dataframe_output, original_df])
|
99 |
yes_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("yes")], outputs=[dataframe_output, filtered_df])
|
100 |
no_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("no")], outputs=[dataframe_output, filtered_df])
|
101 |
unclear_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("unclear")], outputs=[dataframe_output, filtered_df])
|
102 |
download_filtered_button.click(fn=download_filtered_csv, inputs=filtered_df, outputs=download_filtered_output)
|
103 |
download_full_button.click(fn=download_full_csv, inputs=original_df, outputs=download_full_output)
|
104 |
+
|
105 |
if __name__ == "__main__":
|
106 |
demo.launch()
|
appOld.py
ADDED
@@ -0,0 +1,82 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import gradio as gr
|
2 |
+
import pandas as pd
|
3 |
+
from OpenAITools.FetchTools import fetch_clinical_trials, fetch_clinical_trials_jp
|
4 |
+
from langchain_openai import ChatOpenAI
|
5 |
+
from langchain_groq import ChatGroq
|
6 |
+
from OpenAITools.CrinicalTrialTools import QuestionModifierEnglish, TumorNameExtractor, SimpleClinicalTrialAgent, GraderAgent
|
7 |
+
|
8 |
+
# モデルとエージェントの初期化
|
9 |
+
groq = ChatGroq(model_name="llama3-70b-8192", temperature=0)
|
10 |
+
modifier = QuestionModifierEnglish(groq)
|
11 |
+
extractor = TumorNameExtractor(groq)
|
12 |
+
CriteriaCheckAgent = SimpleClinicalTrialAgent(groq)
|
13 |
+
grader_agent = GraderAgent(groq)
|
14 |
+
|
15 |
+
# データフレームを生成する関数
|
16 |
+
def generate_dataframe_from_question(ex_question):
|
17 |
+
modified_question = modifier.modify_question(ex_question)
|
18 |
+
tumor_name = extractor.extract_tumor_name(ex_question)
|
19 |
+
df = fetch_clinical_trials(tumor_name)
|
20 |
+
df['AgentJudgment'] = None
|
21 |
+
df['AgentGrade'] = None
|
22 |
+
|
23 |
+
NCTIDs = list(df['NCTID'])
|
24 |
+
progress = gr.Progress(track_tqdm=True)
|
25 |
+
|
26 |
+
for i, nct_id in enumerate(NCTIDs):
|
27 |
+
target_criteria = df.loc[df['NCTID'] == nct_id, 'Eligibility Criteria'].values[0]
|
28 |
+
agent_judgment = CriteriaCheckAgent.evaluate_eligibility(target_criteria, modified_question)
|
29 |
+
agent_grade = grader_agent.evaluate_eligibility(agent_judgment)
|
30 |
+
df.loc[df['NCTID'] == nct_id, 'AgentJudgment'] = agent_judgment
|
31 |
+
df.loc[df['NCTID'] == nct_id, 'AgentGrade'] = agent_grade
|
32 |
+
progress((i + 1) / len(NCTIDs))
|
33 |
+
|
34 |
+
columns_order = ['NCTID', 'AgentGrade', 'Title', 'AgentJudgment', 'Japanes Locations',
|
35 |
+
'Primary Completion Date', 'Cancer', 'Summary', 'Eligibility Criteria']
|
36 |
+
df = df[columns_order]
|
37 |
+
|
38 |
+
return df, df
|
39 |
+
|
40 |
+
# AgentGradeが特定の値(yes, no, unclear)の行だけを選択する関数
|
41 |
+
def filter_rows_by_grade(original_df, grade):
|
42 |
+
df_filtered = original_df[original_df['AgentGrade'] == grade]
|
43 |
+
return df_filtered, df_filtered
|
44 |
+
|
45 |
+
# フィルタ結果をCSVとして保存しダウンロードする関数
|
46 |
+
def download_filtered_csv(df):
|
47 |
+
file_path = "filtered_data.csv"
|
48 |
+
df.to_csv(file_path, index=False)
|
49 |
+
return file_path
|
50 |
+
|
51 |
+
# 全体結果をCSVとして保存しダウンロードする関数
|
52 |
+
def download_full_csv(df):
|
53 |
+
file_path = "full_data.csv"
|
54 |
+
df.to_csv(file_path, index=False)
|
55 |
+
return file_path
|
56 |
+
|
57 |
+
# Gradioインターフェースの作成
|
58 |
+
with gr.Blocks() as demo:
|
59 |
+
gr.Markdown("## 質問を入力して、患者さんが参加可能な臨床治験の情報を収集。参加可能か否かを判断根拠も含めて提示します。結果はcsvとしてダウンロード可能です")
|
60 |
+
question_input = gr.Textbox(label="質問を入力してください", placeholder="例: 65歳男性でBRCA遺伝子の変異がある前立腺癌患者さんが参加できる臨床治験を教えて下さい。")
|
61 |
+
dataframe_output = gr.DataFrame()
|
62 |
+
original_df = gr.State()
|
63 |
+
filtered_df = gr.State()
|
64 |
+
|
65 |
+
generate_button = gr.Button("日本で行われている患者さんの癌腫の臨床治験を全て取得する")
|
66 |
+
yes_button = gr.Button("AI Agentが患者さんが参加可能であると判断した臨床治験のみを表示")
|
67 |
+
no_button = gr.Button("AI Agentが患者さんが参加不可であると判断した臨床治験のみを表示")
|
68 |
+
unclear_button = gr.Button("AI Agentが与えられた情報だけでは判断不可能とした臨床治験のみを表示")
|
69 |
+
download_filtered_button = gr.Button("フィルタ結果をCSVとしてダウンロード")
|
70 |
+
download_full_button = gr.Button("全体結果をCSVとしてダウンロード")
|
71 |
+
download_filtered_output = gr.File(label="フィルタ結果のCSVダウンロード")
|
72 |
+
download_full_output = gr.File(label="全体結果のCSVダウンロード")
|
73 |
+
|
74 |
+
generate_button.click(fn=generate_dataframe_from_question, inputs=question_input, outputs=[dataframe_output, original_df])
|
75 |
+
yes_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("yes")], outputs=[dataframe_output, filtered_df])
|
76 |
+
no_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("no")], outputs=[dataframe_output, filtered_df])
|
77 |
+
unclear_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State("unclear")], outputs=[dataframe_output, filtered_df])
|
78 |
+
download_filtered_button.click(fn=download_filtered_csv, inputs=filtered_df, outputs=download_filtered_output)
|
79 |
+
download_full_button.click(fn=download_full_csv, inputs=original_df, outputs=download_full_output)
|
80 |
+
|
81 |
+
if __name__ == "__main__":
|
82 |
+
demo.launch()
|
dev/ClinicalTrialApp.ipynb
CHANGED
@@ -2,14 +2,27 @@
|
|
2 |
"cells": [
|
3 |
{
|
4 |
"cell_type": "code",
|
5 |
-
"execution_count":
|
6 |
"metadata": {},
|
7 |
"outputs": [
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
8 |
{
|
9 |
"name": "stdout",
|
10 |
"output_type": "stream",
|
11 |
"text": [
|
12 |
-
"* Running on local URL: http://127.0.0.1:
|
13 |
"\n",
|
14 |
"To create a public link, set `share=True` in `launch()`.\n"
|
15 |
]
|
@@ -17,7 +30,7 @@
|
|
17 |
{
|
18 |
"data": {
|
19 |
"text/html": [
|
20 |
-
"<div><iframe src=\"http://127.0.0.1:
|
21 |
],
|
22 |
"text/plain": [
|
23 |
"<IPython.core.display.HTML object>"
|
@@ -30,9 +43,16 @@
|
|
30 |
"data": {
|
31 |
"text/plain": []
|
32 |
},
|
33 |
-
"execution_count":
|
34 |
"metadata": {},
|
35 |
"output_type": "execute_result"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
36 |
}
|
37 |
],
|
38 |
"source": [
|
|
|
2 |
"cells": [
|
3 |
{
|
4 |
"cell_type": "code",
|
5 |
+
"execution_count": 1,
|
6 |
"metadata": {},
|
7 |
"outputs": [
|
8 |
+
{
|
9 |
+
"name": "stderr",
|
10 |
+
"output_type": "stream",
|
11 |
+
"text": [
|
12 |
+
"/var/folders/yw/qz00x75d7kb98f7vm8dkhkvw0000gn/T/ipykernel_63095/2786558369.py:6: LangChainDeprecationWarning: As of langchain-core 0.3.0, LangChain uses pydantic v2 internally. The langchain_core.pydantic_v1 module was a compatibility shim for pydantic v1, and should no longer be used. Please update the code to import from Pydantic directly.\n",
|
13 |
+
"\n",
|
14 |
+
"For example, replace imports like: `from langchain_core.pydantic_v1 import BaseModel`\n",
|
15 |
+
"with: `from pydantic import BaseModel`\n",
|
16 |
+
"or the v1 compatibility namespace if you are working in a code base that has not been fully upgraded to pydantic 2 yet. \tfrom pydantic.v1 import BaseModel\n",
|
17 |
+
"\n",
|
18 |
+
" from OpenAITools.CrinicalTrialTools import QuestionModifierEnglish, TumorNameExtractor, SimpleClinicalTrialAgent, GraderAgent\n"
|
19 |
+
]
|
20 |
+
},
|
21 |
{
|
22 |
"name": "stdout",
|
23 |
"output_type": "stream",
|
24 |
"text": [
|
25 |
+
"* Running on local URL: http://127.0.0.1:7861\n",
|
26 |
"\n",
|
27 |
"To create a public link, set `share=True` in `launch()`.\n"
|
28 |
]
|
|
|
30 |
{
|
31 |
"data": {
|
32 |
"text/html": [
|
33 |
+
"<div><iframe src=\"http://127.0.0.1:7861/\" width=\"100%\" height=\"500\" allow=\"autoplay; camera; microphone; clipboard-read; clipboard-write;\" frameborder=\"0\" allowfullscreen></iframe></div>"
|
34 |
],
|
35 |
"text/plain": [
|
36 |
"<IPython.core.display.HTML object>"
|
|
|
43 |
"data": {
|
44 |
"text/plain": []
|
45 |
},
|
46 |
+
"execution_count": 1,
|
47 |
"metadata": {},
|
48 |
"output_type": "execute_result"
|
49 |
+
},
|
50 |
+
{
|
51 |
+
"name": "stdout",
|
52 |
+
"output_type": "stream",
|
53 |
+
"text": [
|
54 |
+
"Fetching data from: https://clinicaltrials.gov/api/v2/studies?query.titles=glioma SEARCH[Location](AREA[LocationCountry]Japan AND AREA[LocationStatus]Recruiting)&pageSize=100\n"
|
55 |
+
]
|
56 |
}
|
57 |
],
|
58 |
"source": [
|
dev/ClinicalTrialApp2.ipynb
ADDED
@@ -0,0 +1,184 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
{
|
2 |
+
"cells": [
|
3 |
+
{
|
4 |
+
"cell_type": "code",
|
5 |
+
"execution_count": 9,
|
6 |
+
"metadata": {},
|
7 |
+
"outputs": [
|
8 |
+
{
|
9 |
+
"name": "stdout",
|
10 |
+
"output_type": "stream",
|
11 |
+
"text": [
|
12 |
+
"* Running on local URL: http://127.0.0.1:7866\n",
|
13 |
+
"\n",
|
14 |
+
"To create a public link, set `share=True` in `launch()`.\n"
|
15 |
+
]
|
16 |
+
},
|
17 |
+
{
|
18 |
+
"data": {
|
19 |
+
"text/html": [
|
20 |
+
"<div><iframe src=\"http://127.0.0.1:7866/\" width=\"100%\" height=\"500\" allow=\"autoplay; camera; microphone; clipboard-read; clipboard-write;\" frameborder=\"0\" allowfullscreen></iframe></div>"
|
21 |
+
],
|
22 |
+
"text/plain": [
|
23 |
+
"<IPython.core.display.HTML object>"
|
24 |
+
]
|
25 |
+
},
|
26 |
+
"metadata": {},
|
27 |
+
"output_type": "display_data"
|
28 |
+
},
|
29 |
+
{
|
30 |
+
"data": {
|
31 |
+
"text/plain": []
|
32 |
+
},
|
33 |
+
"execution_count": 9,
|
34 |
+
"metadata": {},
|
35 |
+
"output_type": "execute_result"
|
36 |
+
},
|
37 |
+
{
|
38 |
+
"name": "stdout",
|
39 |
+
"output_type": "stream",
|
40 |
+
"text": [
|
41 |
+
"Fetching data from: https://clinicaltrials.gov/api/v2/studies?query.titles=glioma SEARCH[Location](AREA[LocationCountry]Japan AND AREA[LocationStatus]Recruiting)&pageSize=100\n"
|
42 |
+
]
|
43 |
+
}
|
44 |
+
],
|
45 |
+
"source": [
|
46 |
+
"import gradio as gr\n",
|
47 |
+
"import pandas as pd\n",
|
48 |
+
"from OpenAITools.FetchTools import fetch_clinical_trials\n",
|
49 |
+
"from langchain_openai import ChatOpenAI\n",
|
50 |
+
"from langchain_groq import ChatGroq\n",
|
51 |
+
"from OpenAITools.CrinicalTrialTools import SimpleClinicalTrialAgent, GraderAgent, LLMTranslator, generate_ex_question_English\n",
|
52 |
+
"\n",
|
53 |
+
"# モデルとエージェントの初期化\n",
|
54 |
+
"groq = ChatGroq(model_name=\"llama3-70b-8192\", temperature=0)\n",
|
55 |
+
"translator = LLMTranslator(groq)\n",
|
56 |
+
"CriteriaCheckAgent = SimpleClinicalTrialAgent(groq)\n",
|
57 |
+
"grader_agent = GraderAgent(groq)\n",
|
58 |
+
"\n",
|
59 |
+
"# データフレームを生成する関数\n",
|
60 |
+
"def generate_dataframe(age, sex, tumor_type, GeneMutation, Meseable, Biopsiable):\n",
|
61 |
+
" # 日本語の腫瘍タイプを英語に翻訳\n",
|
62 |
+
" TumorName = translator.translate(tumor_type)\n",
|
63 |
+
"\n",
|
64 |
+
" # 質問文を生成\n",
|
65 |
+
" ex_question = generate_ex_question_English(age, sex, TumorName, GeneMutation, Meseable, Biopsiable)\n",
|
66 |
+
" \n",
|
67 |
+
" # 臨床試験データの取得\n",
|
68 |
+
" df = fetch_clinical_trials(TumorName)\n",
|
69 |
+
" df['AgentJudgment'] = None\n",
|
70 |
+
" df['AgentGrade'] = None\n",
|
71 |
+
" \n",
|
72 |
+
" # 臨床試験の適格性の評価\n",
|
73 |
+
" NCTIDs = list(df['NCTID'])\n",
|
74 |
+
" progress = gr.Progress(track_tqdm=True)\n",
|
75 |
+
" for i, nct_id in enumerate(NCTIDs):\n",
|
76 |
+
" target_criteria = df.loc[df['NCTID'] == nct_id, 'Eligibility Criteria'].values[0]\n",
|
77 |
+
" agent_judgment = CriteriaCheckAgent.evaluate_eligibility(target_criteria, ex_question)\n",
|
78 |
+
" agent_grade = grader_agent.evaluate_eligibility(agent_judgment)\n",
|
79 |
+
" \n",
|
80 |
+
" # データフレームの更新\n",
|
81 |
+
" df.loc[df['NCTID'] == nct_id, 'AgentJudgment'] = agent_judgment\n",
|
82 |
+
" df.loc[df['NCTID'] == nct_id, 'AgentGrade'] = agent_grade\n",
|
83 |
+
" progress((i + 1) / len(NCTIDs))\n",
|
84 |
+
" \n",
|
85 |
+
" # 列を指定した順に並び替え\n",
|
86 |
+
" columns_order = ['NCTID', 'AgentGrade', 'Title', 'AgentJudgment', 'Japanes Locations', \n",
|
87 |
+
" 'Primary Completion Date', 'Cancer', 'Summary', 'Eligibility Criteria']\n",
|
88 |
+
" df = df[columns_order]\n",
|
89 |
+
" \n",
|
90 |
+
" return df, df # フィルタ用と表示用にデータフレームを返す\n",
|
91 |
+
"\n",
|
92 |
+
"# 特定のAgentGrade(yes, no, unclear)に基づいて行をフィルタリングする関数\n",
|
93 |
+
"def filter_rows_by_grade(original_df, grade):\n",
|
94 |
+
" df_filtered = original_df[original_df['AgentGrade'] == grade]\n",
|
95 |
+
" return df_filtered, df_filtered\n",
|
96 |
+
"\n",
|
97 |
+
"# CSVとして保存しダウンロードする関数\n",
|
98 |
+
"def download_filtered_csv(df):\n",
|
99 |
+
" file_path = \"filtered_data.csv\"\n",
|
100 |
+
" df.to_csv(file_path, index=False)\n",
|
101 |
+
" return file_path\n",
|
102 |
+
"\n",
|
103 |
+
"# 全体結果をCSVとして保存しダウンロードする関数\n",
|
104 |
+
"def download_full_csv(df):\n",
|
105 |
+
" file_path = \"full_data.csv\"\n",
|
106 |
+
" df.to_csv(file_path, index=False)\n",
|
107 |
+
" return file_path\n",
|
108 |
+
"\n",
|
109 |
+
"# Gradioインターフェースの作成\n",
|
110 |
+
"with gr.Blocks() as demo:\n",
|
111 |
+
" gr.Markdown(\"## 臨床試験適格性評価インターフェース\")\n",
|
112 |
+
"\n",
|
113 |
+
" # 各種入力フィールド\n",
|
114 |
+
" age_input = gr.Textbox(label=\"Age\", placeholder=\"例: 65\")\n",
|
115 |
+
" sex_input = gr.Dropdown(choices=[\"男性\", \"女性\"], label=\"Sex\")\n",
|
116 |
+
" tumor_type_input = gr.Textbox(label=\"Tumor Type\", placeholder=\"例: gastric cancer, 日本でも良いですが英語の方が精度が高いです。\")\n",
|
117 |
+
" gene_mutation_input = gr.Textbox(label=\"Gene Mutation\", placeholder=\"例: HER2\")\n",
|
118 |
+
" measurable_input = gr.Dropdown(choices=[\"有り\", \"無し\", \"不明\"], label=\"Measurable Tumor\")\n",
|
119 |
+
" biopsiable_input = gr.Dropdown(choices=[\"有り\", \"無し\", \"不明\"], label=\"Biopsiable Tumor\")\n",
|
120 |
+
"\n",
|
121 |
+
" # データフレーム表示エリア\n",
|
122 |
+
" dataframe_output = gr.DataFrame()\n",
|
123 |
+
" original_df = gr.State()\n",
|
124 |
+
" filtered_df = gr.State()\n",
|
125 |
+
"\n",
|
126 |
+
" # データフレーム生成ボタン\n",
|
127 |
+
" generate_button = gr.Button(\"Generate Clinical Trials Data\")\n",
|
128 |
+
"\n",
|
129 |
+
" # フィルタリングボタン\n",
|
130 |
+
" yes_button = gr.Button(\"Show Eligible Trials\")\n",
|
131 |
+
" no_button = gr.Button(\"Show Ineligible Trials\")\n",
|
132 |
+
" unclear_button = gr.Button(\"Show Unclear Trials\")\n",
|
133 |
+
" \n",
|
134 |
+
" # ダウンロードボタン\n",
|
135 |
+
" download_filtered_button = gr.Button(\"Download Filtered Data\")\n",
|
136 |
+
" download_filtered_output = gr.File(label=\"Download Filtered Data\")\n",
|
137 |
+
"\n",
|
138 |
+
" download_full_button = gr.Button(\"Download Full Data\")\n",
|
139 |
+
" download_full_output = gr.File(label=\"Download Full Data\")\n",
|
140 |
+
"\n",
|
141 |
+
"\n",
|
142 |
+
" # ボタン動作の設定\n",
|
143 |
+
" generate_button.click(fn=generate_dataframe, inputs=[age_input, sex_input, tumor_type_input, gene_mutation_input, measurable_input, biopsiable_input], outputs=[dataframe_output, original_df])\n",
|
144 |
+
" yes_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State(\"yes\")], outputs=[dataframe_output, filtered_df])\n",
|
145 |
+
" no_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State(\"no\")], outputs=[dataframe_output, filtered_df])\n",
|
146 |
+
" unclear_button.click(fn=filter_rows_by_grade, inputs=[original_df, gr.State(\"unclear\")], outputs=[dataframe_output, filtered_df])\n",
|
147 |
+
" download_filtered_button.click(fn=download_filtered_csv, inputs=filtered_df, outputs=download_filtered_output)\n",
|
148 |
+
" download_full_button.click(fn=download_full_csv, inputs=original_df, outputs=download_full_output)\n",
|
149 |
+
"\n",
|
150 |
+
"\n",
|
151 |
+
"# インターフェースの起動\n",
|
152 |
+
"demo.launch()\n"
|
153 |
+
]
|
154 |
+
},
|
155 |
+
{
|
156 |
+
"cell_type": "code",
|
157 |
+
"execution_count": null,
|
158 |
+
"metadata": {},
|
159 |
+
"outputs": [],
|
160 |
+
"source": []
|
161 |
+
}
|
162 |
+
],
|
163 |
+
"metadata": {
|
164 |
+
"kernelspec": {
|
165 |
+
"display_name": "gradio",
|
166 |
+
"language": "python",
|
167 |
+
"name": "python3"
|
168 |
+
},
|
169 |
+
"language_info": {
|
170 |
+
"codemirror_mode": {
|
171 |
+
"name": "ipython",
|
172 |
+
"version": 3
|
173 |
+
},
|
174 |
+
"file_extension": ".py",
|
175 |
+
"mimetype": "text/x-python",
|
176 |
+
"name": "python",
|
177 |
+
"nbconvert_exporter": "python",
|
178 |
+
"pygments_lexer": "ipython3",
|
179 |
+
"version": "3.12.3"
|
180 |
+
}
|
181 |
+
},
|
182 |
+
"nbformat": 4,
|
183 |
+
"nbformat_minor": 2
|
184 |
+
}
|
dev/GraphAppDev6.ipynb
ADDED
@@ -0,0 +1,1068 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
{
|
2 |
+
"cells": [
|
3 |
+
{
|
4 |
+
"cell_type": "code",
|
5 |
+
"execution_count": 1,
|
6 |
+
"metadata": {},
|
7 |
+
"outputs": [
|
8 |
+
{
|
9 |
+
"name": "stderr",
|
10 |
+
"output_type": "stream",
|
11 |
+
"text": [
|
12 |
+
"/Users/satoc/miniforge3/envs/gradio/lib/python3.12/site-packages/IPython/core/interactiveshell.py:3577: LangChainDeprecationWarning: As of langchain-core 0.3.0, LangChain uses pydantic v2 internally. The langchain_core.pydantic_v1 module was a compatibility shim for pydantic v1, and should no longer be used. Please update the code to import from Pydantic directly.\n",
|
13 |
+
"\n",
|
14 |
+
"For example, replace imports like: `from langchain_core.pydantic_v1 import BaseModel`\n",
|
15 |
+
"with: `from pydantic import BaseModel`\n",
|
16 |
+
"or the v1 compatibility namespace if you are working in a code base that has not been fully upgraded to pydantic 2 yet. \tfrom pydantic.v1 import BaseModel\n",
|
17 |
+
"\n",
|
18 |
+
" exec(code_obj, self.user_global_ns, self.user_ns)\n"
|
19 |
+
]
|
20 |
+
}
|
21 |
+
],
|
22 |
+
"source": [
|
23 |
+
"from langchain_community.agent_toolkits import create_sql_agent\n",
|
24 |
+
"from langchain_openai import ChatOpenAI\n",
|
25 |
+
"from langchain_groq import ChatGroq\n",
|
26 |
+
"from langchain_core.prompts import ChatPromptTemplate\n",
|
27 |
+
"from langchain_core.pydantic_v1 import BaseModel, Field\n",
|
28 |
+
"import pandas as pd\n",
|
29 |
+
"from pydantic import BaseModel, Field\n",
|
30 |
+
"\n",
|
31 |
+
"from langchain.text_splitter import RecursiveCharacterTextSplitter\n",
|
32 |
+
"from langchain_community.vectorstores import Chroma\n",
|
33 |
+
"from langchain.embeddings import HuggingFaceEmbeddings\n",
|
34 |
+
"from langchain_core.runnables import RunnablePassthrough\n",
|
35 |
+
"from langchain_core.output_parsers import StrOutputParser\n",
|
36 |
+
"\n",
|
37 |
+
"\n",
|
38 |
+
"gpt = ChatOpenAI(model=\"gpt-3.5-turbo\", temperature=0)\n",
|
39 |
+
"#agent_gpt_executor = create_sql_agent(gpt, db=db, agent_type=\"tool-calling\", verbose=True)\n",
|
40 |
+
"\n",
|
41 |
+
"## make database\n",
|
42 |
+
"from langchain_community.utilities import SQLDatabase\n",
|
43 |
+
"from sqlalchemy import create_engine\n",
|
44 |
+
"\n",
|
45 |
+
"from langchain.prompts import ChatPromptTemplate\n",
|
46 |
+
"from langchain.schema import SystemMessage\n",
|
47 |
+
"from langchain_core.prompts import MessagesPlaceholder\n",
|
48 |
+
"#agent_groq_executor = create_sql_agent(llm, db=db, agent_type=\"tool-calling\", verbose=True)\n",
|
49 |
+
"\n",
|
50 |
+
"from OpenAITools.FetchTools import fetch_clinical_trials, fetch_clinical_trials_jp\n",
|
51 |
+
"from OpenAITools.CrinicalTrialTools import QuestionModifierEnglish, TumorNameExtractor, SimpleClinicalTrialAgent,GraderAgent,LLMTranslator\n"
|
52 |
+
]
|
53 |
+
},
|
54 |
+
{
|
55 |
+
"cell_type": "markdown",
|
56 |
+
"metadata": {},
|
57 |
+
"source": [
|
58 |
+
"#### Define LLMS"
|
59 |
+
]
|
60 |
+
},
|
61 |
+
{
|
62 |
+
"cell_type": "code",
|
63 |
+
"execution_count": 2,
|
64 |
+
"metadata": {},
|
65 |
+
"outputs": [],
|
66 |
+
"source": [
|
67 |
+
"gpt = ChatOpenAI(model=\"gpt-3.5-turbo\", temperature=0)\n",
|
68 |
+
"#agent_gpt_executor = create_sql_agent(gpt, db=db, agent_type=\"tool-calling\", verbose=True)\n",
|
69 |
+
"groq = ChatGroq(model_name=\"llama3-70b-8192\", temperature=0)\n",
|
70 |
+
"#agent_groq_executor = create_sql_agent(groq, db=db, agent_type=\"tool-calling\", verbose=True)"
|
71 |
+
]
|
72 |
+
},
|
73 |
+
{
|
74 |
+
"cell_type": "code",
|
75 |
+
"execution_count": 3,
|
76 |
+
"metadata": {},
|
77 |
+
"outputs": [],
|
78 |
+
"source": [
|
79 |
+
"age = \"65\"\n",
|
80 |
+
"sex =\"男性\"\n",
|
81 |
+
"tumor_type =\"胃癌\"\n",
|
82 |
+
"#tumor_type = \"gastric cancer\"\n",
|
83 |
+
"GeneMutation =\"HER2\"\n",
|
84 |
+
"Meseable = \"有り\"\n",
|
85 |
+
"Biopsiable = \"有り\"\n",
|
86 |
+
"NCTID = 'NCT06441994'\n"
|
87 |
+
]
|
88 |
+
},
|
89 |
+
{
|
90 |
+
"cell_type": "code",
|
91 |
+
"execution_count": 4,
|
92 |
+
"metadata": {},
|
93 |
+
"outputs": [],
|
94 |
+
"source": [
|
95 |
+
"def generate_ex_question(age, sex, tumor_type, GeneMutation, Meseable, Biopsiable):\n",
|
96 |
+
" # GeneMutationが空の場合はUnknownに設定\n",
|
97 |
+
" gene_mutation_text = GeneMutation if GeneMutation else \"Unknown\"\n",
|
98 |
+
" \n",
|
99 |
+
" # MeseableとBiopsiableの値をYes, No, Unknownに変換\n",
|
100 |
+
" meseable_text = (\n",
|
101 |
+
" \"Yes\" if Meseable == \"有り\" else \"No\" if Meseable == \"無し\" else \"Unknown\"\n",
|
102 |
+
" )\n",
|
103 |
+
" biopsiable_text = (\n",
|
104 |
+
" \"Yes\" if Biopsiable == \"有り\" else \"No\" if Biopsiable == \"無し\" else \"Unknown\"\n",
|
105 |
+
" )\n",
|
106 |
+
" \n",
|
107 |
+
" # 質問文の生成\n",
|
108 |
+
" ex_question = f\"\"\"{age}歳{sex}の{tumor_type}患者さんはこの治験に参加することができますか?\n",
|
109 |
+
"判明している遺伝子変異: {gene_mutation_text}\n",
|
110 |
+
"Meseable tumor: {meseable_text}\n",
|
111 |
+
"Biopsiable tumor: {biopsiable_text}\n",
|
112 |
+
"です。\n",
|
113 |
+
"\"\"\"\n",
|
114 |
+
" return ex_question"
|
115 |
+
]
|
116 |
+
},
|
117 |
+
{
|
118 |
+
"cell_type": "code",
|
119 |
+
"execution_count": 5,
|
120 |
+
"metadata": {},
|
121 |
+
"outputs": [],
|
122 |
+
"source": [
|
123 |
+
"def generate_ex_question_English(age, sex, tumor_type, GeneMutation, Meseable, Biopsiable):\n",
|
124 |
+
" # GeneMutationが空の場合は\"Unknown\"に設定\n",
|
125 |
+
" gene_mutation_text = GeneMutation if GeneMutation else \"Unknown\"\n",
|
126 |
+
" \n",
|
127 |
+
" # sexの値を male または female に変換\n",
|
128 |
+
" sex_text = \"male\" if sex == \"男性\" else \"female\" if sex == \"女性\" else \"Unknown\"\n",
|
129 |
+
" \n",
|
130 |
+
" # MeseableとBiopsiableの値を \"Yes\", \"No\", \"Unknown\" に変換\n",
|
131 |
+
" meseable_text = (\n",
|
132 |
+
" \"Yes\" if Meseable == \"有り\" else \"No\" if Meseable == \"無し\" else \"Unknown\"\n",
|
133 |
+
" )\n",
|
134 |
+
" biopsiable_text = (\n",
|
135 |
+
" \"Yes\" if Biopsiable == \"有り\" else \"No\" if Biopsiable == \"無し\" else \"Unknown\"\n",
|
136 |
+
" )\n",
|
137 |
+
" \n",
|
138 |
+
" # 英語での質問文を生成\n",
|
139 |
+
" ex_question = f\"\"\"Can a {age}-year-old {sex_text} patient with {tumor_type} participate in this clinical trial?\n",
|
140 |
+
"Known gene mutation: {gene_mutation_text}\n",
|
141 |
+
"Measurable tumor: {meseable_text}\n",
|
142 |
+
"Biopsiable tumor: {biopsiable_text}\n",
|
143 |
+
"\"\"\"\n",
|
144 |
+
" return ex_question\n"
|
145 |
+
]
|
146 |
+
},
|
147 |
+
{
|
148 |
+
"cell_type": "code",
|
149 |
+
"execution_count": 6,
|
150 |
+
"metadata": {},
|
151 |
+
"outputs": [
|
152 |
+
{
|
153 |
+
"name": "stdout",
|
154 |
+
"output_type": "stream",
|
155 |
+
"text": [
|
156 |
+
"Stomach cancer\n"
|
157 |
+
]
|
158 |
+
}
|
159 |
+
],
|
160 |
+
"source": [
|
161 |
+
"#Define extractor\n",
|
162 |
+
"Translator = LLMTranslator(groq)\n",
|
163 |
+
"TumorName = Translator.translate(tumor_type)\n",
|
164 |
+
"print(TumorName)"
|
165 |
+
]
|
166 |
+
},
|
167 |
+
{
|
168 |
+
"cell_type": "code",
|
169 |
+
"execution_count": 7,
|
170 |
+
"metadata": {},
|
171 |
+
"outputs": [],
|
172 |
+
"source": [
|
173 |
+
"TumorName = \"gastric cancer\""
|
174 |
+
]
|
175 |
+
},
|
176 |
+
{
|
177 |
+
"cell_type": "code",
|
178 |
+
"execution_count": null,
|
179 |
+
"metadata": {},
|
180 |
+
"outputs": [],
|
181 |
+
"source": []
|
182 |
+
},
|
183 |
+
{
|
184 |
+
"cell_type": "code",
|
185 |
+
"execution_count": 8,
|
186 |
+
"metadata": {},
|
187 |
+
"outputs": [
|
188 |
+
{
|
189 |
+
"data": {
|
190 |
+
"text/plain": [
|
191 |
+
"'Can a 65-year-old male patient with gastric cancer participate in this clinical trial?\\nKnown gene mutation: HER2\\nMeasurable tumor: Yes\\nBiopsiable tumor: Yes\\n'"
|
192 |
+
]
|
193 |
+
},
|
194 |
+
"execution_count": 8,
|
195 |
+
"metadata": {},
|
196 |
+
"output_type": "execute_result"
|
197 |
+
}
|
198 |
+
],
|
199 |
+
"source": [
|
200 |
+
"ex_question = generate_ex_question_English(age, sex, TumorName, GeneMutation, Meseable, Biopsiable)\n",
|
201 |
+
"ex_question"
|
202 |
+
]
|
203 |
+
},
|
204 |
+
{
|
205 |
+
"cell_type": "markdown",
|
206 |
+
"metadata": {},
|
207 |
+
"source": [
|
208 |
+
"ex_question = \"\"\"\"65歳男性の胃癌患者さんはこの治験に参加することができますか?\n",
|
209 |
+
"判明している遺伝子変異:HER2\n",
|
210 |
+
"Meseable tumor:Yes\n",
|
211 |
+
"biopsiable tumor: Yes\n",
|
212 |
+
"です。\n",
|
213 |
+
"\"\"\""
|
214 |
+
]
|
215 |
+
},
|
216 |
+
{
|
217 |
+
"cell_type": "code",
|
218 |
+
"execution_count": 9,
|
219 |
+
"metadata": {},
|
220 |
+
"outputs": [],
|
221 |
+
"source": [
|
222 |
+
"#ex_question = \"65歳男性でが参加できる臨床治験を教えて下さい。\""
|
223 |
+
]
|
224 |
+
},
|
225 |
+
{
|
226 |
+
"cell_type": "code",
|
227 |
+
"execution_count": 10,
|
228 |
+
"metadata": {},
|
229 |
+
"outputs": [],
|
230 |
+
"source": [
|
231 |
+
"#ex_question = \"65歳男性でBRCA遺伝子の変異がある前立患者さんが参加できる臨床治験を教えて下さい。\""
|
232 |
+
]
|
233 |
+
},
|
234 |
+
{
|
235 |
+
"cell_type": "markdown",
|
236 |
+
"metadata": {},
|
237 |
+
"source": [
|
238 |
+
"modifierEnglish = QuestionModifierEnglish(groq)\n",
|
239 |
+
"modifierEnglish.modify_question(ex_question)"
|
240 |
+
]
|
241 |
+
},
|
242 |
+
{
|
243 |
+
"cell_type": "code",
|
244 |
+
"execution_count": 11,
|
245 |
+
"metadata": {},
|
246 |
+
"outputs": [
|
247 |
+
{
|
248 |
+
"name": "stdout",
|
249 |
+
"output_type": "stream",
|
250 |
+
"text": [
|
251 |
+
"Fetching data from: https://clinicaltrials.gov/api/v2/studies?query.titles=gastric cancer SEARCH[Location](AREA[LocationCountry]Japan AND AREA[LocationStatus]Recruiting)&pageSize=100\n"
|
252 |
+
]
|
253 |
+
}
|
254 |
+
],
|
255 |
+
"source": [
|
256 |
+
"#Make db\n",
|
257 |
+
"df = fetch_clinical_trials(TumorName)\n",
|
258 |
+
"# 新しい列を追加\n",
|
259 |
+
"df['AgentJudgment'] = None\n",
|
260 |
+
"df['AgentGrade'] = None\n",
|
261 |
+
"#df = df.iloc[:5, :]\n",
|
262 |
+
"NCTIDs = list(df['NCTID' ])\n"
|
263 |
+
]
|
264 |
+
},
|
265 |
+
{
|
266 |
+
"cell_type": "code",
|
267 |
+
"execution_count": 12,
|
268 |
+
"metadata": {},
|
269 |
+
"outputs": [
|
270 |
+
{
|
271 |
+
"data": {
|
272 |
+
"text/html": [
|
273 |
+
"<div>\n",
|
274 |
+
"<style scoped>\n",
|
275 |
+
" .dataframe tbody tr th:only-of-type {\n",
|
276 |
+
" vertical-align: middle;\n",
|
277 |
+
" }\n",
|
278 |
+
"\n",
|
279 |
+
" .dataframe tbody tr th {\n",
|
280 |
+
" vertical-align: top;\n",
|
281 |
+
" }\n",
|
282 |
+
"\n",
|
283 |
+
" .dataframe thead th {\n",
|
284 |
+
" text-align: right;\n",
|
285 |
+
" }\n",
|
286 |
+
"</style>\n",
|
287 |
+
"<table border=\"1\" class=\"dataframe\">\n",
|
288 |
+
" <thead>\n",
|
289 |
+
" <tr style=\"text-align: right;\">\n",
|
290 |
+
" <th></th>\n",
|
291 |
+
" <th>NCTID</th>\n",
|
292 |
+
" <th>Title</th>\n",
|
293 |
+
" <th>Primary Completion Date</th>\n",
|
294 |
+
" <th>Cancer</th>\n",
|
295 |
+
" <th>Summary</th>\n",
|
296 |
+
" <th>Japanes Locations</th>\n",
|
297 |
+
" <th>Eligibility Criteria</th>\n",
|
298 |
+
" <th>AgentJudgment</th>\n",
|
299 |
+
" <th>AgentGrade</th>\n",
|
300 |
+
" </tr>\n",
|
301 |
+
" </thead>\n",
|
302 |
+
" <tbody>\n",
|
303 |
+
" <tr>\n",
|
304 |
+
" <th>0</th>\n",
|
305 |
+
" <td>NCT03505320</td>\n",
|
306 |
+
" <td>A Study of Zolbetuximab (IMAB362) in Adults Wi...</td>\n",
|
307 |
+
" <td>2025-04-30</td>\n",
|
308 |
+
" <td>Pharmacokinetics of Zolbetuximab, Gastric Canc...</td>\n",
|
309 |
+
" <td>Zolbetuximab is being studied as a treatment f...</td>\n",
|
310 |
+
" <td>Chiba, Tokyo</td>\n",
|
311 |
+
" <td>Inclusion Criteria:\\n\\n* Female subject eligib...</td>\n",
|
312 |
+
" <td>None</td>\n",
|
313 |
+
" <td>None</td>\n",
|
314 |
+
" </tr>\n",
|
315 |
+
" <tr>\n",
|
316 |
+
" <th>1</th>\n",
|
317 |
+
" <td>NCT05002127</td>\n",
|
318 |
+
" <td>A Study of Evorpacept (ALX148) in Patients wit...</td>\n",
|
319 |
+
" <td>2026-07</td>\n",
|
320 |
+
" <td>Gastric Cancer, Gastroesophageal Junction Aden...</td>\n",
|
321 |
+
" <td>A Phase 2/3 Study of Evorpacept (ALX148) in Co...</td>\n",
|
322 |
+
" <td>Chiba, Fukuoka, Gifu, Kumamoto, Kyoto, Nagasak...</td>\n",
|
323 |
+
" <td>Inclusion Criteria:\\n\\n* HER2-overexpressing a...</td>\n",
|
324 |
+
" <td>None</td>\n",
|
325 |
+
" <td>None</td>\n",
|
326 |
+
" </tr>\n",
|
327 |
+
" <tr>\n",
|
328 |
+
" <th>2</th>\n",
|
329 |
+
" <td>NCT05365581</td>\n",
|
330 |
+
" <td>A Study of ASP2138 Given by Itself or Given Wi...</td>\n",
|
331 |
+
" <td>2026-10-31</td>\n",
|
332 |
+
" <td>Gastric Adenocarcinoma, Gastroesophageal Junct...</td>\n",
|
333 |
+
" <td>Claudin 18.2 protein, or CLDN18.2 is a protein...</td>\n",
|
334 |
+
" <td>Kashiwa, Nagoya, Osakasayama, Suita, Yokohama, ku</td>\n",
|
335 |
+
" <td>Inclusion Criteria:\\n\\n* Participant is consid...</td>\n",
|
336 |
+
" <td>None</td>\n",
|
337 |
+
" <td>None</td>\n",
|
338 |
+
" </tr>\n",
|
339 |
+
" <tr>\n",
|
340 |
+
" <th>3</th>\n",
|
341 |
+
" <td>NCT05111626</td>\n",
|
342 |
+
" <td>Bemarituzumab Plus Chemotherapy and Nivolumab ...</td>\n",
|
343 |
+
" <td>2026-09-26</td>\n",
|
344 |
+
" <td>Gastric Cancer, Gastroesophageal Junction Aden...</td>\n",
|
345 |
+
" <td>The main objective of Part 1 is to evaluate th...</td>\n",
|
346 |
+
" <td>Sapporo, gun, ku, shi</td>\n",
|
347 |
+
" <td>Inclusion Criteria Part 1 and Part 2:\\n\\n* Adu...</td>\n",
|
348 |
+
" <td>None</td>\n",
|
349 |
+
" <td>None</td>\n",
|
350 |
+
" </tr>\n",
|
351 |
+
" <tr>\n",
|
352 |
+
" <th>4</th>\n",
|
353 |
+
" <td>NCT06324357</td>\n",
|
354 |
+
" <td>Beamion BCGC-1: A Study to Find a Suitable Dos...</td>\n",
|
355 |
+
" <td>2027-02-22</td>\n",
|
356 |
+
" <td>Metastatic Breast Cancer, Metastatic Gastric A...</td>\n",
|
357 |
+
" <td>This study is open to adults aged 18 years and...</td>\n",
|
358 |
+
" <td>ku, shi</td>\n",
|
359 |
+
" <td>Inclusion Criteria:\\n\\n* Signed and dated writ...</td>\n",
|
360 |
+
" <td>None</td>\n",
|
361 |
+
" <td>None</td>\n",
|
362 |
+
" </tr>\n",
|
363 |
+
" <tr>\n",
|
364 |
+
" <th>5</th>\n",
|
365 |
+
" <td>NCT06056024</td>\n",
|
366 |
+
" <td>A Study to Test How Well Different Doses of BI...</td>\n",
|
367 |
+
" <td>2027-05-26</td>\n",
|
368 |
+
" <td>Solid Tumor, KRAS Mutation</td>\n",
|
369 |
+
" <td>This study is open to adults with advanced can...</td>\n",
|
370 |
+
" <td>Kashiwa, ku</td>\n",
|
371 |
+
" <td>Inclusion Criteria:\\n\\n1. Patients with pathol...</td>\n",
|
372 |
+
" <td>None</td>\n",
|
373 |
+
" <td>None</td>\n",
|
374 |
+
" </tr>\n",
|
375 |
+
" <tr>\n",
|
376 |
+
" <th>6</th>\n",
|
377 |
+
" <td>NCT04379596</td>\n",
|
378 |
+
" <td>Ph1b/2 Study of the Safety and Efficacy of T-D...</td>\n",
|
379 |
+
" <td>2026-07-30</td>\n",
|
380 |
+
" <td>Gastric Cancer</td>\n",
|
381 |
+
" <td>DESTINY-Gastric03 will investigate the safety,...</td>\n",
|
382 |
+
" <td>Kashiwa, gun, ku, shi</td>\n",
|
383 |
+
" <td>Inclusion criteria:\\n\\n1. Male and female part...</td>\n",
|
384 |
+
" <td>None</td>\n",
|
385 |
+
" <td>None</td>\n",
|
386 |
+
" </tr>\n",
|
387 |
+
" <tr>\n",
|
388 |
+
" <th>7</th>\n",
|
389 |
+
" <td>NCT00197470</td>\n",
|
390 |
+
" <td>Cytokine Gene Polymorphisms in Gastric Diseases</td>\n",
|
391 |
+
" <td>Unknown Date</td>\n",
|
392 |
+
" <td>Gastric Ulcer, Duodenal Ulcer, Gastric Cancer</td>\n",
|
393 |
+
" <td>Recently, cytokine polymorphisms are considere...</td>\n",
|
394 |
+
" <td>Hamamatsu</td>\n",
|
395 |
+
" <td>Inclusion Criteria:\\n\\n-\\n\\nExclusion Criteria...</td>\n",
|
396 |
+
" <td>None</td>\n",
|
397 |
+
" <td>None</td>\n",
|
398 |
+
" </tr>\n",
|
399 |
+
" <tr>\n",
|
400 |
+
" <th>8</th>\n",
|
401 |
+
" <td>NCT05205343</td>\n",
|
402 |
+
" <td>Trans-Pacific Multicenter Collaborative Study ...</td>\n",
|
403 |
+
" <td>2026-05-31</td>\n",
|
404 |
+
" <td>Gastrostomy, Gastric, GastroEsophageal Cancer</td>\n",
|
405 |
+
" <td>To compare the symptoms of patients who have a...</td>\n",
|
406 |
+
" <td>Tokyo</td>\n",
|
407 |
+
" <td>Inclusion Criteria:\\n\\n1. Able to speak and re...</td>\n",
|
408 |
+
" <td>None</td>\n",
|
409 |
+
" <td>None</td>\n",
|
410 |
+
" </tr>\n",
|
411 |
+
" <tr>\n",
|
412 |
+
" <th>9</th>\n",
|
413 |
+
" <td>NCT06490055</td>\n",
|
414 |
+
" <td>Predicting the Efficacy in Advanced Gastric Ca...</td>\n",
|
415 |
+
" <td>2025-12-31</td>\n",
|
416 |
+
" <td>Gastric Cancer, Chemotherapy Effect, Paclitaxe...</td>\n",
|
417 |
+
" <td>With advances in chemotherapy for gastric canc...</td>\n",
|
418 |
+
" <td>Kurashiki</td>\n",
|
419 |
+
" <td>Inclusion Criteria:\\n\\n1. unresectable or recu...</td>\n",
|
420 |
+
" <td>None</td>\n",
|
421 |
+
" <td>None</td>\n",
|
422 |
+
" </tr>\n",
|
423 |
+
" <tr>\n",
|
424 |
+
" <th>10</th>\n",
|
425 |
+
" <td>NCT06490159</td>\n",
|
426 |
+
" <td>Predicting Peripheral Neuropathy of Paclitaxel...</td>\n",
|
427 |
+
" <td>2025-12-31</td>\n",
|
428 |
+
" <td>Gastric Cancer, Chemotherapy-induced Periphera...</td>\n",
|
429 |
+
" <td>Although advances in chemotherapy have improve...</td>\n",
|
430 |
+
" <td>Kurashiki</td>\n",
|
431 |
+
" <td>Inclusion Criteria:\\n\\n1. unresectable or recu...</td>\n",
|
432 |
+
" <td>None</td>\n",
|
433 |
+
" <td>None</td>\n",
|
434 |
+
" </tr>\n",
|
435 |
+
" <tr>\n",
|
436 |
+
" <th>11</th>\n",
|
437 |
+
" <td>NCT05438459</td>\n",
|
438 |
+
" <td>GAIA-102 Intraperitoneal Administration in Pat...</td>\n",
|
439 |
+
" <td>2026-12-31</td>\n",
|
440 |
+
" <td>Gastric Cancer, Pancreatic Cancer</td>\n",
|
441 |
+
" <td>Phase I Part :\\n\\nConfirm the safety of GAIA-1...</td>\n",
|
442 |
+
" <td>shi</td>\n",
|
443 |
+
" <td>Inclusion Criteria:\\n\\n1. Unresectable, advanc...</td>\n",
|
444 |
+
" <td>None</td>\n",
|
445 |
+
" <td>None</td>\n",
|
446 |
+
" </tr>\n",
|
447 |
+
" <tr>\n",
|
448 |
+
" <th>12</th>\n",
|
449 |
+
" <td>NCT04745988</td>\n",
|
450 |
+
" <td>An Open Label Phase 2 Study to Evaluate the Sa...</td>\n",
|
451 |
+
" <td>2025-08</td>\n",
|
452 |
+
" <td>Gastric Cancer</td>\n",
|
453 |
+
" <td>This study is an open label phase 2 study to e...</td>\n",
|
454 |
+
" <td>Kashiwa</td>\n",
|
455 |
+
" <td>Inclusion Criteria:\\n\\n1. Have gastric and gas...</td>\n",
|
456 |
+
" <td>None</td>\n",
|
457 |
+
" <td>None</td>\n",
|
458 |
+
" </tr>\n",
|
459 |
+
" <tr>\n",
|
460 |
+
" <th>13</th>\n",
|
461 |
+
" <td>NCT06038578</td>\n",
|
462 |
+
" <td>A Study of TRK-950 When Used in Combination Wi...</td>\n",
|
463 |
+
" <td>2025-08-31</td>\n",
|
464 |
+
" <td>Gastric Adenocarcinoma, Gastric Cancer, Gastro...</td>\n",
|
465 |
+
" <td>This study will assess the efficacy, safety, o...</td>\n",
|
466 |
+
" <td>Chuo Ku, Kashiwa, Ku</td>\n",
|
467 |
+
" <td>Inclusion Criteria:\\n\\n* Histologically or cyt...</td>\n",
|
468 |
+
" <td>None</td>\n",
|
469 |
+
" <td>None</td>\n",
|
470 |
+
" </tr>\n",
|
471 |
+
" <tr>\n",
|
472 |
+
" <th>14</th>\n",
|
473 |
+
" <td>NCT05322577</td>\n",
|
474 |
+
" <td>A Study Evaluating Bemarituzumab in Combinatio...</td>\n",
|
475 |
+
" <td>2026-03-17</td>\n",
|
476 |
+
" <td>Gastric Cancer, Gastroesophageal Junction Cancer</td>\n",
|
477 |
+
" <td>The main objectives of this study are to evalu...</td>\n",
|
478 |
+
" <td>Shi, gun, ku, shi</td>\n",
|
479 |
+
" <td>Inclusion Criteria:\\n\\n* Adults with unresecta...</td>\n",
|
480 |
+
" <td>None</td>\n",
|
481 |
+
" <td>None</td>\n",
|
482 |
+
" </tr>\n",
|
483 |
+
" <tr>\n",
|
484 |
+
" <th>15</th>\n",
|
485 |
+
" <td>NCT05152147</td>\n",
|
486 |
+
" <td>A Study of Zanidatamab in Combination With Che...</td>\n",
|
487 |
+
" <td>2024-12-31</td>\n",
|
488 |
+
" <td>Gastric Neoplasms, Gastroesophageal Adenocarci...</td>\n",
|
489 |
+
" <td>This study is being done to find out if zanida...</td>\n",
|
490 |
+
" <td>Cho, Chuo Ku, Hirakata, Ina, Ku, Matsuyama, Na...</td>\n",
|
491 |
+
" <td>Inclusion Criteria:\\n\\n* Histologically confir...</td>\n",
|
492 |
+
" <td>None</td>\n",
|
493 |
+
" <td>None</td>\n",
|
494 |
+
" </tr>\n",
|
495 |
+
" </tbody>\n",
|
496 |
+
"</table>\n",
|
497 |
+
"</div>"
|
498 |
+
],
|
499 |
+
"text/plain": [
|
500 |
+
" NCTID Title \\\n",
|
501 |
+
"0 NCT03505320 A Study of Zolbetuximab (IMAB362) in Adults Wi... \n",
|
502 |
+
"1 NCT05002127 A Study of Evorpacept (ALX148) in Patients wit... \n",
|
503 |
+
"2 NCT05365581 A Study of ASP2138 Given by Itself or Given Wi... \n",
|
504 |
+
"3 NCT05111626 Bemarituzumab Plus Chemotherapy and Nivolumab ... \n",
|
505 |
+
"4 NCT06324357 Beamion BCGC-1: A Study to Find a Suitable Dos... \n",
|
506 |
+
"5 NCT06056024 A Study to Test How Well Different Doses of BI... \n",
|
507 |
+
"6 NCT04379596 Ph1b/2 Study of the Safety and Efficacy of T-D... \n",
|
508 |
+
"7 NCT00197470 Cytokine Gene Polymorphisms in Gastric Diseases \n",
|
509 |
+
"8 NCT05205343 Trans-Pacific Multicenter Collaborative Study ... \n",
|
510 |
+
"9 NCT06490055 Predicting the Efficacy in Advanced Gastric Ca... \n",
|
511 |
+
"10 NCT06490159 Predicting Peripheral Neuropathy of Paclitaxel... \n",
|
512 |
+
"11 NCT05438459 GAIA-102 Intraperitoneal Administration in Pat... \n",
|
513 |
+
"12 NCT04745988 An Open Label Phase 2 Study to Evaluate the Sa... \n",
|
514 |
+
"13 NCT06038578 A Study of TRK-950 When Used in Combination Wi... \n",
|
515 |
+
"14 NCT05322577 A Study Evaluating Bemarituzumab in Combinatio... \n",
|
516 |
+
"15 NCT05152147 A Study of Zanidatamab in Combination With Che... \n",
|
517 |
+
"\n",
|
518 |
+
" Primary Completion Date Cancer \\\n",
|
519 |
+
"0 2025-04-30 Pharmacokinetics of Zolbetuximab, Gastric Canc... \n",
|
520 |
+
"1 2026-07 Gastric Cancer, Gastroesophageal Junction Aden... \n",
|
521 |
+
"2 2026-10-31 Gastric Adenocarcinoma, Gastroesophageal Junct... \n",
|
522 |
+
"3 2026-09-26 Gastric Cancer, Gastroesophageal Junction Aden... \n",
|
523 |
+
"4 2027-02-22 Metastatic Breast Cancer, Metastatic Gastric A... \n",
|
524 |
+
"5 2027-05-26 Solid Tumor, KRAS Mutation \n",
|
525 |
+
"6 2026-07-30 Gastric Cancer \n",
|
526 |
+
"7 Unknown Date Gastric Ulcer, Duodenal Ulcer, Gastric Cancer \n",
|
527 |
+
"8 2026-05-31 Gastrostomy, Gastric, GastroEsophageal Cancer \n",
|
528 |
+
"9 2025-12-31 Gastric Cancer, Chemotherapy Effect, Paclitaxe... \n",
|
529 |
+
"10 2025-12-31 Gastric Cancer, Chemotherapy-induced Periphera... \n",
|
530 |
+
"11 2026-12-31 Gastric Cancer, Pancreatic Cancer \n",
|
531 |
+
"12 2025-08 Gastric Cancer \n",
|
532 |
+
"13 2025-08-31 Gastric Adenocarcinoma, Gastric Cancer, Gastro... \n",
|
533 |
+
"14 2026-03-17 Gastric Cancer, Gastroesophageal Junction Cancer \n",
|
534 |
+
"15 2024-12-31 Gastric Neoplasms, Gastroesophageal Adenocarci... \n",
|
535 |
+
"\n",
|
536 |
+
" Summary \\\n",
|
537 |
+
"0 Zolbetuximab is being studied as a treatment f... \n",
|
538 |
+
"1 A Phase 2/3 Study of Evorpacept (ALX148) in Co... \n",
|
539 |
+
"2 Claudin 18.2 protein, or CLDN18.2 is a protein... \n",
|
540 |
+
"3 The main objective of Part 1 is to evaluate th... \n",
|
541 |
+
"4 This study is open to adults aged 18 years and... \n",
|
542 |
+
"5 This study is open to adults with advanced can... \n",
|
543 |
+
"6 DESTINY-Gastric03 will investigate the safety,... \n",
|
544 |
+
"7 Recently, cytokine polymorphisms are considere... \n",
|
545 |
+
"8 To compare the symptoms of patients who have a... \n",
|
546 |
+
"9 With advances in chemotherapy for gastric canc... \n",
|
547 |
+
"10 Although advances in chemotherapy have improve... \n",
|
548 |
+
"11 Phase I Part :\\n\\nConfirm the safety of GAIA-1... \n",
|
549 |
+
"12 This study is an open label phase 2 study to e... \n",
|
550 |
+
"13 This study will assess the efficacy, safety, o... \n",
|
551 |
+
"14 The main objectives of this study are to evalu... \n",
|
552 |
+
"15 This study is being done to find out if zanida... \n",
|
553 |
+
"\n",
|
554 |
+
" Japanes Locations \\\n",
|
555 |
+
"0 Chiba, Tokyo \n",
|
556 |
+
"1 Chiba, Fukuoka, Gifu, Kumamoto, Kyoto, Nagasak... \n",
|
557 |
+
"2 Kashiwa, Nagoya, Osakasayama, Suita, Yokohama, ku \n",
|
558 |
+
"3 Sapporo, gun, ku, shi \n",
|
559 |
+
"4 ku, shi \n",
|
560 |
+
"5 Kashiwa, ku \n",
|
561 |
+
"6 Kashiwa, gun, ku, shi \n",
|
562 |
+
"7 Hamamatsu \n",
|
563 |
+
"8 Tokyo \n",
|
564 |
+
"9 Kurashiki \n",
|
565 |
+
"10 Kurashiki \n",
|
566 |
+
"11 shi \n",
|
567 |
+
"12 Kashiwa \n",
|
568 |
+
"13 Chuo Ku, Kashiwa, Ku \n",
|
569 |
+
"14 Shi, gun, ku, shi \n",
|
570 |
+
"15 Cho, Chuo Ku, Hirakata, Ina, Ku, Matsuyama, Na... \n",
|
571 |
+
"\n",
|
572 |
+
" Eligibility Criteria AgentJudgment AgentGrade \n",
|
573 |
+
"0 Inclusion Criteria:\\n\\n* Female subject eligib... None None \n",
|
574 |
+
"1 Inclusion Criteria:\\n\\n* HER2-overexpressing a... None None \n",
|
575 |
+
"2 Inclusion Criteria:\\n\\n* Participant is consid... None None \n",
|
576 |
+
"3 Inclusion Criteria Part 1 and Part 2:\\n\\n* Adu... None None \n",
|
577 |
+
"4 Inclusion Criteria:\\n\\n* Signed and dated writ... None None \n",
|
578 |
+
"5 Inclusion Criteria:\\n\\n1. Patients with pathol... None None \n",
|
579 |
+
"6 Inclusion criteria:\\n\\n1. Male and female part... None None \n",
|
580 |
+
"7 Inclusion Criteria:\\n\\n-\\n\\nExclusion Criteria... None None \n",
|
581 |
+
"8 Inclusion Criteria:\\n\\n1. Able to speak and re... None None \n",
|
582 |
+
"9 Inclusion Criteria:\\n\\n1. unresectable or recu... None None \n",
|
583 |
+
"10 Inclusion Criteria:\\n\\n1. unresectable or recu... None None \n",
|
584 |
+
"11 Inclusion Criteria:\\n\\n1. Unresectable, advanc... None None \n",
|
585 |
+
"12 Inclusion Criteria:\\n\\n1. Have gastric and gas... None None \n",
|
586 |
+
"13 Inclusion Criteria:\\n\\n* Histologically or cyt... None None \n",
|
587 |
+
"14 Inclusion Criteria:\\n\\n* Adults with unresecta... None None \n",
|
588 |
+
"15 Inclusion Criteria:\\n\\n* Histologically confir... None None "
|
589 |
+
]
|
590 |
+
},
|
591 |
+
"execution_count": 12,
|
592 |
+
"metadata": {},
|
593 |
+
"output_type": "execute_result"
|
594 |
+
}
|
595 |
+
],
|
596 |
+
"source": [
|
597 |
+
"df"
|
598 |
+
]
|
599 |
+
},
|
600 |
+
{
|
601 |
+
"cell_type": "code",
|
602 |
+
"execution_count": 13,
|
603 |
+
"metadata": {},
|
604 |
+
"outputs": [],
|
605 |
+
"source": [
|
606 |
+
"\n",
|
607 |
+
"#Define agents\n",
|
608 |
+
"#modifier = QuestionModifierEnglish(groq)\n",
|
609 |
+
"CriteriaCheckAgent = SimpleClinicalTrialAgent(groq)\n",
|
610 |
+
"grader_agent = GraderAgent(groq)"
|
611 |
+
]
|
612 |
+
},
|
613 |
+
{
|
614 |
+
"cell_type": "code",
|
615 |
+
"execution_count": null,
|
616 |
+
"metadata": {},
|
617 |
+
"outputs": [],
|
618 |
+
"source": []
|
619 |
+
},
|
620 |
+
{
|
621 |
+
"cell_type": "code",
|
622 |
+
"execution_count": 14,
|
623 |
+
"metadata": {},
|
624 |
+
"outputs": [
|
625 |
+
{
|
626 |
+
"name": "stdout",
|
627 |
+
"output_type": "stream",
|
628 |
+
"text": [
|
629 |
+
"The patient is not eligible for this clinical trial because the inclusion criteria specify that female subjects are eligible, and the patient is a 65-year-old male.\n",
|
630 |
+
"no\n",
|
631 |
+
"The patient is eligible for this clinical trial based on the provided information, as he has a measurable and biopsiable tumor with a known HER2 gene mutation, which meets the inclusion criteria. However, I do not know if he has progressed on or after a prior HER2-directed agent and fluoropyrimidine- or platinum-containing chemotherapy, which is also required for inclusion.\n",
|
632 |
+
"unclear\n",
|
633 |
+
"The patient is eligible for this clinical trial based on the provided criteria. The patient meets the inclusion criteria, including having a measurable tumor, being at least 18 years old, and having a predicted life expectancy of at least 12 weeks. The patient also has histologically confirmed gastric/gastroesophageal junction (GEJ) adenocarcinoma, which is one of the specified disease types for this trial. Additionally, the patient has a HER2-positive tumor, which is not an exclusion criterion for this trial.\n",
|
634 |
+
"yes\n",
|
635 |
+
"The patient is eligible for this clinical trial based on the provided criteria, as they meet the inclusion criteria for age, measurable tumor, and biopsiable tumor. However, the patient's HER2 status is known to be positive, which is an exclusion criterion. Therefore, the patient is not eligible for this clinical trial.\n",
|
636 |
+
"no\n",
|
637 |
+
"The patient is not eligible for this clinical trial because the trial is for metastatic breast cancer (mBC) or metastatic gastric adenocarcinoma, gastroesophageal junction adenocarcinoma, or esophageal adenocarcinoma (mGEAC), and the patient has gastric cancer, which is not specified as an eligible type of cancer.\n",
|
638 |
+
"no\n",
|
639 |
+
"The patient is not eligible for this clinical trial because the trial requires a KRAS wild type (wt) amplification or a KRAS G12V mutation, but the patient has a HER2 gene mutation.\n",
|
640 |
+
"no\n",
|
641 |
+
"The patient is eligible for this clinical trial based on the provided criteria, as they meet the inclusion criteria (age, disease characteristics, measurable tumor, and HER2-positive status) and do not have any of the exclusion criteria mentioned.\n",
|
642 |
+
"yes\n",
|
643 |
+
"I do not know if the patient is eligible for this clinical trial because the criteria do not mention age or specific types of cancer, and there is no information about H. pylori status in the patient.\n",
|
644 |
+
"unclear\n",
|
645 |
+
"The patient is eligible for this clinical trial based on the provided criteria, as he has a biopsy-confirmed diagnosis of gastric cancer, is 65 years old (meeting the age criterion), and there is no mention of any exclusion criteria being met.\n",
|
646 |
+
"yes\n",
|
647 |
+
"The patient is eligible for this clinical trial based on the provided information, as he meets the inclusion criteria (age, measurable tumor, biopsiable tumor, and gastric cancer diagnosis) and does not appear to meet any of the exclusion criteria.\n",
|
648 |
+
"yes\n",
|
649 |
+
"The patient is eligible for this clinical trial based on the provided criteria, as they meet the inclusion criteria (age, measurable tumor, biopsiable tumor, and gastric cancer diagnosis) and do not have any of the listed exclusion criteria.\n",
|
650 |
+
"yes\n",
|
651 |
+
"Based on the provided criteria, the 65-year-old male patient with gastric cancer and a known HER2 gene mutation appears to be eligible for this clinical trial, as he meets the inclusion criteria (e.g., unresectable advanced gastric cancer, measurable tumor, biopsiable tumor, etc.) and does not have any obvious exclusion criteria mentioned. However, I would need to review the patient's full medical history and current condition to confirm eligibility.\n",
|
652 |
+
"unclear\n",
|
653 |
+
"The patient is eligible for this clinical trial based on the provided criteria, as they meet the inclusion criteria (gastric cancer, measurable tumor, biopsiable tumor, age ≥ 20, etc.) and do not have any of the exclusion criteria mentioned.\n",
|
654 |
+
"yes\n",
|
655 |
+
"The patient is not eligible for this clinical trial because the patient has a known HER2 gene mutation, and the exclusion criteria specify that patients with HER2 positive gastric or GEJ adenocarcinoma are not eligible.\n",
|
656 |
+
"no\n",
|
657 |
+
"The patient is not eligible for this clinical trial because they have a known HER2 gene mutation, which is an exclusion criterion.\n",
|
658 |
+
"no\n",
|
659 |
+
"Based on the provided information, the 65-year-old male patient with gastric cancer and a known HER2 gene mutation appears to be eligible for this clinical trial, as he meets the inclusion criteria of having measurable tumor and biopsiable tumor, and there is no mention of any exclusion criteria that would disqualify him.\n",
|
660 |
+
"yes\n"
|
661 |
+
]
|
662 |
+
}
|
663 |
+
],
|
664 |
+
"source": [
|
665 |
+
"for nct_id in NCTIDs:\n",
|
666 |
+
" TargetCriteria = df.loc[df['NCTID'] == nct_id, 'Eligibility Criteria'].values[0]\n",
|
667 |
+
" AgentJudgment = CriteriaCheckAgent.evaluate_eligibility(TargetCriteria, ex_question)\n",
|
668 |
+
" print(AgentJudgment)\n",
|
669 |
+
"\n",
|
670 |
+
" AgentGrade = grader_agent.evaluate_eligibility(AgentJudgment)\n",
|
671 |
+
" print(AgentGrade)\n",
|
672 |
+
" # NCTIDに一致する行を見つけて更新\n",
|
673 |
+
" df.loc[df['NCTID'] == nct_id, 'AgentJudgment'] = AgentJudgment\n",
|
674 |
+
" df.loc[df['NCTID'] == nct_id, 'AgentGrade'] = AgentGrade\n"
|
675 |
+
]
|
676 |
+
},
|
677 |
+
{
|
678 |
+
"cell_type": "code",
|
679 |
+
"execution_count": 15,
|
680 |
+
"metadata": {},
|
681 |
+
"outputs": [
|
682 |
+
{
|
683 |
+
"data": {
|
684 |
+
"text/html": [
|
685 |
+
"<div>\n",
|
686 |
+
"<style scoped>\n",
|
687 |
+
" .dataframe tbody tr th:only-of-type {\n",
|
688 |
+
" vertical-align: middle;\n",
|
689 |
+
" }\n",
|
690 |
+
"\n",
|
691 |
+
" .dataframe tbody tr th {\n",
|
692 |
+
" vertical-align: top;\n",
|
693 |
+
" }\n",
|
694 |
+
"\n",
|
695 |
+
" .dataframe thead th {\n",
|
696 |
+
" text-align: right;\n",
|
697 |
+
" }\n",
|
698 |
+
"</style>\n",
|
699 |
+
"<table border=\"1\" class=\"dataframe\">\n",
|
700 |
+
" <thead>\n",
|
701 |
+
" <tr style=\"text-align: right;\">\n",
|
702 |
+
" <th></th>\n",
|
703 |
+
" <th>NCTID</th>\n",
|
704 |
+
" <th>Title</th>\n",
|
705 |
+
" <th>Primary Completion Date</th>\n",
|
706 |
+
" <th>Cancer</th>\n",
|
707 |
+
" <th>Summary</th>\n",
|
708 |
+
" <th>Japanes Locations</th>\n",
|
709 |
+
" <th>Eligibility Criteria</th>\n",
|
710 |
+
" <th>AgentJudgment</th>\n",
|
711 |
+
" <th>AgentGrade</th>\n",
|
712 |
+
" </tr>\n",
|
713 |
+
" </thead>\n",
|
714 |
+
" <tbody>\n",
|
715 |
+
" <tr>\n",
|
716 |
+
" <th>0</th>\n",
|
717 |
+
" <td>NCT03505320</td>\n",
|
718 |
+
" <td>A Study of Zolbetuximab (IMAB362) in Adults Wi...</td>\n",
|
719 |
+
" <td>2025-04-30</td>\n",
|
720 |
+
" <td>Pharmacokinetics of Zolbetuximab, Gastric Canc...</td>\n",
|
721 |
+
" <td>Zolbetuximab is being studied as a treatment f...</td>\n",
|
722 |
+
" <td>Chiba, Tokyo</td>\n",
|
723 |
+
" <td>Inclusion Criteria:\\n\\n* Female subject eligib...</td>\n",
|
724 |
+
" <td>The patient is not eligible for this clinical ...</td>\n",
|
725 |
+
" <td>no</td>\n",
|
726 |
+
" </tr>\n",
|
727 |
+
" <tr>\n",
|
728 |
+
" <th>1</th>\n",
|
729 |
+
" <td>NCT05002127</td>\n",
|
730 |
+
" <td>A Study of Evorpacept (ALX148) in Patients wit...</td>\n",
|
731 |
+
" <td>2026-07</td>\n",
|
732 |
+
" <td>Gastric Cancer, Gastroesophageal Junction Aden...</td>\n",
|
733 |
+
" <td>A Phase 2/3 Study of Evorpacept (ALX148) in Co...</td>\n",
|
734 |
+
" <td>Chiba, Fukuoka, Gifu, Kumamoto, Kyoto, Nagasak...</td>\n",
|
735 |
+
" <td>Inclusion Criteria:\\n\\n* HER2-overexpressing a...</td>\n",
|
736 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
737 |
+
" <td>unclear</td>\n",
|
738 |
+
" </tr>\n",
|
739 |
+
" <tr>\n",
|
740 |
+
" <th>2</th>\n",
|
741 |
+
" <td>NCT05365581</td>\n",
|
742 |
+
" <td>A Study of ASP2138 Given by Itself or Given Wi...</td>\n",
|
743 |
+
" <td>2026-10-31</td>\n",
|
744 |
+
" <td>Gastric Adenocarcinoma, Gastroesophageal Junct...</td>\n",
|
745 |
+
" <td>Claudin 18.2 protein, or CLDN18.2 is a protein...</td>\n",
|
746 |
+
" <td>Kashiwa, Nagoya, Osakasayama, Suita, Yokohama, ku</td>\n",
|
747 |
+
" <td>Inclusion Criteria:\\n\\n* Participant is consid...</td>\n",
|
748 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
749 |
+
" <td>yes</td>\n",
|
750 |
+
" </tr>\n",
|
751 |
+
" <tr>\n",
|
752 |
+
" <th>3</th>\n",
|
753 |
+
" <td>NCT05111626</td>\n",
|
754 |
+
" <td>Bemarituzumab Plus Chemotherapy and Nivolumab ...</td>\n",
|
755 |
+
" <td>2026-09-26</td>\n",
|
756 |
+
" <td>Gastric Cancer, Gastroesophageal Junction Aden...</td>\n",
|
757 |
+
" <td>The main objective of Part 1 is to evaluate th...</td>\n",
|
758 |
+
" <td>Sapporo, gun, ku, shi</td>\n",
|
759 |
+
" <td>Inclusion Criteria Part 1 and Part 2:\\n\\n* Adu...</td>\n",
|
760 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
761 |
+
" <td>no</td>\n",
|
762 |
+
" </tr>\n",
|
763 |
+
" <tr>\n",
|
764 |
+
" <th>4</th>\n",
|
765 |
+
" <td>NCT06324357</td>\n",
|
766 |
+
" <td>Beamion BCGC-1: A Study to Find a Suitable Dos...</td>\n",
|
767 |
+
" <td>2027-02-22</td>\n",
|
768 |
+
" <td>Metastatic Breast Cancer, Metastatic Gastric A...</td>\n",
|
769 |
+
" <td>This study is open to adults aged 18 years and...</td>\n",
|
770 |
+
" <td>ku, shi</td>\n",
|
771 |
+
" <td>Inclusion Criteria:\\n\\n* Signed and dated writ...</td>\n",
|
772 |
+
" <td>The patient is not eligible for this clinical ...</td>\n",
|
773 |
+
" <td>no</td>\n",
|
774 |
+
" </tr>\n",
|
775 |
+
" <tr>\n",
|
776 |
+
" <th>5</th>\n",
|
777 |
+
" <td>NCT06056024</td>\n",
|
778 |
+
" <td>A Study to Test How Well Different Doses of BI...</td>\n",
|
779 |
+
" <td>2027-05-26</td>\n",
|
780 |
+
" <td>Solid Tumor, KRAS Mutation</td>\n",
|
781 |
+
" <td>This study is open to adults with advanced can...</td>\n",
|
782 |
+
" <td>Kashiwa, ku</td>\n",
|
783 |
+
" <td>Inclusion Criteria:\\n\\n1. Patients with pathol...</td>\n",
|
784 |
+
" <td>The patient is not eligible for this clinical ...</td>\n",
|
785 |
+
" <td>no</td>\n",
|
786 |
+
" </tr>\n",
|
787 |
+
" <tr>\n",
|
788 |
+
" <th>6</th>\n",
|
789 |
+
" <td>NCT04379596</td>\n",
|
790 |
+
" <td>Ph1b/2 Study of the Safety and Efficacy of T-D...</td>\n",
|
791 |
+
" <td>2026-07-30</td>\n",
|
792 |
+
" <td>Gastric Cancer</td>\n",
|
793 |
+
" <td>DESTINY-Gastric03 will investigate the safety,...</td>\n",
|
794 |
+
" <td>Kashiwa, gun, ku, shi</td>\n",
|
795 |
+
" <td>Inclusion criteria:\\n\\n1. Male and female part...</td>\n",
|
796 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
797 |
+
" <td>yes</td>\n",
|
798 |
+
" </tr>\n",
|
799 |
+
" <tr>\n",
|
800 |
+
" <th>7</th>\n",
|
801 |
+
" <td>NCT00197470</td>\n",
|
802 |
+
" <td>Cytokine Gene Polymorphisms in Gastric Diseases</td>\n",
|
803 |
+
" <td>Unknown Date</td>\n",
|
804 |
+
" <td>Gastric Ulcer, Duodenal Ulcer, Gastric Cancer</td>\n",
|
805 |
+
" <td>Recently, cytokine polymorphisms are considere...</td>\n",
|
806 |
+
" <td>Hamamatsu</td>\n",
|
807 |
+
" <td>Inclusion Criteria:\\n\\n-\\n\\nExclusion Criteria...</td>\n",
|
808 |
+
" <td>I do not know if the patient is eligible for t...</td>\n",
|
809 |
+
" <td>unclear</td>\n",
|
810 |
+
" </tr>\n",
|
811 |
+
" <tr>\n",
|
812 |
+
" <th>8</th>\n",
|
813 |
+
" <td>NCT05205343</td>\n",
|
814 |
+
" <td>Trans-Pacific Multicenter Collaborative Study ...</td>\n",
|
815 |
+
" <td>2026-05-31</td>\n",
|
816 |
+
" <td>Gastrostomy, Gastric, GastroEsophageal Cancer</td>\n",
|
817 |
+
" <td>To compare the symptoms of patients who have a...</td>\n",
|
818 |
+
" <td>Tokyo</td>\n",
|
819 |
+
" <td>Inclusion Criteria:\\n\\n1. Able to speak and re...</td>\n",
|
820 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
821 |
+
" <td>yes</td>\n",
|
822 |
+
" </tr>\n",
|
823 |
+
" <tr>\n",
|
824 |
+
" <th>9</th>\n",
|
825 |
+
" <td>NCT06490055</td>\n",
|
826 |
+
" <td>Predicting the Efficacy in Advanced Gastric Ca...</td>\n",
|
827 |
+
" <td>2025-12-31</td>\n",
|
828 |
+
" <td>Gastric Cancer, Chemotherapy Effect, Paclitaxe...</td>\n",
|
829 |
+
" <td>With advances in chemotherapy for gastric canc...</td>\n",
|
830 |
+
" <td>Kurashiki</td>\n",
|
831 |
+
" <td>Inclusion Criteria:\\n\\n1. unresectable or recu...</td>\n",
|
832 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
833 |
+
" <td>yes</td>\n",
|
834 |
+
" </tr>\n",
|
835 |
+
" <tr>\n",
|
836 |
+
" <th>10</th>\n",
|
837 |
+
" <td>NCT06490159</td>\n",
|
838 |
+
" <td>Predicting Peripheral Neuropathy of Paclitaxel...</td>\n",
|
839 |
+
" <td>2025-12-31</td>\n",
|
840 |
+
" <td>Gastric Cancer, Chemotherapy-induced Periphera...</td>\n",
|
841 |
+
" <td>Although advances in chemotherapy have improve...</td>\n",
|
842 |
+
" <td>Kurashiki</td>\n",
|
843 |
+
" <td>Inclusion Criteria:\\n\\n1. unresectable or recu...</td>\n",
|
844 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
845 |
+
" <td>yes</td>\n",
|
846 |
+
" </tr>\n",
|
847 |
+
" <tr>\n",
|
848 |
+
" <th>11</th>\n",
|
849 |
+
" <td>NCT05438459</td>\n",
|
850 |
+
" <td>GAIA-102 Intraperitoneal Administration in Pat...</td>\n",
|
851 |
+
" <td>2026-12-31</td>\n",
|
852 |
+
" <td>Gastric Cancer, Pancreatic Cancer</td>\n",
|
853 |
+
" <td>Phase I Part :\\n\\nConfirm the safety of GAIA-1...</td>\n",
|
854 |
+
" <td>shi</td>\n",
|
855 |
+
" <td>Inclusion Criteria:\\n\\n1. Unresectable, advanc...</td>\n",
|
856 |
+
" <td>Based on the provided criteria, the 65-year-ol...</td>\n",
|
857 |
+
" <td>unclear</td>\n",
|
858 |
+
" </tr>\n",
|
859 |
+
" <tr>\n",
|
860 |
+
" <th>12</th>\n",
|
861 |
+
" <td>NCT04745988</td>\n",
|
862 |
+
" <td>An Open Label Phase 2 Study to Evaluate the Sa...</td>\n",
|
863 |
+
" <td>2025-08</td>\n",
|
864 |
+
" <td>Gastric Cancer</td>\n",
|
865 |
+
" <td>This study is an open label phase 2 study to e...</td>\n",
|
866 |
+
" <td>Kashiwa</td>\n",
|
867 |
+
" <td>Inclusion Criteria:\\n\\n1. Have gastric and gas...</td>\n",
|
868 |
+
" <td>The patient is eligible for this clinical tria...</td>\n",
|
869 |
+
" <td>yes</td>\n",
|
870 |
+
" </tr>\n",
|
871 |
+
" <tr>\n",
|
872 |
+
" <th>13</th>\n",
|
873 |
+
" <td>NCT06038578</td>\n",
|
874 |
+
" <td>A Study of TRK-950 When Used in Combination Wi...</td>\n",
|
875 |
+
" <td>2025-08-31</td>\n",
|
876 |
+
" <td>Gastric Adenocarcinoma, Gastric Cancer, Gastro...</td>\n",
|
877 |
+
" <td>This study will assess the efficacy, safety, o...</td>\n",
|
878 |
+
" <td>Chuo Ku, Kashiwa, Ku</td>\n",
|
879 |
+
" <td>Inclusion Criteria:\\n\\n* Histologically or cyt...</td>\n",
|
880 |
+
" <td>The patient is not eligible for this clinical ...</td>\n",
|
881 |
+
" <td>no</td>\n",
|
882 |
+
" </tr>\n",
|
883 |
+
" <tr>\n",
|
884 |
+
" <th>14</th>\n",
|
885 |
+
" <td>NCT05322577</td>\n",
|
886 |
+
" <td>A Study Evaluating Bemarituzumab in Combinatio...</td>\n",
|
887 |
+
" <td>2026-03-17</td>\n",
|
888 |
+
" <td>Gastric Cancer, Gastroesophageal Junction Cancer</td>\n",
|
889 |
+
" <td>The main objectives of this study are to evalu...</td>\n",
|
890 |
+
" <td>Shi, gun, ku, shi</td>\n",
|
891 |
+
" <td>Inclusion Criteria:\\n\\n* Adults with unresecta...</td>\n",
|
892 |
+
" <td>The patient is not eligible for this clinical ...</td>\n",
|
893 |
+
" <td>no</td>\n",
|
894 |
+
" </tr>\n",
|
895 |
+
" <tr>\n",
|
896 |
+
" <th>15</th>\n",
|
897 |
+
" <td>NCT05152147</td>\n",
|
898 |
+
" <td>A Study of Zanidatamab in Combination With Che...</td>\n",
|
899 |
+
" <td>2024-12-31</td>\n",
|
900 |
+
" <td>Gastric Neoplasms, Gastroesophageal Adenocarci...</td>\n",
|
901 |
+
" <td>This study is being done to find out if zanida...</td>\n",
|
902 |
+
" <td>Cho, Chuo Ku, Hirakata, Ina, Ku, Matsuyama, Na...</td>\n",
|
903 |
+
" <td>Inclusion Criteria:\\n\\n* Histologically confir...</td>\n",
|
904 |
+
" <td>Based on the provided information, the 65-year...</td>\n",
|
905 |
+
" <td>yes</td>\n",
|
906 |
+
" </tr>\n",
|
907 |
+
" </tbody>\n",
|
908 |
+
"</table>\n",
|
909 |
+
"</div>"
|
910 |
+
],
|
911 |
+
"text/plain": [
|
912 |
+
" NCTID Title \\\n",
|
913 |
+
"0 NCT03505320 A Study of Zolbetuximab (IMAB362) in Adults Wi... \n",
|
914 |
+
"1 NCT05002127 A Study of Evorpacept (ALX148) in Patients wit... \n",
|
915 |
+
"2 NCT05365581 A Study of ASP2138 Given by Itself or Given Wi... \n",
|
916 |
+
"3 NCT05111626 Bemarituzumab Plus Chemotherapy and Nivolumab ... \n",
|
917 |
+
"4 NCT06324357 Beamion BCGC-1: A Study to Find a Suitable Dos... \n",
|
918 |
+
"5 NCT06056024 A Study to Test How Well Different Doses of BI... \n",
|
919 |
+
"6 NCT04379596 Ph1b/2 Study of the Safety and Efficacy of T-D... \n",
|
920 |
+
"7 NCT00197470 Cytokine Gene Polymorphisms in Gastric Diseases \n",
|
921 |
+
"8 NCT05205343 Trans-Pacific Multicenter Collaborative Study ... \n",
|
922 |
+
"9 NCT06490055 Predicting the Efficacy in Advanced Gastric Ca... \n",
|
923 |
+
"10 NCT06490159 Predicting Peripheral Neuropathy of Paclitaxel... \n",
|
924 |
+
"11 NCT05438459 GAIA-102 Intraperitoneal Administration in Pat... \n",
|
925 |
+
"12 NCT04745988 An Open Label Phase 2 Study to Evaluate the Sa... \n",
|
926 |
+
"13 NCT06038578 A Study of TRK-950 When Used in Combination Wi... \n",
|
927 |
+
"14 NCT05322577 A Study Evaluating Bemarituzumab in Combinatio... \n",
|
928 |
+
"15 NCT05152147 A Study of Zanidatamab in Combination With Che... \n",
|
929 |
+
"\n",
|
930 |
+
" Primary Completion Date Cancer \\\n",
|
931 |
+
"0 2025-04-30 Pharmacokinetics of Zolbetuximab, Gastric Canc... \n",
|
932 |
+
"1 2026-07 Gastric Cancer, Gastroesophageal Junction Aden... \n",
|
933 |
+
"2 2026-10-31 Gastric Adenocarcinoma, Gastroesophageal Junct... \n",
|
934 |
+
"3 2026-09-26 Gastric Cancer, Gastroesophageal Junction Aden... \n",
|
935 |
+
"4 2027-02-22 Metastatic Breast Cancer, Metastatic Gastric A... \n",
|
936 |
+
"5 2027-05-26 Solid Tumor, KRAS Mutation \n",
|
937 |
+
"6 2026-07-30 Gastric Cancer \n",
|
938 |
+
"7 Unknown Date Gastric Ulcer, Duodenal Ulcer, Gastric Cancer \n",
|
939 |
+
"8 2026-05-31 Gastrostomy, Gastric, GastroEsophageal Cancer \n",
|
940 |
+
"9 2025-12-31 Gastric Cancer, Chemotherapy Effect, Paclitaxe... \n",
|
941 |
+
"10 2025-12-31 Gastric Cancer, Chemotherapy-induced Periphera... \n",
|
942 |
+
"11 2026-12-31 Gastric Cancer, Pancreatic Cancer \n",
|
943 |
+
"12 2025-08 Gastric Cancer \n",
|
944 |
+
"13 2025-08-31 Gastric Adenocarcinoma, Gastric Cancer, Gastro... \n",
|
945 |
+
"14 2026-03-17 Gastric Cancer, Gastroesophageal Junction Cancer \n",
|
946 |
+
"15 2024-12-31 Gastric Neoplasms, Gastroesophageal Adenocarci... \n",
|
947 |
+
"\n",
|
948 |
+
" Summary \\\n",
|
949 |
+
"0 Zolbetuximab is being studied as a treatment f... \n",
|
950 |
+
"1 A Phase 2/3 Study of Evorpacept (ALX148) in Co... \n",
|
951 |
+
"2 Claudin 18.2 protein, or CLDN18.2 is a protein... \n",
|
952 |
+
"3 The main objective of Part 1 is to evaluate th... \n",
|
953 |
+
"4 This study is open to adults aged 18 years and... \n",
|
954 |
+
"5 This study is open to adults with advanced can... \n",
|
955 |
+
"6 DESTINY-Gastric03 will investigate the safety,... \n",
|
956 |
+
"7 Recently, cytokine polymorphisms are considere... \n",
|
957 |
+
"8 To compare the symptoms of patients who have a... \n",
|
958 |
+
"9 With advances in chemotherapy for gastric canc... \n",
|
959 |
+
"10 Although advances in chemotherapy have improve... \n",
|
960 |
+
"11 Phase I Part :\\n\\nConfirm the safety of GAIA-1... \n",
|
961 |
+
"12 This study is an open label phase 2 study to e... \n",
|
962 |
+
"13 This study will assess the efficacy, safety, o... \n",
|
963 |
+
"14 The main objectives of this study are to evalu... \n",
|
964 |
+
"15 This study is being done to find out if zanida... \n",
|
965 |
+
"\n",
|
966 |
+
" Japanes Locations \\\n",
|
967 |
+
"0 Chiba, Tokyo \n",
|
968 |
+
"1 Chiba, Fukuoka, Gifu, Kumamoto, Kyoto, Nagasak... \n",
|
969 |
+
"2 Kashiwa, Nagoya, Osakasayama, Suita, Yokohama, ku \n",
|
970 |
+
"3 Sapporo, gun, ku, shi \n",
|
971 |
+
"4 ku, shi \n",
|
972 |
+
"5 Kashiwa, ku \n",
|
973 |
+
"6 Kashiwa, gun, ku, shi \n",
|
974 |
+
"7 Hamamatsu \n",
|
975 |
+
"8 Tokyo \n",
|
976 |
+
"9 Kurashiki \n",
|
977 |
+
"10 Kurashiki \n",
|
978 |
+
"11 shi \n",
|
979 |
+
"12 Kashiwa \n",
|
980 |
+
"13 Chuo Ku, Kashiwa, Ku \n",
|
981 |
+
"14 Shi, gun, ku, shi \n",
|
982 |
+
"15 Cho, Chuo Ku, Hirakata, Ina, Ku, Matsuyama, Na... \n",
|
983 |
+
"\n",
|
984 |
+
" Eligibility Criteria \\\n",
|
985 |
+
"0 Inclusion Criteria:\\n\\n* Female subject eligib... \n",
|
986 |
+
"1 Inclusion Criteria:\\n\\n* HER2-overexpressing a... \n",
|
987 |
+
"2 Inclusion Criteria:\\n\\n* Participant is consid... \n",
|
988 |
+
"3 Inclusion Criteria Part 1 and Part 2:\\n\\n* Adu... \n",
|
989 |
+
"4 Inclusion Criteria:\\n\\n* Signed and dated writ... \n",
|
990 |
+
"5 Inclusion Criteria:\\n\\n1. Patients with pathol... \n",
|
991 |
+
"6 Inclusion criteria:\\n\\n1. Male and female part... \n",
|
992 |
+
"7 Inclusion Criteria:\\n\\n-\\n\\nExclusion Criteria... \n",
|
993 |
+
"8 Inclusion Criteria:\\n\\n1. Able to speak and re... \n",
|
994 |
+
"9 Inclusion Criteria:\\n\\n1. unresectable or recu... \n",
|
995 |
+
"10 Inclusion Criteria:\\n\\n1. unresectable or recu... \n",
|
996 |
+
"11 Inclusion Criteria:\\n\\n1. Unresectable, advanc... \n",
|
997 |
+
"12 Inclusion Criteria:\\n\\n1. Have gastric and gas... \n",
|
998 |
+
"13 Inclusion Criteria:\\n\\n* Histologically or cyt... \n",
|
999 |
+
"14 Inclusion Criteria:\\n\\n* Adults with unresecta... \n",
|
1000 |
+
"15 Inclusion Criteria:\\n\\n* Histologically confir... \n",
|
1001 |
+
"\n",
|
1002 |
+
" AgentJudgment AgentGrade \n",
|
1003 |
+
"0 The patient is not eligible for this clinical ... no \n",
|
1004 |
+
"1 The patient is eligible for this clinical tria... unclear \n",
|
1005 |
+
"2 The patient is eligible for this clinical tria... yes \n",
|
1006 |
+
"3 The patient is eligible for this clinical tria... no \n",
|
1007 |
+
"4 The patient is not eligible for this clinical ... no \n",
|
1008 |
+
"5 The patient is not eligible for this clinical ... no \n",
|
1009 |
+
"6 The patient is eligible for this clinical tria... yes \n",
|
1010 |
+
"7 I do not know if the patient is eligible for t... unclear \n",
|
1011 |
+
"8 The patient is eligible for this clinical tria... yes \n",
|
1012 |
+
"9 The patient is eligible for this clinical tria... yes \n",
|
1013 |
+
"10 The patient is eligible for this clinical tria... yes \n",
|
1014 |
+
"11 Based on the provided criteria, the 65-year-ol... unclear \n",
|
1015 |
+
"12 The patient is eligible for this clinical tria... yes \n",
|
1016 |
+
"13 The patient is not eligible for this clinical ... no \n",
|
1017 |
+
"14 The patient is not eligible for this clinical ... no \n",
|
1018 |
+
"15 Based on the provided information, the 65-year... yes "
|
1019 |
+
]
|
1020 |
+
},
|
1021 |
+
"execution_count": 15,
|
1022 |
+
"metadata": {},
|
1023 |
+
"output_type": "execute_result"
|
1024 |
+
}
|
1025 |
+
],
|
1026 |
+
"source": [
|
1027 |
+
"df"
|
1028 |
+
]
|
1029 |
+
},
|
1030 |
+
{
|
1031 |
+
"cell_type": "code",
|
1032 |
+
"execution_count": 14,
|
1033 |
+
"metadata": {},
|
1034 |
+
"outputs": [],
|
1035 |
+
"source": [
|
1036 |
+
"df.to_csv('./65yerProstateCancer.csv')"
|
1037 |
+
]
|
1038 |
+
},
|
1039 |
+
{
|
1040 |
+
"cell_type": "code",
|
1041 |
+
"execution_count": null,
|
1042 |
+
"metadata": {},
|
1043 |
+
"outputs": [],
|
1044 |
+
"source": []
|
1045 |
+
}
|
1046 |
+
],
|
1047 |
+
"metadata": {
|
1048 |
+
"kernelspec": {
|
1049 |
+
"display_name": "gradio",
|
1050 |
+
"language": "python",
|
1051 |
+
"name": "python3"
|
1052 |
+
},
|
1053 |
+
"language_info": {
|
1054 |
+
"codemirror_mode": {
|
1055 |
+
"name": "ipython",
|
1056 |
+
"version": 3
|
1057 |
+
},
|
1058 |
+
"file_extension": ".py",
|
1059 |
+
"mimetype": "text/x-python",
|
1060 |
+
"name": "python",
|
1061 |
+
"nbconvert_exporter": "python",
|
1062 |
+
"pygments_lexer": "ipython3",
|
1063 |
+
"version": "3.12.3"
|
1064 |
+
}
|
1065 |
+
},
|
1066 |
+
"nbformat": 4,
|
1067 |
+
"nbformat_minor": 2
|
1068 |
+
}
|
dev/GraphAppDev7.ipynb
ADDED
@@ -0,0 +1,124 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
{
|
2 |
+
"cells": [
|
3 |
+
{
|
4 |
+
"cell_type": "code",
|
5 |
+
"execution_count": 1,
|
6 |
+
"metadata": {},
|
7 |
+
"outputs": [
|
8 |
+
{
|
9 |
+
"name": "stderr",
|
10 |
+
"output_type": "stream",
|
11 |
+
"text": [
|
12 |
+
"/Users/satoc/miniforge3/envs/gradio/lib/python3.12/site-packages/IPython/core/interactiveshell.py:3577: LangChainDeprecationWarning: As of langchain-core 0.3.0, LangChain uses pydantic v2 internally. The langchain_core.pydantic_v1 module was a compatibility shim for pydantic v1, and should no longer be used. Please update the code to import from Pydantic directly.\n",
|
13 |
+
"\n",
|
14 |
+
"For example, replace imports like: `from langchain_core.pydantic_v1 import BaseModel`\n",
|
15 |
+
"with: `from pydantic import BaseModel`\n",
|
16 |
+
"or the v1 compatibility namespace if you are working in a code base that has not been fully upgraded to pydantic 2 yet. \tfrom pydantic.v1 import BaseModel\n",
|
17 |
+
"\n",
|
18 |
+
" exec(code_obj, self.user_global_ns, self.user_ns)\n"
|
19 |
+
]
|
20 |
+
}
|
21 |
+
],
|
22 |
+
"source": [
|
23 |
+
"from langchain_community.agent_toolkits import create_sql_agent\n",
|
24 |
+
"from langchain_openai import ChatOpenAI\n",
|
25 |
+
"from langchain_groq import ChatGroq\n",
|
26 |
+
"from langchain_core.prompts import ChatPromptTemplate\n",
|
27 |
+
"from langchain_core.pydantic_v1 import BaseModel, Field\n",
|
28 |
+
"import pandas as pd\n",
|
29 |
+
"from pydantic import BaseModel, Field\n",
|
30 |
+
"\n",
|
31 |
+
"from langchain.text_splitter import RecursiveCharacterTextSplitter\n",
|
32 |
+
"from langchain_community.vectorstores import Chroma\n",
|
33 |
+
"from langchain.embeddings import HuggingFaceEmbeddings\n",
|
34 |
+
"from langchain_core.runnables import RunnablePassthrough\n",
|
35 |
+
"from langchain_core.output_parsers import StrOutputParser\n",
|
36 |
+
"\n",
|
37 |
+
"\n",
|
38 |
+
"gpt = ChatOpenAI(model=\"gpt-3.5-turbo\", temperature=0)\n",
|
39 |
+
"#agent_gpt_executor = create_sql_agent(gpt, db=db, agent_type=\"tool-calling\", verbose=True)\n",
|
40 |
+
"\n",
|
41 |
+
"## make database\n",
|
42 |
+
"from langchain_community.utilities import SQLDatabase\n",
|
43 |
+
"from sqlalchemy import create_engine\n",
|
44 |
+
"\n",
|
45 |
+
"from langchain.prompts import ChatPromptTemplate\n",
|
46 |
+
"from langchain.schema import SystemMessage\n",
|
47 |
+
"from langchain_core.prompts import MessagesPlaceholder\n",
|
48 |
+
"#agent_groq_executor = create_sql_agent(llm, db=db, agent_type=\"tool-calling\", verbose=True)\n",
|
49 |
+
"\n",
|
50 |
+
"from OpenAITools.FetchTools import fetch_clinical_trials, fetch_clinical_trials_jp\n",
|
51 |
+
"from OpenAITools.CrinicalTrialTools import QuestionModifierEnglish, TumorNameExtractor, SimpleClinicalTrialAgent,GraderAgent,LLMTranslator\n",
|
52 |
+
"\n",
|
53 |
+
"groq = ChatGroq(model_name=\"llama3-70b-8192\", temperature=0)\n",
|
54 |
+
"#agent_groq_executor = create_sql_agent(groq, db=db, agent_type=\"tool-calling\", verbose=True)\n",
|
55 |
+
"\n",
|
56 |
+
"age = \"65\"\n",
|
57 |
+
"sex =\"男性\"\n",
|
58 |
+
"tumor_type =\"胃癌\"\n",
|
59 |
+
"#tumor_type = \"gastric cancer\"\n",
|
60 |
+
"GeneMutation =\"HER2\"\n",
|
61 |
+
"Meseable = \"有り\"\n",
|
62 |
+
"Biopsiable = \"有り\"\n",
|
63 |
+
"NCTID = 'NCT06441994'\n",
|
64 |
+
"\n",
|
65 |
+
"#Define extractor\n",
|
66 |
+
"Translator = LLMTranslator(groq)\n",
|
67 |
+
"TumorName = Translator.translate(tumor_type)\n",
|
68 |
+
"\n",
|
69 |
+
"#Make db\n",
|
70 |
+
"df = fetch_clinical_trials(TumorName)\n",
|
71 |
+
"# 新しい列を追加\n",
|
72 |
+
"df['AgentJudgment'] = None\n",
|
73 |
+
"df['AgentGrade'] = None\n",
|
74 |
+
"#df = df.iloc[:5, :]\n",
|
75 |
+
"NCTIDs = list(df['NCTID' ])\n",
|
76 |
+
"\n",
|
77 |
+
"#Define agents\n",
|
78 |
+
"#modifier = QuestionModifierEnglish(groq)\n",
|
79 |
+
"CriteriaCheckAgent = SimpleClinicalTrialAgent(groq)\n",
|
80 |
+
"grader_agent = GraderAgent(groq)\n",
|
81 |
+
"\n",
|
82 |
+
"\n",
|
83 |
+
"for nct_id in NCTIDs:\n",
|
84 |
+
" TargetCriteria = df.loc[df['NCTID'] == nct_id, 'Eligibility Criteria'].values[0]\n",
|
85 |
+
" AgentJudgment = CriteriaCheckAgent.evaluate_eligibility(TargetCriteria, ex_question)\n",
|
86 |
+
" print(AgentJudgment)\n",
|
87 |
+
"\n",
|
88 |
+
" AgentGrade = grader_agent.evaluate_eligibility(AgentJudgment)\n",
|
89 |
+
" print(AgentGrade)\n",
|
90 |
+
" # NCTIDに一致する行を見つけて更新\n",
|
91 |
+
" df.loc[df['NCTID'] == nct_id, 'AgentJudgment'] = AgentJudgment\n",
|
92 |
+
" df.loc[df['NCTID'] == nct_id, 'AgentGrade'] = AgentGrade"
|
93 |
+
]
|
94 |
+
},
|
95 |
+
{
|
96 |
+
"cell_type": "code",
|
97 |
+
"execution_count": null,
|
98 |
+
"metadata": {},
|
99 |
+
"outputs": [],
|
100 |
+
"source": []
|
101 |
+
}
|
102 |
+
],
|
103 |
+
"metadata": {
|
104 |
+
"kernelspec": {
|
105 |
+
"display_name": "gradio",
|
106 |
+
"language": "python",
|
107 |
+
"name": "python3"
|
108 |
+
},
|
109 |
+
"language_info": {
|
110 |
+
"codemirror_mode": {
|
111 |
+
"name": "ipython",
|
112 |
+
"version": 3
|
113 |
+
},
|
114 |
+
"file_extension": ".py",
|
115 |
+
"mimetype": "text/x-python",
|
116 |
+
"name": "python",
|
117 |
+
"nbconvert_exporter": "python",
|
118 |
+
"pygments_lexer": "ipython3",
|
119 |
+
"version": "3.12.3"
|
120 |
+
}
|
121 |
+
},
|
122 |
+
"nbformat": 4,
|
123 |
+
"nbformat_minor": 2
|
124 |
+
}
|
dev/filtered_data.csv
CHANGED
@@ -1,59 +1,46 @@
|
|
1 |
NCTID,AgentGrade,Title,AgentJudgment,Japanes Locations,Primary Completion Date,Cancer,Summary,Eligibility Criteria
|
2 |
-
|
3 |
|
4 |
-
|
5 |
-
|
6 |
-
|
|
|
|
|
|
|
7 |
|
8 |
-
|
9 |
-
|
10 |
-
|
11 |
-
|
12 |
-
|
13 |
-
* Additional Inclusion Criteria Specific for Arm B:
|
14 |
-
|
15 |
-
\*\*Arm B has now closed to recruitment\*\*
|
16 |
-
|
17 |
-
* Histologically proven diagnosis of solid tumor malignancy and Magnetic Resonance (MR) imaging documenting brain lesions.
|
18 |
-
* Not eligible for Stereotactic Radiosurgery (SRS) treatment of brain tumor.
|
19 |
-
* Patient has not received any previous brain RT to the area that is to be irradiated. Prior PBRT may be allowed if there is not significant overlap between the prior and new radiation fields.
|
20 |
-
* Non-CNS malignant disease must be sufficiently controlled so that patients can be without additional systemic therapy for the required washout period before starting therapy until 5 days after the end of RT. Required washout period before starting the first dose of AZD1390 (Cycle 1) is 28 days for immune checkpoint inhibitors and 7 days for all other agents
|
21 |
-
* Not received radiation to the lung fields within the past 8 weeks.
|
22 |
-
* No history of seizures related to the brain metastases or LMD.
|
23 |
-
* Receiving PBRT (rather than WBRT) during Cycle 1 as standard of care for brain metastases
|
24 |
-
|
25 |
-
• Additional Inclusion Criteria Specific for Arm C:
|
26 |
-
* Histologically proven primary diagnosis of GBM with unmethylated O6-methylguanine-DNA methyltransferase (MGMT). Grade 4 astrocytoma or histology with molecular features of GBM can be considered.
|
27 |
-
* Determination of MGMT promoter status by methylation-specific polymerase chain reaction (PCR) or pyrosequencing per local institutional guidelines is required to assess eligibility for this Arm.
|
28 |
-
* Patients will have to undergo mutational testing for Isocitrate dehydrogenase 1 (IDH1) on a tumor specimen before entering study. Patients are eligible for Arm C regardless of their IDH1 mutational status.
|
29 |
-
* No history of uncontrolled seizures after surgery for primary GBM (despite adequate antiepileptic therapy) or with need for concurrent administration of more than 2 antiepileptic drugs.
|
30 |
-
* Willing to receive anti-epileptic prophylaxis for the duration of study drug administration
|
31 |
-
|
32 |
-
Additional Inclusion criteria for Food Effect Assessment (Arm A) (Not applicable for Japan part):
|
33 |
-
|
34 |
-
* For the fed assessment portion: fast overnight (for at least 10 hours) prior to consuming a high-fat meal consisting of approximately 800 to 1000 calories, with around 54% of the calories coming from fat.
|
35 |
-
* For the fasted assessment portion: fast overnight (for at least 10 hours prior to dosing) and until 4 hours after dosing.
|
36 |
-
|
37 |
-
\*Note: the optional food effect assessment is currently not open to enrolment\*
|
38 |
|
39 |
Exclusion Criteria:
|
40 |
|
41 |
-
|
42 |
-
|
43 |
-
|
44 |
-
|
45 |
-
|
46 |
-
|
47 |
-
|
48 |
-
|
49 |
-
|
50 |
-
|
51 |
-
|
52 |
-
|
53 |
-
|
54 |
-
|
55 |
-
|
56 |
-
|
57 |
-
|
58 |
-
|
59 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
NCTID,AgentGrade,Title,AgentJudgment,Japanes Locations,Primary Completion Date,Cancer,Summary,Eligibility Criteria
|
2 |
+
NCT05580562,unclear,ONC201 in H3 K27M-mutant Diffuse Glioma Following Radiotherapy (the ACTION Study),"Based on the provided criteria, the 40-year-old male patient with glioma and a known H3 K27M gene mutation, measurable and biopsiable tumor, may be eligible for this clinical trial. However, I do not know if the patient has received frontline radiotherapy, has a Karnofsky Performance Status or Lansky Performance Status ≥ 70, and meets the other inclusion and exclusion criteria. Further evaluation is needed to determine the patient's eligibility.","Chuo City, Osaka",2026-08,"H3 K27M, Glioma","This is a randomized, double-blind, placebo-controlled, parallel-group, international, Phase 3 study in patients with newly diagnosed H3 K27M-mutant diffuse glioma to assess whether treatment with ONC201 following frontline radiotherapy will extend overall survival and progression-free survival in this population. Eligible participants will have histologically diagnosed H3 K27M-mutant diffuse glioma and have completed standard frontline radiotherapy.","Inclusion Criteria:
|
3 |
|
4 |
+
1. Able to understand the study procedures and agree to participate in the study by providing written informed consent (by participant or legally authorized representative), and assent when applicable.
|
5 |
+
2. Body weight ≥ 10 kg at time of randomization.
|
6 |
+
3. Histologically diagnosed H3 K27M-mutant diffuse glioma (new diagnosis). Detection of a missense K27M mutation in any histone H3-encoding gene detected by testing of tumor tissue (immunohistochemistry \[IHC\] or next-generation sequencing \[NGS\] in a Clinical Laboratory Improvement Amendments \[CLIA\]-certified or equivalent laboratory). \[Site to provide (as available): ≥ 10 unstained formalin-fixed paraffin-embedded (FFPE) slides from tumor tissue.\]
|
7 |
+
4. At least one, high-quality, contrast-enhanced MRI of the brain obtained prior to starting radiotherapy for submission to sponsor's imaging vendor for central read. For participants who had a surgical resection, this scan must be post-resection; for participants who did not have a resection, this scan may be pre- or post-biopsy.
|
8 |
+
5. At least one, high-quality, contrast-enhanced MRI of the brain obtained 2 to 6 weeks after completion of frontline radiotherapy. If unable to obtain contrast-enhanced imaging due to lack of venous access after multiple attempts, a patient may still be eligible after collection of a nonenhanced MRI of the brain. \[Site to also provide all available MRIs completed prior to initiating treatment with study intervention.\]
|
9 |
+
6. Received frontline radiotherapy
|
10 |
|
11 |
+
1. Initiated radiotherapy within 12 weeks from the initial diagnosis of H3 K27M-mutant diffuse glioma.
|
12 |
+
2. Completed radiotherapy within 2 to 6 weeks prior to randomization
|
13 |
+
3. Completed standard fractionated radiotherapy (eg. 54 to 60 Gy in 28 to 33 fractions given over approximately 6 weeks or hypofractionated radiotherapy (eg. 40 Gy in 15 fractions given over approximately 3 weeks).
|
14 |
+
7. Karnofsky Performance Status or Lansky Performance Status ≥ 70 at time of randomization.
|
15 |
+
8. Stable or decreasing dose of corticosteroids and anti-seizure medications for 7 days prior to randomization, if applicable. Stable steroid dose is defined as ≤ 2 mg/day increase (based on dexamethasone dose or equivalent dose of an alternative steroid).
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
16 |
|
17 |
Exclusion Criteria:
|
18 |
|
19 |
+
1. Primary spinal tumor.
|
20 |
+
2. Diffuse intrinsic pontine glioma (DIPG), defined as tumors with a pontine epicenter and diffuse involvement of the pons.
|
21 |
+
3. Evidence of leptomeningeal spread of disease or cerebrospinal fluid dissemination.
|
22 |
+
4. Any known concurrent malignancy.
|
23 |
+
5. New lesion(s) outside of the radiation field.
|
24 |
+
6. Received whole-brain radiotherapy.
|
25 |
+
7. Received proton therapy for glioma.
|
26 |
+
8. Use of any of the following treatments within the specified time periods prior to randomization:
|
27 |
+
|
28 |
+
1. ONC201 or ONC206 at any time.
|
29 |
+
2. Systemic bevacizumab (includes biosimilars) at any time since the initial diagnosis of H3 K27M-mutant diffuse glioma.
|
30 |
+
3. Temozolomide within past 3 weeks.
|
31 |
+
4. Tumor treating fields at any time.
|
32 |
+
5. DRD2 antagonist within past 2 weeks.
|
33 |
+
6. Any investigational therapy within past 4 weeks.
|
34 |
+
7. Strong CYP3A4 inhibitors within 3 days.
|
35 |
+
8. Strong CYP3A4 inducers (includes enzyme-inducing antiepileptic drugs) within 2 weeks.
|
36 |
+
9. Laboratory test results meeting any of the following parameters within 2 weeks prior to randomization:
|
37 |
+
|
38 |
+
1. Absolute neutrophil count \< 1.0 × 109/L or platelets \< 75 × 109/L.
|
39 |
+
2. Total bilirubin \> 1.5 × upper limit of normal (ULN) (participants with Gilbert's syndrome may be included with total bilirubin \> 1.5 × ULN if direct bilirubin is ≤ 1.5 × ULN).
|
40 |
+
3. Aspartate aminotransferase (AST) or alanine aminotransferase (ALT) \> 2.5 × ULN.
|
41 |
+
4. Creatinine clearance ≤ 60 mL/min as calculated by the Cockcroft Gault equation (or estimated glomerular filtration rate \< 60 mL/min/1.73 m2).
|
42 |
+
10. QTc \> 480 msec (based on mean from triplicate electrocardiograms) during screening.
|
43 |
+
11. Known hypersensitivity to any excipients used in the study intervention formulation.
|
44 |
+
12. Pregnant, breastfeeding, or planning to become pregnant while receiving study intervention or within 3 months after the last dose. Participants of childbearing potential must have a negative serum pregnancy test within 72 hours prior to receiving the first dose of study intervention.
|
45 |
+
13. Uncontrolled intercurrent illness including, but not limited to, ongoing or active infection requiring systemic therapy or psychiatric illness/social situations that would limit compliance with study requirements.
|
46 |
+
14. Any other condition (eg, medical, psychiatric, or social) that, in the opinion of the investigator, may interfere with participant safety or the ability to complete the study according to the protocol."
|
dev/full_data.csv
ADDED
@@ -0,0 +1,154 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
NCTID,AgentGrade,Title,AgentJudgment,Japanes Locations,Primary Completion Date,Cancer,Summary,Eligibility Criteria
|
2 |
+
NCT05580562,unclear,ONC201 in H3 K27M-mutant Diffuse Glioma Following Radiotherapy (the ACTION Study),"Based on the provided criteria, the 40-year-old male patient with glioma and a known H3 K27M gene mutation, measurable and biopsiable tumor, may be eligible for this clinical trial. However, I do not know if the patient has received frontline radiotherapy, has a Karnofsky Performance Status or Lansky Performance Status ≥ 70, and meets the other inclusion and exclusion criteria. Further evaluation is needed to determine the patient's eligibility.","Chuo City, Osaka",2026-08,"H3 K27M, Glioma","This is a randomized, double-blind, placebo-controlled, parallel-group, international, Phase 3 study in patients with newly diagnosed H3 K27M-mutant diffuse glioma to assess whether treatment with ONC201 following frontline radiotherapy will extend overall survival and progression-free survival in this population. Eligible participants will have histologically diagnosed H3 K27M-mutant diffuse glioma and have completed standard frontline radiotherapy.","Inclusion Criteria:
|
3 |
+
|
4 |
+
1. Able to understand the study procedures and agree to participate in the study by providing written informed consent (by participant or legally authorized representative), and assent when applicable.
|
5 |
+
2. Body weight ≥ 10 kg at time of randomization.
|
6 |
+
3. Histologically diagnosed H3 K27M-mutant diffuse glioma (new diagnosis). Detection of a missense K27M mutation in any histone H3-encoding gene detected by testing of tumor tissue (immunohistochemistry \[IHC\] or next-generation sequencing \[NGS\] in a Clinical Laboratory Improvement Amendments \[CLIA\]-certified or equivalent laboratory). \[Site to provide (as available): ≥ 10 unstained formalin-fixed paraffin-embedded (FFPE) slides from tumor tissue.\]
|
7 |
+
4. At least one, high-quality, contrast-enhanced MRI of the brain obtained prior to starting radiotherapy for submission to sponsor's imaging vendor for central read. For participants who had a surgical resection, this scan must be post-resection; for participants who did not have a resection, this scan may be pre- or post-biopsy.
|
8 |
+
5. At least one, high-quality, contrast-enhanced MRI of the brain obtained 2 to 6 weeks after completion of frontline radiotherapy. If unable to obtain contrast-enhanced imaging due to lack of venous access after multiple attempts, a patient may still be eligible after collection of a nonenhanced MRI of the brain. \[Site to also provide all available MRIs completed prior to initiating treatment with study intervention.\]
|
9 |
+
6. Received frontline radiotherapy
|
10 |
+
|
11 |
+
1. Initiated radiotherapy within 12 weeks from the initial diagnosis of H3 K27M-mutant diffuse glioma.
|
12 |
+
2. Completed radiotherapy within 2 to 6 weeks prior to randomization
|
13 |
+
3. Completed standard fractionated radiotherapy (eg. 54 to 60 Gy in 28 to 33 fractions given over approximately 6 weeks or hypofractionated radiotherapy (eg. 40 Gy in 15 fractions given over approximately 3 weeks).
|
14 |
+
7. Karnofsky Performance Status or Lansky Performance Status ≥ 70 at time of randomization.
|
15 |
+
8. Stable or decreasing dose of corticosteroids and anti-seizure medications for 7 days prior to randomization, if applicable. Stable steroid dose is defined as ≤ 2 mg/day increase (based on dexamethasone dose or equivalent dose of an alternative steroid).
|
16 |
+
|
17 |
+
Exclusion Criteria:
|
18 |
+
|
19 |
+
1. Primary spinal tumor.
|
20 |
+
2. Diffuse intrinsic pontine glioma (DIPG), defined as tumors with a pontine epicenter and diffuse involvement of the pons.
|
21 |
+
3. Evidence of leptomeningeal spread of disease or cerebrospinal fluid dissemination.
|
22 |
+
4. Any known concurrent malignancy.
|
23 |
+
5. New lesion(s) outside of the radiation field.
|
24 |
+
6. Received whole-brain radiotherapy.
|
25 |
+
7. Received proton therapy for glioma.
|
26 |
+
8. Use of any of the following treatments within the specified time periods prior to randomization:
|
27 |
+
|
28 |
+
1. ONC201 or ONC206 at any time.
|
29 |
+
2. Systemic bevacizumab (includes biosimilars) at any time since the initial diagnosis of H3 K27M-mutant diffuse glioma.
|
30 |
+
3. Temozolomide within past 3 weeks.
|
31 |
+
4. Tumor treating fields at any time.
|
32 |
+
5. DRD2 antagonist within past 2 weeks.
|
33 |
+
6. Any investigational therapy within past 4 weeks.
|
34 |
+
7. Strong CYP3A4 inhibitors within 3 days.
|
35 |
+
8. Strong CYP3A4 inducers (includes enzyme-inducing antiepileptic drugs) within 2 weeks.
|
36 |
+
9. Laboratory test results meeting any of the following parameters within 2 weeks prior to randomization:
|
37 |
+
|
38 |
+
1. Absolute neutrophil count \< 1.0 × 109/L or platelets \< 75 × 109/L.
|
39 |
+
2. Total bilirubin \> 1.5 × upper limit of normal (ULN) (participants with Gilbert's syndrome may be included with total bilirubin \> 1.5 × ULN if direct bilirubin is ≤ 1.5 × ULN).
|
40 |
+
3. Aspartate aminotransferase (AST) or alanine aminotransferase (ALT) \> 2.5 × ULN.
|
41 |
+
4. Creatinine clearance ≤ 60 mL/min as calculated by the Cockcroft Gault equation (or estimated glomerular filtration rate \< 60 mL/min/1.73 m2).
|
42 |
+
10. QTc \> 480 msec (based on mean from triplicate electrocardiograms) during screening.
|
43 |
+
11. Known hypersensitivity to any excipients used in the study intervention formulation.
|
44 |
+
12. Pregnant, breastfeeding, or planning to become pregnant while receiving study intervention or within 3 months after the last dose. Participants of childbearing potential must have a negative serum pregnancy test within 72 hours prior to receiving the first dose of study intervention.
|
45 |
+
13. Uncontrolled intercurrent illness including, but not limited to, ongoing or active infection requiring systemic therapy or psychiatric illness/social situations that would limit compliance with study requirements.
|
46 |
+
14. Any other condition (eg, medical, psychiatric, or social) that, in the opinion of the investigator, may interfere with participant safety or the ability to complete the study according to the protocol."
|
47 |
+
NCT05503264,no,"A Study To Evaluate The Efficacy, Safety, Pharmacokinetics, And Pharmacodynamics Of Satralizumab In Patients With Anti-N-Methyl-D-Aspartic Acid Receptor (NMDAR) Or Anti-Leucine-Rich Glioma-Inactivated 1 (LGI1) Encephalitis","The patient is not eligible for this clinical trial because the patient has a glioma, which is a type of malignancy, and the exclusion criteria state that patients with a history of carcinoma or malignancy are not eligible, unless deemed cured by adequate treatment with no evidence of recurrence for ≥5 years before screening.","Aichi, Chiba, Fukuoka, Gifu, Hokkaido, Hyogo, Hyogoken, Kagoshima, Kanagawa, Miyagi, Osaka, Saitama, Tokyo, sayama",2026-06-23,"NMDAR Autoimmune Encephalitis, LGI1 Autoimmune Encephalitis","The purpose of this study is to assess the efficacy, safety, pharmacokinetics, and pharmacodynamics of satralizumab in participants with anti-N-methyl-D-aspartic acid receptor (NMDAR) and anti-leucine-rich glioma-inactivated 1 (LGI1) encephalitis.","Inclusion Criteria:
|
48 |
+
|
49 |
+
* Reasonable exclusion of tumor or malignancy before baseline visit (randomization)
|
50 |
+
* Onset of autoimmune encephalitis (AIE) symptoms \<=9 months before randomization
|
51 |
+
* Meet the definition of ""New Onset"" or ""Incomplete Responder"" AIE
|
52 |
+
* For women of childbearing potential: agreement to remain abstinent (refrain from heterosexual intercourse) or use adequate contraception during the treatment period and for at least 3 months after the final dose of satralizumab or placebo
|
53 |
+
* For participants enrolled in the extended China enrollment phase at National Medical Products Administration (NMPA)-recognized sites: participants who are current residents of mainland China, Hong Kong, or Taiwan, and of Chinese ancestry
|
54 |
+
|
55 |
+
N-methyl-D-aspartic acid receptor (NMDAR) AIE Cohort
|
56 |
+
|
57 |
+
* Age \>=12 years
|
58 |
+
* Diagnosis of probable or definite NMDAR encephalitis
|
59 |
+
|
60 |
+
Leucine-rich glioma-inactivated 1 (LGI1) AIE Cohort
|
61 |
+
|
62 |
+
* Age \>=18 years
|
63 |
+
* Diagnosis of LGI1 encephalitis
|
64 |
+
|
65 |
+
Exclusion Criteria:
|
66 |
+
|
67 |
+
* Any untreated teratoma or thymoma at baseline visit (randomization)
|
68 |
+
* History of carcinoma or malignancy, unless deemed cured by adequate treatment with no evidence of recurrence for \>=5 years before screening
|
69 |
+
* For patients with NMDAR AIE, history of negative anti-NMDAR antibody in cerebrospinal fluid (CSF) using a cell-based assay within 9 months of symptom onset
|
70 |
+
* Historically known positivity to an intracellular antigen with high cancer association or GAD-65
|
71 |
+
* Historically known positivity to any cell surface neuronal antibodies other than NMDAR and LGI1
|
72 |
+
* Confirmed paraneoplastic encephalitis
|
73 |
+
* Confirmed central or peripheral nervous system demyelinating disease
|
74 |
+
* Alternative causes of associated symptoms
|
75 |
+
* History of herpes simplex virus encephalitis in the previous 24 weeks
|
76 |
+
* Any previous/concurrent treatment with IL-6 inhibitory therapy (e.g., tocilizumab), alemtuzumab, total body irradiation, or bone marrow transplantation
|
77 |
+
* Any previous treatment with anti-CD19 antibody, complement inhibitors, neonatal Fc receptor antagonists, anti-B-lymphocyte stimulator monoclonal antibody
|
78 |
+
* Any previous treatment with T-cell depleting therapies, cladribine, or mitoxantrone
|
79 |
+
* Treatment with oral cyclophosphamide within 1 year prior to baseline Treatment with any investigational drug (including bortezomib) within 24 weeks prior to screening
|
80 |
+
* Concurrent use of more than one IST as background therapy
|
81 |
+
* Contraindication to all of the following rescue treatments: rituximab, IVIG, high-dose corticosteroids, or intravenous (IV) cyclophosphamide
|
82 |
+
* Any surgical procedure, except laparoscopic surgery or minor surgeries within 4 weeks prior to baseline, excluding surgery for thymoma or teratoma removal
|
83 |
+
* Planned surgical procedure during the study
|
84 |
+
* Evidence of progressive multifocal leukoencephalopathy
|
85 |
+
* Evidence of serious uncontrolled concomitant diseases that may preclude patient participation
|
86 |
+
* Congenital or acquired immunodeficiency, including HIV infection
|
87 |
+
* Active or presence of recurrent bacterial, viral, fungal, mycobacterial infection, or other infection
|
88 |
+
* Infection requiring hospitalization or treatment with IV anti-infective agents within 4 weeks prior to baseline visit
|
89 |
+
* Positive hepatitis B (HBV) and hepatitis C (HCV) test at screening
|
90 |
+
* Evidence of latent or active tuberculosis (TB)
|
91 |
+
* History of drug or alcohol abuse within 1 year prior to baseline
|
92 |
+
* History of diverticulitis or concurrent severe gastrointestinal (GI) disorders that, in the investigator's opinion, may lead to increased risk of complications such as GI perforation
|
93 |
+
* Receipt of live or live-attenuated vaccine within 6 weeks prior to baseline visit
|
94 |
+
* History of blood donation (1 unit or more), plasma donation or platelet donation within 90 days prior to screening
|
95 |
+
* History of severe allergic reaction to a biologic agent
|
96 |
+
* Active suicidal ideation within 6 months prior to screening, or history of suicide attempt within 3 years prior to screening
|
97 |
+
* Any serious medical condition or abnormality in clinical laboratory tests that, in the investigator's judgment, precludes safe participation in and completion of the study
|
98 |
+
* Pregnant or breastfeeding, or intending to become pregnant during the study or within 3 months after the final dose of study drug
|
99 |
+
* Laboratory abnormalities at Screening"
|
100 |
+
NCT06159478,no,Binimetinib in Patients With BRAF Fusion-positive Low-grade Glioma or Pancreatic Cancer (Perfume),"The patient is not eligible for this clinical trial because the patient has a glioma with a known gene mutation of H3 K27M, but the trial requires a BRAF fusion or rearrangement.","Fukuoka, Kashiwa, Kyoto City, Sapporo, Sendai, ku",2027-02-28,"Low-grade Glioma, Pancreatic Cancer","This study is an open-label, parallel, 2-cohort, multicenter, investigator-initiated Phase 2 trial to evaluate the efficacy and safety of binimetinib in patients with advanced or recurrent low-grade glioma or pancreatic cancer harboring BRAF fusion/rearrangement.","Inclusion Criteria:
|
101 |
+
|
102 |
+
Inclusion criteria for both cohort A and B
|
103 |
+
|
104 |
+
1. BRAF fusion or rearrangement is detected by reimbursed NGS-based cancer gene panel tests, cancer gene panel tests performed under advanced medical treatment, or clinical study (including liquid biopsy).
|
105 |
+
2. Unresectable or recurrent
|
106 |
+
3. No symptomatic brain metastasis, carcinomatous meningitis or spinal metastasis requiring surgical intervention or radiotherapy
|
107 |
+
4. No cardiac effusion, pleural effusion, or ascites requiring treatment
|
108 |
+
5. Not received anti-cancer drug within 14 days before registration, nor received other study drug (molecular targeting drug, immune therapy) within 21 days before registration
|
109 |
+
6. Not received operation under general anesthesia within 28 days before registration
|
110 |
+
7. Not received radiation therapy (including gamma knife, cyber knife) within 14 days before registration
|
111 |
+
8. Left ventricular ejection fraction \>= 50% by echocardiography or MUGA (multigated acquisition scan) within 28 days before registration
|
112 |
+
9. Having all laboratory tests performed within 14 days before registration and the values are within the following range. Patients should not receive administration of G-CSF and/or blood transfusion within 14 days before the blood collection (1) Absolute neutrophil count \>= 1.500/mm3 (2) Platelet count \>= 10.0 X 10(4))/mm3 (3) Hemoglobin \>= 8.0 g/dL (4) Total bilirubin \<= 1.5 g/dL (5) Aspartate aminotransferase (AST) \<= 100 U/L (6) Alanine aminotransferase (ALT) \<= 100 U/L (7) Serum creatinine \<= 1.5 mg/dL
|
113 |
+
10. Patients who are able to swallow orally administered medication.
|
114 |
+
11. Consent to at least 30 days of contraception and limited egg donation (including egg retrieval for future egg transfer) after last administration of study drug for child-bearing status women. Consent to 90 days of contraception and limited sperm donation after last administration of study drug for men.
|
115 |
+
12. Written informed consent (When registering patient under 18, a signed consent form must be obtained from both the patient and the parent or legal guardian.)
|
116 |
+
|
117 |
+
Cohort A
|
118 |
+
13. Histopathologically diagnosed as low-grade glioma, based on WHO classification of 2007, 2016 and 2021. The grade is WHO grade 1 or 2.
|
119 |
+
14. Age at the time of registration is 12 years or older (When registering a patient under 18, a signed consent form must be obtained from both the patient and the parent or legal guardian), and patients who are 12-17 years old have to be 40 kg or over in body weight. There is no limitation in body weight for patients who are 18 years or older.
|
120 |
+
15. Lansky Performance Status (LPS) \>= 70 for patients 12-15 years old Karnofsky Performance Status (KPS) \>= 70 for patients 16 years or older
|
121 |
+
16. Having measurable disease within 28 days before registration
|
122 |
+
17. Patients suffice the following. (1) Having adequate initial treatment depending on the primary central nervous tumor including surgery if recommended treatment is available. (2) Neurologically stable.
|
123 |
+
|
124 |
+
(3) Multiple lesion or dissemination is not detected with MRI at the registration.
|
125 |
+
|
126 |
+
18) Not increased steroid for low-grade glioma within 14 days before registration and the dosage of steroid in equivalent to 50 mg prednisolone or less.
|
127 |
+
|
128 |
+
Cohort B 19) Histopathologically diagnosed as pancreatic cancer (histologically not specified).
|
129 |
+
|
130 |
+
20) Having progression after at least one regimen of chemotherapy excluding adjuvant therapy.
|
131 |
+
|
132 |
+
21) Age at the time of registration is 18 years or older. 22) Performance Status (ECOG) is 0 or 1 23) Having measurable disease within 28 days before registration detected by enhanced CT (Head, chest, abdominal, pelvic: under 5 mm in slice)
|
133 |
+
|
134 |
+
Exclusion Criteria:
|
135 |
+
|
136 |
+
1. Active double primary cancer (but not \[1\]-\[3\]): \[1\] completely resected following cancers: basal cell carcinoma, stage I squamous cell carcinoma, carcinoma in situ, intramucosal carcinoma, superficial bladder cancer, \[2\] gastrointestinal cancer curatively resected with ESD or EMR, and \[3\] other cancers with no recurrence for more than 5 years.
|
137 |
+
2. Patients with symptomatic congestive heart failure of NYHA class II-IV or arrythmia (over grade 2) occurring in less than 6 months before registration.
|
138 |
+
3. Patients with myocardial infarction or unstable angina occurring in less than 6 months before registration.
|
139 |
+
4. Patients with corrected QT interval (QTcF) \> 480 ms in ECG performed within 14 days before enrollment.
|
140 |
+
5. Patients with infections requiring systemic treatment.
|
141 |
+
6. Patients with uncontrolled hypertension (systolic blood pressure: over 150 mmHg or diastolic blood pressure: over 100 mmHg).
|
142 |
+
7. Patients with history or findings of retinal vein occlusion (RVO) or having RVO risk factor (unstable glaucoma, ocular hypertension, hyperviscosity syndrome, hypercoagulability syndrome, etc.)
|
143 |
+
8. Patients with history or complication of retinal degenerative disease other than RVO (central serous chorioretinopathy, retinal detachment, age-related macular degeneration, etc.)
|
144 |
+
9. Patients with uncontrolled diabetes mellitis.
|
145 |
+
10. Patients with venous thrombus (transient ischemic attack, stroke, massive deep vein thrombosis, pulmonary embolism, etc.) occurring in less than 3 months
|
146 |
+
11. Patients who have neuromuscular disease with CK elevation (inflammatory myopathy, muscular dystrophy, amyotrophic lateral sclerosis, spinal muscular atrophy, etc.).
|
147 |
+
12. Prior treatment with MEK inhibitors.
|
148 |
+
13. Previous severe hypersensitive reaction to ingredient including binimetinib.
|
149 |
+
14. Patients who are positive for either HIV antibody, HBs antigen, or HCV-RNA.
|
150 |
+
15. Negative for HBs antigen, positive for HBs antibody or HBc antibody, and positive for HBV-DNA assay. (If it is less than or equal to the detection sensitivity, patients are not excluded)
|
151 |
+
16. Patients with concomitant diseases that affect gastrointestinal function.
|
152 |
+
17. Women who are pregnant, breastfeeding and need to continue breastfeeding in the future, and women who may be pregnant.
|
153 |
+
18. Patients with psychiatric diseases or psychological symptoms interfering with participation in the trial.
|
154 |
+
19. Patients who are deemed inappropriate for participation in the trial by the principal investigator or sub-investigator."
|