Spaces:
Runtime error
Runtime error
File size: 16,636 Bytes
07d7ee6 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 |
import json
import numpy as np
import treegraph as tg
import colorama
from colorama import Fore
import networkx as nx
import utils
import re
import logger as lg
DEBUG = True
INPUT_COLOR = Fore.LIGHTGREEN_EX
DEBUG_COLOR = Fore.LIGHTBLACK_EX
OUTPUT_COLOR = Fore.LIGHTMAGENTA_EX
INFO_COLOR = Fore.BLUE
HELP_COLOR = Fore.CYAN
def print_debug(*args, color=DEBUG_COLOR):
"""
Prints debug messages if DEBUG is set to True.
"""
if DEBUG:
for arg in args:
print(color + str(arg))
class ReportInterface:
def __init__(
self,
llm: utils.LLM,
system_prompt: str,
tree_graph: nx.Graph,
nodes_dict: dict[str, tg.Node],
api_key: str = None,
):
self.llm = llm
self.system_prompt = system_prompt
self.tree_graph = tree_graph
self.nodes_dict = nodes_dict
self.api_key = api_key
self.build()
def build(self):
utils.set_api_key(self.api_key)
self.system_prompt = utils.make_message("system", self.system_prompt)
self.visitable_nodes = self._get_visitable_nodes()
self.report_dict = self._get_report_dict()
self.active_node: tg.Node = self.nodes_dict["root"]
self.unique_visited_nodes = set() # set of nodes visited
self.node_journey = [] # list of nodes visited
self.distance_travelled = 0 # number of edges travelled
self.jumps = 0 # number of jumps
self.jump_lengths = [] # list of jump lengths
self.counter = 0 # number of questions asked
colorama.init(autoreset=True) # to reset the color after each print statement
self.help_message = f"""You are presented with a Knee MRI.
You are asked to fill out a radiology report.
Please only report the findings in the MRI.
Please mention your findings with the corresponding anatomical structures.
There are {len(self.visitable_nodes.keys())} visitable nodes in the tree.
You must visit as many nodes as possible, while avoiding too many jumps."""
def _get_visitable_nodes(self):
return dict(
zip(
[
node.name
for node in self.tree_graph.nodes
if node.name != "root" and node.has_children() is False
],
[
node
for node in self.tree_graph.nodes
if node.name != "root" and node.has_children() is False
],
)
)
def _get_report_dict(self):
return {
node.name: tg.Node(node.name, "", node.children)
for node in self.visitable_nodes.values()
}
@utils.debug(DEBUG, print_debug)
def _check_question_validity(
self,
question: str,
):
# let's ask the question from the model and check if it's valid
template_json = json.dumps(
{key: node.value for key, node in self.visitable_nodes.items()},
indent=4,
)
q = f"""the following is a Knee MRI report "template" in a JSON format with keys and values.
You are given a "finding" phrase from a radiologist.
Match as best as possible the "finding" with one of keys in the "template".
<template>
{template_json}
</template>
<finding>
{question}
</finding>
"available": [Is the "finding" relevant to any key in the "template"? say "yes" or "no".
Make sure the "finding" is relevant to Knee MRI and knee anatomy otherwise say 'no'.
Do not answer irrelevant phrases.]
"node": [if the above answer is 'yes', write only the KEY of the most relevant node to the "finding". otherwise, say 'none'.]
"""
keys = ["available", "node"]
prompt = [self.system_prompt] + [
utils.make_question(utils.JSON_TEMPLATE, question=q, keys=keys)
]
response = self.llm(prompt)
print_debug(
prompt,
response,
)
available = utils.json2dict(response)["available"].strip().lower()
node = utils.json2dict(response)["node"]
return available, node
def _update_node(self, node_name, findings):
self.report_dict[node_name].value += str(findings) + "\n"
response = f"Updated node '{node_name}' with finding '{findings}'"
print(OUTPUT_COLOR + response)
return response
def save_report(self, filename: str):
# convert performance metrics to json
metrics = {
"distance_travelled": self.distance_travelled,
"jumps": self.jumps,
"jump_lengths": self.jump_lengths,
"unique_visited_nodes": [node.name for node in self.unique_visited_nodes],
"node_journey": [node.name for node in self.node_journey],
"report": {
node_name: node.value for node_name, node in self.report_dict.items()
},
}
# save the report
with open(filename, "w") as file:
json.dump(metrics, file, indent=4)
def prime_model(self):
"""
Primes the model with the system prompt.
"""
q = "Are you ready to begin?\nSay 'yes' or 'no'."
keys = ["answer"]
response = self.llm(
[
self.system_prompt,
utils.make_question(utils.JSON_TEMPLATE, question=q, keys=keys),
],
)
print_debug(q, response)
if utils.json2dict(response)["answer"].lower() == "yes":
print(INFO_COLOR + "The model is ready.")
return True
else:
print(INFO_COLOR + "The model is not ready.")
return False
def performance_summary(self):
# print out the summary info
print(INFO_COLOR + "Performance Summary:")
print(
INFO_COLOR + f"Total distance travelled: {self.distance_travelled} edge(s)"
)
print(INFO_COLOR + f"Jump lengths: {self.jump_lengths}")
print(INFO_COLOR + f"Jump lengths mean: {np.mean(self.jump_lengths):.1f}")
print(INFO_COLOR + f"Jump lengths SD: {np.std(self.jump_lengths):.1f}")
print(INFO_COLOR + f"Nodes visited in order: {self.node_journey}")
print(INFO_COLOR + f"Unique nodes visited: {self.unique_visited_nodes}")
print(
INFO_COLOR
+ f"You have explored {len(self.unique_visited_nodes)/len(self.visitable_nodes):.1%} ({len(self.unique_visited_nodes)}/{len(self.visitable_nodes)}) of the tree."
)
print_debug("\n")
print_debug("Report Summary:".rjust(20))
for name, node in self.report_dict.items():
if node.value != "":
print_debug(f"{name}: {node.value}")
print(INFO_COLOR + f"total cost: ${self.llm.cost:.4f}")
print(INFO_COLOR + f"total tokens used: {self.llm.token_counter}")
def get_stats(self):
report_string = ""
for name, node in self.report_dict.items():
if node.value != "":
report_string += f"{name}: <{node.value}> \n"
return {
"Lengths travelled": self.distance_travelled,
"Number of jumps": self.jumps,
"Jump lengths": self.jump_lengths,
"Unique nodes visited": [node.name for node in self.unique_visited_nodes],
"Visited Nodes": [node.name for node in self.node_journey],
"Report": report_string,
}
def visualize_tree(self, **kwargs):
tg.visualize_graph(tg.from_list(self.node_journey), self.tree_graph, **kwargs)
def get_plot(self, **kwargs):
return tg.get_graph(tg.from_list(self.node_journey), self.tree_graph, **kwargs)
def process_input(self, input_text: str):
res = "n/a"
try:
finding = input_text
if finding.strip().lower() == "quit":
print(INFO_COLOR + "Exiting...")
return "quit"
elif finding.strip().lower() == "help":
return "help"
available, node = self._check_question_validity(finding)
if available != "yes":
print(
OUTPUT_COLOR
+ "Could not find a relevant node.\nWrite more clearly and provide more details."
)
return "n/a"
if node not in self.visitable_nodes.keys():
print(
OUTPUT_COLOR
+ "Could not find a relevant node.\nWrite more clearly and provide more details."
)
return "n/a"
else:
# modify the tree to update the node with findings
res = self._update_node(node, finding)
print(
INFO_COLOR
+ f"jumping from node '{self.active_node}' to node '{node}'..."
)
distance = tg.num_edges_between_nodes(
self.tree_graph, self.active_node, self.nodes_dict[node]
)
print(INFO_COLOR + f"distance travelled: {distance} edge(s)")
self.active_node = self.nodes_dict[node]
self.jumps += 1
self.jump_lengths.append(distance)
self.distance_travelled += distance
if self.active_node.name != "root":
self.unique_visited_nodes.add(self.active_node)
self.node_journey.append(self.active_node)
except Exception as ex:
print_debug(ex, color=Fore.LIGHTRED_EX)
return "exception"
self.counter += 1
try:
self.performance_summary()
except Exception as ex:
print_debug(ex, color=Fore.LIGHTRED_EX)
return res
class ReportChecklistInterface:
def __init__(
self,
llm: utils.LLM,
system_prompt: str,
graph: nx.Graph,
nodes_dict: dict[str, tg.Node],
api_key: str = None,
logger: lg.Logger = None,
username: str = None,
):
self.llm = llm
self.system_prompt = system_prompt
self.tree_graph: nx.Graph = graph
self.nodes_dict = nodes_dict
self.api_key = api_key
self.logger = logger
self.username = username
self.build()
def build(self):
utils.set_api_key(self.api_key)
self.system_prompt = utils.make_message("system", self.system_prompt)
self.visitable_nodes = self._get_visitable_nodes()
colorama.init(autoreset=True) # to reset the color after each print statement
self.help_message = f"""You are presented with a Knee MRI.
You are asked to fill out a radiology report.
Please only report the findings in the MRI.
Please mention your findings with the corresponding anatomical structures.
There are {len(self.visitable_nodes.keys())} visitable nodes in the tree."""
def _get_visitable_nodes(self):
return dict(
zip(
[
node.name
for node in self.tree_graph.nodes
if node.name != "root" and node.has_children() is False
],
[
node
for node in self.tree_graph.nodes
if node.name != "root" and node.has_children() is False
],
)
)
@utils.debug(DEBUG, print_debug)
def _check_report(
self,
report: str,
):
# let's ask the question from the model and check if it's valid
checklist_json = json.dumps(
{key: node.value for key, node in self.visitable_nodes.items()},
indent=4,
)
q = f"""the following is a Knee MRI "checklist" in JSON format with keys as items and values as findings:
A knee MRI "report" is also provided in raw text format written by a radiologist:
<checklist>
{checklist_json}
</checklist>
<report>
{report}
</report>
Your task is to find all the corresponding items from the "checklist" in the "report" and fill out a JSON with the same keys as the "checklist" but extract the corresponding values from the "report".
If a key is not found in the "report", please set the value to "n/a", otherwise set it to the corresponding finding from the "report".
You must check the "report" phrases one by one and find a corresponding key(s) for EACH phrase in the "report" from the "checklist" and fill out the "report_checked" JSON.
Try to fill out as many items as possible.
ALL of the items in the "checklist" must be filled out.
Don't generate findings that are not present in the "report" (new findings).
Be comprehensive and don't miss any findings that are present in the "report".
Watch out for encompassing terms (e.g., "cruciate ligaments" means both "ACL" and "PCL").
"thought_process": [Think in steps on how you would do this task.]
"report_ckecked" : [a JSON with the same keys as the "checklist" but take the values from the "report", as described above.]
"""
keys = ["thought_process", "report_checked"]
prompt = [self.system_prompt] + [
utils.make_question(utils.JSON_TEMPLATE, question=q, keys=keys)
]
response = self.llm(prompt)
print_debug(
prompt,
response,
)
if self.logger:
# set name to class name
self.logger(
name=self.__class__.__name__,
message=f"prompt: {prompt}\nresponse: {response}",
)
report_checked = utils.json2dict(response)
return report_checked["report_checked"]
def prime_model(self):
"""
Primes the model with the system prompt.
"""
q = "Are you ready to begin?\nSay 'yes' or 'no'."
keys = ["answer"]
response = self.llm(
[
self.system_prompt,
utils.make_question(utils.JSON_TEMPLATE, question=q, keys=keys),
],
)
print_debug(q, response)
if utils.json2dict(response)["answer"].lower() == "yes":
print(INFO_COLOR + "The model is ready.")
return True
else:
print(INFO_COLOR + "The model is not ready.")
return False
def process_input(self, input_text: str):
try:
report = input_text
if self.logger:
self.logger(self.username, f"report: {report}")
if report.strip().lower() == "quit":
print(INFO_COLOR + "Exiting...")
if self.logger:
self.logger(self.username, "Exiting...")
return "quit"
elif report.strip().lower() == "help":
if self.logger:
self.logger(self.username, "Help")
return "help"
checked_report: dict = self._check_report(report)
# make a string of the report
# replace true with [checkmark emoji] and false with [cross emoji]
report_string = ""
CHECKMARK = "\u2705"
CROSS = "\u274C"
# we need a regex to convert the camelCase keys to a readable format
def camel2readable(camel: str):
string = re.sub("([a-z])([A-Z])", r"\1 \2", camel)
# captialize every word
string = " ".join([word.capitalize() for word in string.split()])
return string
for key, value in checked_report.items():
if str(value).lower() == "n/a":
report_string += f"{camel2readable(key)}: {CROSS}\n"
else:
report_string += f"{camel2readable(key)}: <{value}> {CHECKMARK}\n"
portion_visited: float = report_string.count(CHECKMARK) / len(
checked_report.keys()
)
report_string += f"Portion of the checklist visited: {portion_visited:.1%}"
if self.logger:
self.logger(self.__class__.__name__, report_string)
return report_string
except Exception as ex:
print_debug(ex, color=Fore.LIGHTRED_EX)
if self.logger:
self.logger(self.__class__.__name__, "Exception: " + ex)
return "exception"
|