From 62ab13e61ec32ccf51333d6e27925889fd474dee Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Mon, 11 Dec 2023 12:05:25 -0500 Subject: [PATCH 1/8] implement validate prop value --- src/metadata_validator.py | 55 +++++++++++++++++++++++++++++++++++++-- 1 file changed, 53 insertions(+), 2 deletions(-) diff --git a/src/metadata_validator.py b/src/metadata_validator.py index 3a3b152..2dd7791 100644 --- a/src/metadata_validator.py +++ b/src/metadata_validator.py @@ -8,7 +8,9 @@ from bento.common.utils import get_logger from bento.common.s3 import S3Bucket from common.constants import SQS_NAME, SQS_TYPE, SCOPE, MODEL, SUBMISSION_ID, ERRORS, WARNINGS, STATUS_ERROR, \ - STATUS_WARNING, STATUS_PASSED, FILE_STATUS, UPDATED_AT, MODEL_FILE_DIR, TIER_CONFIG, DATA_COMMON_NAME + STATUS_WARNING, STATUS_PASSED, FILE_STATUS, UPDATED_AT, MODEL_FILE_DIR, TIER_CONFIG, DATA_COMMON_NAME, \ + NODE_TYPE, PROPERTIES, TYPE, MIN, MAX, VALID_PROP_TYPE_LIST + from common.utils import current_datetime_str, get_exception_msg, dump_dict_to_json from common.model_store import ModelFactory from data_loader import DataLoader @@ -183,11 +185,24 @@ def validate_required_props(self, dataRecord, model): result = STATUS_PASSED return {"result": result, ERRORS: errors, WARNINGS: warnings} - def validate_prop_value(self, dataRecord, model): + def validate_props(self, dataRecord, model): # set default return values errors = [] warnings = [] result = STATUS_PASSED + props_def = self.model_store.get_node_props(model, dataRecord.get(NODE_TYPE)) + props = dataRecord.get(PROPERTIES) + for k, v in props.items(): + prop_def = props.get(k, None) + if not prop_def: + errors.append(f"The property, {k}, is not defined in model!") + continue + else: + if v == None: + continue + + self.validate_prop_value(v, prop_def) + return {"result": result, ERRORS: errors, WARNINGS: warnings} def validate_relationship(self, dataRecord, model): @@ -196,3 +211,39 @@ def validate_relationship(self, dataRecord, model): warnings = [] result = STATUS_PASSED return {"result": result, ERRORS: errors, WARNINGS: warnings} + + def validate_prop_value(self, value, prop_def): + # set default return values + errors = [] + warnings = [] + result = STATUS_PASSED + + type = prop_def.get(TYPE, None) + if not type or not type in VALID_PROP_TYPE_LIST: + errors.append(f"Invalid property type, {type}!") + else: + if type == "string": + val = str(value) + if permissive_vals and val not in permissive_vals: + errors.append(f"The value, {val} is not permitted!") + elif type == "integer": + try: + val = int(value) + except ValueError as e: + errors.append(f"Can't cast the value, {value}, to integer!") + elif type == "number": + try: + val = int(value) + except ValueError as e: + errors.append(f"Can't cast the value, {value}, to integer!") + + + + permissive_vals = prop_def.get("permissible_values", None) + minimum = prop_def.get(MIN, None) + maximum = prop_def.get(MAX, None) + + + + + return errors,warnings From 12f3d0246120e8fb8b7c33ae8090ca27ef21fff4 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Mon, 11 Dec 2023 12:05:34 -0500 Subject: [PATCH 2/8] add new constants for prop val validation --- src/common/constants.py | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/src/common/constants.py b/src/common/constants.py index f27ff28..ff6a921 100644 --- a/src/common/constants.py +++ b/src/common/constants.py @@ -60,6 +60,8 @@ NODE_TYPE = "nodeType" S3_BUCKET_DIR = "s3_bucket_drive" FILE_ERRORS = "fileErrors" +PROPERTIES = "props" + #data model DATA_COMMON = "data_commons" @@ -85,6 +87,17 @@ TIER_CONFIG = "tier" UPDATED_AT = "updatedAt" FILE_SIZE = "file_size" +MIN = 'minimum' +MAX = 'maximum' +VALID_PROP_TYPE_LIST = [ + "string", # default type + "integer", + "number", # float or double + "datetime", + "date", + "boolean", # true/false or yes/no + "array" # value_type: list +] #s3 download directory S3_DOWNLOAD_DIR = "s3_download" @@ -99,3 +112,5 @@ + + From 15707df7b82331271cd20d30139b5fcac5d1a0c1 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Tue, 12 Dec 2023 09:25:17 -0500 Subject: [PATCH 3/8] implemented prop val validation --- configs/validate-essential-config-dev.yml.j2 | 7 ++ configs/validate-file-config-dev.yml.j2 | 6 ++ configs/validate-metadata-config-dev.yml.j2 | 6 ++ models/ICDC_1.0.0_model.json | 2 +- src/common/constants.py | 1 + src/metadata_validator.py | 102 +++++++++++++------ 6 files changed, 94 insertions(+), 30 deletions(-) create mode 100644 configs/validate-essential-config-dev.yml.j2 create mode 100644 configs/validate-file-config-dev.yml.j2 create mode 100644 configs/validate-metadata-config-dev.yml.j2 diff --git a/configs/validate-essential-config-dev.yml.j2 b/configs/validate-essential-config-dev.yml.j2 new file mode 100644 index 0000000..f3c8528 --- /dev/null +++ b/configs/validate-essential-config-dev.yml.j2 @@ -0,0 +1,7 @@ +{# service type value in essential, file and metadata #} +service-type: {{service-type}} +{# data model location #} +models-loc: {{models-loc}} + + + \ No newline at end of file diff --git a/configs/validate-file-config-dev.yml.j2 b/configs/validate-file-config-dev.yml.j2 new file mode 100644 index 0000000..e247ee4 --- /dev/null +++ b/configs/validate-file-config-dev.yml.j2 @@ -0,0 +1,6 @@ +{# service type value in essiential, file and metadata #} +service-type: {{service-type}} + + + + \ No newline at end of file diff --git a/configs/validate-metadata-config-dev.yml.j2 b/configs/validate-metadata-config-dev.yml.j2 new file mode 100644 index 0000000..5f2f04a --- /dev/null +++ b/configs/validate-metadata-config-dev.yml.j2 @@ -0,0 +1,6 @@ +{# service type value in essential, file and metadata #} +service-type: {{service-type}} +{# data model location #} +models-loc: {{models-loc}} + + \ No newline at end of file diff --git a/models/ICDC_1.0.0_model.json b/models/ICDC_1.0.0_model.json index 95fed2f..2ef12d9 100644 --- a/models/ICDC_1.0.0_model.json +++ b/models/ICDC_1.0.0_model.json @@ -1 +1 @@ -{"model": {"data_commons": "ICDC", "version": "1.0.0", "source_files": ["icdc-model.yml", "icdc-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": true}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": true}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "clinical_study_designation", "properties": {"clinical_study_id": {"name": "clinical_study_id", "description": "Where applicable, the ID for the study/trial as generated by the source database.", "type": "string", "required": false}, "clinical_study_designation": {"name": "clinical_study_designation", "description": "A unique, human-friendly, alpha-numeric identifier by which the study/trial will be identified within the UI.
This property is used as the key via which child records, e.g. case records, can be associated with the appropriate study during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "clinical_study_name": {"name": "clinical_study_name", "description": "A succinct, narrative title for the study/trial, exactly as it should be displayed within the application's UI.", "type": "string", "required": true}, "clinical_study_description": {"name": "clinical_study_description", "description": "A multiple sentence summary of what the study/trial was intended to determine and how it was conducted.", "type": "string", "required": true}, "clinical_study_type": {"name": "clinical_study_type", "description": "An arbitrary designation of the study/trial to indicate its underlying. nature, e.g. Clinical Trial, Transcriptomics, Genomics.", "type": "string", "required": true}, "date_of_iacuc_approval": {"name": "date_of_iacuc_approval", "description": "Where applicable, the date upon which the study/trial was approved by the IACUC.", "type": "datetime", "required": false}, "dates_of_conduct": {"name": "dates_of_conduct", "description": "An indication of the general time period during which the study/trial was active, e.g. (from) month and year (to) month and year.", "type": "string", "required": false}, "accession_id": {"name": "accession_id", "description": "A unique, alpha-numeric identifier, in the format of six digits, which is assigned to the study/trial as of it being on-boarded, and which can be resolved by identifiers.org when prefixed with \"icdc:\" to create a compact identifier in the format icdc:xxxxxx.", "type": "string", "required": true}, "study_disposition": {"name": "study_disposition", "description": "An arbitrarily-assigned value used to dictate how the study/trial is displayed via the ICDC Production environment, based upon the degree to which the data has been on-boarded and/or whether the data is subject to any temporary embargo which prevents its public release.", "type": "string", "required": true, "permissible_values": ["Unrestricted", "Pending", "Under Embargo"]}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "member_of"}}}, "study_site": {"name": "study_site", "description": "", "id_property": null, "properties": {"site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "study_arm": {"name": "study_arm", "description": "", "id_property": "arm_id", "properties": {"arm": {"name": "arm", "description": "Where applicable, the nature of each arm into which the study/trial has been divided. For example, in multiple agent clinical trials, the name of the therapeutic agent used in any given study arm.", "type": "string", "required": false}, "ctep_treatment_assignment_code": {"name": "ctep_treatment_assignment_code", "description": "TBD", "type": "string", "required": false}, "arm_description": {"name": "arm_description", "description": "A short description of the study arm.", "type": "string", "required": false}, "arm_id": {"name": "arm_id", "description": "A unique identifier via which study arms can be differentiated from one another across studies/trials.
This property is used as the key via which child records, e.g. cohort records, can be associated with the appropriate study arm during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "agent": {"name": "agent", "description": "", "id_property": null, "properties": {"medication": {"name": "medication", "description": "", "type": "string", "required": false}, "document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}}, "relationships": {"study_arm": {"dest_node": "study_arm", "type": "many_to_many", "label": "of_study_arm"}}}, "cohort": {"name": "cohort", "description": "", "id_property": "cohort_id", "properties": {"cohort_description": {"name": "cohort_description", "description": "Where applicable, the nature of each cohort into which the study/trial has been divided, e.g. in studies examining the effects of multiple doses of a therapeutic agent, the name and dose of the therapeutic agent used in any given cohort.", "type": "string", "required": true}, "cohort_dose": {"name": "cohort_dose", "description": "The intended or protocol dose of the therapeutic agent used in any given cohort.", "type": "string", "required": false}, "cohort_id": {"name": "cohort_id", "description": "A unique identifier via which cohorts can be differentiated from one another across studies/trials.
This property is used as the key via which cases can be associated with the appropriate cohort during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "case": {"name": "case", "description": "", "id_property": "case_id", "properties": {"case_id": {"name": "case_id", "description": "The globally unique ID by which any given patient/subject/donor can be unambiguously identified and displayed across studies/trials; specifically the value of patient_id as supplied by the data submitter, prefixed with the appropriate ICDC study code during data alignment and/or transformation.
This property is used as the key via which child records, e.g. sample records, can be associated with the appropriate case during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "patient_id": {"name": "patient_id", "description": "The preferred ID by which the data submitter uniquely identifies any given patient/subject/donor, at least within a single study/trial, recorded exactly as provided by the data submitter. Once prefixed with the appropriate ICDC study code during data alignment and/or transformation, values of Patient ID become values of Case ID.", "type": "string", "required": true}, "patient_first_name": {"name": "patient_first_name", "description": "Where available, the given name of the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"canine_individual": {"dest_node": "canine_individual", "type": "many_to_one", "label": "represents"}}}, "registration": {"name": "registration", "description": "", "id_property": null, "properties": {"registration_origin": {"name": "registration_origin", "description": "The entity with which each registration ID is directly associated, for example, an ICDC study, as denoted by the appropriate study code, or the biobank or tissue repository from which samples for a study/trial participant were acquired, as denoted by the appropriate acronym.", "type": "string", "required": true}, "registration_id": {"name": "registration_id", "description": "Any ID used by a data submitter to identify a patient/subject/donor, either locally or globally.", "type": "string", "required": true}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_many", "label": "of_case"}}}, "biospecimen_source": {"name": "biospecimen_source", "description": "", "id_property": null, "properties": {"biospecimen_repository_acronym": {"name": "biospecimen_repository_acronym", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in the form of an acronym.", "type": "string", "required": true}, "biospecimen_repository_full_name": {"name": "biospecimen_repository_full_name", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in full text form.", "type": "string", "required": true}}, "relationships": {}}, "canine_individual": {"name": "canine_individual", "description": "", "id_property": "canine_individual_id", "properties": {"canine_individual_id": {"name": "canine_individual_id", "description": "A unique numerical ID, which, based upon the existence of registration-based matches between two or more study-specific cases, is auto-generated by the data loader, and which thereby tethers matching cases to the single underlying multi-study participant.", "type": "string", "required": true}}, "relationships": {}}, "demographic": {"name": "demographic", "description": "", "id_property": "demographic_id", "properties": {"demographic_id": {"name": "demographic_id", "description": "A unique identifier of each demographic record, used to identify the correct demographic records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "breed": {"name": "breed", "description": "The specific breed of the canine patient/subject/donor, per the list of breeds officially recognized by the American Kennel Club.", "type": "string", "required": true, "permissible_values": ["Affenpinscher", "Afghan Hound", "Airedale Terrier", "Akita", "Alaskan Klee Kai", "Alaskan Malamute", "American Bulldog", "American English Coonhound", "American Eskimo Dog", "American Foxhound", "American Hairless Terrier", "American Leopard Hound", "American Staffordshire Terrier", "American Water Spaniel", "Anatolian Shepherd Dog", "Appenzeller Sennenhunde", "Australian Cattle Dog", "Australian Kelpie", "Australian Shepherd", "Australian Stumpy Tail Cattle Dog", "Australian Terrier", "Azawakh", "Barbado da Terceira", "Barbet", "Basenji", "Basset Fauve de Bretagne", "Basset Hound", "Bavarian Mountain Scent Hound", "Beagle", "Bearded Collie", "Beauceron", "Bedlington Terrier", "Belgian Laekenois", "Belgian Malinois", "Belgian Sheepdog", "Belgian Tervuren", "Bergamasco Sheepdog", "Berger Picard", "Bernese Mountain Dog", "Bichon Frise", "Biewer Terrier", "Black Russian Terrier", "Black and Tan Coonhound", "Bloodhound", "Bluetick Coonhound", "Boerboel", "Bohemian Shepherd", "Bolognese", "Border Collie", "Border Terrier", "Borzoi", "Boston Terrier", "Bouvier des Flandres", "Boxer", "Boykin Spaniel", "Bracco Italiano", "Braque Francais Pyrenean", "Braque du Bourbonnais", "Briard", "Brittany", "Broholmer", "Brussels Griffon", "Bull Terrier", "Bulldog", "Bullmastiff", "Cairn Terrier", "Canaan Dog", "Cane Corso", "Cardigan Welsh Corgi", "Carolina Dog", "Catahoula Hound", "Catahoula Leopard Dog", "Caucasian Shepherd Dog", "Cavalier King Charles Spaniel", "Central Asian Shepherd Dog", "Cesky Terrier", "Chesapeake Bay Retriever", "Chihuahua", "Chinese Crested", "Chinese Shar-Pei", "Chinook", "Chow Chow", "Cirneco dell'Etna", "Clumber Spaniel", "Cocker Spaniel", "Collie", "Coton de Tulear", "Croatian Sheepdog", "Curly-Coated Retriever", "Czechoslovakian Vlcak", "Dachshund", "Dalmatian", "Dandie Dinmont Terrier", "Danish-Swedish Farmdog", "Deutscher Wachtelhund", "Doberman Pinscher", "Dogo Argentino", "Dogue de Bordeaux", "Drentsche Patrijshond", "Drever", "Dutch Shepherd", "English Cocker Spaniel", "English Foxhound", "English Setter", "English Springer Spaniel", "English Toy Spaniel", "Entlebucher Mountain Dog", "Estrela Mountain Dog", "Eurasier", "Field Spaniel", "Finnish Lapphund", "Finnish Spitz", "Flat-Coated Retriever", "French Bulldog", "French Spaniel", "German Longhaired Pointer", "German Pinscher", "German Shepherd Dog", "German Shorthaired Pointer", "German Spitz", "German Wirehaired Pointer", "Giant Schnauzer", "Glen of Imaal Terrier", "Golden Retriever", "Gordon Setter", "Grand Basset Griffon Vendeen", "Great Dane", "Great Pyrenees", "Greater Swiss Mountain Dog", "Greyhound", "Hamiltonstovare", "Hanoverian Scenthound", "Harrier", "Havanese", "Hokkaido", "Hovawart", "Ibizan Hound", "Icelandic Sheepdog", "Irish Red and White Setter", "Irish Setter", "Irish Terrier", "Irish Water Spaniel", "Irish Wolfhound", "Italian Greyhound", "Jagdterrier", "Japanese Akitainu", "Japanese Chin", "Japanese Spitz", "Japanese Terrier", "Jindo", "Kai Ken", "Karelian Bear Dog", "Keeshond", "Kerry Blue Terrier", "Kishu Ken", "Komondor", "Kromfohrlander", "Kuvasz", "Labrador Retriever", "Lagotto Romagnolo", "Lakeland Terrier", "Lancashire Heeler", "Lapponian Herder", "Leonberger", "Lhasa Apso", "Lowchen", "Maltese", "Manchester Terrier", "Mastiff", "Miniature American Shepherd", "Miniature Bull Terrier", "Miniature Dachshund", "Miniature Pinscher", "Miniature Schnauzer", "Mixed Breed", "Mountain Cur", "Mudi", "Neapolitan Mastiff", "Nederlandse Kooikerhondje", "Newfoundland", "Norfolk Terrier", "Norrbottenspets", "Norwegian Buhund", "Norwegian Elkhound", "Norwegian Lundehund", "Norwich Terrier", "Nova Scotia Duck Tolling Retriever", "Old English Sheepdog", "Other", "Otterhound", "Papillon", "Parson Russell Terrier", "Pekingese", "Pembroke Welsh Corgi", "Perro de Presa Canario", "Peruvian Inca Orchid", "Petit Basset Griffon Vendeen", "Pharaoh Hound", "Plott Hound", "Pointer", "Polish Lowland Sheepdog", "Pomeranian", "Poodle", "Porcelaine", "Portuguese Podengo", "Portuguese Podengo Pequeno", "Portuguese Pointer", "Portuguese Sheepdog", "Portuguese Water Dog", "Pudelpointer", "Pug", "Puli", "Pumi", "Pyrenean Mastiff", "Pyrenean Shepherd", "Rafeiro do Alentejo", "Rat Terrier", "Redbone Coonhound", "Rhodesian Ridgeback", "Romanian Mioritic Shepherd Dog", "Rottweiler", "Russell Terrier", "Russian Toy", "Russian Tsvetnaya Bolonka", "Saint Bernard", "Saluki", "Samoyed", "Schapendoes", "Schipperke", "Scottish Deerhound", "Scottish Terrier", "Sealyham Terrier", "Segugio Italiano", "Shetland Sheepdog", "Shiba Inu", "Shih Tzu", "Shikoku", "Siberian Husky", "Silky Terrier", "Skye Terrier", "Sloughi", "Slovakian Wirehaired Pointer", "Slovensky Cuvac", "Slovensky Kopov", "Small Munsterlander Pointer", "Smooth Fox Terrier", "Soft Coated Wheaten Terrier", "Spanish Mastiff", "Spanish Water Dog", "Spinone Italiano", "Stabyhoun", "Staffordshire Bull Terrier", "Standard Schnauzer", "Sussex Spaniel", "Swedish Lapphund", "Swedish Vallhund", "Taiwan Dog", "Teddy Roosevelt Terrier", "Thai Ridgeback", "Tibetan Mastiff", "Tibetan Spaniel", "Tibetan Terrier", "Tornjak", "Tosa", "Toy Fox Terrier", "Toy Poodle", "Transylvanian Hound", "Treeing Tennessee Brindle Coonhound", "Treeing Walker Coonhound", "Unknown", "Vizsla", "Weimaraner", "Welsh Springer Spaniel", "Welsh Terrier", "West Highland White Terrier", "Wetterhoun", "Whippet", "Wire Fox Terrier", "Wirehaired Pointing Griffon", "Wirehaired Vizsla", "Working Kelpie", "Xoloitzcuintli", "Yakutian Laika", "Yorkshire Terrier"]}, "additional_breed_detail": {"name": "additional_breed_detail", "description": "For patients/subjects/donors formally designated as either Mixed Breed or Other, any available detail as to the breeds contributing to the overall mix of breeds or clarification of the nature of the Other breed. Values for this field are therefore not relevant to pure-bred patients/subjects/donors, but for those of mixed breed or other origins, values are definitely preferred wherever available.", "type": "string", "required": false}, "patient_age_at_enrollment": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "patient_age_at_enrollment_original": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_original_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "date_of_birth": {"name": "date_of_birth", "description": "The date of birth of the canine patient/subject/donor.", "type": "datetime", "required": false}, "sex": {"name": "sex", "description": "The biological sex of the patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Male", "Female", "Unknown"]}, "weight": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "weight_original": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "neutered_indicator": {"name": "neutered_indicator", "description": "Indicator as to whether the patient/subject/donor has been either spayed (female subjects) or neutered (male subjects).", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown"]}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "cycle": {"name": "cycle", "description": "", "id_property": null, "properties": {"cycle_number": {"name": "cycle_number", "description": "For a patient/subject/donor enrolled in a clinical trial evaluating the effects of therapy administered in multiple cycles, the number of the treatment cycle during which visits occurred such that therapy could be administered and/or clinical observations could be made, with cycles numbered according to their chronological order.", "type": "integer", "required": true}, "date_of_cycle_start": {"name": "date_of_cycle_start", "description": "The date upon which the treament cycle in question began.", "type": "datetime", "required": false}, "date_of_cycle_end": {"name": "date_of_cycle_end", "description": "The date upon which the treatent cycle in question ended.", "type": "datetime", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "visit": {"name": "visit", "description": "", "id_property": "visit_id", "properties": {"visit_date": {"name": "visit_date", "description": "The date upon which the visit occurred.", "type": "datetime", "required": false}, "visit_number": {"name": "visit_number", "description": "The number of the visit during which therapy was administered and/or clinical observations were made, with visits numbered according to their chronological order.", "type": "string", "required": false}, "visit_id": {"name": "visit_id", "description": "A globally unique identifier of each visit record; specifically the value of case_id concatenated with the value of visit_date, the date upon which the visit occurred.
This property is used as the key via which child records, e.g. physical examination records, can be associated with the appropriate visit, and to identify the correct visit records during data updates.", "type": "string", "required": true}}, "relationships": {"visit": {"dest_node": "visit", "type": "one_to_one", "label": "next"}}}, "principal_investigator": {"name": "principal_investigator", "description": "", "id_property": null, "properties": {"pi_first_name": {"name": "pi_first_name", "description": "The first or given name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_last_name": {"name": "pi_last_name", "description": "The last or family name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_middle_initial": {"name": "pi_middle_initial", "description": "Where applicable, the middle initial(s) of each principal investigator of the study/trial.", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "diagnosis_id", "properties": {"diagnosis_id": {"name": "diagnosis_id", "description": "A unique identifier of each diagnosis record, used to associate child records, e.g. pathology reports, with the appropriate parent, and to identify the correct diagnosis records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "disease_term": {"name": "disease_term", "description": "The primary disease condition with which the patient/subject/donor was diagnosed.", "type": "string", "required": true, "permissible_values": ["B Cell Lymphoma", "Bladder Cancer", "Fibrolipoma", "Glioma", "Healthy Control", "Hemangiosarcoma", "Histiocytic Sarcoma", "Lipoma", "Lymphoma", "Mammary Cancer", "Mast Cell Tumor", "Melanoma", "Osteosarcoma", "Pulmonary Neoplasms", "Soft Tissue Sarcoma", "Splenic Hematoma", "Splenic Hyperplasia", "T Cell Leukemia", "T Cell Lymphoma", "Thyroid Cancer", "Unknown", "Urothelial Carcinoma"]}, "primary_disease_site": {"name": "primary_disease_site", "description": "The anatomical location at which the primary disease originated, recorded in relatively general terms at the subject level; the anatomical locations from which tumor samples subject to downstream analysis were acquired is recorded in more detailed terms at the sample level.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder, Prostate", "Bladder, Urethra", "Bladder, Urethra, Prostate", "Bladder, Urethra, Vagina", "Bone", "Bone (Appendicular)", "Bone (Axial)", "Bone Marrow", "Brain", "Carpus", "Chest Wall", "Distal Urethra", "Kidney", "Lung", "Lymph Node", "Mammary Gland", "Mouth", "Not Applicable", "Pleural Cavity", "Shoulder", "Skin", "Spleen", "Subcutis", "Thyroid Gland", "Unknown", "Urethra, Prostate", "Urinary Tract", "Urogenital Tract"]}, "stage_of_disease": {"name": "stage_of_disease", "description": "The formal assessment of the extent to which the primary cancer with which the patient/subject/donor was diagnosed has progressed, according to the TNM staging or cancer stage grouping criteria.", "type": "string", "required": true, "permissible_values": ["I", "Ia", "Ib", "II", "IIa", "IIb", "III", "IIIa", "IIIb", "IV", "IVa", "IVb", "V", "Va", "Vb", "TisN0M0", "TisN1M1", "T1N0M0", "T1NXM0", "T2N0M0", "T2N0M1", "T2N1M0", "T2N1M1", "T2N2M1", "T3N0M0", "T3N0M1", "T3N1M0", "T3N1M1", "T3NXM1", "TXN0M0", "Not Applicable", "Not Determined", "Unknown"]}, "date_of_diagnosis": {"name": "date_of_diagnosis", "description": "The date upon which the patient/subject/donor was diagnosed with the primary disease in question.", "type": "datetime", "required": false}, "histology_cytopathology": {"name": "histology_cytopathology", "description": "A narrative summary of the primary observations from the the evaluation of a tumor sample from a patient/subject/donor, in terms of its histology and/or cytopathology.", "type": "string", "required": false}, "date_of_histology_confirmation": {"name": "date_of_histology_confirmation", "description": "The date upon which the results of a histological evaluation of a sample from the patient/subject/donor were confirmed.", "type": "datetime", "required": false}, "histological_grade": {"name": "histological_grade", "description": "The histological grading of the tumor(s) present in the patient/subject/donor, based upon microscopic evaluation(s), and recorded at the subject level; grading of specific tumor samples subject to downstream analysis is recorded at the sample level.", "type": "string", "required": false}, "best_response": {"name": "best_response", "description": "Where applicable, an indication as to the best overall response to therapeutic intervention observed within an individual patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Complete Response", "Partial Response", "Stable Disease", "Progressive Disease", "Not Determined", "Not Applicable", "Unknown"]}, "pathology_report": {"name": "pathology_report", "description": "An indication as to the existence of any detailed pathology evaluation upon which the primary diagnosis was based, either in the form of a formal, subject-specific pathology report, or as detailed in a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "treatment_data": {"name": "treatment_data", "description": "An indication as to the existence of any treatment data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "follow_up_data": {"name": "follow_up_data", "description": "An indication as to the existence of any follow-up data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "concurrent_disease": {"name": "concurrent_disease", "description": "An indication as to whether the patient/subject/donor suffers from any significant secondary disease condition(s).", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown"]}, "concurrent_disease_type": {"name": "concurrent_disease_type", "description": "The specifics of any notable secondary disease condition(s) observed within the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "enrollment": {"name": "enrollment", "description": "", "id_property": "enrollment_id", "properties": {"enrollment_id": {"name": "enrollment_id", "description": "A unique identifier of each enrollment record, used to associate child records, e.g. prior surgery records, with the appropriate parent, and to identify the correct enrollment records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "date_of_registration": {"name": "date_of_registration", "description": "The date upon which the patient/subject/donor was enrolled in the study/trial.", "type": "datetime", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}, "initials": {"name": "initials", "description": "The initials of the patient/subject/donor based upon the subject's first or given name, and the last or family name of the subject's owner.", "type": "string", "required": false}, "date_of_informed_consent": {"name": "date_of_informed_consent", "description": "The date upon which the owner of the patient/subject/donor signed an informed consent on behalf of the subject.", "type": "datetime", "required": false}, "site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "patient_subgroup": {"name": "patient_subgroup", "description": "A short description as to the reason for the patient/subject/donor being enrolled in any given study/trial arm or cohort, for example, a clinical trial patient having been enrolled in a dose escalation cohort.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "prior_therapy": {"name": "prior_therapy", "description": "", "id_property": null, "properties": {"date_of_first_dose": {"name": "date_of_first_dose", "description": "", "type": "datetime", "required": false}, "date_of_last_dose": {"name": "date_of_last_dose", "description": "", "type": "datetime", "required": false}, "agent_name": {"name": "agent_name", "description": "", "type": "string", "required": false}, "dose_schedule": {"name": "dose_schedule", "description": "Schedule_FUL in form", "type": "string", "required": false}, "total_dose": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "total_dose_original": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_original_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "agent_units_of_measure": {"name": "agent_units_of_measure", "description": "Agent UOM_FUL in form", "type": "string", "required": false}, "best_response_to_prior_therapy": {"name": "best_response_to_prior_therapy", "description": "", "type": "string", "required": false}, "nonresponse_therapy_type": {"name": "nonresponse_therapy_type", "description": "", "type": "string", "required": false}, "prior_therapy_type": {"name": "prior_therapy_type", "description": "", "type": "string", "required": false}, "prior_steroid_exposure": {"name": "prior_steroid_exposure", "description": "Has the patient ever been on steroids? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_steroid": {"name": "number_of_prior_regimens_steroid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_steroid": {"name": "total_number_of_doses_steroid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_steroid": {"name": "date_of_last_dose_steroid", "description": "", "type": "datetime", "required": false}, "prior_nsaid_exposure": {"name": "prior_nsaid_exposure", "description": "Has the patient ever been on NSAIDS? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_nsaid": {"name": "number_of_prior_regimens_nsaid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_nsaid": {"name": "total_number_of_doses_nsaid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_nsaid": {"name": "date_of_last_dose_nsaid", "description": "", "type": "datetime", "required": false}, "tx_loc_geo_loc_ind_nsaid": {"name": "tx_loc_geo_loc_ind_nsaid", "description": "", "type": "string", "required": false}, "min_rsdl_dz_tx_ind_nsaids_treatment_pe": {"name": "min_rsdl_dz_tx_ind_nsaids_treatment_pe", "description": "", "type": "string", "required": false}, "therapy_type": {"name": "therapy_type", "description": "", "type": "string", "required": false}, "any_therapy": {"name": "any_therapy", "description": "", "type": "boolean", "required": false}, "number_of_prior_regimens_any_therapy": {"name": "number_of_prior_regimens_any_therapy", "description": "", "type": "integer", "required": false}, "total_number_of_doses_any_therapy": {"name": "total_number_of_doses_any_therapy", "description": "", "type": "integer", "required": false}, "date_of_last_dose_any_therapy": {"name": "date_of_last_dose_any_therapy", "description": "", "type": "datetime", "required": false}, "treatment_performed_at_site": {"name": "treatment_performed_at_site", "description": "", "type": "boolean", "required": false}, "treatment_performed_in_minimal_residual": {"name": "treatment_performed_in_minimal_residual", "description": "", "type": "boolean", "required": false}}, "relationships": {"prior_therapy": {"dest_node": "prior_therapy", "type": "one_to_one", "label": "next"}}}, "prior_surgery": {"name": "prior_surgery", "description": "", "id_property": null, "properties": {"date_of_surgery": {"name": "date_of_surgery", "description": "The date upon which the prior surgery in question occurred.", "type": "datetime", "required": false}, "procedure": {"name": "procedure", "description": "The type of procedure performed during the prior surgery in question.", "type": "string", "required": true}, "anatomical_site_of_surgery": {"name": "anatomical_site_of_surgery", "description": "The anatomical location at which the prior surgery in question occurred.", "type": "string", "required": true}, "surgical_finding": {"name": "surgical_finding", "description": "A narrative description of any notable observations made during the prior surgery in question.", "type": "string", "required": false}, "residual_disease": {"name": "residual_disease", "description": "TBD", "type": "string", "required": false}, "therapeutic_indicator": {"name": "therapeutic_indicator", "description": "TBD", "type": "string", "required": false}}, "relationships": {"prior_surgery": {"dest_node": "prior_surgery", "type": "one_to_one", "label": "next"}}}, "agent_administration": {"name": "agent_administration", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "medication": {"name": "medication", "description": "", "type": "string", "required": false}, "route_of_administration": {"name": "route_of_administration", "description": "", "type": "string", "required": false}, "medication_lot_number": {"name": "medication_lot_number", "description": "", "type": "string", "required": false}, "medication_vial_id": {"name": "medication_vial_id", "description": "", "type": "string", "required": false}, "medication_actual_units_of_measure": {"name": "medication_actual_units_of_measure", "description": "", "type": "string", "required": false}, "medication_duration": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_unit": {"type": "string", "permissible_values": ["hr", "days", "min"], "default_value": "days"}, "medication_duration_original": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_original_unit": {"type": "string", "permissible_values": ["hr", "days", "min"], "default_value": "days"}, "medication_units_of_measure": {"name": "medication_units_of_measure", "description": "", "type": "string", "required": false}, "medication_actual_dose": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "medication_actual_dose_original": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}, "start_time": {"name": "start_time", "description": "", "type": "datetime", "required": false}, "stop_time": {"name": "stop_time", "description": "", "type": "datetime", "required": false}, "dose_level": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_level_original": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_units_of_measure": {"name": "dose_units_of_measure", "description": "", "type": "string", "required": false}, "date_of_missed_dose": {"name": "date_of_missed_dose", "description": "", "type": "datetime", "required": false}, "medication_missed_dose": {"name": "medication_missed_dose", "description": "Q.- form has \"medication\"", "type": "string", "required": false}, "missed_dose_amount": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_amount_original": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_units_of_measure": {"name": "missed_dose_units_of_measure", "description": "Q.- form has \"dose uom_ful\"", "type": "string", "required": false}, "medication_course_number": {"name": "medication_course_number", "description": "", "type": "string", "required": false}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "The globally unique ID by which any given sample can be unambiguously identified and displayed across studies/trials; specifically the preferred value of the sample identifier used by the data submitter, prefixed with the appropriate ICDC study code during data transformation.
This property is used as the key via which child records, e.g. file records, can be associated with the appropriate sample during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "sample_site": {"name": "sample_site", "description": "The specific anatomical location from which any given sample was acquired.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder Apex", "Bladder Apex-Mid", "Bladder Mid", "Bladder Mid-Trigone", "Bladder Mucosa", "Bladder Trigone", "Bladder Trigone-Urethra", "Blood", "Bone", "Bone Marrow", "Brain", "Carpus", "Cerebellar", "Cutis", "Distal Urethra", "Femur", "Genitourinary Tract", "Hemispheric", "Humerus", "Kidney", "Liver", "Liver, Spleen, Heart", "Lung", "Lung, Caudal Aspect of Left Caudal Lobe", "Lung, Caudal Right Lobe", "Lung, Cranial Left Lobe", "Lymph Node", "Lymph Node, Popliteal", "Mammary Gland", "Mandible, Mucosa", "Midline", "Mouth", "Mouth, Lingual", "Mouth, Mandible, Mucosa", "Mouth, Maxilla, Mucosa", "Muscle", "Pancreas", "Pleural Effusion", "Radius", "Skin", "Spleen", "Subcutaneous Tissue", "Thyroid Gland", "Tibia", "Unknown", "Urethra", "Urethra Mid-distal", "Urinary Bladder", "Urogenital Tract", "Uterus"]}, "physical_sample_type": {"name": "physical_sample_type", "description": "An indication as to the physical nature of any given sample.", "type": "string", "required": true, "permissible_values": ["Tissue", "Blood", "Cell Line", "Organoid", "Urine Sediment", "Whole Blood"]}, "general_sample_pathology": {"name": "general_sample_pathology", "description": "An indication as to whether a sample represents normal tissue versus representing diseased or tumor tissue.", "type": "string", "required": true, "permissible_values": ["Normal", "Malignant", "Benign", "Hyperplastic", "Diseased", "Not Applicable"]}, "tumor_sample_origin": {"name": "tumor_sample_origin", "description": "An indication as to whether a tumor sample was derived from a primary versus a metastatic tumor.", "type": "string", "required": true, "permissible_values": ["Primary", "Metastatic", "Not Applicable", "Unknown"]}, "summarized_sample_type": {"name": "summarized_sample_type", "description": "A summarized representation of a sample's physical nature, normality, and derivation from a primary versus a metastatic tumor, based upon the combination of values in the three independent properties of physical_sample_type, general_sample_pathology and tumor_sample_origin.", "type": "string", "required": true, "permissible_values": ["Metastatic Tumor Tissue", "Normal Cell Line", "Normal Tissue", "Organoid (ASC-derived)", "Primary Malignant Tumor Tissue", "Urine Sediment", "Tumor Cell Line", "Tumor Cell Line (metastasis-derived)", "Tumoroid", "Tumoroid (urine-derived)", "Whole Blood"]}, "molecular_subtype": {"name": "molecular_subtype", "description": "Where applicable, the molecular subtype of the tumor sample in question, for example, the tumor being basal versus lumnial in nature.", "type": "string", "required": false}, "specific_sample_pathology": {"name": "specific_sample_pathology", "description": "The specific histology and/or pathology associated with a sample.", "type": "string", "required": true, "permissible_values": ["Astrocytoma", "B Cell Lymphoma", "Carcinoma", "Carcinoma With Simple And Complex Components", "Chondroblastic Osteosarcoma", "Complex Carcinoma", "Endometrium (organoid)", "Fibroblastic Osteosarcoma", "Giant Cell Osteosarcoma", "Hemangiosarcoma", "Histiocytic Sarcoma", "Induced Endometrium", "Liver (organoid)", "Lung (organoid)", "Lymphoma", "Mast Cell Tumor", "Melanoma", "Not Applicable", "Oligodendroglioma", "Osteoblastic Osteosarcoma", "Osteoblastic and Chondroblastic Osteosarcoma", "Osteosarcoma", "Osteosarcoma; Combined Type", "Pancreas (organoid)", "Primitive T-Cell Leukemia", "Pulmonary Adenocarcinoma", "Pulmonary Carcinoma", "Simple Carcinoma", "Simple Carcinoma,\u00a0 Ductular, Vascular Invasive", "Simple Carcinoma, Ductal", "Simple Carcinoma, Ductular", "Simple Carcinoma, Inflammatory", "Simple Carcinoma, Invasive, Ductal", "Soft Tissue Sarcoma", "T Cell Lymphoma", "Urinary Bladder (organoid)", "Undefined", "Urothelial Carcinoma", "Urothelial Carcinoma (organoid)"]}, "date_of_sample_collection": {"name": "date_of_sample_collection", "description": "The date upon which the sample was acquired from the patient/subject/donor.", "type": "datetime", "required": false}, "sample_chronology": {"name": "sample_chronology", "description": "An indication as to when a sample was acquired relative to any therapeutic intervention and/or key disease outcome observations.", "type": "string", "required": true, "permissible_values": ["Before Treatment", "During Treatment", "After Treatment", "Upon Progression", "Upon Relapse", "Upon Death", "Not Applicable", "Unknown"]}, "necropsy_sample": {"name": "necropsy_sample", "description": "An indication as to whether a sample was acquired as a result of a necropsy examination.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown", "Not Applicable"]}, "tumor_grade": {"name": "tumor_grade", "description": "The grade of the tumor from which the sample was acquired, i.e. the degree of cellular differentiation within the tumor in question, as determined by a pathologist's evaluation.", "type": "string", "required": false, "permissible_values": ["1", "2", "3", "4", "High", "Medium", "Low", "Unknown", "Not Applicable"]}, "length_of_tumor": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "length_of_tumor_original": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor_original": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "volume_of_tumor": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "volume_of_tumor_original": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_original_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "percentage_tumor": {"name": "percentage_tumor", "description": "The purity of a sample of tumor tissue in terms of the percentage of the sample that is represnted by tumor cells, expressed either as a discrete percentage or as a percentage range.", "type": "string", "required": false}, "sample_preservation": {"name": "sample_preservation", "description": "The method by which a sample was preserved.", "type": "string", "required": true, "permissible_values": ["EDTA", "FFPE", "RNAlater", "Snap Frozen", "TRIzol", "Not Applicable", "Unknown"]}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"sample": {"dest_node": "sample", "type": "one_to_one", "label": "next"}}}, "file": {"name": "file", "description": "", "id_property": "uuid", "properties": {"file_name": {"name": "file_name", "description": "The name of the file, maintained exactly as provided by the data submitter.", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "An indication as to the nature of the file in terms of its content, i.e. what type of information the file contains, as opposed to the file's format.", "type": "string", "required": true, "permissible_values": ["Study Protocol", "Supplemental Data File", "Pathology Report", "Image File", "RNA Sequence File", "Whole Genome Sequence File", "Whole Exome Sequence File", "DNA Methylation Analysis File", "Index File", "Array CGH Analysis File", "Variant Call File", "Mutation Annotation File", "Variant Report", "Data Analysis Whitepaper", "Affymetrix GeneChip Analysis File"]}, "file_description": {"name": "file_description", "description": "An optional description of the file and/or its content, as provided by the data submitter, preferably limited to no more than 60 characters in length.", "type": "string", "required": false}, "file_format": {"name": "file_format", "description": "The specific format of the file as determined by the data loader.", "type": "string", "required": true}, "file_size": {"name": "file_size", "description": "The exact size of the file in bytes.", "type": "number", "required": true}, "md5sum": {"name": "md5sum", "description": "The 32-character hexadecimal md5 checksum value of the file, used to confirm the integrity of files submitted to the ICDC.", "type": "string", "required": true}, "file_status": {"name": "file_status", "description": "An enumerated representation of the status of any given file.", "type": "string", "required": true, "permissible_values": ["uploading", "uploaded", "md5summing", "md5summed", "validating", "error", "invalid", "suppressed", "redacted", "live", "validated", "submitted", "released"]}, "uuid": {"name": "uuid", "description": "The universally unique alpha-numeric identifier assigned to each file.", "type": "string", "required": true}, "file_location": {"name": "file_location", "description": "The specific location within the ICDC S3 storage bucket at which the file is stored, expressed in terms of a unique url.", "type": "string", "required": true}}, "relationships": {"diagnosis": {"dest_node": "diagnosis", "type": "many_to_one", "label": "from_diagnosis"}}}, "image_collection": {"name": "image_collection", "description": "", "id_property": null, "properties": {"image_collection_name": {"name": "image_collection_name", "description": "The name of the image collection exactly as it appears at the location where the collection can be viewed and/or accessed.", "type": "string", "required": true}, "image_type_included": {"name": "image_type_included", "description": "A list of the image types included in the image collection, drawn from a list of acceptable values.", "type": "list", "required": true, "item_type": {"type": "string", "permissible_values": ["Optical", "CT", "Histopathology", "X-ray", "Ultrasound", "MRI", "PET"]}}, "image_collection_url": {"name": "image_collection_url", "description": "The external url via which the image collection can be viewed and/or accessed.", "type": "string", "required": true}, "repository_name": {"name": "repository_name", "description": "The name of the image repository within which the image collection can be found, stated in the form of the appropriate acronym.", "type": "string", "required": true}, "collection_access": {"name": "collection_access", "description": "Indicator as to whether the image collection can be accessed via download versus being accessible only via the cloud.", "type": "string", "required": true, "permissible_values": ["Download", "Cloud"]}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "physical_exam": {"name": "physical_exam", "description": "", "id_property": null, "properties": {"date_of_examination": {"name": "date_of_examination", "description": "The date upon which the physical examination in question was conducted.", "type": "datetime", "required": false}, "day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "body_system": {"name": "body_system", "description": "Major organ system or physiological characteristic assessed during the examination of the patient/subject/donor during a follow-up visit. Observations are reported independently on each organ system or physiological characteristic.", "type": "string", "required": false, "permissible_values": ["Attitude", "Eyes, Ears, Nose and Throat", "Respiratory", "Cardiovascular", "Gastrointestinal", "Musculoskeletal", "Integumentary", "Lymphatic", "Endocrine", "Genitourinary", "Neurologic", "Other"]}, "pe_finding": {"name": "pe_finding", "description": "Indication as to the normal versus abnormal function of the major organ system or physiological characteristic assessed.", "type": "string", "required": false, "permissible_values": ["Normal", "Abnormal", "Not examined"]}, "pe_comment": {"name": "pe_comment", "description": "Narrative comment describing any notable observations concerning any given major organ system or physiological status assessed.", "type": "string", "required": false}, "phase_pe": {"name": "phase_pe", "description": "Pending", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "publication": {"name": "publication", "description": "", "id_property": "publication_title", "properties": {"publication_title": {"name": "publication_title", "description": "The full title of the publication stated exactly as it appears on the published work.
This property is used as the key via which to identify the correct records during data updates.", "type": "string", "required": true}, "authorship": {"name": "authorship", "description": "A list of authors for the cited work. More specifically, for publications with no more than three authors, authorship quoted in full; for publications with more than three authors, authorship abbreviated to first author et al.", "type": "string", "required": true}, "year_of_publication": {"name": "year_of_publication", "description": "The year in which the cited work was published.", "type": "number", "required": true}, "journal_citation": {"name": "journal_citation", "description": "The name of the journal in which the cited work was published, inclusive of the citation itself in terms of journal volume number, part number where applicable, and page numbers.", "type": "string", "required": true}, "digital_object_id": {"name": "digital_object_id", "description": "Where applicable, the digital object identifier for the cited work, by which it can be permanently identified, and linked to via the internet.", "type": "string", "required": false}, "pubmed_id": {"name": "pubmed_id", "description": "Where applicable, the unique numerical identifier assigned to the cited work by PubMed, by which it can be linked to via the internet.", "type": "number", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "vital_signs": {"name": "vital_signs", "description": "", "id_property": null, "properties": {"date_of_vital_signs": {"name": "date_of_vital_signs", "description": "The date upon which the vital signs evaluation in question was conducted.", "type": "datetime", "required": false}, "body_temperature": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_unit": {"type": "string", "permissible_values": ["degrees F", "degrees C"], "default_value": "degrees F"}, "body_temperature_original": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_original_unit": {"type": "string", "permissible_values": ["degrees F", "degrees C"], "default_value": "degrees F"}, "pulse": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "pulse_original": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_original_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "respiration_rate": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_rate_original": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_original_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_pattern": {"name": "respiration_pattern", "description": "An indication as to the normality of the breathing pattern of the patient/subject/donor at the time of the vital signs evaluation.", "type": "string", "required": false}, "systolic_bp": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "systolic_bp_original": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_original_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "pulse_ox": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "pulse_ox_original": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_original_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "patient_weight": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "patient_weight_original": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "body_surface_area": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "body_surface_area_original": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_original_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "modified_ecog": {"name": "modified_ecog", "description": "The Eastern Cooperative Oncology Group (ECOG) performance status of the patient/subject/donor at the time of the vital signs evaluation. The value of this metric indicates the overall function of the patient/subject/donor and his/her ability to tolerate therapy.", "type": "string", "required": false}, "ecg": {"name": "ecg", "description": "Indication as to the normality of the electrocardiogram conducted during the vital signs evaluation.", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "adverse_event": {"name": "adverse_event", "description": "", "id_property": null, "properties": {"day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "date_of_onset": {"name": "date_of_onset", "description": "The date upon which any given adverse event was first observed.", "type": "datetime", "required": false}, "existing_adverse_event": {"name": "existing_adverse_event", "description": "An indication as to whether any given adverse event occurred prior to the enrollment of a patient/subject into the clinical trial in question, and/or was ongoing at the time of trial enrollment.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "date_of_resolution": {"name": "date_of_resolution", "description": "The date upon which any given adverse event resolved. If an adverse event was ongong at the time of death, the date of death should be used as the value date_of_resolution.", "type": "string", "required": false}, "ongoing_adverse_event": {"name": "ongoing_adverse_event", "description": "An indication as to whether any given adverse event was ongoing as of the end of a treatment cycle, the end of the clinical trial itself, or the patient/subject being taken off study.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "adverse_event_term": {"name": "adverse_event_term", "description": "The specific controlled vocabulary term for any given adverse event, as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true}, "adverse_event_description": {"name": "adverse_event_description", "description": "A narrative description of any given adverse event which provides extra details as to its associated clinical, physical and behavioral observations, and/or mitigations for the adverse event.", "type": "string", "required": false}, "adverse_event_grade": {"name": "adverse_event_grade", "description": "The grade of any given adverse event, reported as an enumerated value corresponding to one of the five distinct grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true, "permissible_values": ["1", "2", "3", "4", "5", "Unknown"]}, "adverse_event_grade_description": {"name": "adverse_event_grade_description", "description": "The grade of any given adverse event, reported in the form of a single descriptive term corresponding to one of the five enumerated grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE). Although numerical values for grade are standard terms for the reporting of adverse events, the narrative form of adverse event grades will be useful to users not already familiar with adverse event grading.", "type": "string", "required": false, "permissible_values": ["Mild", "Moderate", "Severe", "Life-threatening", "Death", "Unknown"]}, "adverse_event_agent_name": {"name": "adverse_event_agent_name", "description": "The name of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "adverse_event_agent_dose": {"name": "adverse_event_agent_dose", "description": "The corresponding dose of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "attribution_to_research": {"name": "attribution_to_research", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the clinical trial/research environment in general, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_ind": {"name": "attribution_to_ind", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by any investigational new drugs being administered as part of the clinical trial, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_disease": {"name": "attribution_to_disease", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the disease for which the patient/subject is being treated, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_commercial": {"name": "attribution_to_commercial", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by a commercially-available, FDA-approved therapeutic agent, used within the confines of the clinical trial either for its FDA-approved indication or in an off-label manner, but not as the investigational new drug or part of the investigational new therapy, versus the adverse event in question being unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_other": {"name": "attribution_to_other", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by some other factor(s), as described by the other_attribution_description property, or is unrelated to such other factors.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "other_attribution_description": {"name": "other_attribution_description", "description": "A description of any other factor or factors to which any given adverse event has been attributed. Where an adverse event is attributed to factors other than the standard factors of research, disease, IND or commercial, a description of the other factor(s) to which the adverse event was attributed is required.", "type": "string", "required": false}, "dose_limiting_toxicity": {"name": "dose_limiting_toxicity", "description": "An indication as to whether any given adverse event observed during the clinical trial is indicative of the dose of the therapeutic agent under test being limiting in terms of its toxicity.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Not Applicable"]}, "unexpected_adverse_event": {"name": "unexpected_adverse_event", "description": "An indication as to whether any given adverse event observed during the clinical trial is completely unanticipated and therefore considered novel.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Undefined"]}}, "relationships": {"adverse_event": {"dest_node": "adverse_event", "type": "one_to_one", "label": "next"}}}, "disease_extent": {"name": "disease_extent", "description": "", "id_property": null, "properties": {"lesion_number": {"name": "lesion_number", "description": "An arbitrary numerical designation for each lesion subject to evaluation, by which that lesion can be unambiguously identified.", "type": "string", "required": false}, "lesion_site": {"name": "lesion_site", "description": "The overall anatomical location of the lesion being assessed in terms of the organ or organ system in which it is located. For example, lung, lymph node, etc.", "type": "string", "required": false}, "lesion_description": {"name": "lesion_description", "description": "Additional detail as to the specific location of the lesion subject to evaluation. For example, in the case of a lymph node lesion, the specific lymph node in which the lesion is located.", "type": "string", "required": false}, "previously_irradiated": {"name": "previously_irradiated", "description": "Pending", "type": "string", "required": false}, "previously_treated": {"name": "previously_treated", "description": "Pending", "type": "string", "required": false}, "measurable_lesion": {"name": "measurable_lesion", "description": "Pending", "type": "string", "required": false}, "target_lesion": {"name": "target_lesion", "description": "Pending", "type": "string", "required": false}, "date_of_evaluation": {"name": "date_of_evaluation", "description": "The date upon which the extent of disease evaluation was conducted.", "type": "datetime", "required": false}, "measured_how": {"name": "measured_how", "description": "The method by which the size of any given lesion was determined.", "type": "string", "required": false}, "longest_measurement": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "longest_measurement_original": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_original_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "evaluation_number": {"name": "evaluation_number", "description": "The number of the evaluation durinhg which any given lesion was examined, with evaluations numbered according to their chronological order.", "type": "string", "required": false}, "evaluation_code": {"name": "evaluation_code", "description": "An indication as to the status of any given lesion being evaluated, in terms of the evaluation establishing a baseline for the lesion, versus the lesion subject to evaluation being new, being stable in size, decreasing in size, increasing in size or having resolved.", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "follow_up": {"name": "follow_up", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_of_last_contact": {"name": "date_of_last_contact", "description": "", "type": "datetime", "required": false}, "patient_status": {"name": "patient_status", "description": "need vocab", "type": "string", "required": false}, "explain_unknown_status": {"name": "explain_unknown_status", "description": "free text?", "type": "string", "required": false}, "contact_type": {"name": "contact_type", "description": "need vocab", "type": "string", "required": false}, "treatment_since_last_contact": {"name": "treatment_since_last_contact", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_performed": {"name": "physical_exam_performed", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_changes": {"name": "physical_exam_changes", "description": "How described? Relative to data already stored in \"physical_exam\" node?", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "off_study": {"name": "off_study", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_study": {"name": "date_off_study", "description": "", "type": "datetime", "required": false}, "reason_off_study": {"name": "reason_off_study", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}, "off_treatment": {"name": "off_treatment", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "reason_off_treatment": {"name": "reason_off_treatment", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "clinical_study_designation"}, {"node": "study_site", "key": null}, {"node": "study_arm", "key": "arm_id"}, {"node": "agent", "key": null}, {"node": "cohort", "key": "cohort_id"}, {"node": "case", "key": "case_id"}, {"node": "registration", "key": null}, {"node": "biospecimen_source", "key": null}, {"node": "canine_individual", "key": "canine_individual_id"}, {"node": "demographic", "key": "demographic_id"}, {"node": "cycle", "key": null}, {"node": "visit", "key": "visit_id"}, {"node": "principal_investigator", "key": null}, {"node": "diagnosis", "key": "diagnosis_id"}, {"node": "enrollment", "key": "enrollment_id"}, {"node": "prior_therapy", "key": null}, {"node": "prior_surgery", "key": null}, {"node": "agent_administration", "key": null}, {"node": "sample", "key": "sample_id"}, {"node": "assay", "key": null}, {"node": "file", "key": "uuid"}, {"node": "image", "key": null}, {"node": "image_collection", "key": null}, {"node": "physical_exam", "key": null}, {"node": "publication", "key": "publication_title"}, {"node": "vital_signs", "key": null}, {"node": "lab_exam", "key": null}, {"node": "adverse_event", "key": null}, {"node": "disease_extent", "key": null}, {"node": "follow_up", "key": null}, {"node": "off_study", "key": null}, {"node": "off_treatment", "key": null}]} \ No newline at end of file +{"model": {"data_commons": "ICDC", "version": "1.0.0", "source_files": ["icdc-model.yml", "icdc-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": true}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": true}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "clinical_study_designation", "properties": {"clinical_study_id": {"name": "clinical_study_id", "description": "Where applicable, the ID for the study/trial as generated by the source database.", "type": "string", "required": false}, "clinical_study_designation": {"name": "clinical_study_designation", "description": "A unique, human-friendly, alpha-numeric identifier by which the study/trial will be identified within the UI.
This property is used as the key via which child records, e.g. case records, can be associated with the appropriate study during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "clinical_study_name": {"name": "clinical_study_name", "description": "A succinct, narrative title for the study/trial, exactly as it should be displayed within the application's UI.", "type": "string", "required": true}, "clinical_study_description": {"name": "clinical_study_description", "description": "A multiple sentence summary of what the study/trial was intended to determine and how it was conducted.", "type": "string", "required": true}, "clinical_study_type": {"name": "clinical_study_type", "description": "An arbitrary designation of the study/trial to indicate its underlying. nature, e.g. Clinical Trial, Transcriptomics, Genomics.", "type": "string", "required": true}, "date_of_iacuc_approval": {"name": "date_of_iacuc_approval", "description": "Where applicable, the date upon which the study/trial was approved by the IACUC.", "type": "datetime", "required": false}, "dates_of_conduct": {"name": "dates_of_conduct", "description": "An indication of the general time period during which the study/trial was active, e.g. (from) month and year (to) month and year.", "type": "string", "required": false}, "accession_id": {"name": "accession_id", "description": "A unique, alpha-numeric identifier, in the format of six digits, which is assigned to the study/trial as of it being on-boarded, and which can be resolved by identifiers.org when prefixed with \"icdc:\" to create a compact identifier in the format icdc:xxxxxx.", "type": "string", "required": true}, "study_disposition": {"name": "study_disposition", "description": "An arbitrarily-assigned value used to dictate how the study/trial is displayed via the ICDC Production environment, based upon the degree to which the data has been on-boarded and/or whether the data is subject to any temporary embargo which prevents its public release.", "type": "string", "required": true, "permissible_values": ["Unrestricted", "Pending", "Under Embargo"]}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "member_of"}}}, "study_site": {"name": "study_site", "description": "", "id_property": null, "properties": {"site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "study_arm": {"name": "study_arm", "description": "", "id_property": "arm_id", "properties": {"arm": {"name": "arm", "description": "Where applicable, the nature of each arm into which the study/trial has been divided. For example, in multiple agent clinical trials, the name of the therapeutic agent used in any given study arm.", "type": "string", "required": false}, "ctep_treatment_assignment_code": {"name": "ctep_treatment_assignment_code", "description": "TBD", "type": "string", "required": false}, "arm_description": {"name": "arm_description", "description": "A short description of the study arm.", "type": "string", "required": false}, "arm_id": {"name": "arm_id", "description": "A unique identifier via which study arms can be differentiated from one another across studies/trials.
This property is used as the key via which child records, e.g. cohort records, can be associated with the appropriate study arm during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "agent": {"name": "agent", "description": "", "id_property": null, "properties": {"medication": {"name": "medication", "description": "", "type": "string", "required": false}, "document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}}, "relationships": {"study_arm": {"dest_node": "study_arm", "type": "many_to_many", "label": "of_study_arm"}}}, "cohort": {"name": "cohort", "description": "", "id_property": "cohort_id", "properties": {"cohort_description": {"name": "cohort_description", "description": "Where applicable, the nature of each cohort into which the study/trial has been divided, e.g. in studies examining the effects of multiple doses of a therapeutic agent, the name and dose of the therapeutic agent used in any given cohort.", "type": "string", "required": true}, "cohort_dose": {"name": "cohort_dose", "description": "The intended or protocol dose of the therapeutic agent used in any given cohort.", "type": "string", "required": false}, "cohort_id": {"name": "cohort_id", "description": "A unique identifier via which cohorts can be differentiated from one another across studies/trials.
This property is used as the key via which cases can be associated with the appropriate cohort during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "case": {"name": "case", "description": "", "id_property": "case_id", "properties": {"case_id": {"name": "case_id", "description": "The globally unique ID by which any given patient/subject/donor can be unambiguously identified and displayed across studies/trials; specifically the value of patient_id as supplied by the data submitter, prefixed with the appropriate ICDC study code during data alignment and/or transformation.
This property is used as the key via which child records, e.g. sample records, can be associated with the appropriate case during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "patient_id": {"name": "patient_id", "description": "The preferred ID by which the data submitter uniquely identifies any given patient/subject/donor, at least within a single study/trial, recorded exactly as provided by the data submitter. Once prefixed with the appropriate ICDC study code during data alignment and/or transformation, values of Patient ID become values of Case ID.", "type": "string", "required": true}, "patient_first_name": {"name": "patient_first_name", "description": "Where available, the given name of the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"canine_individual": {"dest_node": "canine_individual", "type": "many_to_one", "label": "represents"}}}, "registration": {"name": "registration", "description": "", "id_property": null, "properties": {"registration_origin": {"name": "registration_origin", "description": "The entity with which each registration ID is directly associated, for example, an ICDC study, as denoted by the appropriate study code, or the biobank or tissue repository from which samples for a study/trial participant were acquired, as denoted by the appropriate acronym.", "type": "string", "required": true}, "registration_id": {"name": "registration_id", "description": "Any ID used by a data submitter to identify a patient/subject/donor, either locally or globally.", "type": "string", "required": true}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_many", "label": "of_case"}}}, "biospecimen_source": {"name": "biospecimen_source", "description": "", "id_property": null, "properties": {"biospecimen_repository_acronym": {"name": "biospecimen_repository_acronym", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in the form of an acronym.", "type": "string", "required": true}, "biospecimen_repository_full_name": {"name": "biospecimen_repository_full_name", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in full text form.", "type": "string", "required": true}}, "relationships": {}}, "canine_individual": {"name": "canine_individual", "description": "", "id_property": "canine_individual_id", "properties": {"canine_individual_id": {"name": "canine_individual_id", "description": "A unique numerical ID, which, based upon the existence of registration-based matches between two or more study-specific cases, is auto-generated by the data loader, and which thereby tethers matching cases to the single underlying multi-study participant.", "type": "string", "required": true}}, "relationships": {}}, "demographic": {"name": "demographic", "description": "", "id_property": "demographic_id", "properties": {"demographic_id": {"name": "demographic_id", "description": "A unique identifier of each demographic record, used to identify the correct demographic records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "breed": {"name": "breed", "description": "The specific breed of the canine patient/subject/donor, per the list of breeds officially recognized by the American Kennel Club.", "type": "string", "required": true, "permissible_values": ["Affenpinscher", "Afghan Hound", "Airedale Terrier", "Akita", "Alaskan Klee Kai", "Alaskan Malamute", "American Bulldog", "American English Coonhound", "American Eskimo Dog", "American Foxhound", "American Hairless Terrier", "American Leopard Hound", "American Staffordshire Terrier", "American Water Spaniel", "Anatolian Shepherd Dog", "Appenzeller Sennenhunde", "Australian Cattle Dog", "Australian Kelpie", "Australian Shepherd", "Australian Stumpy Tail Cattle Dog", "Australian Terrier", "Azawakh", "Barbado da Terceira", "Barbet", "Basenji", "Basset Fauve de Bretagne", "Basset Hound", "Bavarian Mountain Scent Hound", "Beagle", "Bearded Collie", "Beauceron", "Bedlington Terrier", "Belgian Laekenois", "Belgian Malinois", "Belgian Sheepdog", "Belgian Tervuren", "Bergamasco Sheepdog", "Berger Picard", "Bernese Mountain Dog", "Bichon Frise", "Biewer Terrier", "Black Russian Terrier", "Black and Tan Coonhound", "Bloodhound", "Bluetick Coonhound", "Boerboel", "Bohemian Shepherd", "Bolognese", "Border Collie", "Border Terrier", "Borzoi", "Boston Terrier", "Bouvier des Flandres", "Boxer", "Boykin Spaniel", "Bracco Italiano", "Braque Francais Pyrenean", "Braque du Bourbonnais", "Briard", "Brittany", "Broholmer", "Brussels Griffon", "Bull Terrier", "Bulldog", "Bullmastiff", "Cairn Terrier", "Canaan Dog", "Cane Corso", "Cardigan Welsh Corgi", "Carolina Dog", "Catahoula Hound", "Catahoula Leopard Dog", "Caucasian Shepherd Dog", "Cavalier King Charles Spaniel", "Central Asian Shepherd Dog", "Cesky Terrier", "Chesapeake Bay Retriever", "Chihuahua", "Chinese Crested", "Chinese Shar-Pei", "Chinook", "Chow Chow", "Cirneco dell'Etna", "Clumber Spaniel", "Cocker Spaniel", "Collie", "Coton de Tulear", "Croatian Sheepdog", "Curly-Coated Retriever", "Czechoslovakian Vlcak", "Dachshund", "Dalmatian", "Dandie Dinmont Terrier", "Danish-Swedish Farmdog", "Deutscher Wachtelhund", "Doberman Pinscher", "Dogo Argentino", "Dogue de Bordeaux", "Drentsche Patrijshond", "Drever", "Dutch Shepherd", "English Cocker Spaniel", "English Foxhound", "English Setter", "English Springer Spaniel", "English Toy Spaniel", "Entlebucher Mountain Dog", "Estrela Mountain Dog", "Eurasier", "Field Spaniel", "Finnish Lapphund", "Finnish Spitz", "Flat-Coated Retriever", "French Bulldog", "French Spaniel", "German Longhaired Pointer", "German Pinscher", "German Shepherd Dog", "German Shorthaired Pointer", "German Spitz", "German Wirehaired Pointer", "Giant Schnauzer", "Glen of Imaal Terrier", "Golden Retriever", "Gordon Setter", "Grand Basset Griffon Vendeen", "Great Dane", "Great Pyrenees", "Greater Swiss Mountain Dog", "Greyhound", "Hamiltonstovare", "Hanoverian Scenthound", "Harrier", "Havanese", "Hokkaido", "Hovawart", "Ibizan Hound", "Icelandic Sheepdog", "Irish Red and White Setter", "Irish Setter", "Irish Terrier", "Irish Water Spaniel", "Irish Wolfhound", "Italian Greyhound", "Jagdterrier", "Japanese Akitainu", "Japanese Chin", "Japanese Spitz", "Japanese Terrier", "Jindo", "Kai Ken", "Karelian Bear Dog", "Keeshond", "Kerry Blue Terrier", "Kishu Ken", "Komondor", "Kromfohrlander", "Kuvasz", "Labrador Retriever", "Lagotto Romagnolo", "Lakeland Terrier", "Lancashire Heeler", "Lapponian Herder", "Leonberger", "Lhasa Apso", "Lowchen", "Maltese", "Manchester Terrier", "Mastiff", "Miniature American Shepherd", "Miniature Bull Terrier", "Miniature Dachshund", "Miniature Pinscher", "Miniature Schnauzer", "Mixed Breed", "Mountain Cur", "Mudi", "Neapolitan Mastiff", "Nederlandse Kooikerhondje", "Newfoundland", "Norfolk Terrier", "Norrbottenspets", "Norwegian Buhund", "Norwegian Elkhound", "Norwegian Lundehund", "Norwich Terrier", "Nova Scotia Duck Tolling Retriever", "Old English Sheepdog", "Other", "Otterhound", "Papillon", "Parson Russell Terrier", "Pekingese", "Pembroke Welsh Corgi", "Perro de Presa Canario", "Peruvian Inca Orchid", "Petit Basset Griffon Vendeen", "Pharaoh Hound", "Plott Hound", "Pointer", "Polish Lowland Sheepdog", "Pomeranian", "Poodle", "Porcelaine", "Portuguese Podengo", "Portuguese Podengo Pequeno", "Portuguese Pointer", "Portuguese Sheepdog", "Portuguese Water Dog", "Pudelpointer", "Pug", "Puli", "Pumi", "Pyrenean Mastiff", "Pyrenean Shepherd", "Rafeiro do Alentejo", "Rat Terrier", "Redbone Coonhound", "Rhodesian Ridgeback", "Romanian Mioritic Shepherd Dog", "Rottweiler", "Russell Terrier", "Russian Toy", "Russian Tsvetnaya Bolonka", "Saint Bernard", "Saluki", "Samoyed", "Schapendoes", "Schipperke", "Scottish Deerhound", "Scottish Terrier", "Sealyham Terrier", "Segugio Italiano", "Shetland Sheepdog", "Shiba Inu", "Shih Tzu", "Shikoku", "Siberian Husky", "Silky Terrier", "Skye Terrier", "Sloughi", "Slovakian Wirehaired Pointer", "Slovensky Cuvac", "Slovensky Kopov", "Small Munsterlander Pointer", "Smooth Fox Terrier", "Soft Coated Wheaten Terrier", "Spanish Mastiff", "Spanish Water Dog", "Spinone Italiano", "Stabyhoun", "Staffordshire Bull Terrier", "Standard Schnauzer", "Sussex Spaniel", "Swedish Lapphund", "Swedish Vallhund", "Taiwan Dog", "Teddy Roosevelt Terrier", "Thai Ridgeback", "Tibetan Mastiff", "Tibetan Spaniel", "Tibetan Terrier", "Tornjak", "Tosa", "Toy Fox Terrier", "Toy Poodle", "Transylvanian Hound", "Treeing Tennessee Brindle Coonhound", "Treeing Walker Coonhound", "Unknown", "Vizsla", "Weimaraner", "Welsh Springer Spaniel", "Welsh Terrier", "West Highland White Terrier", "Wetterhoun", "Whippet", "Wire Fox Terrier", "Wirehaired Pointing Griffon", "Wirehaired Vizsla", "Working Kelpie", "Xoloitzcuintli", "Yakutian Laika", "Yorkshire Terrier"]}, "additional_breed_detail": {"name": "additional_breed_detail", "description": "For patients/subjects/donors formally designated as either Mixed Breed or Other, any available detail as to the breeds contributing to the overall mix of breeds or clarification of the nature of the Other breed. Values for this field are therefore not relevant to pure-bred patients/subjects/donors, but for those of mixed breed or other origins, values are definitely preferred wherever available.", "type": "string", "required": false}, "patient_age_at_enrollment": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "patient_age_at_enrollment_original": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_original_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "date_of_birth": {"name": "date_of_birth", "description": "The date of birth of the canine patient/subject/donor.", "type": "datetime", "required": false}, "sex": {"name": "sex", "description": "The biological sex of the patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Male", "Female", "Unknown"]}, "weight": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "weight_original": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "neutered_indicator": {"name": "neutered_indicator", "description": "Indicator as to whether the patient/subject/donor has been either spayed (female subjects) or neutered (male subjects).", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown"]}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "cycle": {"name": "cycle", "description": "", "id_property": null, "properties": {"cycle_number": {"name": "cycle_number", "description": "For a patient/subject/donor enrolled in a clinical trial evaluating the effects of therapy administered in multiple cycles, the number of the treatment cycle during which visits occurred such that therapy could be administered and/or clinical observations could be made, with cycles numbered according to their chronological order.", "type": "integer", "required": true}, "date_of_cycle_start": {"name": "date_of_cycle_start", "description": "The date upon which the treament cycle in question began.", "type": "datetime", "required": false}, "date_of_cycle_end": {"name": "date_of_cycle_end", "description": "The date upon which the treatent cycle in question ended.", "type": "datetime", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "visit": {"name": "visit", "description": "", "id_property": "visit_id", "properties": {"visit_date": {"name": "visit_date", "description": "The date upon which the visit occurred.", "type": "datetime", "required": false}, "visit_number": {"name": "visit_number", "description": "The number of the visit during which therapy was administered and/or clinical observations were made, with visits numbered according to their chronological order.", "type": "string", "required": false}, "visit_id": {"name": "visit_id", "description": "A globally unique identifier of each visit record; specifically the value of case_id concatenated with the value of visit_date, the date upon which the visit occurred.
This property is used as the key via which child records, e.g. physical examination records, can be associated with the appropriate visit, and to identify the correct visit records during data updates.", "type": "string", "required": true}}, "relationships": {"visit": {"dest_node": "visit", "type": "one_to_one", "label": "next"}}}, "principal_investigator": {"name": "principal_investigator", "description": "", "id_property": null, "properties": {"pi_first_name": {"name": "pi_first_name", "description": "The first or given name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_last_name": {"name": "pi_last_name", "description": "The last or family name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_middle_initial": {"name": "pi_middle_initial", "description": "Where applicable, the middle initial(s) of each principal investigator of the study/trial.", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "diagnosis_id", "properties": {"diagnosis_id": {"name": "diagnosis_id", "description": "A unique identifier of each diagnosis record, used to associate child records, e.g. pathology reports, with the appropriate parent, and to identify the correct diagnosis records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "disease_term": {"name": "disease_term", "description": "The primary disease condition with which the patient/subject/donor was diagnosed.", "type": "string", "required": true, "permissible_values": ["B Cell Lymphoma", "Bladder Cancer", "Fibrolipoma", "Glioma", "Healthy Control", "Hemangiosarcoma", "Histiocytic Sarcoma", "Lipoma", "Lymphoma", "Mammary Cancer", "Mast Cell Tumor", "Melanoma", "Osteosarcoma", "Pulmonary Neoplasms", "Soft Tissue Sarcoma", "Splenic Hematoma", "Splenic Hyperplasia", "T Cell Leukemia", "T Cell Lymphoma", "Thyroid Cancer", "Unknown", "Urothelial Carcinoma"]}, "primary_disease_site": {"name": "primary_disease_site", "description": "The anatomical location at which the primary disease originated, recorded in relatively general terms at the subject level; the anatomical locations from which tumor samples subject to downstream analysis were acquired is recorded in more detailed terms at the sample level.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder, Prostate", "Bladder, Urethra", "Bladder, Urethra, Prostate", "Bladder, Urethra, Vagina", "Bone", "Bone (Appendicular)", "Bone (Axial)", "Bone Marrow", "Brain", "Carpus", "Chest Wall", "Distal Urethra", "Kidney", "Lung", "Lymph Node", "Mammary Gland", "Mouth", "Not Applicable", "Pleural Cavity", "Shoulder", "Skin", "Spleen", "Subcutis", "Thyroid Gland", "Unknown", "Urethra, Prostate", "Urinary Tract", "Urogenital Tract"]}, "stage_of_disease": {"name": "stage_of_disease", "description": "The formal assessment of the extent to which the primary cancer with which the patient/subject/donor was diagnosed has progressed, according to the TNM staging or cancer stage grouping criteria.", "type": "string", "required": true, "permissible_values": ["I", "Ia", "Ib", "II", "IIa", "IIb", "III", "IIIa", "IIIb", "IV", "IVa", "IVb", "V", "Va", "Vb", "TisN0M0", "TisN1M1", "T1N0M0", "T1NXM0", "T2N0M0", "T2N0M1", "T2N1M0", "T2N1M1", "T2N2M1", "T3N0M0", "T3N0M1", "T3N1M0", "T3N1M1", "T3NXM1", "TXN0M0", "Not Applicable", "Not Determined", "Unknown"]}, "date_of_diagnosis": {"name": "date_of_diagnosis", "description": "The date upon which the patient/subject/donor was diagnosed with the primary disease in question.", "type": "datetime", "required": false}, "histology_cytopathology": {"name": "histology_cytopathology", "description": "A narrative summary of the primary observations from the the evaluation of a tumor sample from a patient/subject/donor, in terms of its histology and/or cytopathology.", "type": "string", "required": false}, "date_of_histology_confirmation": {"name": "date_of_histology_confirmation", "description": "The date upon which the results of a histological evaluation of a sample from the patient/subject/donor were confirmed.", "type": "datetime", "required": false}, "histological_grade": {"name": "histological_grade", "description": "The histological grading of the tumor(s) present in the patient/subject/donor, based upon microscopic evaluation(s), and recorded at the subject level; grading of specific tumor samples subject to downstream analysis is recorded at the sample level.", "type": "string", "required": false}, "best_response": {"name": "best_response", "description": "Where applicable, an indication as to the best overall response to therapeutic intervention observed within an individual patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Complete Response", "Partial Response", "Stable Disease", "Progressive Disease", "Not Determined", "Not Applicable", "Unknown"]}, "pathology_report": {"name": "pathology_report", "description": "An indication as to the existence of any detailed pathology evaluation upon which the primary diagnosis was based, either in the form of a formal, subject-specific pathology report, or as detailed in a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "treatment_data": {"name": "treatment_data", "description": "An indication as to the existence of any treatment data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "follow_up_data": {"name": "follow_up_data", "description": "An indication as to the existence of any follow-up data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "concurrent_disease": {"name": "concurrent_disease", "description": "An indication as to whether the patient/subject/donor suffers from any significant secondary disease condition(s).", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown"]}, "concurrent_disease_type": {"name": "concurrent_disease_type", "description": "The specifics of any notable secondary disease condition(s) observed within the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "enrollment": {"name": "enrollment", "description": "", "id_property": "enrollment_id", "properties": {"enrollment_id": {"name": "enrollment_id", "description": "A unique identifier of each enrollment record, used to associate child records, e.g. prior surgery records, with the appropriate parent, and to identify the correct enrollment records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "date_of_registration": {"name": "date_of_registration", "description": "The date upon which the patient/subject/donor was enrolled in the study/trial.", "type": "datetime", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}, "initials": {"name": "initials", "description": "The initials of the patient/subject/donor based upon the subject's first or given name, and the last or family name of the subject's owner.", "type": "string", "required": false}, "date_of_informed_consent": {"name": "date_of_informed_consent", "description": "The date upon which the owner of the patient/subject/donor signed an informed consent on behalf of the subject.", "type": "datetime", "required": false}, "site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "patient_subgroup": {"name": "patient_subgroup", "description": "A short description as to the reason for the patient/subject/donor being enrolled in any given study/trial arm or cohort, for example, a clinical trial patient having been enrolled in a dose escalation cohort.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "prior_therapy": {"name": "prior_therapy", "description": "", "id_property": null, "properties": {"date_of_first_dose": {"name": "date_of_first_dose", "description": "", "type": "datetime", "required": false}, "date_of_last_dose": {"name": "date_of_last_dose", "description": "", "type": "datetime", "required": false}, "agent_name": {"name": "agent_name", "description": "", "type": "string", "required": false}, "dose_schedule": {"name": "dose_schedule", "description": "Schedule_FUL in form", "type": "string", "required": false}, "total_dose": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "total_dose_original": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_original_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "agent_units_of_measure": {"name": "agent_units_of_measure", "description": "Agent UOM_FUL in form", "type": "string", "required": false}, "best_response_to_prior_therapy": {"name": "best_response_to_prior_therapy", "description": "", "type": "string", "required": false}, "nonresponse_therapy_type": {"name": "nonresponse_therapy_type", "description": "", "type": "string", "required": false}, "prior_therapy_type": {"name": "prior_therapy_type", "description": "", "type": "string", "required": false}, "prior_steroid_exposure": {"name": "prior_steroid_exposure", "description": "Has the patient ever been on steroids? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_steroid": {"name": "number_of_prior_regimens_steroid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_steroid": {"name": "total_number_of_doses_steroid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_steroid": {"name": "date_of_last_dose_steroid", "description": "", "type": "datetime", "required": false}, "prior_nsaid_exposure": {"name": "prior_nsaid_exposure", "description": "Has the patient ever been on NSAIDS? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_nsaid": {"name": "number_of_prior_regimens_nsaid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_nsaid": {"name": "total_number_of_doses_nsaid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_nsaid": {"name": "date_of_last_dose_nsaid", "description": "", "type": "datetime", "required": false}, "tx_loc_geo_loc_ind_nsaid": {"name": "tx_loc_geo_loc_ind_nsaid", "description": "", "type": "string", "required": false}, "min_rsdl_dz_tx_ind_nsaids_treatment_pe": {"name": "min_rsdl_dz_tx_ind_nsaids_treatment_pe", "description": "", "type": "string", "required": false}, "therapy_type": {"name": "therapy_type", "description": "", "type": "string", "required": false}, "any_therapy": {"name": "any_therapy", "description": "", "type": "boolean", "required": false}, "number_of_prior_regimens_any_therapy": {"name": "number_of_prior_regimens_any_therapy", "description": "", "type": "integer", "required": false}, "total_number_of_doses_any_therapy": {"name": "total_number_of_doses_any_therapy", "description": "", "type": "integer", "required": false}, "date_of_last_dose_any_therapy": {"name": "date_of_last_dose_any_therapy", "description": "", "type": "datetime", "required": false}, "treatment_performed_at_site": {"name": "treatment_performed_at_site", "description": "", "type": "boolean", "required": false}, "treatment_performed_in_minimal_residual": {"name": "treatment_performed_in_minimal_residual", "description": "", "type": "boolean", "required": false}}, "relationships": {"prior_therapy": {"dest_node": "prior_therapy", "type": "one_to_one", "label": "next"}}}, "prior_surgery": {"name": "prior_surgery", "description": "", "id_property": null, "properties": {"date_of_surgery": {"name": "date_of_surgery", "description": "The date upon which the prior surgery in question occurred.", "type": "datetime", "required": false}, "procedure": {"name": "procedure", "description": "The type of procedure performed during the prior surgery in question.", "type": "string", "required": true}, "anatomical_site_of_surgery": {"name": "anatomical_site_of_surgery", "description": "The anatomical location at which the prior surgery in question occurred.", "type": "string", "required": true}, "surgical_finding": {"name": "surgical_finding", "description": "A narrative description of any notable observations made during the prior surgery in question.", "type": "string", "required": false}, "residual_disease": {"name": "residual_disease", "description": "TBD", "type": "string", "required": false}, "therapeutic_indicator": {"name": "therapeutic_indicator", "description": "TBD", "type": "string", "required": false}}, "relationships": {"prior_surgery": {"dest_node": "prior_surgery", "type": "one_to_one", "label": "next"}}}, "agent_administration": {"name": "agent_administration", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "medication": {"name": "medication", "description": "", "type": "string", "required": false}, "route_of_administration": {"name": "route_of_administration", "description": "", "type": "string", "required": false}, "medication_lot_number": {"name": "medication_lot_number", "description": "", "type": "string", "required": false}, "medication_vial_id": {"name": "medication_vial_id", "description": "", "type": "string", "required": false}, "medication_actual_units_of_measure": {"name": "medication_actual_units_of_measure", "description": "", "type": "string", "required": false}, "medication_duration": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_unit": {"type": "string", "permissible_values": ["days", "hr", "min"], "default_value": "days"}, "medication_duration_original": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_original_unit": {"type": "string", "permissible_values": ["days", "hr", "min"], "default_value": "days"}, "medication_units_of_measure": {"name": "medication_units_of_measure", "description": "", "type": "string", "required": false}, "medication_actual_dose": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "medication_actual_dose_original": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}, "start_time": {"name": "start_time", "description": "", "type": "datetime", "required": false}, "stop_time": {"name": "stop_time", "description": "", "type": "datetime", "required": false}, "dose_level": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_level_original": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_units_of_measure": {"name": "dose_units_of_measure", "description": "", "type": "string", "required": false}, "date_of_missed_dose": {"name": "date_of_missed_dose", "description": "", "type": "datetime", "required": false}, "medication_missed_dose": {"name": "medication_missed_dose", "description": "Q.- form has \"medication\"", "type": "string", "required": false}, "missed_dose_amount": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_amount_original": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_units_of_measure": {"name": "missed_dose_units_of_measure", "description": "Q.- form has \"dose uom_ful\"", "type": "string", "required": false}, "medication_course_number": {"name": "medication_course_number", "description": "", "type": "string", "required": false}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "The globally unique ID by which any given sample can be unambiguously identified and displayed across studies/trials; specifically the preferred value of the sample identifier used by the data submitter, prefixed with the appropriate ICDC study code during data transformation.
This property is used as the key via which child records, e.g. file records, can be associated with the appropriate sample during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "sample_site": {"name": "sample_site", "description": "The specific anatomical location from which any given sample was acquired.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder Apex", "Bladder Apex-Mid", "Bladder Mid", "Bladder Mid-Trigone", "Bladder Mucosa", "Bladder Trigone", "Bladder Trigone-Urethra", "Blood", "Bone", "Bone Marrow", "Brain", "Carpus", "Cerebellar", "Cutis", "Distal Urethra", "Femur", "Genitourinary Tract", "Hemispheric", "Humerus", "Kidney", "Liver", "Liver, Spleen, Heart", "Lung", "Lung, Caudal Aspect of Left Caudal Lobe", "Lung, Caudal Right Lobe", "Lung, Cranial Left Lobe", "Lymph Node", "Lymph Node, Popliteal", "Mammary Gland", "Mandible, Mucosa", "Midline", "Mouth", "Mouth, Lingual", "Mouth, Mandible, Mucosa", "Mouth, Maxilla, Mucosa", "Muscle", "Pancreas", "Pleural Effusion", "Radius", "Skin", "Spleen", "Subcutaneous Tissue", "Thyroid Gland", "Tibia", "Unknown", "Urethra", "Urethra Mid-distal", "Urinary Bladder", "Urogenital Tract", "Uterus"]}, "physical_sample_type": {"name": "physical_sample_type", "description": "An indication as to the physical nature of any given sample.", "type": "string", "required": true, "permissible_values": ["Tissue", "Blood", "Cell Line", "Organoid", "Urine Sediment", "Whole Blood"]}, "general_sample_pathology": {"name": "general_sample_pathology", "description": "An indication as to whether a sample represents normal tissue versus representing diseased or tumor tissue.", "type": "string", "required": true, "permissible_values": ["Normal", "Malignant", "Benign", "Hyperplastic", "Diseased", "Not Applicable"]}, "tumor_sample_origin": {"name": "tumor_sample_origin", "description": "An indication as to whether a tumor sample was derived from a primary versus a metastatic tumor.", "type": "string", "required": true, "permissible_values": ["Primary", "Metastatic", "Not Applicable", "Unknown"]}, "summarized_sample_type": {"name": "summarized_sample_type", "description": "A summarized representation of a sample's physical nature, normality, and derivation from a primary versus a metastatic tumor, based upon the combination of values in the three independent properties of physical_sample_type, general_sample_pathology and tumor_sample_origin.", "type": "string", "required": true, "permissible_values": ["Metastatic Tumor Tissue", "Normal Cell Line", "Normal Tissue", "Organoid (ASC-derived)", "Primary Malignant Tumor Tissue", "Urine Sediment", "Tumor Cell Line", "Tumor Cell Line (metastasis-derived)", "Tumoroid", "Tumoroid (urine-derived)", "Whole Blood"]}, "molecular_subtype": {"name": "molecular_subtype", "description": "Where applicable, the molecular subtype of the tumor sample in question, for example, the tumor being basal versus lumnial in nature.", "type": "string", "required": false}, "specific_sample_pathology": {"name": "specific_sample_pathology", "description": "The specific histology and/or pathology associated with a sample.", "type": "string", "required": true, "permissible_values": ["Astrocytoma", "B Cell Lymphoma", "Carcinoma", "Carcinoma With Simple And Complex Components", "Chondroblastic Osteosarcoma", "Complex Carcinoma", "Endometrium (organoid)", "Fibroblastic Osteosarcoma", "Giant Cell Osteosarcoma", "Hemangiosarcoma", "Histiocytic Sarcoma", "Induced Endometrium", "Liver (organoid)", "Lung (organoid)", "Lymphoma", "Mast Cell Tumor", "Melanoma", "Not Applicable", "Oligodendroglioma", "Osteoblastic Osteosarcoma", "Osteoblastic and Chondroblastic Osteosarcoma", "Osteosarcoma", "Osteosarcoma; Combined Type", "Pancreas (organoid)", "Primitive T-Cell Leukemia", "Pulmonary Adenocarcinoma", "Pulmonary Carcinoma", "Simple Carcinoma", "Simple Carcinoma,\u00a0 Ductular, Vascular Invasive", "Simple Carcinoma, Ductal", "Simple Carcinoma, Ductular", "Simple Carcinoma, Inflammatory", "Simple Carcinoma, Invasive, Ductal", "Soft Tissue Sarcoma", "T Cell Lymphoma", "Urinary Bladder (organoid)", "Undefined", "Urothelial Carcinoma", "Urothelial Carcinoma (organoid)"]}, "date_of_sample_collection": {"name": "date_of_sample_collection", "description": "The date upon which the sample was acquired from the patient/subject/donor.", "type": "datetime", "required": false}, "sample_chronology": {"name": "sample_chronology", "description": "An indication as to when a sample was acquired relative to any therapeutic intervention and/or key disease outcome observations.", "type": "string", "required": true, "permissible_values": ["Before Treatment", "During Treatment", "After Treatment", "Upon Progression", "Upon Relapse", "Upon Death", "Not Applicable", "Unknown"]}, "necropsy_sample": {"name": "necropsy_sample", "description": "An indication as to whether a sample was acquired as a result of a necropsy examination.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown", "Not Applicable"]}, "tumor_grade": {"name": "tumor_grade", "description": "The grade of the tumor from which the sample was acquired, i.e. the degree of cellular differentiation within the tumor in question, as determined by a pathologist's evaluation.", "type": "string", "required": false, "permissible_values": ["1", "2", "3", "4", "High", "Medium", "Low", "Unknown", "Not Applicable"]}, "length_of_tumor": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "length_of_tumor_original": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor_original": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "volume_of_tumor": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "volume_of_tumor_original": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_original_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "percentage_tumor": {"name": "percentage_tumor", "description": "The purity of a sample of tumor tissue in terms of the percentage of the sample that is represnted by tumor cells, expressed either as a discrete percentage or as a percentage range.", "type": "string", "required": false}, "sample_preservation": {"name": "sample_preservation", "description": "The method by which a sample was preserved.", "type": "string", "required": true, "permissible_values": ["EDTA", "FFPE", "RNAlater", "Snap Frozen", "TRIzol", "Not Applicable", "Unknown"]}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"sample": {"dest_node": "sample", "type": "one_to_one", "label": "next"}}}, "file": {"name": "file", "description": "", "id_property": "uuid", "properties": {"file_name": {"name": "file_name", "description": "The name of the file, maintained exactly as provided by the data submitter.", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "An indication as to the nature of the file in terms of its content, i.e. what type of information the file contains, as opposed to the file's format.", "type": "string", "required": true, "permissible_values": ["Study Protocol", "Supplemental Data File", "Pathology Report", "Image File", "RNA Sequence File", "Whole Genome Sequence File", "Whole Exome Sequence File", "DNA Methylation Analysis File", "Index File", "Array CGH Analysis File", "Variant Call File", "Mutation Annotation File", "Variant Report", "Data Analysis Whitepaper", "Affymetrix GeneChip Analysis File"]}, "file_description": {"name": "file_description", "description": "An optional description of the file and/or its content, as provided by the data submitter, preferably limited to no more than 60 characters in length.", "type": "string", "required": false}, "file_format": {"name": "file_format", "description": "The specific format of the file as determined by the data loader.", "type": "string", "required": true}, "file_size": {"name": "file_size", "description": "The exact size of the file in bytes.", "type": "number", "required": true}, "md5sum": {"name": "md5sum", "description": "The 32-character hexadecimal md5 checksum value of the file, used to confirm the integrity of files submitted to the ICDC.", "type": "string", "required": true}, "file_status": {"name": "file_status", "description": "An enumerated representation of the status of any given file.", "type": "string", "required": true, "permissible_values": ["uploading", "uploaded", "md5summing", "md5summed", "validating", "error", "invalid", "suppressed", "redacted", "live", "validated", "submitted", "released"]}, "uuid": {"name": "uuid", "description": "The universally unique alpha-numeric identifier assigned to each file.", "type": "string", "required": true}, "file_location": {"name": "file_location", "description": "The specific location within the ICDC S3 storage bucket at which the file is stored, expressed in terms of a unique url.", "type": "string", "required": true}}, "relationships": {"diagnosis": {"dest_node": "diagnosis", "type": "many_to_one", "label": "from_diagnosis"}}}, "image_collection": {"name": "image_collection", "description": "", "id_property": null, "properties": {"image_collection_name": {"name": "image_collection_name", "description": "The name of the image collection exactly as it appears at the location where the collection can be viewed and/or accessed.", "type": "string", "required": true}, "image_type_included": {"name": "image_type_included", "description": "A list of the image types included in the image collection, drawn from a list of acceptable values.", "type": "list", "required": true, "item_type": {"type": "string", "permissible_values": ["Ultrasound", "Histopathology", "PET", "X-ray", "MRI", "Optical", "CT"]}}, "image_collection_url": {"name": "image_collection_url", "description": "The external url via which the image collection can be viewed and/or accessed.", "type": "string", "required": true}, "repository_name": {"name": "repository_name", "description": "The name of the image repository within which the image collection can be found, stated in the form of the appropriate acronym.", "type": "string", "required": true}, "collection_access": {"name": "collection_access", "description": "Indicator as to whether the image collection can be accessed via download versus being accessible only via the cloud.", "type": "string", "required": true, "permissible_values": ["Download", "Cloud"]}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "physical_exam": {"name": "physical_exam", "description": "", "id_property": null, "properties": {"date_of_examination": {"name": "date_of_examination", "description": "The date upon which the physical examination in question was conducted.", "type": "datetime", "required": false}, "day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "body_system": {"name": "body_system", "description": "Major organ system or physiological characteristic assessed during the examination of the patient/subject/donor during a follow-up visit. Observations are reported independently on each organ system or physiological characteristic.", "type": "string", "required": false, "permissible_values": ["Attitude", "Eyes, Ears, Nose and Throat", "Respiratory", "Cardiovascular", "Gastrointestinal", "Musculoskeletal", "Integumentary", "Lymphatic", "Endocrine", "Genitourinary", "Neurologic", "Other"]}, "pe_finding": {"name": "pe_finding", "description": "Indication as to the normal versus abnormal function of the major organ system or physiological characteristic assessed.", "type": "string", "required": false, "permissible_values": ["Normal", "Abnormal", "Not examined"]}, "pe_comment": {"name": "pe_comment", "description": "Narrative comment describing any notable observations concerning any given major organ system or physiological status assessed.", "type": "string", "required": false}, "phase_pe": {"name": "phase_pe", "description": "Pending", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "publication": {"name": "publication", "description": "", "id_property": "publication_title", "properties": {"publication_title": {"name": "publication_title", "description": "The full title of the publication stated exactly as it appears on the published work.
This property is used as the key via which to identify the correct records during data updates.", "type": "string", "required": true}, "authorship": {"name": "authorship", "description": "A list of authors for the cited work. More specifically, for publications with no more than three authors, authorship quoted in full; for publications with more than three authors, authorship abbreviated to first author et al.", "type": "string", "required": true}, "year_of_publication": {"name": "year_of_publication", "description": "The year in which the cited work was published.", "type": "number", "required": true}, "journal_citation": {"name": "journal_citation", "description": "The name of the journal in which the cited work was published, inclusive of the citation itself in terms of journal volume number, part number where applicable, and page numbers.", "type": "string", "required": true}, "digital_object_id": {"name": "digital_object_id", "description": "Where applicable, the digital object identifier for the cited work, by which it can be permanently identified, and linked to via the internet.", "type": "string", "required": false}, "pubmed_id": {"name": "pubmed_id", "description": "Where applicable, the unique numerical identifier assigned to the cited work by PubMed, by which it can be linked to via the internet.", "type": "number", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "vital_signs": {"name": "vital_signs", "description": "", "id_property": null, "properties": {"date_of_vital_signs": {"name": "date_of_vital_signs", "description": "The date upon which the vital signs evaluation in question was conducted.", "type": "datetime", "required": false}, "body_temperature": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "body_temperature_original": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_original_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "pulse": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "pulse_original": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_original_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "respiration_rate": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_rate_original": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_original_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_pattern": {"name": "respiration_pattern", "description": "An indication as to the normality of the breathing pattern of the patient/subject/donor at the time of the vital signs evaluation.", "type": "string", "required": false}, "systolic_bp": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "systolic_bp_original": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_original_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "pulse_ox": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "pulse_ox_original": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_original_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "patient_weight": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "patient_weight_original": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "body_surface_area": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "body_surface_area_original": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_original_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "modified_ecog": {"name": "modified_ecog", "description": "The Eastern Cooperative Oncology Group (ECOG) performance status of the patient/subject/donor at the time of the vital signs evaluation. The value of this metric indicates the overall function of the patient/subject/donor and his/her ability to tolerate therapy.", "type": "string", "required": false}, "ecg": {"name": "ecg", "description": "Indication as to the normality of the electrocardiogram conducted during the vital signs evaluation.", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "adverse_event": {"name": "adverse_event", "description": "", "id_property": null, "properties": {"day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "date_of_onset": {"name": "date_of_onset", "description": "The date upon which any given adverse event was first observed.", "type": "datetime", "required": false}, "existing_adverse_event": {"name": "existing_adverse_event", "description": "An indication as to whether any given adverse event occurred prior to the enrollment of a patient/subject into the clinical trial in question, and/or was ongoing at the time of trial enrollment.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "date_of_resolution": {"name": "date_of_resolution", "description": "The date upon which any given adverse event resolved. If an adverse event was ongong at the time of death, the date of death should be used as the value date_of_resolution.", "type": "string", "required": false}, "ongoing_adverse_event": {"name": "ongoing_adverse_event", "description": "An indication as to whether any given adverse event was ongoing as of the end of a treatment cycle, the end of the clinical trial itself, or the patient/subject being taken off study.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "adverse_event_term": {"name": "adverse_event_term", "description": "The specific controlled vocabulary term for any given adverse event, as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true}, "adverse_event_description": {"name": "adverse_event_description", "description": "A narrative description of any given adverse event which provides extra details as to its associated clinical, physical and behavioral observations, and/or mitigations for the adverse event.", "type": "string", "required": false}, "adverse_event_grade": {"name": "adverse_event_grade", "description": "The grade of any given adverse event, reported as an enumerated value corresponding to one of the five distinct grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true, "permissible_values": ["1", "2", "3", "4", "5", "Unknown"]}, "adverse_event_grade_description": {"name": "adverse_event_grade_description", "description": "The grade of any given adverse event, reported in the form of a single descriptive term corresponding to one of the five enumerated grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE). Although numerical values for grade are standard terms for the reporting of adverse events, the narrative form of adverse event grades will be useful to users not already familiar with adverse event grading.", "type": "string", "required": false, "permissible_values": ["Mild", "Moderate", "Severe", "Life-threatening", "Death", "Unknown"]}, "adverse_event_agent_name": {"name": "adverse_event_agent_name", "description": "The name of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "adverse_event_agent_dose": {"name": "adverse_event_agent_dose", "description": "The corresponding dose of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "attribution_to_research": {"name": "attribution_to_research", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the clinical trial/research environment in general, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_ind": {"name": "attribution_to_ind", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by any investigational new drugs being administered as part of the clinical trial, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_disease": {"name": "attribution_to_disease", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the disease for which the patient/subject is being treated, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_commercial": {"name": "attribution_to_commercial", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by a commercially-available, FDA-approved therapeutic agent, used within the confines of the clinical trial either for its FDA-approved indication or in an off-label manner, but not as the investigational new drug or part of the investigational new therapy, versus the adverse event in question being unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_other": {"name": "attribution_to_other", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by some other factor(s), as described by the other_attribution_description property, or is unrelated to such other factors.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "other_attribution_description": {"name": "other_attribution_description", "description": "A description of any other factor or factors to which any given adverse event has been attributed. Where an adverse event is attributed to factors other than the standard factors of research, disease, IND or commercial, a description of the other factor(s) to which the adverse event was attributed is required.", "type": "string", "required": false}, "dose_limiting_toxicity": {"name": "dose_limiting_toxicity", "description": "An indication as to whether any given adverse event observed during the clinical trial is indicative of the dose of the therapeutic agent under test being limiting in terms of its toxicity.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Not Applicable"]}, "unexpected_adverse_event": {"name": "unexpected_adverse_event", "description": "An indication as to whether any given adverse event observed during the clinical trial is completely unanticipated and therefore considered novel.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Undefined"]}}, "relationships": {"adverse_event": {"dest_node": "adverse_event", "type": "one_to_one", "label": "next"}}}, "disease_extent": {"name": "disease_extent", "description": "", "id_property": null, "properties": {"lesion_number": {"name": "lesion_number", "description": "An arbitrary numerical designation for each lesion subject to evaluation, by which that lesion can be unambiguously identified.", "type": "string", "required": false}, "lesion_site": {"name": "lesion_site", "description": "The overall anatomical location of the lesion being assessed in terms of the organ or organ system in which it is located. For example, lung, lymph node, etc.", "type": "string", "required": false}, "lesion_description": {"name": "lesion_description", "description": "Additional detail as to the specific location of the lesion subject to evaluation. For example, in the case of a lymph node lesion, the specific lymph node in which the lesion is located.", "type": "string", "required": false}, "previously_irradiated": {"name": "previously_irradiated", "description": "Pending", "type": "string", "required": false}, "previously_treated": {"name": "previously_treated", "description": "Pending", "type": "string", "required": false}, "measurable_lesion": {"name": "measurable_lesion", "description": "Pending", "type": "string", "required": false}, "target_lesion": {"name": "target_lesion", "description": "Pending", "type": "string", "required": false}, "date_of_evaluation": {"name": "date_of_evaluation", "description": "The date upon which the extent of disease evaluation was conducted.", "type": "datetime", "required": false}, "measured_how": {"name": "measured_how", "description": "The method by which the size of any given lesion was determined.", "type": "string", "required": false}, "longest_measurement": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "longest_measurement_original": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_original_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "evaluation_number": {"name": "evaluation_number", "description": "The number of the evaluation durinhg which any given lesion was examined, with evaluations numbered according to their chronological order.", "type": "string", "required": false}, "evaluation_code": {"name": "evaluation_code", "description": "An indication as to the status of any given lesion being evaluated, in terms of the evaluation establishing a baseline for the lesion, versus the lesion subject to evaluation being new, being stable in size, decreasing in size, increasing in size or having resolved.", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "follow_up": {"name": "follow_up", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_of_last_contact": {"name": "date_of_last_contact", "description": "", "type": "datetime", "required": false}, "patient_status": {"name": "patient_status", "description": "need vocab", "type": "string", "required": false}, "explain_unknown_status": {"name": "explain_unknown_status", "description": "free text?", "type": "string", "required": false}, "contact_type": {"name": "contact_type", "description": "need vocab", "type": "string", "required": false}, "treatment_since_last_contact": {"name": "treatment_since_last_contact", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_performed": {"name": "physical_exam_performed", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_changes": {"name": "physical_exam_changes", "description": "How described? Relative to data already stored in \"physical_exam\" node?", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "off_study": {"name": "off_study", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_study": {"name": "date_off_study", "description": "", "type": "datetime", "required": false}, "reason_off_study": {"name": "reason_off_study", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}, "off_treatment": {"name": "off_treatment", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "reason_off_treatment": {"name": "reason_off_treatment", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "clinical_study_designation"}, {"node": "study_site", "key": null}, {"node": "study_arm", "key": "arm_id"}, {"node": "agent", "key": null}, {"node": "cohort", "key": "cohort_id"}, {"node": "case", "key": "case_id"}, {"node": "registration", "key": null}, {"node": "biospecimen_source", "key": null}, {"node": "canine_individual", "key": "canine_individual_id"}, {"node": "demographic", "key": "demographic_id"}, {"node": "cycle", "key": null}, {"node": "visit", "key": "visit_id"}, {"node": "principal_investigator", "key": null}, {"node": "diagnosis", "key": "diagnosis_id"}, {"node": "enrollment", "key": "enrollment_id"}, {"node": "prior_therapy", "key": null}, {"node": "prior_surgery", "key": null}, {"node": "agent_administration", "key": null}, {"node": "sample", "key": "sample_id"}, {"node": "assay", "key": null}, {"node": "file", "key": "uuid"}, {"node": "image", "key": null}, {"node": "image_collection", "key": null}, {"node": "physical_exam", "key": null}, {"node": "publication", "key": "publication_title"}, {"node": "vital_signs", "key": null}, {"node": "lab_exam", "key": null}, {"node": "adverse_event", "key": null}, {"node": "disease_extent", "key": null}, {"node": "follow_up", "key": null}, {"node": "off_study", "key": null}, {"node": "off_treatment", "key": null}]} \ No newline at end of file diff --git a/src/common/constants.py b/src/common/constants.py index ff6a921..a8a72f8 100644 --- a/src/common/constants.py +++ b/src/common/constants.py @@ -98,6 +98,7 @@ "boolean", # true/false or yes/no "array" # value_type: list ] +VALIDATION_RESULT = "result" #s3 download directory S3_DOWNLOAD_DIR = "s3_download" diff --git a/src/metadata_validator.py b/src/metadata_validator.py index 2dd7791..27e017f 100644 --- a/src/metadata_validator.py +++ b/src/metadata_validator.py @@ -3,13 +3,14 @@ import pandas as pd import json import os +from datetime import datetime from botocore.exceptions import ClientError from bento.common.sqs import VisibilityExtender from bento.common.utils import get_logger from bento.common.s3 import S3Bucket from common.constants import SQS_NAME, SQS_TYPE, SCOPE, MODEL, SUBMISSION_ID, ERRORS, WARNINGS, STATUS_ERROR, \ STATUS_WARNING, STATUS_PASSED, FILE_STATUS, UPDATED_AT, MODEL_FILE_DIR, TIER_CONFIG, DATA_COMMON_NAME, \ - NODE_TYPE, PROPERTIES, TYPE, MIN, MAX, VALID_PROP_TYPE_LIST + NODE_TYPE, PROPERTIES, TYPE, MIN, MAX, VALID_PROP_TYPE_LIST, VALIDATION_RESULT from common.utils import current_datetime_str, get_exception_msg, dump_dict_to_json from common.model_store import ModelFactory @@ -152,14 +153,13 @@ def validate(self, submissionID, scope): def validate_node(self, dataRecord, model): # set default return values - result = STATUS_PASSED errors = [] warnings = [] # call validate_required_props result_required= self.validate_required_props(dataRecord, model) # call validate_prop_value - result_prop_value = self.validate_prop_value(dataRecord, model) + result_prop_value = self.validate_props(dataRecord, model) # call validate_relationship result_rel = self.validate_relationship(dataRecord, model) @@ -169,31 +169,27 @@ def validate_node(self, dataRecord, model): warnings = result_required.get(WARNINGS, []) + result_prop_value.get(WARNINGS, []) + result_rel.get(WARNINGS, []) # if there are any errors set the result to "Error" if len(errors) > 0: - result = STATUS_ERROR - return result, errors, warnings + return STATUS_ERROR, errors, warnings # if there are no errors but warnings, set the result to "Warning" if len(warnings) > 0: - result = STATUS_WARNING - return result, errors, warnings + return STATUS_WARNING, errors, warnings # if there are neither errors nor warnings, return default values - return result, errors, warnings + return STATUS_PASSED, errors, warnings def validate_required_props(self, dataRecord, model): # set default return values errors = [] warnings = [] result = STATUS_PASSED - return {"result": result, ERRORS: errors, WARNINGS: warnings} + return {VALIDATION_RESULT: result, ERRORS: errors, WARNINGS: warnings} def validate_props(self, dataRecord, model): # set default return values errors = [] - warnings = [] - result = STATUS_PASSED props_def = self.model_store.get_node_props(model, dataRecord.get(NODE_TYPE)) props = dataRecord.get(PROPERTIES) for k, v in props.items(): - prop_def = props.get(k, None) + prop_def = props_def.get(k) if not prop_def: errors.append(f"The property, {k}, is not defined in model!") continue @@ -201,49 +197,97 @@ def validate_props(self, dataRecord, model): if v == None: continue - self.validate_prop_value(v, prop_def) + errs = self.validate_prop_value(v, prop_def) + if len(errs) > 0: + errors.extend(errs) - return {"result": result, ERRORS: errors, WARNINGS: warnings} + return {VALIDATION_RESULT: STATUS_ERROR if len(errors) > 0 else STATUS_PASSED, ERRORS: errors, WARNINGS: []} def validate_relationship(self, dataRecord, model): # set default return values errors = [] warnings = [] result = STATUS_PASSED - return {"result": result, ERRORS: errors, WARNINGS: warnings} + return {VALIDATION_RESULT: result, ERRORS: errors, WARNINGS: warnings} def validate_prop_value(self, value, prop_def): # set default return values errors = [] - warnings = [] - result = STATUS_PASSED - - type = prop_def.get(TYPE, None) + type = prop_def.get(TYPE) if not type or not type in VALID_PROP_TYPE_LIST: errors.append(f"Invalid property type, {type}!") else: + permissive_vals = prop_def.get("permissible_values") + minimum = prop_def.get(MIN) + maximum = prop_def.get(MAX) if type == "string": val = str(value) - if permissive_vals and val not in permissive_vals: - errors.append(f"The value, {val} is not permitted!") + result, error = check_permissive(val, permissive_vals) + if not result: + errors.append(error) elif type == "integer": try: val = int(value) except ValueError as e: - errors.append(f"Can't cast the value, {value}, to integer!") + errors.append(f"The value, {value}, is not an integer!") + + result, error = check_permissive(val, permissive_vals) + if not result: + errors.append(error) + + errs = check_boundary(val, minimum, maximum) + if len(errs) > 0: + errors.extend(errs) + elif type == "number": try: - val = int(value) + val = float(value) except ValueError as e: - errors.append(f"Can't cast the value, {value}, to integer!") - + errors.append(f"The value, {value}, is not a number!") + result, error = check_permissive(val, permissive_vals) + if not result: + errors.append(error) - permissive_vals = prop_def.get("permissible_values", None) - minimum = prop_def.get(MIN, None) - maximum = prop_def.get(MAX, None) + errs = check_boundary(val, minimum, maximum) + if len(errs) > 0: + errors.extend(errs) + elif type == "datetime" or type == "date": + try: + val = datetime.strptime(value, '%m/%d/%y %H:%M:%S') + except ValueError as e: + errors.append(f"The value, {value}, is neither a datetime nor date!") + elif type == "boolean": + try: + val = bool(value) + except ValueError as e: + errors.append(f"The value, {value}, is not a boolean!") + + elif type == "array": + try: + val = list(value) + except ValueError as e: + errors.append(f"The value, {value}, is not a list!") + else: + errors.append(f"Invalid data type, {type}!") + return errors + +"""util functions""" +def check_permissive(value, permissive_vals): + result = True, + error = None + if permissive_vals and len(permissive_vals) and value not in permissive_vals: + result = False + error = f"The value, {value} is not allowed!" + return result, error - return errors,warnings +def check_boundary(value, min, max): + errors = [] + if min and value < min: + errors.append(f"The value is less than minimum, {value} < {min}!") + if max and value > max: + errors.append(f"The value is more than maximum, {value} > {min}!") + return errors From 48e384161dd822fc1fd91d42f26fa10ac6eb0b77 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Tue, 12 Dec 2023 14:25:45 -0500 Subject: [PATCH 4/8] updated config and loader per new requests --- configs/validate-essential-config.example.yml | 12 +++++-- configs/validate-file-config.example.yml | 12 +++++-- configs/validate-metadata-config.example.yml | 12 +++++-- models/CDS_1.3.0_model.json | 2 +- models/ICDC_1.0.0_model.json | 2 +- src/common/constants.py | 2 +- src/config.py | 34 +++++++++++-------- src/data_loader.py | 4 ++- 8 files changed, 56 insertions(+), 24 deletions(-) diff --git a/configs/validate-essential-config.example.yml b/configs/validate-essential-config.example.yml index 1e5a6d7..bd9697b 100644 --- a/configs/validate-essential-config.example.yml +++ b/configs/validate-essential-config.example.yml @@ -2,8 +2,16 @@ Config: # service type value in essential, file and metadata service-type: essential # MongoDB configurations - # connection string - connection-str: mongodb://xxx:xxx@localhost:27017/?authMechanism=DEFAULT + # please note all mongo database settings here are optional since will use env settings + # db server + server: localhost + # db port + port: 27017 + # db user id + user: xxx + # db user password + pwd: *** + # db name db: crdc-datahub #sqs configuration sqs: crdcdh-queue-pgu.fifo diff --git a/configs/validate-file-config.example.yml b/configs/validate-file-config.example.yml index bd36854..9359a8b 100644 --- a/configs/validate-file-config.example.yml +++ b/configs/validate-file-config.example.yml @@ -2,8 +2,16 @@ Config: # service type value in essential, file and metadata service-type: file # MongoDB configurations - # connection string - connection-str: mongodb://xxx:xxx@localhost:27017/?authMechanism=DEFAULT + # please note all mongo database settings here are optional since will use env settings + # db server + server: localhost + # db port + port: 27017 + # db user id + user: xxx + # db user password + pwd: *** + # db name db: crdc-datahub #sqs configuration sqs: crdcdh-queue-pgu.fifo diff --git a/configs/validate-metadata-config.example.yml b/configs/validate-metadata-config.example.yml index 34dea17..cf3bef7 100644 --- a/configs/validate-metadata-config.example.yml +++ b/configs/validate-metadata-config.example.yml @@ -2,8 +2,16 @@ Config: # service type value in essential, file and metadata service-type: metadata # MongoDB configurations - # connection string - connection-str: mongodb://xxx:xxx@localhost:27017/?authMechanism=DEFAULT + # please note all mongo database settings here are optional since will use env settings + # db server + server: localhost + # db port + port: 27017 + # db user id + user: xxx + # db user password + pwd: *** + # db name db: crdc-datahub #sqs configuration sqs: crdcdh-queue-pgu.fifo diff --git a/models/CDS_1.3.0_model.json b/models/CDS_1.3.0_model.json index 31f6aeb..ff58af9 100644 --- a/models/CDS_1.3.0_model.json +++ b/models/CDS_1.3.0_model.json @@ -1 +1 @@ -{"model": {"data_commons": "CDS", "version": "1.3.0", "source_files": ["cds-model.yml", "cds-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": false}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": false}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}, "institution": {"name": "institution", "description": "TBD", "type": "string", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "phs_accession", "properties": {"study_name": {"name": "study_name", "description": "Official name of study", "type": "string", "required": true}, "study_acronym": {"name": "study_acronym", "description": "Short acronym or other study desginator", "type": "string", "required": false}, "study_description": {"name": "study_description", "description": "Human-readable study description", "type": "string", "required": false}, "short_description": {"name": "short_description", "description": "Short description that will identify the dataset on public pages\nA clear and concise formula for the title would be like:\n{methodology} of {organism}: {sample info}\n", "type": "string", "required": false}, "study_external_url": {"name": "study_external_url", "description": "Website or other url relevant to study", "type": "string", "required": false}, "primary_investigator_name": {"name": "primary_investigator_name", "description": "Name of principal investigator", "type": "string", "required": false}, "primary_investigator_email": {"name": "primary_investigator_email", "description": "Email of principal investigator", "type": "string", "required": false}, "co_investigator_name": {"name": "co_investigator_name", "description": "Name of co-principal investigator", "type": "string", "required": false}, "co_investigator_email": {"name": "co_investigator_email", "description": "Email of co-principal investigator", "type": "string", "required": false}, "phs_accession": {"name": "phs_accession", "description": "PHS accession number (a.k.a dbGaP accession)", "type": "string", "required": true}, "bioproject_accession": {"name": "bioproject_accession", "description": "NCBI BioProject accession ID", "type": "string", "required": false}, "index_date": {"name": "index_date", "description": "Index date (Day 0) to which all dates are relative, for this study", "type": "string", "required": false, "permissible_values": ["date_of_diagnosis", "date_of_enrollment", "date_of_collection", "date_of_birth"]}, "cds_requestor": {"name": "cds_requestor", "description": "Identifies the user requesting storage in CDS", "type": "string", "required": false}, "funding_agency": {"name": "funding_agency", "description": "Funding agency of the requestor study", "type": "string", "required": false}, "funding_source_program_name": {"name": "funding_source_program_name", "description": "The funding source organization/sponsor", "type": "string", "required": false}, "grant_id": {"name": "grant_id", "description": "Grant or contract identifier", "type": "string", "required": false}, "clinical_trial_system": {"name": "clinical_trial_system", "description": "Organization that provides clinical trial identifier (if study\nis a clinical trial)\n", "type": "string", "required": false}, "clinical_trial_identifier": {"name": "clinical_trial_identifier", "description": "Study identifier in the given clinical trial system\n", "type": "string", "required": false}, "clinical_trial_arm": {"name": "clinical_trial_arm", "description": "Arm of clinical trial, if appropriate", "type": "string", "required": false}, "organism_species": {"name": "organism_species", "description": "Species binomial of study participants", "type": "string", "required": false}, "adult_or_childhood_study": {"name": "adult_or_childhood_study", "description": "Study participants are adult, pediatric, or other", "type": "string", "required": false, "permissible_values": ["Adult", "Pediatric"]}, "data_types": {"name": "data_types", "description": "Data types for storage", "type": "list", "required": false, "item_type": "string"}, "file_types": {"name": "file_types", "description": "File types for storage", "type": "list", "required": false, "item_type": "string"}, "data_access_level": {"name": "data_access_level", "description": "Is data open, controlled, or mixed?", "type": "string", "required": false, "permissible_values": ["open", "controlled", "mixed"]}, "cds_primary_bucket": {"name": "cds_primary_bucket", "description": "The primary bucket for depositing data", "type": "string", "required": false}, "cds_secondary_bucket": {"name": "cds_secondary_bucket", "description": "Secondary bucket for depositing data (non-sequence files)", "type": "string", "required": false}, "cds_tertiary_bucket": {"name": "cds_tertiary_bucket", "description": "Secondary bucket for depositing data (non-sequence files)", "type": "string", "required": false}, "number_of_participants": {"name": "number_of_participants", "description": "How many participants in the study", "type": "number", "required": true}, "number_of_samples": {"name": "number_of_samples", "description": "How many total samples in the study", "type": "number", "required": true}, "study_data_types": {"name": "study_data_types", "description": "Types of scientific data in the study", "type": "string", "required": true, "permissible_values": ["Genomic", "Proteomic", "Imaging"]}, "file_types_and_format": {"name": "file_types_and_format", "description": "Specific kinds of files in the dataset that will be uploaded to CDS\n", "type": "list", "required": true, "item_type": "string"}, "size_of_data_being_uploaded": {"name": "size_of_data_being_uploaded", "description": "Size of the data being uploaded to CDS", "type": "number", "required": false, "has_unit": true}, "size_of_data_being_uploaded_unit": {"type": "string", "permissible_values": ["PB", "GB", "TB"], "default_value": "GB"}, "size_of_data_being_uploaded_original": {"name": "size_of_data_being_uploaded", "description": "Size of the data being uploaded to CDS", "type": "number", "required": false, "has_unit": true}, "size_of_data_being_uploaded_original_unit": {"type": "string", "permissible_values": ["PB", "GB", "TB"], "default_value": "GB"}, "acl": {"name": "acl", "description": "open or restricted access to data", "type": "string", "required": false}, "study_access": {"name": "study_access", "description": "Study access", "type": "string", "required": true, "permissible_values": ["Open", "Controlled"]}, "authz": {"name": "authz", "description": "multifactor authorization", "type": "string", "required": false}, "study_version": {"name": "study_version", "description": "The version of the phs accession", "type": "string", "required": true}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "of_program"}}}, "participant": {"name": "participant", "description": "", "id_property": "study_participant_id", "properties": {"study_participant_id": {"name": "study_participant_id", "description": "The property study_participant_id is a compound property, combining the property participant_id and the parent property study.phs_accession.\nIt is the ID property for the node participant. The reason why we are doing that is because is some cases, there are same participant id in different studies repersent different participants.\n", "type": "string", "required": true}, "participant_id": {"name": "participant_id", "description": "A number or a string that may contain metadata information, for a participant\nwho has taken part in the investigation or study.\n", "type": "string", "required": true}, "race": {"name": "race", "description": "OMB Race designator", "type": "string", "required": false, "permissible_values": ["White", "American Indian or Alaska Native", "Black or African American", "Asian", "Native Hawaiian or Other Pacific Islander", "Unknown", "Not Reported", "Not Allowed to Collect"]}, "gender": {"name": "gender", "description": "Biological gender at birth", "type": "string", "required": true, "permissible_values": ["Female", "Male", "Unknown", "Unspecified", "Not Reported"]}, "ethnicity": {"name": "ethnicity", "description": "OMB Ethinicity designator", "type": "string", "required": false, "permissible_values": ["Hispanic or Latino", "Not Hispanic or Latino", "Unknown", "Not Reported", "Not Allowed to Collect"]}, "dbGaP_subject_id": {"name": "dbGaP_subject_id", "description": "Identifier for the participant as assigned by dbGaP", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "study_diagnosis_id", "properties": {"study_diagnosis_id": {"name": "study_diagnosis_id", "description": "The property study_diagnosis_id is a compound property, combining the property diagnosis_id and the parent property participant.study_participant_id.\nIt is the ID property for the node diagnosis.\n", "type": "string", "required": true}, "diagnosis_id": {"name": "diagnosis_id", "description": "Internal identifier", "type": "string", "required": false}, "disease_type": {"name": "disease_type", "description": "Type of disease [?]", "type": "string", "required": false, "permissible_values": ["Acinar Cell Neoplasm", "Basal Cell Neoplasm", "Blood Vessel Neoplasm", "Bone Neoplasm", "Complex Epithelial Neoplasm", "Epithelial Neoplasm", "Fibroepithelial Neoplasm", "Germ Cell Tumor", "Giant Cell Tumor", "Glioma", "Hodgkin Lymphoma", "Leukemia", "Lipomatous Neoplasm", "Lymphatic Vessel Neoplasm", "Lymphoblastic Lymphoma", "Lymphoid Leukemia", "Lymphoma", "Mast Cell Neoplasm", "Mature B-Cell Non-Hodgkin Lymphoma", "Mature T-Cell and NK-Cell Non-Hodgkin Lymphoma", "Meningioma", "Mesothelial Neoplasm", "Myelodysplastic Syndrome", "Myeloid Leukemia", "Myeloproliferative Neoplasm", "Myomatous Neoplasm", "Neoplasm", "Nerve Sheath Neoplasm", "Neuroepithelial Neoplasm", "Not Applicable", "Not Reported", "Odontogenic Neoplasm", "Plasma Cell Neoplasm", "Skin Appendage Neoplasm", "Squamous Cell Neoplasm", "Thymoma", "Trophoblastic Tumor", "Unknown", "Wolffian Tumor"]}, "vital_status": {"name": "vital_status", "description": "Vital status as of last known follow up", "type": "string", "required": false, "permissible_values": ["Alive", "Dead", "Unknown", "Not Reported"]}, "primary_diagnosis": {"name": "primary_diagnosis", "description": "Primary disease diagnosed for this diagnosis and subject", "type": "string", "required": true, "permissible_values": ["4th Ventricular Brain Tumor", "Acinar Cell Carcinoma", "Acute megakaryoblastic leukaemia", "Acute Megakaryoblastic Leukemia", "Acute Monoblastic and Monocytic Leukemia", "Acute monoblastic leukemia", "Acute myeloid leukemia with mutated CEBPA", "Acute myeloid leukemia with t(9;11)(p22;q23); MLLT3-MLL", "Acute myeloid leukemia without maturation", "Acute myeloid leukemia, inv(16)(p13;q22)", "Acute myeloid leukemia, minimal differentiation", "Acute Myeloid Leukemia, NOS", "Acute myeloid leukemia, t(16;16)(p 13;q 11)", "Acute Myelomonocytic Leukemia", "Acute promyelocytic leukaemia, t(15;17)(q22;q11-12)", "Acute Promyelocytic Leukemia", "Adamantinomatous Craniopharyngioma", "Adamantinomatous craniopharyngioma with evidence of prior rupture", "Adamantinomatous craniopharyngioma, WHO grade 1", "Adenocarcinoma", "Adrenal Cortical Carcinoma", "Adrenal cortical neoplasm", "Adrenal Cortical Tumor", "Alveolar Rhabdomyosarcoma", "Alveolar Soft Part Sarcoma", "Anaplastic Ependymoma", "Anaplastic Ganglioglioma", "Anaplastic Large Cell Lymphoma, ALK Positive", "Anaplastic Medulloblastoma", "Anaplastic Rhabdomyosarcoma", "Angiocentric Glioma", "Angiomatoid Fibrous Histiocytoma", "Astrocytic Glioma", "Astrocytic Neoplasm", "Astrocytic neoplasm with pilocytic/pilomyxoid features", "Astrocytoma", "Astrocytoma IDH-mutant, Atrocytoma IDH-mutant", "Astroglial neoplasm", "Atypical Cellular Proliferation with Clear Features", "Atypical Central Neurocytoma", "Atypical Choroid Plexus Papilloma", "Atypical Epithelial Neoplasm", "Atypical Spindle Cell Proliferation", "Atypical Teratoid/Rhabdoid Tumor", "Atypical Teratoid/Rhabdoid Tumor (AT/RT)", "Atypical teratoid/rhabdoid tumor, CNS WHO GRADE 4", "Atypical teratoid/rhabdoid tumor; CNS WHO grade 4", "Aytpical teratoid/rhabdoid tumor (AT/RT), WHO grade 4", "B lymphoblastic leukemia/lymphoma with hyperdiploidy", "B lymphoblastic leukemia/lymphoma with hypodiploidy (Hypodiploid ALL)", "B lymphoblastic leukemia/lymphoma with t(12;21)(p13;q22); TEL-AML1 (ETV6-RUNX1)", "B lymphoblastic leukemia/lymphoma with t(1;19)(q23;p13.3); E2A-PBX1 (TCF3-PBX1)", "B lymphoblastic leukemia/lymphoma with t(9;22)(q34;q11.2); BCR-ABL1", "B lymphoblastic leukemia/lymphoma with t(v;11q23); MLL rearranged", "B Lymphoblastic Leukemia/Lymphoma, NOS", "B-lymphoblastic leukemia/lymphoma, NOS", "Biphasic Synovial Sarcoma", "Brain Mass", "Brain parenchyma with mild hypercellularity, gliosis and possible cortical dysplasia", "Brain Tumor", "Brain tumor with features most suggestive of ependymoma", "Brain, High Grade Lesion", "Carcinoma NOS", "Carcinosarcoma NOS", "Cellular Ependymoma", "Cellular Glial Neoplasm", "Cellular Neoplasm", "Cellular neoplasm; favor high grade", "Central Nervous System Tumor with High Grade Histological Features", "Central Neuroblastoma", "Central Neurocytoma", "Cerebellar Mass", "Cerebellar Tumor", "Cerebellar tumor: High-grade, small blue round cell tumor", "Cerebellopontine Angle Tumor", "Cervical; INI1-Deficient Hematological Malignancy", "Chondroblastic Osteosarcoma", "Chondrosarcoma, NOS", "Chordoma", "Choroid Plexus Carcinoma", "Choroid plexus carcinoma, CNS WHO grade 3", "Choroid Plexus Neoplasm", "Choroid Plexus Papillary Tumor", "Choroid Plexus Papilloma", "Choroid plexus papilloma, WHO grade 1", "Chronic Myelogenous Leukemia, BCR-ABL Positive", "Chronic Myeloid Leukemia, BCR-ABL1-Positive", "Classic Ependymoma, Posterior fossa group A by Immunohistochemistry", "Classic Medulloblastoma", "Clear Cell Meningioma", "Clear Cell Sarcoma", "CNS Embryonal Tumor", "CNS primative neuroectodermal tumor (PNET)", "CNS Primitive Neuroectodermal Tumor (PNET)", "Compound melanocytic neoplasm", "Consistent With Oligodendroglioma, IDH Mutant", "Control", "Craniopharyngioma", "Desmoid fibromatosis with CTNNB1 gene mutation", "Desmoid-type Fibromatosis", "Desmoid/fibromatosis", "Desmoplastic Nodular Medulloblastoma", "Desmoplastic/Nodular Medulloblastoma", "Desmoplastic/nodular medulloblastoma, CNS WHO grade 4", "Diffuse astrocytic glioma with mitotic activity and necrosis", "Diffuse Astrocytoma", "Diffuse Glioma", "Diffuse midline glioma, H3 K27-altered", "Diffuse midline glioma, H3 K27-mutant", "Diffuse midline glioma, H3K27-altered (WHO grade 4)", "Diffuse midline glioma, H3K27M altered, CNS WHO grade 4", "Diffusely infiltrating high grade glioma", "Ductal Carcinoma NOS", "Dysembryoplastic Neuroepithelial Tumor", "Embryonal Neoplasm", "Embryonal neoplasm most consistent with Medulloblastoma", "Embryonal Rhabdomyosarcoma", "Embryonal rhabdomyosarcoma, botryoid type", "Embryonal rhabdomyosarcoma, minimal focal anaplasia", "Embryonal Tumor", "Endometrioid Adenocarcinoma, NOS", "Endometrioid carcinoma", "Epdendymoma, Ependymoma", "Ependymoma NOS", "Ependymoma, WHO GRADE III", "Ependymoma-like lesion", "Epitheliod sarcoma", "Epitheloid neoplasm", "Epitheloid Sarcoma", "Ewing Sarcoma", "Extrarenal Malignant Rhabdoid Tumor", "Familial Adenomatous Polyposis", "Fatty neoplasm with myxoid features, no definitive high grade features, favor lipoblastoma", "Favor Infiltrating High-Grade Glioma", "Fibromatosis", "Fibromatosis Colli", "Follicular Hyperplasia/Metastatic Papillary Thyroid Cancer", "Fragments of Schwannoma, CNS WHO GRADE 1, with some mild degenerative changes", "Frontal tumor, favor infant-type hemispheric glioma", "Fundic gastrointestinal stromal tumor", "Fusion negative embryonal rhabdomyosarcoma", "Ganglioglioma", "Ganglioneuroblastoma", "Ganglioneuroma", "Gastrointestinal stromal tumor (GIST)", "Gastrointestinal stromal tumor (GIST) epithelioid type, high grade", "Germinoma", "Giant Cell Glioblastoma", "Glial Neoplasm", "Glial neoplasm favor optic glioma", "Glial Tumor", "Glial-neuronal neoplasm", "Glioblastoma", "Glioma", "Glioma, histologically consistent with pilocytic astrocytoma, CNS WHO grade 1", "Glioma, most consistent with astrocytoma with worrisome features in clinical context", "Glioneuronal Lesion", "Glioneuronal Neoplasm", "Glioneuronal Tumor", "Granulosa cell tumor", "Hemangioblastoma", "Hemangioblastoma, WHO Grade 1", "Hepatoblastoma", "Hepatocellular Carcinoma, Fibrolamellar", "High grade cellular, malignant neoplasm with necrosis and cellular pleomorphism R/O Medulloblastoma", "High Grade Diffuse Glioma", "High Grade Ependymal Tumor", "High Grade Glioma with H3 K27M and BRAF V600E mutations", "High grade glioma, NOS, WHO CNS histologic grade 4", "High Grade Neoplasm", "High Grade Neuroepithelial Tumor", "High grade neuroepithelial tumor with glial and neuronal differentiation and focal embryonal morphology.", "High grade neuroepithelial tumor, favor medulloblastoma", "High Grade Sarcoma", "High grade spindle cell sarcoma", "High Grade Tumor", "High grade tumor consistent with embryonal tumor", "High-grade Angiosarcoma", "High-grade astrocytic neoplasm", "High-grade Astrocytoma", "High-grade blue cell tumor", "High-grade Central Nervous System Neoplasm Favor Embryonal", "High-grade CNS embryonal tissue", "High-grade CNS Neoplasm", "High-grade Ependymal Neoplasm", "High-grade Ependymal Tumor", "High-grade glioma with DICER1 and other mutations", "High-grade glioma, favor ependymoma, WHO GRADE III", "High-grade infiltrating glioma", "High-grade Malignant Neoplasm", "High-grade malignant neoplasm with mesenchymal phenotype", "High-grade malignant neoplasm, small round blue cell category.", "High-grade neoplasm, favor embryonal tumor", "High-grade neoplasm, favor high-grade glioma", "High-grade neuroepithelial neoplasm", "High-grade neuroepithelial tumor", "High-grade neuroepithelial tumor, consistent with supratentorial ependymoma", "High-grade pleomorphic sarcoma", "High-grade primary CNS neoplasia", "High-grade primitive appearing neoplasm", "High-grade rhabdomyosarcoma with pleomorphic features", "High-grade sarcoma with myogenic differentiation", "High-grade serous carcinoma", "High-grade spindle cell sarcoma compatible with high grade malignant peripheral nerve sheath tumor", "High-grade Synovial Sarcoma", "High-grade tumor", "High-grade undifferentiated sarcoma", "High-grade, primitive neuroepithelial neoplasm", "Histiocytic Malignancy", "Histologically low-grade glioneuronal tumor", "Histologically low-grade neuroepithelial tumor", "Hodgkin Lymphoma, NOS", "Infant Hemispheric Glioma", "Infant-type hemispheric glioma", "Infantile Fibrosarcoma", "Infiltrating duct and lobular carcinoma", "Infiltrating duct and mucinous carcinoma", "Infiltrating duct carcinoma NOS", "Infiltrating Duct Carcinoma, NOS", "Infiltrating Glioma", "Infiltrating high grade neoplasm, favor infiltrating high grade glioma", "Infiltrating Lobular Carcinoma, NOS", "Infiltrating Neoplasm", "Infiltrating neuroepithelial neoplasm", "Inflammatory Myofibroblastic Tumor", "INI-Deficient High-grade Malignant Neoplasm", "Intracerebral schwannoma", "Intraductal Carcinoma NOS", "Intraductal papillary carcinoma", "Intradural tumor with marked atypia c/w malignant lesion, Marked atypia c/w malignant lesion, Marked atypia consistent with malignant lesion", "Intraventricular Tumor", "Invasive lobular carcinoma", "Juvenile Granulosa Cell Tumor", "Juvenile Myelomonocytic Leukemia", "Large Cell Medulloblastoma", "Large cell/anaplastic Medulloblastoma", "Laryngeal Papilloma", "Left Biopsy Chest Lesion", "Left Cp Angle Mass; Schwannoma", "Left Temporal Tumor", "Left Thoracic Tumor", "Lobular Adenocarcinoma", "Lobular And Ductal Carcinoma", "Lobular Carcinoma NOS", "Low Cellularity Glioma", "Low Grade Astrocytoma", "Low Grade Fibromyxoid Sarcoma", "Low Grade Glial Neoplasm", "Low Grade Glial Tumor", "Low Grade Glial-Glioneuronal Tumor", "Low Grade Glioma", "Low grade glioma which morphologically aligns best with pilocytic astrocytoma, CNS WHO Grade 1", "Low grade glioma, cannot rule out additional neuronal component", "Low grade glioma, morphologically aligning best with pilocytic astrocytoma", "Low Grade Glioneuronal Neoplasm", "Low Grade Glioneuronal Tumor", "Low grade mixed glial-neuronal tumor, morphology is consistent with/ aligns with/ favors ganglioglioma", "Low Grade Neuroepithelial Tumor", "Low grade neuroepithelial tumor (preliminary path report)", "Low grade neuroepithelial tumor consistent with polymorphous low grade neuro-epithelial tumor of the young", "Low Grade Neuroglial Tumor", "Low Grade Primary CNS Neoplasm", "Low Grade Spindle Cell Neoplasm", "Low Grade Tumor", "Low-cellularity glioma", "Low-grade astrocytoma", "Low-grade circumscribed glial/glioneuronal tumor", "Low-grade fibromyxoid sarcoma", "Low-grade Glial Neoplasm", "Low-grade glial neoplasm, favor pilomyxoid/pilocytic actrocytoma", "Low-grade glial neoplasm, with features most consistent with a pilocytic astrocytoma.", "Low-grade glial-glioneuronal tumor", "Low-grade glial/glioneuronal neoplasm", "Low-grade Glial/Glioneuronal tumor", "Low-grade glial/glioneuronal tumor with adjacent cortical dysplastic changes.", "Low-grade Glioma", "Low-grade glioma, favored to represent a pilocytic astrocytoma", "Low-grade Glioneuronal Neoplasm", "Low-grade glioneuronal tumor", "Low-grade glioneuronal tumor, favor Dysembryoplastic neuroepithelial tumor", "Low-grade spindle cell neoplasm", "Low-grade tumor", "Lymphoma, NOS", "Malignant embryonal tumor, favor medulloblastoma", "Malignant epithelioid neoplasm, Malignant epithelioid neoplasm with EWSR1::KLF5 fusion", "Malignant glioma", "Malignant Melanoma NOS", "Malignant melanoma, spitzoid type", "Malignant myoepithelial of pediatric type", "Malignant Neoplasm", "Malignant neoplasm most consistent with embryonal tumor", "Malignant neoplasm of prostate", "Malignant neuroepithelial tumor", "Malignant Pecoma", "Malignant peripheral nerve sheath tumor", "Malignant primary brain tumor", "Malignant Rhabdoid Tumor", "Malignant small blue cell neoplasm, consistent with rhabdomyosarcoma", "Malignant small round blue cell neoplasm, favor rhabdomyosarcoma", "Malignant small round blue cell tumor, most consistent with desmoplastic small round cell tumor", "Malignant Tumor", "Mast Cell Leukemia", "Medullary Carcinoma", "Medulloblastoma", "Medulloblastoma (CNS WHO grade 4)", "Medulloblastoma, anaplastic histology, WHO grade 4", "Medulloblastoma, anaplastic/large cell histology, Non-WNT NON-SHH (By IHC), WHO grade 4", "Medulloblastoma, classic", "Medulloblastoma, classic histologic type, non-WNT/non-SHH molecular group, CNS WHO grade 4", "Medulloblastoma, classical histology", "Medulloblastoma, CNS WHO Grade 4", "Medulloblastoma, desmoplastic/nodular histology, SHH-activated (WHO grade 4)", "Medulloblastoma, favored", "Medulloblastoma, non-WNT, non-SHH", "Medulloblastoma, SHH-activated and TP53-wild type", "Medulloblastoma, SHH-activated and TP53-wildtype, Medulloblastoma with extensive nodularity (MBEN)", "Medulloblastoma, WHO Grade 4", "Medulloblastoma, WHO Grade IV", "Melanoma", "Meningioma", "Merkel Cell Tumor", "Mesenchymal Chondrosarcoma", "Mesenchymal Neoplasm", "Metastatic Alveolar Rhabdomyosarcoma", "Metastatic Carcinoma", "Metastatic Embryonal Rhabdomyosarcoma", "Metastatic embryonal rhabdomyosarcoma in three nodules", "Metastatic nasopharyngeal carcinoma, nonkeratinizing squamous cell carcinoma subtype", "Metastatic Papillary Thyroid Carcinoma", "Metastatic Polyphenotypic Malignant Neoplasm", "Metastatic Rhabdomyosarcoma", "Mixed Germ Cell Tumor", "Mixed germ cell w/ matrue teratoma", "Mixed malignant germ cell tumor with components of embryonal carcinoma, choriocarcinoma, and mature teratoma", "Mixed malignant germ cell tumor with yolk sac tumor", "Mixed-Phenotype Acute Leukemia, B/Myeloid, Not Otherwise Specified", "Mixed-Phenotype Acute Leukemia, T/Myeloid, Not Otherwise Specified", "Monophasic Synovial Sarcoma, Intermediate-Grade (FNCLCC Grade 2 Of 3)", "Most consistent with atypical teratoid/rhabdoid tumor, most consistent with atypical teratoid/rhabdoid tumor", "Mucinous Carcinoma", "Mucoepidermoid carcinoma", "Myelodysplastic Syndrome With Multilineage Dysplasia", "Myelodysplastic Syndrome With Single Lineage Dysplasia", "Myeloid leukemia associated with Down Syndrome", "Myofibroblastic proliferation suggestive of inflammatory myofibroblastic tumor", "Myofibroma", "Myxoid Glioneuronal Tumor", "Myxoid Liposarcoma", "Myxoid Neoplasm", "Myxopapillary Ependymoma", "Myxopapillary ependymoma, CNS WHO grade 2", "Nasopharyngeal Carcinoma Metastatic", "Nasopharyngeal carcinoma, non-keratinizing squamous cell carcinoma type", "Neoplasm", "Nephroblastoma (Wilms Tumor)", "Neuroblastoma", "Neurocytoma", "Neuroectodermal Tumor", "Neuroectodermal tumor, NTRK1 altered, with low-grade morphologic features", "Neuroendocrine Tumor", "Neuroepithelial Neoplasm", "Neuroepithelial neoplasm, Glioma", "Neuroepithelial Tumor", "Neurofibromatosis; Moderately cellular neoplasm", "Non-WNT/non-SHH medulloblastoma", "Not Reported", "Optic Pathway Glioma", "Osteosarcoma, NOS", "Ovarian Sclerosing Stromal Tumor", "Pancreatobiliary-Type Carcinoma", "Papillary Carcinoma", "Papillary carcinoma of thyroid", "Papillary Neoplasm, Favor Choroid Plexus Tumor", "Papillary Thyroid Carcinoma", "Papillary thyroid carcinoma, classic", "Papillary Tumor of The Pineal Region", "Paraganglioma", "Paratesticular Rhabdomyosarcoma", "Paratesticular rhabdomyosarcoma, favor embryonal", "Paratesticular Spindle Cell/Sclerosing Rhabdomyosarcoma", "Pediatric neuroepithelial tumor with ROS1 fusion", "Pediatric type diffuse low grad astrocytoma, consistent with methylation array finding suggestive of MYB/MYBL1-altered (CNS WHO grade 1)", "PFA Ependymoma", "Pheochromocytoma", "Pilocytic Astrocytoma", "Pilocytic astrocytoma (WHO Grade 1)", "Pilocytic astrocytoma, CNS WHO grade 1", "Pilocytic astrocytoma, CNS WHO GRADE 1, Pilocytic astrocytoma, CNS WHO grade 1", "Pilocytic Astrocytoma, CNS WHO Grade I", "Pilocytic astrocytoma, KIAA1549::BRAF fusion-positive (WHO grade 1)", "Pilocytic astrocytoma, WHO Grade 1", "Pilocytic astrocytoma, WHO grade I", "Piloid Glial Proliferation", "Pilomyxoid Astrocytoma", "Pineal Parenchymal Tumor", "Pineoblastoma", "Pineoblastoma, WHO grade 4", "Pituitary Adenoma", "Pituitary Tumor", "Pleomorphic Sarcoma", "Pleomorphic Xanthoastrocytoma", "Pleuropulmonary Blastoma", "Plexifrom Fibrohistiocytic Tumor", "Polymorphous Low Grade Neuroepithelial Tumor", "Poorly Differentiated Malignant Neoplasm with Sarcomatoid Features", "Poorly Differentiated Pulmonary Adenocarcinoma", "Poorly Differentiated Ring Cell Adenocarcinoma", "Poorly Differentiated Sarcoma", "Poorly Differentiated Sertoli-Leydig Cell Tumor", "Positive for lesional tissue, favor low-grade glioma, additional studies pending.", "Possible Synovial Sarcoma", "Posterior Fossa Ependymoma", "Posterior fossa ependymoma, group A", "Posterior fossa ependymoma, group A (CNS group grade III)", "Posterior fossa ependymoma, group B", "Posterior fossa ependymoma, WHO grade 2, with retained H3 K27 tri-methylation", "Posterior fossa group A (PFA) Ependymoma (WHO GRADE 3)", "Posterior fossa group A ependymoma", "Posterior Fossa Tumor", "Posterior Fossa, Forth Ventricular Tumor, Posterior Fossa, Fourth Ventricular Tumor", "Precursor B-Cell Acute Lymphoblastic Leukemia with Hyperdiploidy", "Primary central nervous system neoplasm consistent with high grade glioma", "Primary mediastinal (thymic) large B-cell lymphoma", "Primitive malignant neoplasm with mesenchymal features", "Primitive Neuroectoderma Tumor", "Primitive Sarcoma", "Primitive/embryonal tumor with high-grade features; compatible with medulloblastoma", "Psammomatous Meningioma", "Pure Germinoma", "PXA Vs Ganglioglioma", "Renal Cell Adenocarcinoma", "Renal cell carcinoma, NOS", "Renal medullary carcinoma", "Residual CIC-Rearranged Sarcoma", "Residual Dermatofibrosarcoma Protuberans", "Residual High Grade Astrocytoma With Piloid Features", "Residual High-Grade Sarcoma", "Residual Malignant Melanoma", "Residual Papillary Tumor of Pineal Region", "Residual Pineoblastoma", "Residual/Recurrent Extraventricular Neurocytoma", "Retinoblastoma", "Retinoblastoma, moderately differentiated", "Rhabdoid Tumor, Malignant", "Rhabdomyoma NOS", "Rhabdomyosarcoma", "Rhabdomyosarcoma strongly suspected", "Rhabdomyosarcoma, favor embryonal subtype pending molecular studies", "Right Thigh Mass", "Round Blue Cell Tumor", "Round Cell Sarcoma", "Round To Spindle Cell Sarcoma", "Sarcoma", "Schwannoma", "Sclerosing Stromal Tumor", "Seroli-leydig cell tumor", "Serous Adenocarcinoma, NOS", "Serous Cystadenocarcinoma NOS", "Serous Surface Papillary Carcinoma", "Sertoli Leydig Cell Tumor", "Sertoli-Leydig cell tumor, moderately differentiated", "Sertoli-Leydig cell tumor, poorly differentiated", "Sertolig Leydig Cell Tumor", "Signet Ring Cell Carcinoma", "Small Blue Cell Tumor", "Small Cell Neuroendocrine Carcinoma", "Small Round Blue Cell Sarcoma", "Small Round Blue Cell Tumor", "Small round blue cell tumor consistent with rhabdomyosarcoma", "Small round blue cell tumor: rhabdomyosarcoma", "SMARCB1-deficient undifferentiated round cell sarcoma", "Spinal Ependymoma Myxopapillary", "Spinal Tumor", "Spindle Cell Lesion", "Spindle Cell Neoplasm", "Spindle Cell Rhabdomyosarcoma", "Spindle Cell Sarcoma", "Squamous Cell Carcinoma NOS", "Subependymal Giant Cell Astrocytoma", "Supertentorial Ependymoma", "Suprasellar Mass", "Supratentorial Choroid Plexus Papilloma", "Supratentorial Ependymoma", "Supratentorial ependymoma, WHO Grade 2", "Synovial Sarcoma", "T Lymphoblastic Leukemia/Lymphoma", "T-lymphoblastic Leukemia", "T-lymphoblastic Lymphoma", "Testicular mass", "Thalamic Brain Tumor", "Therapy Related Myeloid Neoplasm", "Therapy-related myeloid neoplasms", "Unclassified pleomorphic sarcoma", "Undifferential Small Round Blue Cell Tumor", "Undifferentiated leukaemia", "Undifferentiated Leukemia", "Undifferentiated Malignant Neoplasm with Rhabdoid Morphology And INI1 Loss", "Undifferentiated Round Cell Sarcoma", "Undifferentiated sarcoma", "Undifferentiated small round cell sarcoma", "Undifferentiated, high-grade neoplasm/sarcoma", "Unknown", "Well Differentiated Embryonal Rhabdomyosarcoma", "Well Differentiated Neuroendocrine Tumor", "Well To Moderately Differentiated Colonic Adenocarcinoma", "Yolk Sac Tumor"]}, "primary_site": {"name": "primary_site", "description": "Anatomical site of disease in primary diagnosis for this diagnosis", "type": "string", "required": false, "permissible_values": ["Adrenal Gland", "Base of the Tongue", "Bladder", "Brain", "Breast", "Cervix Uteri", "Colon", "Corpus Uteri", "Esophagus", "Floor of Mouth", "Gallbladder", "Gingiva", "Hypopharynx", "Kidney", "Larynx", "Limb Skeletal System", "Lip", "Lung/Bronchus", "Lymph Node", "Meninges", "Nasopharynx", "Not Reported", "Oropharynx", "Other and Ill Defined Digestive Organs ICD-O-3", "Other and Ill-Defined Sites ICD-O-3", "Other and Ill-Defined Sites in Lip, Oral Cavity and Pharynx ICD-O-3", "Other and Ill-Defined Sites within Respiratory System and Intrathoracic Organs ICD-O-3", "Other and Unspecified Female Genital Organs ICD-O-3", "Other and Unspecified Major Salivary Glands ICD-O-3", "Other and Unspecified Male Genital Organs ICD-O-3", "Other and Unspecified Parts of Biliary Tract ICD-O-3", "Other and Unspecified Parts of Mouth ICD-O-3", "Other and Unspecified Parts of Tongue ICD-O-3", "Other and Unspecified Urinary Organs ICD-O-3", "Other Endocrine Glands and Related Structures ICD-O-3", "Ovary", "Palate", "Pancreas", "Paranasal Sinus", "Parotid Gland", "Penis", "Peritoneum and Retroperitoneum", "Placenta", "Prostate Gland", "Pyriform Sinus", "Rectosigmoid Region", "Rectum", "Renal Pelvis", "Skin", "Small Intestine", "Stomach", "Testis", "Thymus Gland", "Thyroid Gland", "Tonsil", "Trachea", "Unknown", "Ureter", "Uterus", "Vagina", "Vulva"]}, "age_at_diagnosis": {"name": "age_at_diagnosis", "description": "Participant age at relevant diagnosis", "type": "integer", "required": false}, "tumor_grade": {"name": "tumor_grade", "description": "Numeric value to express the degree of abnormality of cancer cells, a measure of differentiation and aggressiveness.", "type": "string", "required": false, "permissible_values": ["G1", "G2", "G3", "G4", "GX", "GB", "High Grade", "Intermediate Grade", "Low Grade", "Unknown", "Not Reported"]}, "tumor_stage_clinical_m": {"name": "tumor_stage_clinical_m", "description": "Extent of the distant metastasis for the cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["M0", "M1", "M1a", "M1b", "M1c", "MX", "cM0 (i+)", "Unknown", "Not Reported"]}, "tumor_stage_clinical_n": {"name": "tumor_stage_clinical_n", "description": "Extent of the regional lymph node involvement for the cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["N0", "N0 (i+)", "N0 (i-)", "N0 (mol+)", "N0 (mol-)", "N1", "N1a", "N1b", "N1bI", "N1bII", "N1bIII", "N1bIV", "N1c", "N1mi", "N2", "N2a", "N2b", "N2c", "N3", "N3a", "N3b", "N3c", "N4", "NX", "Unknown", "Not Reported"]}, "tumor_stage_clinical_t": {"name": "tumor_stage_clinical_t", "description": "Extent of the primary cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["T0", "T1", "T1a", "T1a1", "T1a2", "T1b", "T1b1", "T1b2", "T1c", "T1mi", "T2", "T2a", "T2a1", "T2a2", "T2b", "T2c", "T2d", "T3", "T3a", "T3b", "T3c", "T3d", "T4", "T4a", "T4b", "T4c", "T4d", "T4e", "TX", "Ta", "Tis", "Tis (DCIS)", "Tis (LCIS)", "Tis (Paget's)", "Unknown", "Not Reported"]}, "morphology": {"name": "morphology", "description": "ICD-O-3 Morphology term associated with this diagnosis", "type": "string", "required": false, "permissible_values": ["8000/0", "8000/1", "8000/3", "8000/6", "8000/9", "8001/0", "8001/1", "8001/3", "8002/3", "8003/3", "8004/3", "8005/0", "8005/3", "8010/0", "8010/2", "8010/3", "8010/6", "8010/9", "8011/0", "8011/3", "8012/3", "8013/3", "8014/3", "8015/3", "8020/3", "8020/6", "8021/3", "8022/3", "8023/3", "8030/3", "8031/3", "8032/3", "8033/3", "8034/3", "8035/3", "8040/0", "8040/1", "8040/3", "8041/3", "8041/34", "8041/6", "8042/3", "8043/3", "8044/3", "8045/3", "8046/3", "8046/6", "8050/0", "8050/2", "8050/3", "8051/0", "8051/3", "8052/0", "8052/2", "8052/3", "8053/0", "8060/0", "8070/2", "8070/3", "8070/33", "8070/6", "8071/2", "8071/3", "8072/3", "8073/3", "8074/3", "8075/3", "8076/2", "8076/3", "8077/0", "8077/2", "8078/3", "8080/2", "8081/2", "8082/3", "8083/3", "8084/3", "8085/3", "8086/3", "8090/1", "8090/3", "8091/3", "8092/3", "8093/3", "8094/3", "8095/3", "8096/0", "8097/3", "8098/3", "8100/0", "8101/0", "8102/0", "8102/3", "8103/0", "8110/0", "8110/3", "8120/0", "8120/1", "8120/2", "8120/3", "8121/0", "8121/1", "8121/3", "8122/3", "8123/3", "8124/3", "8130/1", "8130/2", "8130/3", "8131/3", "8140/0", "8140/1", "8140/2", "8140/3", "8140/33", "8140/6", "8141/3", "8142/3", "8143/3", "8144/3", "8145/3", "8146/0", "8147/0", "8147/3", "8148/0", "8148/2", "8149/0", "8150/0", "8150/1", "8150/3", "8151/0", "8151/3", "8152/1", "8152/3", "8153/1", "8153/3", "8154/3", "8155/1", "8155/3", "8156/1", "8156/3", "8158/1", "8160/0", "8160/3", "8161/0", "8161/3", "8162/3", "8163/0", "8163/2", "8163/3", "8170/0", "8170/3", "8171/3", "8172/3", "8173/3", "8174/3", "8175/3", "8180/3", "8190/0", "8190/3", "8191/0", "8200/0", "8200/3", "8201/2", "8201/3", "8202/0", "8204/0", "8210/0", "8210/2", "8210/3", "8211/0", "8211/3", "8212/0", "8213/0", "8213/3", "8214/3", "8215/3", "8220/0", "8220/3", "8221/0", "8221/3", "8230/2", "8230/3", "8231/3", "8240/1", "8240/3", "8240/6", "8241/3", "8242/1", "8242/3", "8243/3", "8244/3", "8245/1", "8245/3", "8246/3", "8246/6", "8247/3", "8248/1", "8249/3", "8249/6", "8250/1", "8250/2", "8250/3", "8251/0", "8251/3", "8252/3", "8253/3", "8254/3", "8255/3", "8256/3", "8257/3", "8260/0", "8260/3", "8261/0", "8261/2", "8261/3", "8262/3", "8263/0", "8263/2", "8263/3", "8264/0", "8265/3", "8270/0", "8270/3", "8271/0", "8272/0", "8272/3", "8280/0", "8280/3", "8281/0", "8281/3", "8290/0", "8290/3", "8300/0", "8300/3", "8310/0", "8310/3", "8310/6", "8311/1", "8311/3", "8311/6", "8312/3", "8313/0", "8313/1", "8313/3", "8314/3", "8315/3", "8316/3", "8317/3", "8318/3", "8319/3", "8320/3", "8321/0", "8322/0", "8322/3", "8323/0", "8323/3", "8324/0", "8325/0", "8330/0", "8330/1", "8330/3", "8331/3", "8332/3", "8333/0", "8333/3", "8334/0", "8335/3", "8336/0", "8337/3", "8339/3", "8340/3", "8341/3", "8342/3", "8343/2", "8343/3", "8344/3", "8345/3", "8346/3", "8347/3", "8350/3", "8360/1", "8361/0", "8370/0", "8370/1", "8370/3", "8371/0", "8372/0", "8373/0", "8374/0", "8375/0", "8380/0", "8380/1", "8380/2", "8380/3", "8380/6", "8381/0", "8381/1", "8381/3", "8382/3", "8383/3", "8384/3", "8390/0", "8390/3", "8391/0", "8392/0", "8400/0", "8400/1", "8400/3", "8401/0", "8401/3", "8402/0", "8402/3", "8403/0", "8403/3", "8404/0", "8405/0", "8406/0", "8407/0", "8407/3", "8408/0", "8408/1", "8408/3", "8409/0", "8409/3", "8410/0", "8410/3", "8413/3", "8420/0", "8420/3", "8430/1", "8430/3", "8440/0", "8440/3", "8441/0", "8441/2", "8441/3", "8441/6", "8442/1", "8443/0", "8444/1", "8450/0", "8450/3", "8451/1", "8452/1", "8452/3", "8453/0", "8453/2", "8453/3", "8454/0", "8460/0", "8460/2", "8460/3", "8461/0", "8461/3", "8461/6", "8462/1", "8463/1", "8470/0", "8470/2", "8470/3", "8471/0", "8471/1", "8471/3", "8472/1", "8473/1", "8474/1", "8474/3", "8480/0", "8480/1", "8480/3", "8480/6", "8481/3", "8482/3", "8482/6", "8490/3", "8490/6", "8500/2", "8500/3", "8500/6", "8501/2", "8501/3", "8502/3", "8503/0", "8503/2", "8503/3", "8504/0", "8504/2", "8504/3", "8505/0", "8506/0", "8507/2", "8507/3", "8508/3", "8509/2", "8509/3", "8510/3", "8512/3", "8513/3", "8514/3", "8519/2", "8520/2", "8520/3", "8521/1", "8521/3", "8522/1", "8522/2", "8522/3", "8522/6", "8523/3", "8524/3", "8525/3", "8530/3", "8540/3", "8541/3", "8542/3", "8543/3", "8550/0", "8550/1", "8550/3", "8551/3", "8552/3", "8560/0", "8560/3", "8561/0", "8562/3", "8570/3", "8571/3", "8572/3", "8573/3", "8574/3", "8575/3", "8576/3", "8580/0", "8580/1", "8580/3", "8581/1", "8581/3", "8582/1", "8582/3", "8583/1", "8583/3", "8584/1", "8584/3", "8585/1", "8585/3", "8586/3", "8587/0", "8588/3", "8589/3", "8590/1", "8591/1", "8592/1", "8593/1", "8594/1", "8600/0", "8600/3", "8601/0", "8602/0", "8610/0", "8620/1", "8620/3", "8621/1", "8622/1", "8623/1", "8630/0", "8630/1", "8630/3", "8631/0", "8631/1", "8631/3", "8632/1", "8633/1", "8634/1", "8634/3", "8640/1", "8640/3", "8641/0", "8642/1", "8650/0", "8650/1", "8650/3", "8660/0", "8670/0", "8670/3", "8671/0", "8680/0", "8680/1", "8680/3", "8681/1", "8682/1", "8683/0", "8690/1", "8691/1", "8692/1", "8693/1", "8693/3", "8700/0", "8700/3", "8710/3", "8711/0", "8711/3", "8712/0", "8713/0", "8714/3", "8720/0", "8720/2", "8720/3", "8720/6", "8721/3", "8722/0", "8722/3", "8723/0", "8723/3", "8725/0", "8726/0", "8727/0", "8728/0", "8728/1", "8728/3", "8730/0", "8730/3", "8740/0", "8740/3", "8741/2", "8741/3", "8742/2", "8742/3", "8743/3", "8744/3", "8745/3", "8746/3", "8750/0", "8760/0", "8761/0", "8761/1", "8761/3", "8762/1", "8770/0", "8770/3", "8771/0", "8771/3", "8772/0", "8772/3", "8773/3", "8774/3", "8780/0", "8780/3", "8790/0", "8800/0", "8800/3", "8800/6", "8800/9", "8801/3", "8801/6", "8802/3", "8803/3", "8804/3", "8804/6", "8805/3", "8806/3", "8806/6", "8810/0", "8810/1", "8810/3", "8811/0", "8811/1", "8811/3", "8812/0", "8812/3", "8813/0", "8813/3", "8814/3", "8815/0", "8815/1", "8815/3", "8820/0", "8821/1", "8822/1", "8823/0", "8824/0", "8824/1", "8825/0", "8825/1", "8825/3", "8826/0", "8827/1", "8830/0", "8830/1", "8830/3", "8831/0", "8832/0", "8832/3", "8833/3", "8834/1", "8835/1", "8836/1", "8840/0", "8840/3", "8841/1", "8842/0", "8842/3", "8850/0", "8850/1", "8850/3", "8851/0", "8851/3", "8852/0", "8852/3", "8853/3", "8854/0", "8854/3", "8855/3", "8856/0", "8857/0", "8857/3", "8858/3", "8860/0", "8861/0", "8862/0", "8870/0", "8880/0", "8881/0", "8890/0", "8890/1", "8890/3", "8891/0", "8891/3", "8892/0", "8893/0", "8894/0", "8894/3", "8895/0", "8895/3", "8896/3", "8897/1", "8898/1", "8900/0", "8900/3", "8901/3", "8902/3", "8903/0", "8904/0", "8905/0", "8910/3", "8912/3", "8920/3", "8920/6", "8921/3", "8930/0", "8930/3", "8931/3", "8932/0", "8933/3", "8934/3", "8935/0", "8935/1", "8935/3", "8936/0", "8936/1", "8936/3", "8940/0", "8940/3", "8941/3", "8950/3", "8950/6", "8951/3", "8959/0", "8959/1", "8959/3", "8960/1", "8960/3", "8963/3", "8964/3", "8965/0", "8966/0", "8967/0", "8970/3", "8971/3", "8972/3", "8973/3", "8974/1", "8975/1", "8980/3", "8981/3", "8982/0", "8982/3", "8983/0", "8983/3", "8990/0", "8990/1", "8990/3", "8991/3", "9000/0", "9000/1", "9000/3", "9010/0", "9011/0", "9012/0", "9013/0", "9014/0", "9014/1", "9014/3", "9015/0", "9015/1", "9015/3", "9016/0", "9020/0", "9020/1", "9020/3", "9030/0", "9040/0", "9040/3", "9041/3", "9042/3", "9043/3", "9044/3", "9045/3", "9050/0", "9050/3", "9051/0", "9051/3", "9052/0", "9052/3", "9053/3", "9054/0", "9055/0", "9055/1", "9060/3", "9061/3", "9062/3", "9063/3", "9064/2", "9064/3", "9065/3", "9070/3", "9071/3", "9072/3", "9073/1", "9080/0", "9080/1", "9080/3", "9081/3", "9082/3", "9083/3", "9084/0", "9084/3", "9085/3", "9086/3", "9090/0", "9090/3", "9091/1", "9100/0", "9100/1", "9100/3", "9101/3", "9102/3", "9103/0", "9104/1", "9105/3", "9110/0", "9110/1", "9110/3", "9120/0", "9120/3", "9121/0", "9122/0", "9123/0", "9124/3", "9125/0", "9130/0", "9130/1", "9130/3", "9131/0", "9132/0", "9133/1", "9133/3", "9135/1", "9136/1", "9137/3", "9140/3", "9141/0", "9142/0", "9150/0", "9150/1", "9150/3", "9160/0", "9161/0", "9161/1", "9170/0", "9170/3", "9171/0", "9172/0", "9173/0", "9174/0", "9174/1", "9175/0", "9180/0", "9180/3", "9180/6", "9181/3", "9182/3", "9183/3", "9184/3", "9185/3", "9186/3", "9187/3", "9191/0", "9192/3", "9193/3", "9194/3", "9195/3", "9200/0", "9200/1", "9210/0", "9210/1", "9220/0", "9220/1", "9220/3", "9221/0", "9221/3", "9230/0", "9230/3", "9231/3", "9240/3", "9241/0", "9242/3", "9243/3", "9250/1", "9250/3", "9251/1", "9251/3", "9252/0", "9252/3", "9260/3", "9261/3", "9262/0", "9270/0", "9270/1", "9270/3", "9271/0", "9272/0", "9273/0", "9274/0", "9275/0", "9280/0", "9281/0", "9282/0", "9290/0", "9290/3", "9300/0", "9301/0", "9302/0", "9302/3", "9310/0", "9310/3", "9311/0", "9312/0", "9320/0", "9321/0", "9322/0", "9330/0", "9330/3", "9340/0", "9341/1", "9341/3", "9342/3", "9350/1", "9351/1", "9352/1", "9360/1", "9361/1", "9362/3", "9363/0", "9364/3", "9365/3", "9370/3", "9371/3", "9372/3", "9373/0", "9380/3", "9381/3", "9382/3", "9383/1", "9384/1", "9385/3", "9390/0", "9390/1", "9390/3", "9391/3", "9392/3", "9393/3", "9394/1", "9395/3", "9396/3", "9400/3", "9401/3", "9410/3", "9411/3", "9412/1", "9413/0", "9420/3", "9421/1", "9423/3", "9424/3", "9425/3", "9430/3", "9431/1", "9432/1", "9440/3", "9440/6", "9441/3", "9442/1", "9442/3", "9444/1", "9445/3", "9450/3", "9451/3", "9460/3", "9470/3", "9471/3", "9472/3", "9473/3", "9474/3", "9475/3", "9476/3", "9477/3", "9478/3", "9480/3", "9490/0", "9490/3", "9491/0", "9492/0", "9493/0", "9500/3", "9501/0", "9501/3", "9502/0", "9502/3", "9503/3", "9504/3", "9505/1", "9505/3", "9506/1", "9507/0", "9508/3", "9509/1", "9510/0", "9510/3", "9511/3", "9512/3", "9513/3", "9514/1", "9520/3", "9521/3", "9522/3", "9523/3", "9530/0", "9530/1", "9530/3", "9531/0", "9532/0", "9533/0", "9534/0", "9535/0", "9537/0", "9538/1", "9538/3", "9539/1", "9539/3", "9540/0", "9540/1", "9540/3", "9541/0", "9542/3", "9550/0", "9560/0", "9560/1", "9560/3", "9561/3", "9562/0", "9570/0", "9571/0", "9571/3", "9580/0", "9580/3", "9581/3", "9582/0", "9590/3", "9591/3", "9596/3", "9597/3", "9650/3", "9651/3", "9652/3", "9653/3", "9654/3", "9655/3", "9659/3", "9661/3", "9662/3", "9663/3", "9664/3", "9665/3", "9667/3", "9670/3", "9671/3", "9673/3", "9675/3", "9678/3", "9679/3", "9680/3", "9684/3", "9687/3", "9688/3", "9689/3", "9690/3", "9691/3", "9695/3", "9698/3", "9699/3", "9700/3", "9701/3", "9702/3", "9705/3", "9708/3", "9709/3", "9712/3", "9714/3", "9716/3", "9717/3", "9718/3", "9719/3", "9724/3", "9725/3", "9726/3", "9727/3", "9728/3", "9729/3", "9731/3", "9732/3", "9733/3", "9734/3", "9735/3", "9737/3", "9738/3", "9740/1", "9740/3", "9741/1", "9741/3", "9742/3", "9750/3", "9751/1", "9751/3", "9752/1", "9753/1", "9754/3", "9755/3", "9756/3", "9757/3", "9758/3", "9759/3", "9760/3", "9761/3", "9762/3", "9764/3", "9765/1", "9766/1", "9767/1", "9768/1", "9769/1", "9800/3", "9801/3", "9805/3", "9806/3", "9807/3", "9808/3", "9809/3", "9811/3", "9812/3", "9813/3", "9814/3", "9815/3", "9816/3", "9817/3", "9818/3", "9820/3", "9823/3", "9826/3", "9827/3", "9831/3", "9832/3", "9833/3", "9834/3", "9835/3", "9836/3", "9837/3", "9840/3", "9860/3", "9861/3", "9863/3", "9865/3", "9866/3", "9867/3", "9869/3", "9870/3", "9871/3", "9872/3", "9873/3", "9874/3", "9875/3", "9876/3", "9891/3", "9895/3", "9896/3", "9897/3", "9898/1", "9898/3", "9910/3", "9911/3", "9920/3", "9930/3", "9931/3", "9940/3", "9945/3", "9946/3", "9948/3", "9950/3", "9960/3", "9961/3", "9962/3", "9963/3", "9964/3", "9965/3", "9966/3", "9967/3", "9970/1", "9971/1", "9971/3", "9975/3", "9980/3", "9982/3", "9983/3", "9984/3", "9985/3", "9986/3", "9987/3", "9989/3", "9991/3", "9992/3", "Unknown", "Not Reported"]}, "incidence_type": {"name": "incidence_type", "description": "For this diagnosis, disease incidence relative to prior status of subject", "type": "string", "required": false, "permissible_values": ["primary", "progression", "recurrence", "metastasis", "remission", "no_disease"]}, "progression_or_recurrence": {"name": "progression_or_recurrence", "description": "Yes/No/Unknown indicator to identify whether a patient has had a new tumor event after initial treatment.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown", "Not Reported", "Not Allowed To Collect"]}, "days_to_recurrence": {"name": "days_to_recurrence", "description": "Days to disease recurrence, relative to study index date", "type": "integer", "required": false}, "days_to_last_followup": {"name": "days_to_last_followup", "description": "Days to last participant followup, relative to study index date", "type": "integer", "required": false}, "last_known_disease_status": {"name": "last_known_disease_status", "description": "Last known disease incidence for this subject and diagnosis", "type": "string", "required": false, "permissible_values": ["Primary", "Progression", "Recurrence", "Metastasis", "Remission", "No_disease", "Distant met recurrence/progression", "Loco-regional recurrence/progression", "Biochemical evidence of disease without structural correlate", "Tumor free"]}, "days_to_last_known_status": {"name": "days_to_last_known_status", "description": "Days to last known status of participant, relative to study index date", "type": "integer", "required": false}}, "relationships": {"participant": {"dest_node": "participant", "type": "many_to_one", "label": "of_participant"}}}, "treatment": {"name": "treatment", "description": "", "id_property": "treatment_id", "properties": {"treatment_id": {"name": "treatment_id", "description": "Internal identifier", "type": "string", "required": false}, "treatment_type": {"name": "treatment_type", "description": "Text term that describes the kind of treatment administered", "type": "string", "required": false, "permissible_values": ["Ablation, Cryo", "Ablation, Ethanol Injection", "Ablation, Microwave", "Ablation, NOS", "Ablation, Radiofrequency", "Ablation, Radiosurgical", "Ancillary Treatment", "Antiseizure Treatment", "Bisphosphonate Therapy", "Blinded Study, Treatment Unknown", "Brachytherapy, High Dose", "Brachytherapy, Low Dose", "Brachytherapy, NOS", "Chemoembolization", "Chemoprotectant", "Chemotherapy", "Concurrent Chemoradiation", "Cryoablation", "Embolization", "Ethanol Injection Ablation", "External Beam Radiation", "Hormone Therapy", "I-131 Radiation Therapy", "Immunotherapy (Including Vaccines)", "Internal Radiation", "Isolated Limb Perfusion (ILP)", "Organ Transplantation", "Other", "Pharmaceutical Therapy, NOS", "Pleurodesis", "Pleurodesis, Talc", "Pleurodesis, NOS", "Radiation Therapy, NOS", "Radiation, 2D Conventional", "Radiation, 3D Conformal", "Radiation, Combination", "Radiation, Cyberknife", "Radiation, External Beam", "Radiation, Hypofractionated", "Radiation, Implants", "Radiation, Intensity-Modulated Radiotherapy", "Radiation, Internal", "Radiation, Mixed Photon Beam", "Radiation, Photon Beam", "Radiation, Proton Beam", "Radiation, Radioisotope", "Radiation, Stereotactic/Gamma Knife/SRS", "Radiation, Systemic", "Radioactive Iodine Therapy", "Radioembolization", "Radiosensitizing Agent", "Stem Cell Transplantation, Allogeneic", "Stem Cell Transplantation, Autologous", "Stem Cell Transplantation, Double Autologous", "Stem Cell Transplantation, Haploidentical", "Stem Cell Transplantation, Non-Myeloablative", "Stem Cell Transplantation, NOS", "Stem Cell Transplantation, Syngenic", "Stem Cell Treatment", "Stereotactic Radiosurgery", "Steroid Therapy", "Surgery", "Targeted Molecular Therapy", "Unknown", "Not Reported"]}, "treatment_outcome": {"name": "treatment_outcome", "description": "Text term that describes the patient's final outcome after the treatment was administered", "type": "string", "required": false, "permissible_values": ["Complete Response", "Mixed Response", "No Measurable Disease", "No Response", "Not Reported", "Partial Response", "Persistent Disease", "Progressive Disease", "Stable Disease", "Treatment Ongoing", "Treatment Stopped Due to Toxicity", "Unknown", "Very Good Partial Response"]}, "days_to_treatment": {"name": "days_to_treatment", "description": "Days to start of treatment, relative to index date", "type": "integer", "required": false}, "therapeutic_agents": {"name": "therapeutic_agents", "description": "Text identification of the individual agent(s) used as part of a treatment regimen.", "type": "string", "required": false, "permissible_values": ["10-Deacetyltaxol", "11C Topotecan", "11D10 AluGel Anti-Idiotype Monoclonal Antibody", "12-Allyldeoxoartemisinin", "13-Deoxydoxorubicin", "14C BMS-275183", "17beta-Hydroxysteroid Dehydrogenase Type 5 Inhibitor ASP9521", "2-Deoxy-D-glucose", "2-Ethylhydrazide", "2-Fluoroadenine", "2-Fluorofucose-containing SGN-2FF", "2-Hydroxyestradiol", "2-Hydroxyestrone", "2-Hydroxyflutamide Depot", "2-Hydroxyoleic Acid", "2-Methoxyestradiol", "2-Methoxyestradiol Nanocrystal Colloidal Dispersion", "2-Methoxyestrone", "2-O, 3-O Desulfated Heparin", "2,6-Diaminopurine", "2,6-Dimethoxyquinone", "2'-F-ara-deoxyuridine", "3'-C-ethynylcytidine", "3'-dA Phosphoramidate NUC-7738", "4-Nitroestrone 3-Methyl Ether", "4-Thio-2-deoxycytidine", "4'-Iodo-4'-Deoxydoxorubicin", "5-Aza-4'-thio-2'-deoxycytidine", "5-Fluoro-2-Deoxycytidine", "6-Phosphofructo-2-kinase/fructose-2,6-bisphosphatases Isoform 3 Inhibitor ACT-PFK-158", "7-Cyanoquinocarcinol", "7-Ethyl-10-Hydroxycamptothecin", "7-Hydroxystaurosporine", "8-Azaguanine", "9-Ethyl 6-Mercaptopurine", "9H-Purine-6Thio-98D", "A2A Receptor Antagonist EOS100850", "Abagovomab", "Abarelix", "Abemaciclib", "Abemaciclib Mesylate", "Abexinostat", "Abexinostat Tosylate", "Abiraterone", "Abiraterone Acetate", "Abituzumab", "Acai Berry Juice", "Acalabrutinib", "Acalisib", "Aceglatone", "Acetylcysteine", "Acitretin", "Acivicin", "Aclacinomycin B", "Aclarubicin", "Acodazole", "Acodazole Hydrochloride", "Acolbifene Hydrochloride", "Acridine", "Acridine Carboxamide", "Acronine", "Actinium Ac 225 Lintuzumab", "Actinium Ac 225-FPI-1434", "Actinium Ac-225 Anti-PSMA Monoclonal Antibody J591", "Actinomycin C2", "Actinomycin C3", "Actinomycin F1", "Activin Type 2B Receptor Fc Fusion Protein STM 434", "Acyclic Nucleoside Phosphonate Prodrug ABI-1968", "Ad-RTS-hIL-12", "Adagloxad Simolenin", "Adavosertib", "Adecatumumab", "Adenosine A2A Receptor Antagonist AZD4635", "Adenosine A2A Receptor Antagonist CS3005", "Adenosine A2A Receptor Antagonist NIR178", "Adenosine A2A Receptor Antagonist/Phosphodiesterase 10A PBF-999", "Adenosine A2A/A2B Receptor Antagonist AB928", "Adenosine A2B Receptor Antagonist PBF-1129", "Adenovector-transduced AP1903-inducible MyD88/CD40-expressing Autologous PSMA-specific Prostate Cancer Vaccine BPX-201", "Adenoviral Brachyury Vaccine ETBX-051", "Adenoviral Cancer Vaccine PF-06936308", "Adenoviral MUC1 Vaccine ETBX-061", "Adenoviral PSA Vaccine ETBX-071", "Adenoviral Transduced hIL-12-expressing Autologous Dendritic Cells INXN-3001 Plus Activator Ligand INXN-1001", "Adenoviral Tumor-specific Neoantigen Priming Vaccine GAd-209-FSP", "Adenoviral Tumor-specific Neoantigen Priming Vaccine GRT-C901", "Adenovirus 5/F35-Human Guanylyl Cyclase C-PADRE", "Adenovirus Serotype 26-expressing HPV16 Vaccine JNJ-63682918", "Adenovirus Serotype 26-expressing HPV18 Vaccine JNJ-63682931", "Adenovirus-expressing TLR5/TLR5 Agonist Nanoformulation M-VM3", "Adenovirus-mediated Human Interleukin-12 INXN-2001 Plus Activator Ligand INXN-1001", "Aderbasib", "ADH-1", "AE37 Peptide/GM-CSF Vaccine", "AEE788", "Aerosol Gemcitabine", "Aerosolized Aldesleukin", "Aerosolized Liposomal Rubitecan", "Afatinib", "Afatinib Dimaleate", "Afimoxifene", "Afuresertib", "Agatolimod Sodium", "Agerafenib", "Aglatimagene Besadenovec", "Agonistic Anti-CD40 Monoclonal Antibody ADC-1013", "Agonistic Anti-OX40 Monoclonal Antibody INCAGN01949", "Agonistic Anti-OX40 Monoclonal Antibody MEDI6469", "AKR1C3-activated Prodrug OBI-3424", "AKT 1/2 Inhibitor BAY1125976", "AKT Inhibitor ARQ 092", "Akt Inhibitor LY2780301", "Akt Inhibitor MK2206", "Akt Inhibitor SR13668", "Akt/ERK Inhibitor ONC201", "Alacizumab Pegol", "Alanosine", "Albumin-binding Cisplatin Prodrug BTP-114", "Aldesleukin", "Aldoxorubicin", "Alectinib", "Alefacept", "Alemtuzumab", "Alestramustine", "Alflutinib Mesylate", "Algenpantucel-L", "Alisertib", "Alitretinoin", "ALK Inhibitor", "ALK Inhibitor ASP3026", "ALK Inhibitor PLB 1003", "ALK Inhibitor RO5424802", "ALK Inhibitor TAE684", "ALK Inhibitor WX-0593", "ALK-2 Inhibitor TP-0184", "ALK-FAK Inhibitor CEP-37440", "ALK/c-Met Inhibitor TQ-B3139", "ALK/FAK/Pyk2 Inhibitor CT-707", "ALK/ROS1/Met Inhibitor TQ-B3101", "ALK/TRK Inhibitor TSR-011", "Alkotinib", "Allodepleted T Cell Immunotherapeutic ATIR101", "Allogeneic Anti-BCMA CAR-transduced T-cells ALLO-715", "Allogeneic Anti-BCMA-CAR T-cells PBCAR269A", "Allogeneic Anti-BCMA/CS1 Bispecific CAR-T Cells", "Allogeneic Anti-CD19 CAR T-cells ALLO-501A", "Allogeneic Anti-CD19 Universal CAR-T Cells CTA101", "Allogeneic Anti-CD19-CAR T-cells PBCAR0191", "Allogeneic Anti-CD20 CAR T-cells LUCAR-20S", "Allogeneic Anti-CD20-CAR T-cells PBCAR20A", "Allogeneic CD22-specific Universal CAR-expressing T-lymphocytes UCART22", "Allogeneic CD3- CD19- CD57+ NKG2C+ NK Cells FATE-NK100", "Allogeneic CD56-positive CD3-negative Natural Killer Cells CYNK-001", "Allogeneic CD8+ Leukemia-associated Antigens Specific T Cells NEXI-001", "Allogeneic Cellular Vaccine 1650-G", "Allogeneic CRISPR-Cas9 Engineered Anti-BCMA T Cells CTX120", "Allogeneic CRISPR-Cas9 Engineered Anti-CD70 CAR-T Cells CTX130", "Allogeneic CS1-specific Universal CAR-expressing T-lymphocytes UCARTCS1A", "Allogeneic GM-CSF-secreting Breast Cancer Vaccine SV-BR-1-GM", "Allogeneic GM-CSF-secreting Lethally Irradiated Prostate Cancer Vaccine", "Allogeneic GM-CSF-secreting Lethally Irradiated Whole Melanoma Cell Vaccine", "Allogeneic GM-CSF-secreting Tumor Vaccine PANC 10.05 pcDNA-1/GM-Neo", "Allogeneic GM-CSF-secreting Tumor Vaccine PANC 6.03 pcDNA-1/GM-Neo", "Allogeneic IL13-Zetakine/HyTK-Expressing-Glucocorticoid Resistant Cytotoxic T Lymphocytes GRm13Z40-2", "Allogeneic Irradiated Melanoma Cell Vaccine CSF470", "Allogeneic Large Multivalent Immunogen Melanoma Vaccine LP2307", "Allogeneic Melanoma Vaccine AGI-101H", "Allogeneic Natural Killer Cell Line MG4101", "Allogeneic Natural Killer Cell Line NK-92", "Allogeneic Plasmacytoid Dendritic Cells Expressing Lung Tumor Antigens PDC*lung01", "Allogeneic Renal Cell Carcinoma Vaccine MGN1601", "Allogeneic Third-party Suicide Gene-transduced Anti-HLA-DPB1*0401 CD4+ T-cells CTL 19", "Allosteric ErbB Inhibitor BDTX-189", "Allovectin-7", "Almurtide", "Alobresib", "Alofanib", "Alpelisib", "Alpha Galactosylceramide", "Alpha V Beta 1 Inhibitor ATN-161", "Alpha V Beta 8 Antagonist PF-06940434", "alpha-Folate Receptor-targeting Thymidylate Synthase Inhibitor ONX-0801", "Alpha-Gal AGI-134", "Alpha-lactalbumin-derived Synthetic Peptide-lipid Complex Alpha1H", "Alpha-Thioguanine Deoxyriboside", "Alpha-tocopheryloxyacetic Acid", "Alsevalimab", "Altiratinib", "Altretamine", "Alvespimycin", "Alvespimycin Hydrochloride", "Alvocidib", "Alvocidib Hydrochloride", "Alvocidib Prodrug TP-1287", "Amatuximab", "Ambamustine", "Ambazone", "Amblyomin-X", "Amcasertib", "Ametantrone", "Amifostine", "Amino Acid Injection", "Aminocamptothecin", "Aminocamptothecin Colloidal Dispersion", "Aminoflavone Prodrug AFP464", "Aminopterin", "Aminopterin Sodium", "Amivantamab", "Amolimogene Bepiplasmid", "Amonafide L-Malate", "Amrubicin", "Amrubicin Hydrochloride", "Amsacrine", "Amsacrine Lactate", "Amsilarotene", "Amustaline", "Amustaline Dihydrochloride", "Amuvatinib", "Amuvatinib Hydrochloride", "Anakinra", "Anastrozole", "Anaxirone", "Ancitabine", "Ancitabine Hydrochloride", "Andecaliximab", "Androgen Antagonist APC-100", "Androgen Receptor Antagonist BAY 1161116", "Androgen Receptor Antagonist SHR3680", "Androgen Receptor Antagonist TAS3681", "Androgen Receptor Antagonist TRC253", "Androgen Receptor Antisense Oligonucleotide AZD5312", "Androgen Receptor Antisense Oligonucleotide EZN-4176", "Androgen Receptor Degrader ARV-110", "Androgen Receptor Degrader CC-94676", "Androgen Receptor Downregulator AZD3514", "Androgen Receptor Inhibitor EPI-7386", "Androgen Receptor Ligand-binding Domain-encoding Plasmid DNA Vaccine MVI-118", "Androgen Receptor/Glucocorticoid Receptor Antagonist CB-03-10", "Andrographolide", "Androstane Steroid HE3235", "Anetumab Ravtansine", "Ang2/VEGF-Binding Peptides-Antibody Fusion Protein CVX-241", "Angiogenesis Inhibitor GT-111", "Angiogenesis Inhibitor JI-101", "Angiogenesis/Heparanase Inhibitor PG545", "Angiopoietin-2-specific Fusion Protein PF-04856884", "Anhydrous Enol-oxaloacetate", "Anhydrovinblastine", "Aniline Mustard", "Anlotinib Hydrochloride", "Annamycin", "Annamycin Liposomal", "Annonaceous Acetogenins", "Ansamitomicin P-3", "Anthramycin", "Anthrapyrazole", "Anti c-KIT Antibody-drug Conjugate LOP628", "Anti-5T4 Antibody-drug Conjugate ASN004", "Anti-5T4 Antibody-Drug Conjugate PF-06263507", "Anti-5T4 Antibody-drug Conjugate SYD1875", "Anti-A33 Monoclonal Antibody KRN330", "Anti-A5B1 Integrin Monoclonal Antibody PF-04605412", "Anti-ACTR/4-1BB/CD3zeta-Viral Vector-transduced Autologous T-Lymphocytes ACTR087", "Anti-AG7 Antibody Drug Conjugate AbGn-107", "Anti-AGS-16 Monoclonal Antibody AGS-16M18", "Anti-AGS-5 Antibody-Drug Conjugate ASG-5ME", "Anti-AGS-8 Monoclonal Antibody AGS-8M4", "Anti-alpha BCMA/Anti-alpha CD3 T-cell Engaging Bispecific Antibody TNB-383B", "Anti-alpha5beta1 Integrin Antibody MINT1526A", "Anti-ANG2 Monoclonal Antibody MEDI-3617", "Anti-angiopoietin Monoclonal Antibody AMG 780", "Anti-APRIL Monoclonal Antibody BION-1301", "Anti-AXL Fusion Protein AVB-S6-500", "Anti-AXL/PBD Antibody-drug Conjugate ADCT-601", "Anti-B7-H3 Antibody DS-5573a", "Anti-B7-H3/DXd Antibody-drug Conjugate DS-7300a", "Anti-B7-H4 Monoclonal Antibody FPA150", "Anti-B7H3 Antibody-drug Conjugate MGC018", "Anti-BCMA Antibody SEA-BCMA", "Anti-BCMA Antibody-drug Conjugate AMG 224", "Anti-BCMA Antibody-drug Conjugate CC-99712", "Anti-BCMA Antibody-drug Conjugate GSK2857916", "Anti-BCMA SparX Protein Plus BCMA-directed Anti-TAAG ARC T-cells CART-ddBCMA", "Anti-BCMA/Anti-CD3 Bispecific Antibody REGN5459", "Anti-BCMA/CD3 BiTE Antibody AMG 420", "Anti-BCMA/CD3 BiTE Antibody AMG 701", "Anti-BCMA/CD3 BiTE Antibody REGN5458", "Anti-BCMA/PBD ADC MEDI2228", "Anti-BTLA Monoclonal Antibody TAB004", "Anti-BTN3A Agonistic Monoclonal Antibody ICT01", "Anti-c-fms Monoclonal Antibody AMG 820", "Anti-c-KIT Monoclonal Antibody CDX 0158", "Anti-c-Met Antibody-drug Conjugate HTI-1066", "Anti-c-Met Antibody-drug Conjugate TR1801", "Anti-c-Met Monoclonal Antibody ABT-700", "Anti-c-Met Monoclonal Antibody ARGX-111", "Anti-c-Met Monoclonal Antibody HLX55", "Anti-c-MET Monoclonal Antibody LY2875358", "Anti-C-met Monoclonal Antibody SAIT301", "Anti-C4.4a Antibody-Drug Conjugate BAY1129980", "Anti-C5aR Monoclonal Antibody IPH5401", "Anti-CA19-9 Monoclonal Antibody 5B1", "Anti-CA6-DM4 Immunoconjugate SAR566658", "Anti-CCR7 Antibody-drug Conjugate JBH492", "Anti-CD117 Monoclonal Antibody JSP191", "Anti-CD122 Humanized Monoclonal Antibody Mik-Beta-1", "Anti-CD123 ADC IMGN632", "Anti-CD123 Monoclonal Antibody CSL360", "Anti-CD123 Monoclonal Antibody KHK2823", "Anti-CD123 x Anti-CD3 Bispecific Antibody XmAb1404", "Anti-CD123-Pyrrolobenzodiazepine Dimer Antibody Drug Conjugate SGN-CD123A", "Anti-CD123/CD3 Bispecific Antibody APVO436", "Anti-CD123/CD3 Bispecific Antibody JNJ-63709178", "Anti-CD123/CD3 BiTE Antibody SAR440234", "Anti-CD137 Agonistic Monoclonal Antibody ADG106", "Anti-CD137 Agonistic Monoclonal Antibody AGEN2373", "Anti-CD137 Agonistic Monoclonal Antibody ATOR-1017", "Anti-CD137 Agonistic Monoclonal Antibody CTX-471", "Anti-CD137 Agonistic Monoclonal Antibody LVGN6051", "Anti-CD157 Monoclonal Antibody MEN1112", "Anti-CD166 Probody-drug Conjugate CX-2009", "Anti-CD19 Antibody-drug Conjugate SGN-CD19B", "Anti-CD19 Antibody-T-cell Receptor-expressing T-cells ET019003", "Anti-CD19 iCAR NK Cells", "Anti-CD19 Monoclonal Antibody DI-B4", "Anti-CD19 Monoclonal Antibody MDX-1342", "Anti-CD19 Monoclonal Antibody MEDI-551", "Anti-CD19 Monoclonal Antibody XmAb5574", "Anti-CD19-DM4 Immunoconjugate SAR3419", "Anti-CD19/Anti-CD22 Bispecific Immunotoxin DT2219ARL", "Anti-CD19/CD22 CAR NK Cells", "Anti-CD19/CD3 BiTE Antibody AMG 562", "Anti-CD19/CD3 Tetravalent Antibody AFM11", "Anti-CD20 Monoclonal Antibody B001", "Anti-CD20 Monoclonal Antibody BAT4306F", "Anti-CD20 Monoclonal Antibody MIL62", "Anti-CD20 Monoclonal Antibody PRO131921", "Anti-CD20 Monoclonal Antibody SCT400", "Anti-CD20 Monoclonal Antibody TL011", "Anti-CD20 Monoclonal Antibody-Interferon-alpha Fusion Protein IGN002", "Anti-CD20-engineered Toxin Body MT-3724", "Anti-CD20/Anti-CD3 Bispecific IgM Antibody IGM2323", "Anti-CD20/CD3 Monoclonal Antibody REGN1979", "Anti-CD20/CD3 Monoclonal Antibody XmAb13676", "Anti-CD205 Antibody-drug Conjugate OBT076", "Anti-CD22 ADC TRPH-222", "Anti-CD22 Monoclonal Antibody-MMAE Conjugate DCDT2980S", "Anti-CD228/MMAE Antibody-drug Conjugate SGN-CD228A", "Anti-CD25 Monoclonal Antibody RO7296682", "Anti-CD25-PBD Antibody-drug Conjugate ADCT-301", "Anti-CD26 Monoclonal Antibody YS110", "Anti-CD27 Agonistic Monoclonal Antibody MK-5890", "Anti-CD27L Antibody-Drug Conjugate AMG 172", "Anti-CD3 Immunotoxin A-dmDT390-bisFv(UCHT1)", "Anti-CD3/Anti-5T4 Bispecific Antibody GEN1044", "Anti-CD3/Anti-BCMA Bispecific Monoclonal Antibody JNJ-64007957", "Anti-CD3/Anti-BCMA Bispecific Monoclonal Antibody PF-06863135", "Anti-CD3/Anti-CD20 Trifunctional Bispecific Monoclonal Antibody FBTA05", "Anti-CD3/Anti-GPRC5D Bispecific Monoclonal Antibody JNJ-64407564", "Anti-CD3/Anti-GUCY2C Bispecific Antibody PF-07062119", "Anti-CD3/CD20 Bispecific Antibody GEN3013", "Anti-CD3/CD38 Bispecific Monoclonal Antibody AMG 424", "Anti-CD3/CD7-Ricin Toxin A Immunotoxin", "Anti-CD30 Monoclonal Antibody MDX-1401", "Anti-CD30 Monoclonal Antibody XmAb2513", "Anti-CD30/CD16A Monoclonal Antibody AFM13", "Anti-CD30/DM1 Antibody-drug Conjugate F0002", "Anti-CD32B Monoclonal Antibody BI-1206", "Anti-CD33 Antibody-drug Conjugate IMGN779", "Anti-CD33 Antigen/CD3 Receptor Bispecific Monoclonal Antibody AMV564", "Anti-CD33 Monoclonal Antibody BI 836858", "Anti-CD33 Monoclonal Antibody-DM4 Conjugate AVE9633", "Anti-CD33/CD3 Bispecific Antibody GEM 333", "Anti-CD33/CD3 Bispecific Antibody JNJ-67571244", "Anti-CD33/CD3 BiTE Antibody AMG 330", "Anti-CD33/CD3 BiTE Antibody AMG 673", "Anti-CD352 Antibody-drug Conjugate SGN-CD352A", "Anti-CD37 Antibody-Drug Conjugate IMGN529", "Anti-CD37 Bispecific Monoclonal Antibody GEN3009", "Anti-CD37 MMAE Antibody-drug Conjugate AGS67E", "Anti-CD37 Monoclonal Antibody BI 836826", "Anti-CD38 Antibody-drug Conjugate STI-6129", "Anti-CD38 Monoclonal Antibody MOR03087", "Anti-CD38 Monoclonal Antibody SAR442085", "Anti-CD38 Monoclonal Antibody TAK-079", "Anti-CD38-targeted IgG4-attenuated IFNa TAK-573", "Anti-CD38/CD28xCD3 Tri-specific Monoclonal Antibody SAR442257", "Anti-CD38/CD3 Bispecific Monoclonal Antibody GBR 1342", "Anti-CD39 Monoclonal Antibody SRF617", "Anti-CD39 Monoclonal Antibody TTX-030", "Anti-CD40 Agonist Monoclonal Antibody ABBV-927", "Anti-CD40 Agonist Monoclonal Antibody CDX-1140", "Anti-CD40 Monoclonal Antibody Chi Lob 7/4", "Anti-CD40 Monoclonal Antibody SEA-CD40", "Anti-CD40/Anti-4-1BB Bispecific Agonist Monoclonal Antibody GEN1042", "Anti-CD40/Anti-TAA Bispecific Monoclonal Antibody ABBV-428", "Anti-CD40L Fc-Fusion Protein BMS-986004", "Anti-CD44 Monoclonal Antibody RO5429083", "Anti-CD45 Monoclonal Antibody AHN-12", "Anti-CD46 Antibody-drug Conjugate FOR46", "Anti-CD47 ADC SGN-CD47M", "Anti-CD47 Monoclonal Antibody AO-176", "Anti-CD47 Monoclonal Antibody CC-90002", "Anti-CD47 Monoclonal Antibody Hu5F9-G4", "Anti-CD47 Monoclonal Antibody IBI188", "Anti-CD47 Monoclonal Antibody IMC-002", "Anti-CD47 Monoclonal Antibody SHR-1603", "Anti-CD47 Monoclonal Antibody SRF231", "Anti-CD47 Monoclonal Antibody TJC4", "Anti-CD47/CD19 Bispecific Monoclonal Antibody TG-1801", "Anti-CD48/MMAE Antibody-drug Conjugate SGN-CD48A", "Anti-CD52 Monoclonal Antibody ALLO-647", "Anti-CD70 Antibody-Drug Conjugate MDX-1203", "Anti-CD70 Antibody-drug Conjugate SGN-CD70A", "Anti-CD70 CAR-expressing T Lymphocytes", "Anti-CD70 Monoclonal Antibody MDX-1411", "Anti-CD71/vcMMAE Probody-drug Conjugate CX-2029", "Anti-CD73 Monoclonal Antibody BMS-986179", "Anti-CD73 Monoclonal Antibody CPI-006", "Anti-CD73 Monoclonal Antibody NZV930", "Anti-CD73 Monoclonal Antibody TJ4309", "Anti-CD74 Antibody-drug Conjugate STRO-001", "Anti-CD98 Monoclonal Antibody IGN523", "Anti-CDH6 Antibody-drug Conjugate HKT288", "Anti-CEA BiTE Monoclonal Antibody AMG211", "Anti-CEA/Anti-DTPA-In (F6-734) Bispecific Antibody", "Anti-CEA/Anti-HSG Bispecific Monoclonal Antibody TF2", "Anti-CEACAM1 Monoclonal Antibody CM-24", "Anti-CEACAM5 Antibody-Drug Conjugate SAR408701", "Anti-CEACAM6 AFAIKL2 Antibody Fragment/Jack Bean Urease Immunoconjugate L-DOS47", "Anti-CEACAM6 Antibody BAY1834942", "Anti-claudin18.2 Monoclonal Antibody AB011", "Anti-Claudin18.2 Monoclonal Antibody TST001", "Anti-CLDN6 Monoclonal Antibody ASP1650", "Anti-CLEC12A/CD3 Bispecific Antibody MCLA117", "Anti-CLEVER-1 Monoclonal Antibody FP-1305", "Anti-CSF1 Monoclonal Antibody PD-0360324", "Anti-CSF1R Monoclonal Antibody IMC-CS4", "Anti-CSF1R Monoclonal Antibody SNDX-6352", "Anti-CTGF Monoclonal Antibody FG-3019", "Anti-CTLA-4 Monoclonal Antibody ADG116", "Anti-CTLA-4 Monoclonal Antibody ADU-1604", "Anti-CTLA-4 Monoclonal Antibody AGEN1181", "Anti-CTLA-4 Monoclonal Antibody BCD-145", "Anti-CTLA-4 Monoclonal Antibody HBM4003", "Anti-CTLA-4 Monoclonal Antibody MK-1308", "Anti-CTLA-4 Monoclonal Antibody ONC-392", "Anti-CTLA-4 Monoclonal Antibody REGN4659", "Anti-CTLA-4 Probody BMS-986288", "Anti-CTLA-4/Anti-PD-1 Monoclonal Antibody Combination BCD-217", "Anti-CTLA-4/LAG-3 Bispecific Antibody XmAb22841", "Anti-CTLA-4/OX40 Bispecific Antibody ATOR-1015", "Anti-CTLA4 Antibody Fc Fusion Protein KN044", "Anti-CTLA4 Monoclonal Antibody BMS-986218", "Anti-CXCR4 Monoclonal Antibody PF-06747143", "Anti-Denatured Collagen Monoclonal Antibody TRC093", "Anti-DKK-1 Monoclonal Antibody LY2812176", "Anti-DKK1 Monoclonal Antibody BHQ880", "Anti-DLL3/CD3 BiTE Antibody AMG 757", "Anti-DLL4 Monoclonal Antibody MEDI0639", "Anti-DLL4/VEGF Bispecific Monoclonal Antibody OMP-305B83", "Anti-DR5 Agonist Monoclonal Antibody TRA-8", "Anti-DR5 Agonistic Antibody DS-8273a", "Anti-DR5 Agonistic Monoclonal Antibody INBRX-109", "Anti-EGFR Monoclonal Antibody CPGJ 602", "Anti-EGFR Monoclonal Antibody EMD 55900", "Anti-EGFR Monoclonal Antibody GC1118", "Anti-EGFR Monoclonal Antibody GT-MAB 5.2-GEX", "Anti-EGFR Monoclonal Antibody HLX-07", "Anti-EGFR Monoclonal Antibody Mixture MM-151", "Anti-EGFR Monoclonal Antibody RO5083945", "Anti-EGFR Monoclonal Antibody SCT200", "Anti-EGFR Monoclonal Antibody SYN004", "Anti-EGFR TAP Antibody-drug Conjugate IMGN289", "Anti-EGFR/c-Met Bispecific Antibody EMB-01", "Anti-EGFR/c-Met Bispecific Antibody JNJ-61186372", "Anti-EGFR/CD16A Bispecific Antibody AFM24", "Anti-EGFR/DM1 Antibody-drug Conjugate AVID100", "Anti-EGFR/HER2/HER3 Monoclonal Antibody Mixture Sym013", "Anti-EGFR/PBD Antibody-drug Conjugate ABBV-321", "Anti-EGFRvIII Antibody Drug Conjugate AMG 595", "Anti-EGFRvIII Immunotoxin MR1-1", "Anti-EGFRvIII/CD3 BiTE Antibody AMG 596", "Anti-EGP-2 Immunotoxin MOC31-PE", "Anti-ENPP3 Antibody-Drug Conjugate AGS-16C3F", "Anti-ENPP3/MMAF Antibody-Drug Conjugate AGS-16M8F", "Anti-Ep-CAM Monoclonal Antibody ING-1", "Anti-EphA2 Antibody-directed Liposomal Docetaxel Prodrug MM-310", "Anti-EphA2 Monoclonal Antibody DS-8895a", "Anti-EphA2 Monoclonal Antibody-MMAF Immunoconjugate MEDI-547", "Anti-ErbB2/Anti-ErbB3 Bispecific Monoclonal Antibody MM-111", "Anti-ErbB3 Antibody ISU104", "Anti-ErbB3 Monoclonal Antibody AV-203", "Anti-ErbB3 Monoclonal Antibody CDX-3379", "Anti-ErbB3 Monoclonal Antibody REGN1400", "Anti-ErbB3/Anti-IGF-1R Bispecific Monoclonal Antibody MM-141", "Anti-ETBR/MMAE Antibody-Drug Conjugate DEDN6526A", "Anti-FAP/Interleukin-2 Fusion Protein RO6874281", "Anti-FCRH5/CD3 BiTE Antibody BFCR4350A", "Anti-FGFR2 Antibody BAY1179470", "Anti-FGFR3 Antibody-drug Conjugate LY3076226", "Anti-FGFR4 Monoclonal Antibody U3-1784", "Anti-FLT3 Antibody-drug Conjugate AGS62P1", "Anti-FLT3 Monoclonal Antibody 4G8-SDIEM", "Anti-FLT3 Monoclonal Antibody IMC-EB10", "Anti-FLT3/CD3 BiTE Antibody AMG 427", "Anti-Folate Receptor-alpha Antibody Drug Conjugate STRO-002", "Anti-FRA/Eribulin Antibody-drug Conjugate MORAb-202", "Anti-fucosyl-GM1 Monoclonal Antibody BMS-986012", "Anti-Ganglioside GM2 Monoclonal Antibody BIW-8962", "Anti-GARP Monoclonal Antibody ABBV-151", "Anti-GCC Antibody-Drug Conjugate MLN0264", "Anti-GCC Antibody-Drug Conjugate TAK-164", "Anti-GD2 hu3F8/Anti-CD3 huOKT3 Bispecific Antibody", "Anti-GD2 Monoclonal Antibody hu14.18K322A", "Anti-GD2 Monoclonal Antibody MORAb-028", "Anti-GD3 Antibody-drug Conjugate PF-06688992", "Anti-GITR Agonistic Monoclonal Antibody ASP1951", "Anti-GITR Agonistic Monoclonal Antibody BMS-986156", "Anti-GITR Agonistic Monoclonal Antibody INCAGN01876", "Anti-GITR Monoclonal Antibody GWN 323", "Anti-GITR Monoclonal Antibody MK-4166", "Anti-Globo H Monoclonal Antibody OBI-888", "Anti-Globo H/MMAE Antibody-drug Conjugate OBI 999", "Anti-Glypican 3/CD3 Bispecific Antibody ERY974", "Anti-GnRH Vaccine PEP223", "Anti-gpA33/CD3 Monoclonal Antibody MGD007", "Anti-GPR20/DXd Antibody-drug Conjugate DS-6157a", "Anti-gremlin-1 Monoclonal Antibody UCB6114", "Anti-GRP78 Monoclonal Antibody PAT-SM6", "Anti-HA Epitope Monoclonal Antibody MEDI8852", "Anti-HB-EGF Monoclonal Antibody KHK2866", "Anti-HBEGF Monoclonal Antibody U3-1565", "Anti-hepcidin Monoclonal Antibody LY2787106", "Anti-HER-2 Bispecific Antibody KN026", "Anti-HER2 ADC DS-8201a", "Anti-HER2 Antibody Conjugated Natural Killer Cells ACE1702", "Anti-HER2 Antibody-drug Conjugate A166", "Anti-HER2 Antibody-drug Conjugate ARX788", "Anti-HER2 Antibody-drug Conjugate BAT8001", "Anti-HER2 Antibody-drug Conjugate DP303c", "Anti-HER2 Antibody-drug Conjugate MEDI4276", "Anti-HER2 Antibody-drug Conjugate RC48", "Anti-HER2 Bi-specific Monoclonal Antibody ZW25", "Anti-HER2 Bispecific Antibody-drug Conjugate ZW49", "Anti-HER2 Immune Stimulator-antibody Conjugate NJH395", "Anti-HER2 Monoclonal Antibody B002", "Anti-HER2 Monoclonal Antibody CT-P6", "Anti-HER2 Monoclonal Antibody HLX22", "Anti-HER2 Monoclonal Antibody/Anti-CD137Anticalin Bispecific Fusion Protein PRS-343", "Anti-HER2-DM1 ADC B003", "Anti-HER2-DM1 Antibody-drug Conjugate GQ1001", "Anti-HER2-vc0101 ADC PF-06804103", "Anti-HER2/Anti-CD3 Bispecific Monoclonal Antibody BTRC 4017A", "Anti-HER2/Anti-CD3 Bispecific Monoclonal Antibody GBR 1302", "Anti-HER2/Anti-HER3 Bispecific Monoclonal Antibody MCLA-128", "Anti-HER2/Auristatin Payload Antibody-drug Conjugate XMT-1522", "Anti-HER2/MMAE Antibody-drug Conjugate MRG002", "Anti-HER2/PBD-MA Antibody-drug Conjugate DHES0815A", "Anti-HER3 Antibody-drug Conjugate U3 1402", "Anti-HER3 Monoclonal Antibody GSK2849330", "Anti-HGF Monoclonal Antibody TAK-701", "Anti-HIF-1alpha LNA Antisense Oligonucleotide EZN-2968", "Anti-HIV-1 Lentiviral Vector-expressing sh5/C46 Cal-1", "Anti-HLA-DR Monoclonal Antibody IMMU-114", "Anti-HLA-G Antibody TTX-080", "Anti-human GITR Monoclonal Antibody AMG 228", "Anti-human GITR Monoclonal Antibody TRX518", "Anti-ICAM-1 Monoclonal Antibody BI-505", "Anti-ICOS Agonist Antibody GSK3359609", "Anti-ICOS Agonist Monoclonal Antibody BMS-986226", "Anti-ICOS Monoclonal Antibody KY1044", "Anti-ICOS Monoclonal Antibody MEDI-570", "Anti-IGF-1R Monoclonal Antibody AVE1642", "Anti-IGF-1R Recombinant Monoclonal Antibody BIIB022", "Anti-IL-1 alpha Monoclonal Antibody MABp1", "Anti-IL-13 Humanized Monoclonal Antibody TNX-650", "Anti-IL-15 Monoclonal Antibody AMG 714", "Anti-IL-8 Monoclonal Antibody BMS-986253", "Anti-IL-8 Monoclonal Antibody HuMax-IL8", "Anti-ILDR2 Monoclonal Antibody BAY 1905254", "Anti-ILT4 Monoclonal Antibody MK-4830", "Anti-integrin Beta-6/MMAE Antibody-drug Conjugate SGN-B6A", "Anti-Integrin Monoclonal Antibody-DM4 Immunoconjugate IMGN388", "Anti-IRF4 Antisense Oligonucleotide ION251", "Anti-KIR Monoclonal Antibody IPH 2101", "Anti-KSP/Anti-VEGF siRNAs ALN-VSP02", "Anti-LAG-3 Monoclonal Antibody IBI-110", "Anti-LAG-3 Monoclonal Antibody INCAGN02385", "Anti-LAG-3 Monoclonal Antibody LAG525", "Anti-LAG-3 Monoclonal Antibody REGN3767", "Anti-LAG-3/PD-L1 Bispecific Antibody FS118", "Anti-LAG3 Monoclonal Antibody BI 754111", "Anti-LAG3 Monoclonal Antibody MK-4280", "Anti-LAG3 Monoclonal Antibody TSR-033", "Anti-LAMP1 Antibody-drug Conjugate SAR428926", "Anti-latent TGF-beta 1 Monoclonal Antibody SRK-181", "Anti-Lewis B/Lewis Y Monoclonal Antibody GNX102", "Anti-LGR5 Monoclonal Antibody BNC101", "Anti-LIF Monoclonal Antibody MSC-1", "Anti-LILRB4 Monoclonal Antibody IO-202", "Anti-LIV-1 Monoclonal Antibody-MMAE Conjugate SGN-LIV1A", "Anti-Ly6E Antibody-Drug Conjugate RG 7841", "Anti-MAGE-A4 T-cell Receptor/Anti-CD3 scFv Fusion Protein IMC-C103C", "Anti-Melanin Monoclonal Antibody PTI-6D2", "Anti-mesothelin Antibody-drug Conjugate BMS-986148", "Anti-mesothelin-Pseudomonas Exotoxin 24 Cytolytic Fusion Protein LMB-100", "Anti-mesothelin/MMAE Antibody-Drug Conjugate DMOT4039A", "Anti-mesothelin/MMAE Antibody-drug Conjugate RC88", "Anti-Met Monoclonal Antibody Mixture Sym015", "Anti-Met/EGFR Monoclonal Antibody LY3164530", "Anti-MMP-9 Monoclonal Antibody GS-5745", "Anti-MUC1 Monoclonal Antibody BTH1704", "Anti-MUC16/CD3 Bispecific Antibody REGN4018", "Anti-MUC16/CD3 BiTE Antibody REGN4018", "Anti-MUC16/MMAE Antibody-Drug Conjugate DMUC4064A", "Anti-MUC17/CD3 BiTE Antibody AMG 199", "Anti-Myeloma Monoclonal Antibody-DM4 Immunoconjugate BT-062", "Anti-myostatin Monoclonal Antibody LY2495655", "Anti-NaPi2b Antibody-drug Conjugate XMT-1592", "Anti-NaPi2b Monoclonal Antibody XMT-1535", "Anti-nectin-4 Monoclonal Antibody-Drug Conjugate AGS-22M6E", "Anti-Neuropilin-1 Monoclonal Antibody MNRP1685A", "Anti-nf-P2X7 Antibody Ointment BIL-010t", "Anti-NRP1 Antibody ASP1948", "Anti-Nucleolin Aptamer AS1411", "Anti-NY-ESO-1 Immunotherapeutic GSK-2241658A", "Anti-NY-ESO1/LAGE-1A TCR/scFv Anti-CD3 IMCnyeso", "Anti-OFA Immunotherapeutic BB-MPI-03", "Anti-OX40 Agonist Monoclonal Antibody ABBV-368", "Anti-OX40 Agonist Monoclonal Antibody BGB-A445", "Anti-OX40 Agonist Monoclonal Antibody PF-04518600", "Anti-OX40 Antibody BMS 986178", "Anti-OX40 Hexavalent Agonist Antibody INBRX-106", "Anti-OX40 Monoclonal Antibody GSK3174998", "Anti-OX40 Monoclonal Antibody IBI101", "Anti-PD-1 Antibody-interleukin-21 Mutein Fusion Protein AMG 256", "Anti-PD-1 Checkpoint Inhibitor PF-06801591", "Anti-PD-1 Fusion Protein AMP-224", "Anti-PD-1 Monoclonal Antibody 609A", "Anti-PD-1 Monoclonal Antibody AK105", "Anti-PD-1 Monoclonal Antibody AMG 404", "Anti-PD-1 Monoclonal Antibody BAT1306", "Anti-PD-1 Monoclonal Antibody BCD-100", "Anti-PD-1 Monoclonal Antibody BI 754091", "Anti-PD-1 Monoclonal Antibody CS1003", "Anti-PD-1 Monoclonal Antibody F520", "Anti-PD-1 Monoclonal Antibody GLS-010", "Anti-PD-1 Monoclonal Antibody HLX10", "Anti-PD-1 Monoclonal Antibody HX008", "Anti-PD-1 Monoclonal Antibody JTX-4014", "Anti-PD-1 Monoclonal Antibody LZM009", "Anti-PD-1 Monoclonal Antibody MEDI0680", "Anti-PD-1 Monoclonal Antibody MGA012", "Anti-PD-1 Monoclonal Antibody SCT-I10A", "Anti-PD-1 Monoclonal Antibody Sym021", "Anti-PD-1 Monoclonal Antibody TSR-042", "Anti-PD-1/Anti-CTLA4 DART Protein MGD019", "Anti-PD-1/Anti-HER2 Bispecific Antibody IBI315", "Anti-PD-1/Anti-LAG-3 Bispecific Antibody RO7247669", "Anti-PD-1/Anti-LAG-3 DART Protein MGD013", "Anti-PD-1/Anti-PD-L1 Bispecific Antibody IBI318", "Anti-PD-1/Anti-PD-L1 Bispecific Antibody LY3434172", "Anti-PD-1/CD47 Infusion Protein HX009", "Anti-PD-1/CTLA-4 Bispecific Antibody AK104", "Anti-PD-1/CTLA-4 Bispecific Antibody MEDI5752", "Anti-PD-1/TIM-3 Bispecific Antibody RO7121661", "Anti-PD-1/VEGF Bispecific Antibody AK112", "Anti-PD-L1 Monoclonal Antibody A167", "Anti-PD-L1 Monoclonal Antibody BCD-135", "Anti-PD-L1 Monoclonal Antibody BGB-A333", "Anti-PD-L1 Monoclonal Antibody CBT-502", "Anti-PD-L1 Monoclonal Antibody CK-301", "Anti-PD-L1 Monoclonal Antibody CS1001", "Anti-PD-L1 Monoclonal Antibody FAZ053", "Anti-PD-L1 Monoclonal Antibody GR1405", "Anti-PD-L1 Monoclonal Antibody HLX20", "Anti-PD-L1 Monoclonal Antibody IMC-001", "Anti-PD-L1 Monoclonal Antibody LY3300054", "Anti-PD-L1 Monoclonal Antibody MDX-1105", "Anti-PD-L1 Monoclonal Antibody MSB2311", "Anti-PD-L1 Monoclonal Antibody RC98", "Anti-PD-L1 Monoclonal Antibody SHR-1316", "Anti-PD-L1 Monoclonal Antibody TG-1501", "Anti-PD-L1 Monoclonal Antibody ZKAB001", "Anti-PD-L1/4-1BB Bispecific Antibody INBRX-105", "Anti-PD-L1/Anti-4-1BB Bispecific Monoclonal Antibody GEN1046", "Anti-PD-L1/CD137 Bispecific Antibody MCLA-145", "Anti-PD-L1/IL-15 Fusion Protein KD033", "Anti-PD-L1/TIM-3 Bispecific Antibody LY3415244", "Anti-PD1 Monoclonal Antibody AGEN2034", "Anti-PD1/CTLA4 Bispecific Antibody XmAb20717", "Anti-PGF Monoclonal Antibody RO5323441", "Anti-PKN3 siRNA Atu027", "Anti-PLGF Monoclonal Antibody TB-403", "Anti-PR1/HLA-A2 Monoclonal Antibody Hu8F4", "Anti-PRAME Immunotherapeutic GSK2302032A", "Anti-PRAME T-cell Receptor/Anti-CD3 scFv Fusion Protein IMC-F106C", "Anti-PRL-3 Monoclonal Antibody PRL3-zumab", "Anti-prolactin Receptor Antibody LFA102", "Anti-PSCA Monoclonal Antibody AGS-1C4D4", "Anti-PSMA Monoclonal Antibody MDX1201-A488", "Anti-PSMA Monoclonal Antibody MLN591-DM1 Immunoconjugate MLN2704", "Anti-PSMA Monoclonal Antibody-MMAE Conjugate", "Anti-PSMA/CD28 Bispecific Antibody REGN5678", "Anti-PSMA/CD3 Bispecific Antibody CCW702", "Anti-PSMA/CD3 Bispecific Antibody JNJ-63898081", "Anti-PSMA/CD3 Monoclonal Antibody MOR209/ES414", "Anti-PSMA/PBD ADC MEDI3726", "Anti-PTK7/Auristatin-0101 Antibody-drug Conjugate PF-06647020", "Anti-PVRIG Monoclonal Antibody COM701", "Anti-RANKL Monoclonal Antibody GB-223", "Anti-RANKL Monoclonal Antibody JMT103", "Anti-Ribonucleoprotein Antibody ATRC-101", "Anti-ROR1 ADC VLS-101", "Anti-ROR1/PNU-159682 Derivative Antibody-drug Conjugate NBE-002", "Anti-S15 Monoclonal Antibody NC318", "Anti-sCLU Monoclonal Antibody AB-16B5", "Anti-SIRPa Monoclonal Antibody CC-95251", "Anti-SLITRK6 Monoclonal Antibody-MMAE Conjugate AGS15E", "Anti-TAG-72 Monoclonal Antibody scFV CC-49/218", "Anti-TF Monoclonal Antibody ALT-836", "Anti-TGF-beta Monoclonal Antibody NIS793", "Anti-TGF-beta Monoclonal Antibody SAR-439459", "Anti-TGF-beta RII Monoclonal Antibody IMC-TR1", "Anti-TIGIT Monoclonal Antibody AB154", "Anti-TIGIT Monoclonal Antibody BGB-A1217", "Anti-TIGIT Monoclonal Antibody BMS-986207", "Anti-TIGIT Monoclonal Antibody COM902", "Anti-TIGIT Monoclonal Antibody OMP-313M32", "Anti-TIGIT Monoclonal Antibody SGN-TGT", "Anti-TIM-3 Antibody BMS-986258", "Anti-TIM-3 Monoclonal Antibody BGB-A425", "Anti-TIM-3 Monoclonal Antibody INCAGN02390", "Anti-TIM-3 Monoclonal Antibody MBG453", "Anti-TIM-3 Monoclonal Antibody Sym023", "Anti-TIM-3 Monoclonal Antibody TSR-022", "Anti-TIM3 Monoclonal Antibody LY3321367", "Anti-TIM3 Monoclonal Antibody SHR-1702", "Anti-Tissue Factor Monoclonal Antibody MORAb-066", "Anti-TRAILR2/CDH17 Tetravalent Bispecific Antibody BI 905711", "Anti-TROP2 Antibody-drug Conjugate BAT8003", "Anti-TROP2 Antibody-drug Conjugate SKB264", "Anti-TROP2/DXd Antibody-drug Conjugate DS-1062a", "Anti-TWEAK Monoclonal Antibody RG7212", "Anti-VEGF Anticalin PRS-050-PEG40", "Anti-VEGF Monoclonal Antibody hPV19", "Anti-VEGF/ANG2 Nanobody BI 836880", "Anti-VEGF/TGF-beta 1 Fusion Protein HB-002T", "Anti-VEGFC Monoclonal Antibody VGX-100", "Anti-VEGFR2 Monoclonal Antibody HLX06", "Anti-VEGFR2 Monoclonal Antibody MSB0254", "Anti-VEGFR3 Monoclonal Antibody IMC-3C5", "Anti-VISTA Monoclonal Antibody JNJ 61610588", "Antiangiogenic Drug Combination TL-118", "Antibody-drug Conjugate ABBV-011", "Antibody-drug Conjugate ABBV-085", "Antibody-drug Conjugate ABBV-155", "Antibody-drug Conjugate ABBV-176", "Antibody-drug Conjugate ABBV-838", "Antibody-drug Conjugate ADC XMT-1536", "Antibody-drug Conjugate Anti-TIM-1-vcMMAE CDX-014", "Antibody-Drug Conjugate DFRF4539A", "Antibody-drug Conjugate MEDI7247", "Antibody-drug Conjugate PF-06647263", "Antibody-drug Conjugate PF-06664178", "Antibody-drug Conjugate SC-002", "Antibody-drug Conjugate SC-003", "Antibody-drug Conjugate SC-004", "Antibody-drug Conjugate SC-005", "Antibody-drug Conjugate SC-006", "Antibody-drug Conjugate SC-007", "Antibody-like CD95 Receptor/Fc-fusion Protein CAN-008", "Antigen-presenting Cells-expressing HPV16 E6/E7 SQZ-PBMC-HPV", "Antimetabolite FF-10502", "Antineoplastic Agent Combination SM-88", "Antineoplastic Vaccine", "Antineoplastic Vaccine GV-1301", "Antineoplaston A10", "Antineoplaston AS2-1", "Antisense Oligonucleotide GTI-2040", "Antisense Oligonucleotide QR-313", "Antitumor B Key Active Component-alpha", "Antrodia cinnamomea Supplement", "Antroquinonol Capsule", "Apalutamide", "Apatorsen", "Apaziquone", "APC8015F", "APE1/Ref-1 Redox Inhibitor APX3330", "Aphidicoline Glycinate", "Apilimod Dimesylate Capsule", "Apitolisib", "Apolizumab", "Apomab", "Apomine", "Apoptosis Inducer BZL101", "Apoptosis Inducer GCS-100", "Apoptosis Inducer MPC-2130", "Apricoxib", "Aprinocarsen", "Aprutumab", "Aprutumab Ixadotin", "AR Antagonist BMS-641988", "Arabinoxylan Compound MGN3", "Aranose", "ARC Fusion Protein SL-279252", "Archexin", "Arcitumomab", "Arfolitixorin", "Arginase Inhibitor INCB001158", "Arginine Butyrate", "Arnebia Indigo Jade Pearl Topical Cream", "Arsenic Trioxide", "Arsenic Trioxide Capsule Formulation ORH 2014", "Artemether Sublingual Spray", "Artemisinin Dimer", "Artesunate", "Arugula Seed Powder", "Aryl Hydrocarbon Receptor Antagonist BAY2416964", "Aryl Hydrocarbon Receptor Inhibitor IK-175", "Asaley", "Asciminib", "Ascrinvacumab", "Ashwagandha Root Powder Extract", "ASP4132", "Aspacytarabine", "Asparaginase", "Asparaginase Erwinia chrysanthemi", "Astatine At 211 Anti-CD38 Monoclonal Antibody OKT10-B10", "Astatine At 211 Anti-CD45 Monoclonal Antibody BC8-B10", "Astuprotimut-R", "Asulacrine", "Asulacrine Isethionate", "Asunercept", "At 211 Monoclonal Antibody 81C6", "Atamestane", "Atezolizumab", "Atiprimod", "Atiprimod Dihydrochloride", "Atiprimod Dimaleate", "ATM Inhibitor M 3541", "ATM Kinase Inhibitor AZD0156", "ATM Kinase Inhibitor AZD1390", "Atorvastatin Calcium", "Atorvastatin Sodium", "ATR Inhibitor RP-3500", "ATR Kinase Inhibitor BAY1895344", "ATR Kinase Inhibitor M1774", "ATR Kinase Inhibitor M6620", "ATR Kinase Inhibitor VX-803", "Atrasentan Hydrochloride", "Attenuated Listeria monocytogenes CRS-100", "Attenuated Live Listeria Encoding HPV 16 E7 Vaccine ADXS11-001", "Attenuated Measles Virus Encoding SCD Transgene TMV-018", "Atuveciclib", "Audencel", "Auranofin", "Aurora A Kinase Inhibitor LY3295668", "Aurora A Kinase Inhibitor LY3295668 Erbumine", "Aurora A Kinase Inhibitor MK5108", "Aurora A Kinase Inhibitor TAS-119", "Aurora A Kinase/Tyrosine Kinase Inhibitor ENMD-2076", "Aurora B Serine/Threonine Kinase Inhibitor TAK-901", "Aurora B/C Kinase Inhibitor GSK1070916A", "Aurora kinase A/B inhibitor TT-00420", "Aurora Kinase Inhibitor AMG 900", "Aurora Kinase Inhibitor BI 811283", "Aurora Kinase Inhibitor MLN8054", "Aurora Kinase Inhibitor PF-03814735", "Aurora Kinase Inhibitor SNS-314", "Aurora Kinase Inhibitor TTP607", "Aurora Kinase/VEGFR2 Inhibitor CYC116", "Autologous ACTR-CD16-CD28-expressing T-lymphocytes ACTR707", "Autologous AFP Specific T Cell Receptor Transduced T Cells C-TCR055", "Autologous Anti-BCMA CAR T-cells PHE885", "Autologous Anti-BCMA CAR-transduced T-cells KITE-585", "Autologous Anti-BCMA CD8+ CAR T-cells Descartes-11", "Autologous Anti-BCMA-CAR Expressing Stem Memory T-cells P-BCMA-101", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing CD4+/CD8+ T-lymphocytes JCARH125", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing Memory T-lymphocytes bb21217", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing T-cells C-CAR088", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing T-cells CT053", "Autologous Anti-BCMA-CAR-expressing CD4+/CD8+ T-lymphocytes FCARH143", "Autologous Anti-CD123 CAR-T Cells", "Autologous Anti-CD19 CAR T-cells 19(T2)28z1xx", "Autologous Anti-CD19 CAR T-cells IM19", "Autologous Anti-CD19 CAR TCR-zeta/4-1BB-transduced T-lymphocytes huCART19", "Autologous Anti-CD19 CAR-4-1BB-CD3zeta-expressing T-cells CNCT19", "Autologous Anti-CD19 CAR-CD28 T-cells ET019002", "Autologous Anti-CD19 CAR-CD3zeta-4-1BB-expressing T-cells PZ01", "Autologous Anti-CD19 CAR-expressing T-lymphocytes CLIC-1901", "Autologous Anti-CD19 Chimeric Antigen Receptor T-cells AUTO1", "Autologous Anti-CD19 Chimeric Antigen Receptor T-cells SJCAR19", "Autologous Anti-CD19 T-cell Receptor T cells ET190L1", "Autologous Anti-CD19 TAC-T cells TAC01-CD19", "Autologous Anti-CD19/CD20 Bispecific Nanobody-based CAR-T cells", "Autologous Anti-CD19/CD22 CAR T-cells AUTO3", "Autologous Anti-CD19CAR-4-1BB-CD3zeta-EGFRt-expressing CD4+/CD8+ Central Memory T-lymphocytes JCAR014", "Autologous Anti-CD19CAR-HER2t/CD22CAR-EGFRt-expressing T-cells", "Autologous Anti-CD20 CAR Transduced CD4/CD8 Enriched T-cells MB-CART20.1", "Autologous Anti-CD22 CAR-4-1BB-TCRz-transduced T-lymphocytes CART22-65s", "Autologous Anti-EGFR CAR-transduced CXCR 5-modified T-lymphocytes", "Autologous Anti-FLT3 CAR T Cells AMG 553", "Autologous Anti-HLA-A*02/AFP TCRm-expressing T-cells ET140202", "Autologous Anti-HLA-A*0201/AFP CAR T-cells ET1402L1", "Autologous Anti-ICAM-1-CAR-CD28-4-1BB-CD3zeta-expressing T-cells AIC100", "Autologous Anti-kappa Light Chain CAR-CD28-expressing T-lymphocytes", "Autologous Anti-NY-ESO-1/LAGE-1 TCR-transduced c259 T Lymphocytes GSK3377794", "Autologous Anti-PD-1 Antibody-activated Tumor-infiltrating Lymphocytes", "Autologous Anti-PSMA CAR-T Cells P-PSMA-101", "Autologous AXL-targeted CAR T-cells CCT301-38", "Autologous B-cell/Monocyte-presenting HER2/neu Antigen Vaccine BVAC-B", "Autologous BCMA-targeted CAR T Cells CC-98633", "Autologous BCMA-targeted CAR T Cells LCAR-B4822M", "Autologous Bi-epitope BCMA-targeted CAR T-cells JNJ-68284528", "Autologous Bispecific BCMA/CD19-targeted CAR-T Cells GC012F", "Autologous Bispecific CD19/CD22-targeted CAR-T Cells GC022", "Autologous Bone Marrow-derived CD34/CXCR4-positive Stem Cells AMR-001", "Autologous CAR-mbIL15-Safety Switch T-cells PRGN-3005", "Autologous CAR-mbIL15-Safety Switch T-cells PRGN-3006", "Autologous CD123-4SCAR-expressing T-cells 4SCAR123", "Autologous CD19 CAR-expressing CD4+/CD8+ T-cells MB-CART19.1", "Autologous CD19-targeted CAR T Cells CC-97540", "Autologous CD19-targeted CAR T Cells JWCAR029", "Autologous CD19-targeted CAR-T Cells GC007F", "Autologous CD19/PD-1 Bispecific CAR-T Cells", "Autologous CD20-4SCAR-expressing T-cells 4SCAR20", "Autologous CD22-4SCAR-expressing T-cells 4SCAR22", "Autologous CD38-4SCAR-expressing T-cells 4SCAR38", "Autologous Clonal Neoantigen T Cells ATL001", "Autologous CRISPR-edited Anti-CD19 CAR T Cells XYF19", "Autologous Deep IL-15 Primed T-cells TRQ15-01", "Autologous Dendritic Cell Vaccine ACT2001", "Autologous Dendritic Cell-based Immunotherapeutic AV0113", "Autologous FRa-4SCAR-expressing T-cells 4SCAR-FRa", "Autologous Genetically-modified MAGE-A4 C1032 CD8alpha T Cells", "Autologous Genetically-modified MAGE-A4 C1032 T Cells", "Autologous Heat-Shock Protein 70 Peptide Vaccine AG-858", "Autologous HPV16 E7-specific HLA-A*02:01-restricted TCR Gene Engineered Lymphocytes KITE-439", "Autologous LMP1/LMP2/EBNA1-specific HLA-A02:01/24:02/11:01-restricted TCR-expressing T-lymphocytes YT-E001", "Autologous MAGE-A3/A6-specific TCR Gene-engineered Lymphocytes KITE-718", "Autologous MCPyV-specific HLA-A02-restricted TCR-transduced CD4+ and CD8+ T-cells FH-MCVA2TCR", "Autologous Mesenchymal Stem Cells Apceth_101", "Autologous Mesothelin-specific Human mRNA CAR-transfected PBMCs MCY-M11", "Autologous Monocyte-derived Lysate-pulsed Dendritic Cell Vaccine PV-001-DC", "Autologous Multi-lineage Potential Cells", "Autologous Nectin-4/FAP-targeted CAR-T Cells", "Autologous NKG2D CAR T-cells CYAD-02", "Autologous NKG2D CAR-CD3zeta-DAP10-expressing T-Lymphocytes CYAD-01", "Autologous Pancreatic Adenocarcinoma Lysate and mRNA-loaded Dendritic Cell Vaccine", "Autologous Peripheral Blood Lymphocytes from Ibrutinib-treated Chronic Lymphocytic Leukemia Patients IOV-2001", "Autologous Prostate Cancer Antigen-expressing Dendritic Cell Vaccine BPX-101", "Autologous Prostate Stem Cell Antigen-specific CAR T Cells BPX-601", "Autologous Rapamycin-resistant Th1/Tc1 Cells RAPA-201", "Autologous ROR2-targeted CAR T-cells CCT301-59", "Autologous TAAs-loaded Autologous Dendritic Cells AV-GBM-1", "Autologous TCR-engineered T-cells IMA201", "Autologous TCR-engineered T-cells IMA202", "Autologous TCR-engineered T-cells IMA203", "Autologous TCRm-expressing T-cells ET140203", "Autologous Tetravalent Dendritic Cell Vaccine MIDRIX4-LUNG", "Autologous Tumor Infiltrating Lymphocytes LN-144", "Autologous Tumor Infiltrating Lymphocytes LN-145", "Autologous Tumor Infiltrating Lymphocytes LN-145-S1", "Autologous Tumor Infiltrating Lymphocytes MDA-TIL", "Autologous Universal CAR-expressing T-lymphocytes UniCAR02-T", "Avadomide", "Avadomide Hydrochloride", "Avapritinib", "Avdoralimab", "Avelumab", "Aviscumine", "Avitinib Maleate", "Axalimogene Filolisbac", "Axatilimab", "Axicabtagene Ciloleucel", "Axitinib", "AXL Inhibitor DS-1205c", "AXL Inhibitor SLC-391", "AXL Receptor Tyrosine Kinase/cMET Inhibitor BPI-9016M", "AXL/ FLT3/VEGFR2 Inhibitor KC1036", "Axl/Mer Inhibitor INCB081776", "Axl/Mer Inhibitor PF-07265807", "Azacitidine", "Azapicyl", "Azaribine", "Azaserine", "Azathioprine", "Azimexon", "Azintuxizumab Vedotin", "Aziridinylbenzoquinone RH1", "Azotomycin", "Azurin:50-77 Cell Penetrating Peptide p28", "B-Raf/VEGFR-2 Inhibitor RAF265", "Babaodan Capsule", "Bacillus Calmette-Guerin Substrain Connaught Live Antigen", "Bactobolin", "Bafetinib", "Balixafortide", "Balstilimab", "Baltaleucel-T", "Banoxantrone", "Barasertib", "Bardoxolone", "Bardoxolone Methyl", "Baricitinib", "Batabulin", "Batabulin Sodium", "Batimastat", "Bavituximab", "Bazedoxifene", "Bazlitoran", "BC-819 Plasmid/Polyethylenimine Complex", "BCG Solution", "BCG Tokyo-172 Strain Solution", "BCG Vaccine", "Bcl-2 Inhibitor APG 2575", "Bcl-2 Inhibitor BCL201", "Bcl-2 Inhibitor BGB-11417", "Bcl-2 Inhibitor LP-108", "Bcl-2 Inhibitor S65487", "Bcl-Xs Adenovirus Vaccine", "BCMA x CD3 T-cell Engaging Antibody CC-93269", "BCMA-CD19 Compound CAR T Cells", "BCMA/CD3e Tri-specific T-cell Activating Construct HPN217", "Bcr-Abl Kinase Inhibitor K0706", "Bcr-Abl Kinase Inhibitor PF-114", "BCR-ABL/KIT/AKT/ERK Inhibitor HQP1351", "Beauvericin", "Becatecarin", "Belagenpumatucel-L", "Belantamab Mafodotin", "Belapectin", "Belimumab", "Belinostat", "Belotecan Hydrochloride", "Belvarafenib", "Belzutifan", "Bemarituzumab", "Bemcentinib", "Bempegaldesleukin", "Benaxibine", "Bendamustine", "Bendamustine Hydrochloride", "Bendamustine-containing Nanoparticle-based Formulation RXDX-107", "Benzaldehyde Dimethane Sulfonate", "Benzoylphenylurea", "Berberine Chloride", "Bermekimab", "Bersanlimab", "Berubicin Hydrochloride", "Berzosertib", "BET Bromodomain Inhibitor ZEN-3694", "BET Inhibitor ABBV-744", "BET Inhibitor BAY1238097", "BET inhibitor BI 894999", "BET Inhibitor BMS-986158", "BET Inhibitor CC-90010", "BET Inhibitor CPI-0610", "BET Inhibitor FT-1101", "BET Inhibitor GS-5829", "BET Inhibitor GSK2820151", "BET Inhibitor INCB054329", "BET Inhibitor INCB057643", "BET Inhibitor RO6870810", "BET-bromodomain Inhibitor ODM-207", "Beta Alethine", "Beta-Carotene", "Beta-elemene", "Beta-Glucan", "Beta-Glucan MM-10-001", "Beta-lapachone Prodrug ARQ 761", "Beta-Thioguanine Deoxyriboside", "Betaglucin Gel", "Betulinic Acid", "Bevacizumab", "Bexarotene", "Bexmarilimab", "BF-200 Gel Formulation", "BH3 Mimetic ABT-737", "Bi-functional Alkylating Agent VAL-083", "Bicalutamide", "Bimiralisib", "Binetrakin", "Binimetinib", "Bintrafusp Alfa", "Birabresib", "Birinapant", "Bis(choline)tetrathiomolybdate", "Bisantrene", "Bisantrene Hydrochloride", "Bisnafide", "Bisnafide Dimesylate", "Bispecific Antibody 2B1", "Bispecific Antibody AGEN1223", "Bispecific Antibody AMG 509", "Bispecific Antibody GS-1423", "Bispecific Antibody MDX-H210", "Bispecific Antibody MDX447", "Bisthianostat", "BiTE Antibody AMG 910", "Bivalent BRD4 Inhibitor AZD5153", "Bizalimogene Ralaplasmid", "Bizelesin", "BL22 Immunotoxin", "Black Cohosh", "Black Raspberry Nectar", "Bleomycin", "Bleomycin A2", "Bleomycin B2", "Bleomycin Sulfate", "Blinatumomab", "Blueberry Powder Supplement", "BMI1 Inhibitor PTC596", "BMS-184476", "BMS-188797", "BMS-214662", "BMS-275183", "Boanmycin Hydrochloride", "Bomedemstat", "Boronophenylalanine-Fructose Complex", "Bortezomib", "Bosutinib", "Bosutinib Monohydrate", "Botanical Agent BEL-X-HG", "Botanical Agent LEAC-102", "Bovine Cartilage", "Bozitinib", "BP-Cx1-Platinum Complex BP-C1", "BR96-Doxorubicin Immunoconjugate", "Brachyury-expressing Yeast Vaccine GI-6301", "BRAF Inhibitor", "BRAF Inhibitor ARQ 736", "BRAF Inhibitor BGB-3245", "BRAF Inhibitor PLX8394", "BRAF(V600E) Kinase Inhibitor ABM-1310", "BRAF(V600E) Kinase Inhibitor RO5212054", "BRAF/EGFR Inhibitor BGB-283", "BRAFV600/PI3K Inhibitor ASN003", "BRD4 Inhibitor PLX2853", "BRD4 Inhibitor PLX51107", "Breflate", "Brentuximab", "Brentuximab Vedotin", "Brequinar", "Brequinar Sodium", "Briciclib Sodium", "Brigatinib", "Brilanestrant", "Brimonidine Tartrate Nanoemulsion OCU-300", "Brivanib", "Brivanib Alaninate", "Brivudine", "Brivudine Phosphoramidate", "Broad-Spectrum Human Papillomavirus Vaccine V505", "Broccoli Sprout/Broccoli Seed Extract Supplement", "Bromacrylide", "Bromebric Acid", "Bromocriptine Mesylate", "Brontictuzumab", "Brostacillin Hydrochloride", "Brostallicin", "Broxuridine", "Bruceanol A", "Bruceanol B", "Bruceanol C", "Bruceanol D", "Bruceanol E", "Bruceanol F", "Bruceanol G", "Bruceanol H", "Bruceantin", "Bryostatin 1", "BTK Inhibitor ARQ 531", "BTK Inhibitor CT-1530", "BTK Inhibitor DTRMWXHS-12", "BTK Inhibitor HZ-A-018", "BTK Inhibitor ICP-022", "BTK Inhibitor LOXO-305", "BTK Inhibitor M7583", "BTK inhibitor TG-1701", "Budigalimab", "Budotitane", "Bufalin", "Buparlisib", "Burixafor", "Burixafor Hydrobromide", "Burosumab", "Buserelin", "Bushen Culuan Decoction", "Bushen-Jianpi Decoction", "Busulfan", "Buthionine Sulfoximine", "BXQ-350 Nanovesicle Formulation", "c-Kit Inhibitor PLX9486", "c-Met Inhibitor ABN401", "c-Met Inhibitor AL2846", "c-Met Inhibitor AMG 208", "c-Met Inhibitor AMG 337", "c-Met Inhibitor GST-HG161", "c-Met Inhibitor HS-10241", "c-Met Inhibitor JNJ-38877605", "c-Met Inhibitor MK2461", "c-Met Inhibitor MK8033", "c-Met Inhibitor MSC2156119J", "C-myb Antisense Oligonucleotide G4460", "c-raf Antisense Oligonucleotide ISIS 5132", "C-VISA BikDD:Liposome", "C/EBP Beta Antagonist ST101", "CAB-ROR2-ADC BA3021", "Cabazitaxel", "Cabiralizumab", "Cabozantinib", "Cabozantinib S-malate", "Cactinomycin", "Caffeic Acid Phenethyl Ester", "CAIX Inhibitor DTP348", "CAIX Inhibitor SLC-0111", "Calaspargase Pegol-mknl", "Calcitriol", "Calcium Release-activated Channel Inhibitor CM4620", "Calcium Release-activated Channels Inhibitor RP4010", "Calcium Saccharate", "Calculus bovis/Moschus/Olibanum/Myrrha Capsule", "Calicheamicin Gamma 1I", "Camidanlumab Tesirine", "Camptothecin", "Camptothecin Analogue TLC388", "Camptothecin Glycoconjugate BAY 38-3441", "Camptothecin Sodium", "Camptothecin-20(S)-O-Propionate Hydrate", "Camrelizumab", "Camsirubicin", "Cancell", "Cancer Peptide Vaccine S-588410", "Canerpaturev", "Canertinib Dihydrochloride", "Canfosfamide", "Canfosfamide Hydrochloride", "Cannabidiol", "Cantrixil", "Cantuzumab Ravtansine", "Capecitabine", "Capecitabine Rapidly Disintegrating Tablet", "Capivasertib", "Capmatinib", "Captopril", "CAR T-Cells AMG 119", "Caracemide", "Carbendazim", "Carbetimer", "Carbogen", "Carbon C 14-pamiparib", "Carboplatin", "Carboquone", "Carboxyamidotriazole", "Carboxyamidotriazole Orotate", "Carboxyphenyl Retinamide", "Carfilzomib", "Caricotamide/Tretazicar", "Carlumab", "Carmofur", "Carmustine", "Carmustine Implant", "Carmustine in Ethanol", "Carmustine Sustained-Release Implant Wafer", "Carotuximab", "Carubicin", "Carubicin Hydrochloride", "Carzelesin", "Carzinophilin", "Cathelicidin LL-37", "Cationic Liposome-Encapsulated Paclitaxel", "Cationic Peptide Cream Cypep-1", "Catumaxomab", "CBP/beta-catenin Antagonist PRI-724", "CBP/beta-catenin Modulator E7386", "CCR2 Antagonist CCX872-B", "CCR2 Antagonist PF-04136309", "CCR2/CCR5 Antagonist BMS-813160", "CCR4 Inhibitor FLX475", "CD11b Agonist GB1275", "CD123-CD33 Compound CAR T Cells", "CD123-specific Targeting Module TM123", "CD20-CD19 Compound CAR T Cells", "CD28/ICOS Antagonist ALPN-101", "CD4-specific Telomerase Peptide Vaccine UCPVax", "CD40 Agonist Monoclonal Antibody CP-870,893", "CD40 Agonistic Monoclonal Antibody APX005M", "CD44 Targeted Agent SPL-108", "CD44v6-specific CAR T-cells", "CD47 Antagonist ALX148", "CD73 Inhibitor AB680", "CD73 Inhibitor LY3475070", "CD80-Fc Fusion Protein ALPN-202", "CD80-Fc Fusion Protein FPT155", "CDC7 Inhibitor TAK-931", "CDC7 Kinase Inhibitor BMS-863233", "CDC7 Kinase Inhibitor LY3143921 Hydrate", "CDC7 Kinase Inhibitor NMS-1116354", "CDK Inhibitor AT7519", "CDK Inhibitor R547", "CDK Inhibitor SNS-032", "CDK/JAK2/FLT3 Inhibitor TG02 Citrate", "CDK1 Inhibitor BEY1107", "CDK1/2/4 Inhibitor AG-024322", "CDK2 Inhibitor PF-07104091", "CDK2/4/6/FLT3 Inhibitor FN-1501", "CDK2/5/9 Inhibitor CYC065", "CDK4 Inhibitor P1446A-05", "CDK4/6 Inhibitor", "CDK4/6 Inhibitor BPI-16350", "CDK4/6 Inhibitor CS3002", "CDK4/6 Inhibitor FCN-437", "CDK4/6 Inhibitor G1T38", "CDK4/6 Inhibitor HS-10342", "CDK4/6 Inhibitor SHR6390", "CDK4/6 Inhibitor TQB3616", "CDK7 Inhibitor CT7001", "CDK7 Inhibitor SY-1365", "CDK7 Inhibitor SY-5609", "CDK8/19 Inhibitor SEL 120", "CDK9 Inhibitor AZD4573", "CEA-MUC-1-TRICOM Vaccine CV301", "CEA-targeting Agent RG6123", "CEBPA-targeting saRNA MTL-CEBPA Liposome", "Cedazuridine", "Cedazuridine/Azacitidine Combination Agent ASTX030", "Cedazuridine/Decitabine Combination Agent ASTX727", "Cedefingol", "Cediranib", "Cediranib Maleate", "Celecoxib", "Cell Cycle Checkpoint/DNA Repair Antagonist IC83", "Cemadotin", "Cemadotin Hydrochloride", "Cemiplimab", "Cenersen", "Cenisertib", "CENP-E Inhibitor GSK-923295", "Ceralasertib", "Ceramide Nanoliposome", "Cerdulatinib", "Cereblon E3 Ubiquitin Ligase Modulating Agent CC-92480", "Cereblon E3 Ubiquitin Ligase Modulating Agent CC-99282", "Cereblon Modulator CC-90009", "Cergutuzumab Amunaleukin", "Ceritinib", "Cesalin", "cEt KRAS Antisense Oligonucleotide AZD4785", "Cetrelimab", "Cetuximab", "Cetuximab Sarotalocan", "Cetuximab-IR700 Conjugate RM-1929", "Cetuximab-loaded Ethylcellulose Polymeric Nanoparticles Decorated with Octreotide (SY)", "Cevipabulin", "Cevipabulin Fumarate", "Cevipabulin Succinate", "Cevostamab", "cFMS Tyrosine Kinase Inhibitor ARRY-382", "Chaparrin", "Chaparrinone", "Checkpoint Kinase Inhibitor AZD7762", "Checkpoint Kinase Inhibitor XL844", "Chemotherapy", "Chiauranib", "Chimeric Monoclonal Antibody 81C6", "ChiNing Decoction", "Chk1 Inhibitor CCT245737", "Chk1 Inhibitor GDC-0425", "Chk1 Inhibitor GDC-0575", "CHK1 Inhibitor MK-8776", "CHK1 Inhibitor PF-477736", "Chlorambucil", "Chlorodihydropyrimidine", "Chloroquine", "Chloroquinoxaline Sulfonamide", "Chlorotoxin", "Chlorotoxin (EQ)-CD28-CD3zeta-CD19t-expressing CAR T-lymphocytes", "Chlorozotocin", "Choline Kinase Alpha Inhibitor TCD-717", "CHP-NY-ESO-1 Peptide Vaccine IMF-001", "Chromomycin A3", "Chrysanthemum morifolium/Ganoderma lucidum/Glycyrrhiza glabra/Isatis indigotica/Panax pseudoginseng/Rabdosia rubescens/Scutellaria baicalensis/Serona repens Supplement", "Cibisatamab", "Ciclopirox Prodrug CPX-POM", "Cidan Herbal Capsule", "Ciforadenant", "Cilengitide", "Ciltacabtagene Autoleucel", "Cimetidine", "Cinacalcet Hydrochloride", "Cinobufagin", "Cinobufotalin", "Cinrebafusp Alfa", "Cintirorgon", "Cintredekin Besudotox", "Cirmtuzumab", "cis-Urocanic Acid", "Cisplatin", "Cisplatin Liposomal", "Cisplatin-E Therapeutic Implant", "Cisplatin/Vinblastine/Cell Penetration Enhancer Formulation INT230-6", "Citarinostat", "Citatuzumab Bogatox", "Cixutumumab", "CK1alpha/CDK7/CDK9 Inhibitor BTX-A51", "CK2-targeting Synthetic Peptide CIGB-300", "CL 246738", "Cladribine", "Clanfenur", "Clarithromycin", "Class 1/4 Histone Deacetylase Inhibitor OKI-179", "Clinical Trial", "Clinical Trial Agent", "Clioquinol", "Clivatuzumab", "Clodronate Disodium", "Clodronic Acid", "Clofarabine", "Clomesone", "Clomiphene", "Clomiphene Citrate", "Clostridium Novyi-NT Spores", "Cobimetinib", "Cobolimab", "Cobomarsen", "Codrituzumab", "Coenzyme Q10", "Cofetuzumab Pelidotin", "Colchicine-Site Binding Agent ABT-751", "Cold Contaminant-free Iobenguane I-131", "Colloidal Gold-Bound Tumor Necrosis Factor", "Colorectal Cancer Peptide Vaccine PolyPEPI1018", "Colorectal Tumor-Associated Peptides Vaccine IMA910", "Coltuximab Ravtansine", "Combretastatin", "Combretastatin A-1", "Combretastatin A1 Diphosphate", "Commensal Bacterial Strain Formulation VE800", "Compound Kushen Injection", "Conatumumab", "Conbercept", "Concentrated Lingzhi Mushroom Extract", "Conditionally Active Biologic Anti-AXL Antibody-drug Conjugate BA3011", "Copanlisib", "Copanlisib Hydrochloride", "Copper Cu 64-ATSM", "Copper Cu 67 Tyr3-octreotate", "Copper Gluconate", "Cord Blood Derived CAR T-Cells", "Cord Blood-derived Expanded Natural Killer Cells PNK-007", "Cordycepin", "Cordycepin Triphosphate", "Coriolus Versicolor Extract", "Corticorelin Acetate", "Cortisone Acetate", "Cosibelimab", "Cositecan", "Coxsackievirus A21", "Coxsackievirus V937", "CpG Oligodeoxynucleotide GNKG168", "Crenolanib", "Crenolanib Besylate", "Crizotinib", "Crolibulin", "Cryptophycin", "Cryptophycin 52", "Crystalline Genistein Formulation AXP107-11", "CSF-1R Inhibitor BLZ945", "CSF1R Inhibitor ABSK021", "CSF1R Inhibitor DCC-3014", "CSF1R Inhibitor PLX73086", "CT2584 HMS", "CTLA-4-directed Probody BMS-986249", "Curcumin", "Curcumin/Doxorubicin-encapsulating Nanoparticle IMX-110", "Cusatuzumab", "Custirsen Sodium", "CXC Chemokine Receptor 2 Antagonist AZD5069", "CXCR1/2 Inhibitor SX-682", "CXCR2 Antagonist QBM076", "CXCR4 Antagonist BL-8040", "CXCR4 Antagonist USL311", "CXCR4 Inhibitor Q-122", "CXCR4 Peptide Antagonist LY2510924", "CXCR4/E-selectin Antagonist GMI-1359", "Cyclin-dependent Kinase 8/19 Inhibitor BCD 115", "Cyclin-dependent Kinase Inhibitor PF-06873600", "Cyclodextrin-Based Polymer-Camptothecin CRLX101", "Cyclodisone", "Cycloleucine", "Cyclopentenyl Cytosine", "Cyclophosphamide", "Cyclophosphamide Anhydrous", "Cyclosporine", "CYL-02 Plasmid DNA", "CYP11A1 inhibitor ODM-208", "CYP11A1 Inhibitor ODM-209", "CYP17 Inhibitor CFG920", "CYP17 Lyase Inhibitor ASN001", "CYP17/Androgen Receptor Inhibitor ODM 204", "CYP17/CYP11B2 Inhibitor LAE001", "Cyproterone", "Cyproterone Acetate", "Cytarabine", "Cytarabine Monophosphate Prodrug MB07133", "Cytarabine-asparagine Prodrug BST-236", "Cytidine Analog RX-3117", "Cytochlor", "Cytokine-based Biologic Agent IRX-2", "D-methionine Formulation MRX-1024", "DAB389 Epidermal Growth Factor", "Dabrafenib", "Dabrafenib Mesylate", "Dacarbazine", "Dacetuzumab", "DACH Polymer Platinate AP5346", "DACH-Platin Micelle NC-4016", "Daclizumab", "Dacomitinib", "Dacplatinum", "Dactinomycin", "Dactolisib", "Dactolisib Tosylate", "Dalantercept", "Dalotuzumab", "Daniquidone", "Danusertib", "Danvatirsen", "Daporinad", "Daratumumab", "Daratumumab and Hyaluronidase-fihj", "Daratumumab/rHuPH20", "Darinaparsin", "Darleukin", "Darolutamide", "Daromun", "Dasatinib", "Daunorubicin", "Daunorubicin Citrate", "Daunorubicin Hydrochloride", "DEC-205/NY-ESO-1 Fusion Protein CDX-1401", "Decitabine", "Decitabine and Cedazuridine", "Defactinib", "Defactinib Hydrochloride", "Deferoxamine", "Deferoxamine Mesylate", "Degarelix", "Degarelix Acetate", "Delanzomib", "Delolimogene Mupadenorepvec", "Demcizumab", "Demecolcine", "Demplatin Pegraglumer", "Dendrimer-conjugated Bcl-2/Bcl-XL Inhibitor AZD0466", "Dendritic Cell Vaccine", "Dendritic Cell-Autologous Lung Tumor Vaccine", "Dendritic Cell-targeting Lentiviral Vector ID-LV305", "Denenicokin", "Dengue Virus Adjuvant PV-001-DV", "Denibulin", "Denibulin Hydrochloride", "Denileukin Diftitox", "Denintuzumab Mafodotin", "Denosumab", "Deoxycytidine Analogue TAS-109", "Deoxycytidine Analogue TAS-109 Hydrochloride", "Depatuxizumab", "Depatuxizumab Mafodotin", "Derazantinib", "Deslorelin", "Deslorelin Acetate", "Detirelix", "Detorubicin", "Deuteporfin", "Deuterated Enzalutamide", "Devimistat", "Dexamethason", "Dexamethasone", "Dexamethasone Phosphate", "Dexamethasone Sodium Phosphate", "Dexanabinol", "Dexrazoxane", "Dexrazoxane Hydrochloride", "Dezaguanine", "Dezaguanine Mesylate", "Dezapelisib", "DHA-Paclitaxel", "DHEA Mustard", "DI-Leu16-IL2 Immunocytokine", "Dianhydrogalactitol", "Diarylsulfonylurea Compound ILX-295501", "Diazepinomicin", "Diaziquone", "Diazooxonorleucine", "Dibrospidium Chloride", "Dichloroallyl Lawsone", "Dicycloplatin", "Didox", "Dienogest", "Diethylnorspermine", "Digitoxin", "Digoxin", "Dihydro-5-Azacytidine", "Dihydrolenperone", "Dihydroorotate Dehydrogenase Inhibitor AG-636", "Dihydroorotate Dehydrogenase Inhibitor BAY2402234", "Diindolylmethane", "Dilpacimab", "Dimethylmyleran", "Dinaciclib", "Dinutuximab", "Dioscorea nipponica Makino Extract DNE3", "Diphencyprone", "Diphtheria Toxin Fragment-Interleukin-2 Fusion Protein E7777", "Ditiocarb", "DKK1-Neutralizing Monoclonal Antibody DKN-01", "DM-CHOC-PEN", "DM4-Conjugated Anti-Cripto Monoclonal Antibody BIIB015", "DNA Interference Oligonucleotide PNT2258", "DNA Minor Groove Binding Agent SG2000", "DNA Plasmid Encoding Interleukin-12 INO-9012", "DNA Plasmid-encoding Interleukin-12 INO-9012/PSA/PSMA DNA Plasmids INO-5150 Formulation INO-5151", "DNA Plasmid-encoding Interleukin-12/HPV DNA Plasmids Therapeutic Vaccine MEDI0457", "DNA Vaccine VB10.16", "DNA-dependent Protein Kinase Inhibitor VX-984", "DNA-PK inhibitor AZD7648", "DNA-PK/PI3K-delta Inhibitor BR101801", "DNA-PK/TOR Kinase Inhibitor CC-115", "DNMT1 Inhibitor NTX-301", "DNMT1 Mixed-Backbone Antisense Oligonucleotide MG 98", "Docetaxel", "Docetaxel Anhydrous", "Docetaxel Emulsion ANX-514", "Docetaxel Formulation CKD-810", "Docetaxel Lipid Microspheres", "Docetaxel Nanoparticle CPC634", "Docetaxel Polymeric Micelles", "Docetaxel-loaded Nanopharmaceutical CRLX301", "Docetaxel-PNP", "Docetaxel/Ritonavir", "Dociparstat sodium", "Dolastatin 10", "Dolastatin 15", "Domatinostat", "Donafenib", "Dopamine-Somatostatin Chimeric Molecule BIM-23A760", "Dostarlimab", "Double-armed TMZ-CD40L/4-1BBL Oncolytic Ad5/35 Adenovirus LOAd703", "Dovitinib", "Dovitinib Lactate", "Doxazosin", "Doxercalciferol", "Doxifluridine", "Doxorubicin", "Doxorubicin Hydrochloride", "Doxorubicin Prodrug L-377,202", "Doxorubicin Prodrug/Prodrug-activating Biomaterial SQ3370", "Doxorubicin-Eluting Beads", "Doxorubicin-HPMA Conjugate", "Doxorubicin-loaded EGFR-targeting Nanocells", "Doxorubicin-Magnetic Targeted Carrier Complex", "DPT/BCG/Measles/Serratia/Pneumococcus Vaccine", "DPT/Typhoid/Staphylococcus aureus/Paratyphoid A/Paratyphoid B Vaccine", "DPX-E7 HPV Vaccine", "DR5 HexaBody Agonist GEN1029", "DR5-targeting Tetrameric Nanobody Agonist TAS266", "Dromostanolone Propionate", "Drozitumab", "DTRMWXHS-12/Everolimus/Pomalidomide Combination Agent DTRM-555", "Dual IGF-1R/InsR Inhibitor BMS-754807", "Dual Variable Domain Immunoglobulin ABT-165", "Dual-affinity B7-H3/CD3-targeted Protein MGD009", "Dubermatinib", "Duborimycin", "Dulanermin", "Duligotuzumab", "Dupilumab", "Durvalumab", "Dusigitumab", "dUTPase/DPD Inhibitor TAS-114", "Duvelisib", "Duvortuxizumab", "Dynemicin", "Dynemicin A", "E2F1 Pathway Activator ARQ 171", "EBNA-1 inhibitor VK-2019", "Echinomycin", "Ecromeximab", "Edatrexate", "Edelfosine", "Edicotinib", "Edodekin alfa", "Edotecarin", "Edrecolomab", "EED Inhibitor MAK683", "Efatutazone", "Efatutazone Dihydrochloride", "Efizonerimod", "Eflornithine", "Eflornithine Hydrochloride", "Eftilagimod Alpha", "Eftozanermin Alfa", "Eg5 Kinesin-Related Motor Protein Inhibitor 4SC-205", "Eg5 Kinesin-Related Motor Protein Inhibitor ARQ 621", "EGb761", "EGFR Antagonist Hemay022", "EGFR Antisense DNA BB-401", "EGFR Inhibitor AZD3759", "EGFR Inhibitor BIBX 1382", "EGFR Inhibitor DBPR112", "EGFR Inhibitor PD-168393", "EGFR Inhibitor TY-9591", "EGFR Mutant-selective Inhibitor TQB3804", "EGFR Mutant-specific Inhibitor BPI-7711", "EGFR Mutant-specific Inhibitor CK-101", "EGFR Mutant-specific Inhibitor D-0316", "EGFR Mutant-specific Inhibitor ZN-e4", "EGFR T790M Antagonist BPI-15086", "EGFR T790M Inhibitor HS-10296", "EGFR/EGFRvIII Inhibitor WSD0922-FU", "EGFR/FLT3/Abl Inhibitor SKLB1028", "EGFR/HER1/HER2 Inhibitor PKI166", "EGFR/HER2 Inhibitor AP32788", "EGFR/HER2 Inhibitor AV-412", "EGFR/HER2 Inhibitor DZD9008", "EGFR/HER2 Kinase Inhibitor TAK-285", "EGFR/TGFb Fusion Monoclonal Antibody BCA101", "EGFR/VEGFR/RET Inhibitor HA121-28", "Eicosapentaenoic Acid", "eIF4E Antisense Oligonucleotide ISIS 183750", "Elacestrant", "Elacytarabine", "Elagolix", "Elbasvir/Grazoprevir", "Elesclomol", "Elesclomol Sodium", "Elgemtumab", "Elinafide", "Elisidepsin", "Elliptinium", "Elliptinium Acetate", "Elmustine", "Elotuzumab", "Elpamotide", "Elsamitrucin", "Eltanexor", "Emactuzumab", "Emapalumab", "Emepepimut-S", "Emibetuzumab", "Emitefur", "Emofolin Sodium", "Empesertib", "Enadenotucirev", "Enadenotucirev-expressing Anti-CD40 Agonistic Monoclonal Antibody NG-350A", "Enadenotucirev-expressing FAP/CD3 Bispecific FAP-TAc NG-641", "Enasidenib", "Enasidenib Mesylate", "Enavatuzumab", "Encapsulated Rapamycin", "Encelimab", "Enclomiphene", "Enclomiphene Citrate", "Encorafenib", "Endothelin B Receptor Blocker ENB 003", "Endothelin Receptor Type A Antagonist YM598", "Enfortumab Vedotin", "Engineered Human Umbilical Vein Endothelial Cells AB-205", "Engineered Red Blood Cells Co-expressing 4-1BBL and IL-15TP RTX-240", "Engineered Toxin Body Targeting CD38 TAK-169", "Engineered Toxin Body Targeting HER2 MT-5111", "Eniluracil/5-FU Combination Tablet", "Enloplatin", "Enoblituzumab", "Enobosarm", "Enoticumab", "Enpromate", "Ensartinib", "Ensituximab", "Enteric-Coated TRPM8 Agonist D-3263 Hydrochloride", "Enterococcus gallinarum Strain MRx0518", "Entinostat", "Entolimod", "Entospletinib", "Entrectinib", "Envafolimab", "Enzalutamide", "Enzastaurin", "Enzastaurin Hydrochloride", "EP2/EP4 Antagonist TPST-1495", "EP4 Antagonist INV-1120", "EP4 Antagonist ONO-4578", "Epacadostat", "Epcoritamab", "EphA2-targeting Bicycle Toxin Conjugate BT5528", "Epipodophyllotoxin Analog GL331", "Epipropidine", "Epirubicin", "Epirubicin Hydrochloride", "Epitinib Succinate", "Epitiostanol", "Epothilone Analog UTD1", "Epothilone KOS-1584", "Epratuzumab", "Epratuzumab-cys-tesirine", "ER alpha Proteolysis-targeting Chimera Protein Degrader ARV-471", "ERa36 Modulator Icaritin", "Erastin Analogue PRLX 93936", "Erbulozole", "Erdafitinib", "Eribulin", "Eribulin Mesylate", "ERK 1/2 Inhibitor ASTX029", "ERK Inhibitor CC-90003", "ERK Inhibitor GDC-0994", "ERK Inhibitor LTT462", "ERK Inhibitor MK-8353", "ERK1/2 Inhibitor ASN007", "ERK1/2 Inhibitor HH2710", "ERK1/2 Inhibitor JSI-1187", "ERK1/2 Inhibitor KO-947", "ERK1/2 Inhibitor LY3214996", "Erlotinib", "Erlotinib Hydrochloride", "Ertumaxomab", "Erythrocyte-encapsulated L-asparaginase Suspension", "Esorubicin", "Esorubicin Hydrochloride", "Esperamicin A1", "Essiac", "Esterified Estrogens", "Estradiol Valerate", "Estramustine", "Estramustine Phosphate Sodium", "Estrogen Receptor Agonist GTx-758", "Estrogens, Conjugated", "Etalocib", "Etanercept", "Etanidazole", "Etaracizumab", "Etarotene", "Ethaselen", "Ethinyl Estradiol", "Ethyleneimine", "Ethylnitrosourea", "Etidronate-Cytarabine Conjugate MBC-11", "Etigilimab", "Etirinotecan Pegol", "Etoglucid", "Etoposide", "Etoposide Phosphate", "Etoposide Toniribate", "Etoprine", "Etoricoxib", "Ets-family Transcription Factor Inhibitor TK216", "Everolimus", "Everolimus Tablets for Oral Suspension", "Evofosfamide", "Ex Vivo-expanded Autologous T Cells IMA101", "Exatecan Mesylate", "Exatecan Mesylate Anhydrous", "Exemestane", "Exicorilant", "Exisulind", "Extended Release Flucytosine", "Extended Release Metformin Hydrochloride", "Extended-release Onapristone", "Ezabenlimab", "EZH1/2 Inhibitor DS-3201", "EZH1/2 Inhibitor HH2853", "EZH2 inhibitor CPI-0209", "EZH2 Inhibitor CPI-1205", "EZH2 Inhibitor PF-06821497", "EZH2 Inhibitor SHR2554", "F16-IL2 Fusion Protein", "FACT Complex-targeting Curaxin CBL0137", "Factor VII-targeting Immunoconjugate Protein ICON-1", "Factor VIIa Inhibitor PCI-27483", "Fadraciclib", "Fadrozole Hydrochloride", "FAK Inhibitor GSK2256098", "FAK Inhibitor PF-00562271", "FAK Inhibitor VS-4718", "FAK/ALK/ROS1 Inhibitor APG-2449", "Falimarev", "Famitinib", "FAP/4-1BB-targeting DARPin MP0310", "FAP/4-1BB-targeting Fusion Protein RO7122290", "Farletuzumab", "Farnesyltransferase/Geranylgeranyltransferase Inhibitor L-778,123", "Fas Ligand-treated Allogeneic Mobilized Peripheral Blood Cells", "Fas Receptor Agonist APO010", "Fascin Inhibitor NP-G2-044", "FASN Inhibitor TVB-2640", "Favezelimab", "Fazarabine", "Fc-engineered Anti-CD40 Agonist Antibody 2141-V11", "Febuxostat", "Fedratinib", "Fedratinib Hydrochloride", "Feladilimab", "Felzartamab", "Fenebrutinib", "Fenretinide", "Fenretinide Lipid Matrix", "Fenretinide Phospholipid Suspension ST-001", "FGF Receptor Antagonist HGS1036", "FGF/FGFR Pathway Inhibitor E7090", "FGFR Inhibitor ASP5878", "FGFR Inhibitor AZD4547", "FGFR Inhibitor CPL304110", "FGFR Inhibitor Debio 1347", "FGFR Inhibitor TAS-120", "FGFR/CSF-1R Inhibitor 3D185", "FGFR/VEGFR/PDGFR/FLT3/SRC Inhibitor XL999", "FGFR1/2/3 Inhibitor HMPL-453", "FGFR2 Inhibitor RLY-4008", "FGFR4 Antagonist INCB062079", "FGFR4 Inhibitor BLU 9931", "FGFR4 Inhibitor FGF401", "FGFR4 Inhibitor H3B-6527", "FGFR4 Inhibitor ICP-105", "Fianlimab", "Fibromun", "Ficlatuzumab", "Figitumumab", "Filanesib", "Filgotinib", "Filgrastim", "Fimaporfin A", "Fimepinostat", "Firtecan Pegol", "Fisogatinib", "Flanvotumab", "Flotetuzumab", "Floxuridine", "FLT3 Inhibitor FF-10101 Succinate", "FLT3 Inhibitor HM43239", "FLT3 Inhibitor SKI-G-801", "Flt3 Ligand/Anti-CTLA-4 Antibody/IL-12 Engineered Oncolytic Vaccinia Virus RIVAL-01", "FLT3 Tyrosine Kinase Inhibitor TTT-3002", "FLT3/ABL/Aurora Kinase Inhibitor KW-2449", "FLT3/CDK4/6 Inhibitor FLX925", "FLT3/FGFR Dual Kinase Inhibitor MAX-40279", "FLT3/KIT Kinase Inhibitor AKN-028", "FLT3/KIT/CSF1R Inhibitor NMS-03592088", "Flt3/MerTK Inhibitor MRX-2843", "Fludarabine", "Fludarabine Phosphate", "Flumatinib", "Flumatinib Mesylate", "Fluorine F 18 Ara-G", "Fluorodopan", "Fluorouracil", "Fluorouracil Implant", "Fluorouracil-E Therapeutic Implant", "Fluoxymesterone", "Flutamide", "Fluvastatin", "Fluvastatin Sodium", "Fluzoparib", "FMS Inhibitor JNJ-40346527", "Fms/Trk Tyrosine Kinase Inhibitor PLX7486 Tosylate", "Folate Receptor Targeted Epothilone BMS753493", "Folate Receptor-Targeted Tubulysin Conjugate EC1456", "Folate Receptor-Targeted Vinca Alkaloid EC0489", "Folate Receptor-Targeted Vinca Alkaloid/Mitomycin C EC0225", "Folate-FITC", "Folic Acid", "Folitixorin", "Foretinib", "Foritinib Succinate", "Formestane", "Forodesine Hydrochloride", "Fosaprepitant", "Fosbretabulin", "Fosbretabulin Disodium", "Fosbretabulin Tromethamine", "Fosgemcitabine Palabenamide", "Fosifloxuridine Nafalbenamide", "Foslinanib", "Foslinanib Disodium", "Fosquidone", "Fostriecin", "Fotemustine", "Fotretamine", "FPV Vaccine CV301", "FPV-Brachyury-TRICOM Vaccine", "Fresolimumab", "Fruquintinib", "Fulvestrant", "Fumagillin-Derived Polymer Conjugate XMT-1107", "Fursultiamine", "Futibatinib", "Futuximab", "Futuximab/Modotuximab Mixture", "G Protein-coupled Estrogen Receptor Agonist LNS8801", "G-Quadruplex Stabilizer BMVC", "Galamustine", "Galarubicin", "Galectin Inhibitor GR-MD-02", "Galectin-1 Inhibitor OTX008", "Galeterone", "Galiximab", "Gallium-based Bone Resorption Inhibitor AP-002", "Galocitabine", "Galunisertib", "Gamboge Resin Extract TSB-9-W1", "Gamma-delta Tocotrienol", "Gamma-Secretase Inhibitor LY3039478", "Gamma-Secretase Inhibitor RO4929097", "Gandotinib", "Ganetespib", "Ganglioside GD2", "Ganglioside GM2", "Ganitumab", "Ganoderma lucidum Spores Powder Capsule", "Garlic", "Gastrin Immunotoxin", "Gastrin/cholecystokinin Type B Receptor Inhibitor Z-360", "Gataparsen Sodium", "Gatipotuzumab", "GBM Antigens and Alloantigens Immunotherapeutic Vaccine", "Gedatolisib", "Gefitinib", "Geldanamycin", "Gelonin", "Gemcitabine", "Gemcitabine Elaidate", "Gemcitabine Hydrochloride", "Gemcitabine Hydrochloride Emulsion", "Gemcitabine Prodrug LY2334737", "Gemcitabine-Phosphoramidate Hydrochloride NUC-1031", "Gemcitabine-Releasing Intravesical System", "Gemtuzumab Ozogamicin", "Genetically Modified Interleukin-12 Transgene-encoding Bifidobacterium longum", "Genistein", "Gentuximab", "Geranylgeranyltransferase I Inhibitor", "GI-4000 Vaccine", "Giloralimab", "Gilteritinib", "Gilteritinib Fumarate", "Gimatecan", "Gimeracil", "Ginsenoside Rg3 Capsule", "Giredestrant", "Girentuximab", "Girodazole", "GITR Agonist MEDI1873", "Givinostat", "Glasdegib", "Glasdegib Maleate", "Glaucarubolone", "Glecaprevir/Pibrentasvir", "Glembatumumab Vedotin", "Glesatinib", "Glioblastoma Cancer Vaccine ERC1671", "Glioblastoma Multiforme Multipeptide Vaccine IMA950", "Glioma Lysate Vaccine GBM6-AD", "Glioma-associated Peptide-loaded Dendritic Cell Vaccine SL-701", "Globo H-DT Vaccine OBI-833", "Glofitamab", "Glucarpidase", "Glucocorticoid Receptor Antagonist ORIC-101", "Glufosfamide", "Glumetinib", "Glutaminase Inhibitor CB-839", "Glutaminase Inhibitor CB-839 Hydrochloride", "Glutaminase Inhibitor IPN60090", "Glutamine Antagonist DRP-104", "Glutathione Pegylated Liposomal Doxorubicin Hydrochloride Formulation 2B3-101", "Glyco-engineered Anti-CD20 Monoclonal Antibody CHO H01", "Glycooptimized Trastuzumab-GEX", "GM-CSF-encoding Oncolytic Adenovirus CGTG-102", "Gold Sodium Thiomalate", "Golnerminogene Pradenovec", "Golotimod", "Golvatinib", "Gonadotropin-releasing Hormone Analog", "Goserelin", "Goserelin Acetate", "Goserelin Acetate Extended-release Microspheres LY01005", "Gossypol", "Gossypol Acetic Acid", "Grapiprant", "Green Tea Extract-based Antioxidant Supplement", "GS/pan-Notch Inhibitor AL101", "GS/pan-Notch Inhibitor BMS-986115", "GSK-3 Inhibitor 9-ING-41", "GSK-3 Inhibitor LY2090314", "Guadecitabine", "Guanabenz Acetate", "Guselkumab", "Gusperimus Trihydrochloride", "Gutolactone", "H-ras Antisense Oligodeoxynucleotide ISIS 2503", "H1299 Tumor Cell Lysate Vaccine", "HAAH Lambda phage Vaccine SNS-301", "Hafnium Oxide-containing Nanoparticles NBTXR3", "Halichondrin Analogue E7130", "Halichondrin B", "Halofuginone", "Halofuginone Hydrobromide", "HCV DNA Vaccine INO-8000", "HDAC Class I/IIb Inhibitor HG146", "HDAC Inhibitor AR-42", "HDAC inhibitor CG200745", "HDAC Inhibitor CHR-2845", "HDAC Inhibitor CKD-581", "HDAC Inhibitor CXD101", "HDAC Inhibitor MPT0E028", "HDAC Inhibitor OBP-801", "HDAC/EGFR/HER2 Inhibitor CUDC-101", "HDAC6 Inhibitor KA2507", "HDAC8 Inhibitor NBM-BMX", "HDM2 Inhibitor HDM201", "HDM2 Inhibitor MK-8242", "Hedgehog Inhibitor IPI-609", "Hematoporphyrin Derivative", "Hemiasterlin Analog E7974", "Henatinib Maleate", "Heparan Sulfate Glycosaminoglycan Mimetic M402", "Heparin Derivative SST0001", "HER-2-positive B-cell Peptide Antigen P467-DT-CRM197/Montanide Vaccine IMU-131", "HER2 ECD+TM Virus-like Replicon Particles Vaccine AVX901", "HER2 Inhibitor CP-724,714", "HER2 Inhibitor DZD1516", "HER2 Inhibitor TAS0728", "HER2 Tri-specific Natural Killer Cell Engager DF1001", "HER2-directed TLR8 Agonist SBT6050", "HER2-targeted DARPin MP0274", "HER2-targeted Liposomal Doxorubicin Hydrochloride MM-302", "HER2-targeting Antibody Fc Fragment FS102", "Herba Scutellaria Barbata", "Herbimycin", "Heterodimeric Interleukin-15", "Hexamethylene Bisacetamide", "Hexaminolevulinate", "Hexylresorcinol", "HIF-1alpha Inhibitor PX-478", "HIF-2alpha Inhibitor PT2385", "HIF-2alpha Inhibitor PT2977", "HIF2a RNAi ARO-HIF2", "Histone-Lysine N-Methyltransferase EZH2 Inhibitor GSK2816126", "Histrelin Acetate", "HLA-A*0201 Restricted TERT(572Y)/TERT(572) Peptides Vaccine Vx-001", "HLA-A*2402-Restricted Multipeptide Vaccine S-488410", "HLA-A2-restricted Melanoma-specific Peptides Vaccine GRN-1201", "HM2/MMAE Antibody-Drug Conjugate ALT-P7", "Hodgkin's Antigens-GM-CSF-Expressing Cell Vaccine", "Holmium Ho 166 Poly(L-Lactic Acid) Microspheres", "Hormone Therapy", "HPPH", "HPV 16 E6/E7-encoding Arenavirus Vaccine HB-202", "HPV 16 E7 Antigen-expressing Lactobacillis casei Vaccine BLS-ILB-E710c", "HPV DNA Plasmids Therapeutic Vaccine VGX-3100", "HPV E6/E7 DNA Vaccine GX-188E", "HPV E6/E7-encoding Arenavirus Vaccine HB-201", "HPV Types 16/18 E6/E7-Adenoviral Transduced Autologous Lymphocytes/alpha-Galactosylceramide Vaccine BVAC-C", "HPV-16 E6 Peptides Vaccine/Candida albicans Extract", "HPV-6-targeting Immunotherapeutic Vaccine INO-3106", "HPV16 E7-specific HLA-A*02:01-restricted IgG1-Fc Fusion Protein CUE-101", "HPV16 L2/E6/E7 Fusion Protein Vaccine TA-CIN", "HPV6/11-targeted DNA Plasmid Vaccine INO-3107", "Hsp90 Antagonist KW-2478", "Hsp90 Inhibitor AB-010", "Hsp90 Inhibitor BIIB021", "Hsp90 Inhibitor BIIB028", "Hsp90 Inhibitor Debio 0932", "Hsp90 Inhibitor DS-2248", "Hsp90 Inhibitor HSP990", "Hsp90 Inhibitor MPC-3100", "Hsp90 Inhibitor PU-H71", "Hsp90 Inhibitor SNX-5422 Mesylate", "Hsp90 Inhibitor SNX-5542 Mesylate", "Hsp90 Inhibitor TQB3474", "Hsp90 Inhibitor XL888", "Hsp90-targeted Photosensitizer HS-201", "HSP90-targeted SN-38 Conjugate PEN-866", "HSP90alpha/beta Inhibitor TAS-116", "hTERT Multipeptide/Montanide ISA-51 VG/Imiquimod Vaccine GX 301", "hTERT Vaccine V934/V935", "hTERT-encoding DNA Vaccine INVAC-1", "Hu14.18-IL2 Fusion Protein EMD 273063", "HuaChanSu", "Huaier Extract Granule", "Huang Lian", "huBC1-huIL12 Fusion Protein AS1409", "Human Combinatorial Antibody Library-based Monoclonal Antibody VAY736", "Human MHC Non-Restricted Cytotoxic T-Cell Line TALL-104", "Human MOAB LICO 28a32", "Human Monoclonal Antibody 216", "Human Monoclonal Antibody B11-hCG Beta Fusion Protein CDX-1307", "Human Papillomavirus 16 E7 Peptide/Padre 965.10", "Hyaluronidase-zzxf/Pertuzumab/Trastuzumab", "Hycanthone", "Hydralazine Hydrochloride", "Hydrocortisone Sodium Succinate", "Hydroxychloroquine", "Hydroxyprogesterone Caproate", "Hydroxytyrosol", "Hydroxyurea", "Hypericin", "Hypoxia-activated Prodrug TH-4000", "I 131 Antiferritin Immunoglobulin", "I 131 Monoclonal Antibody A33", "I 131 Monoclonal Antibody CC49", "I 131 Monoclonal Antibody F19", "I 131 Monoclonal Antibody Lym-1", "Iadademstat", "Ianalumab", "IAP Inhibitor APG-1387", "IAP Inhibitor AT-406", "IAP Inhibitor HGS1029", "Ibandronate Sodium", "Iberdomide", "Iboctadekin", "Ibritumomab Tiuxetan", "Ibrutinib", "Icotinib Hydrochloride", "Icrucumab", "ICT-121 Dendritic Cell Vaccine", "Idarubicin", "Idarubicin Hydrochloride", "Idarubicin-Eluting Beads", "Idasanutlin", "Idecabtagene Vicleucel", "Idelalisib", "Idetrexed", "IDH1 Mutant Inhibitor LY3410738", "IDH1(R132) Inhibitor IDH305", "IDH1R132H-Specific Peptide Vaccine PEPIDH1M", "Idiotype-Pulsed Autologous Dendritic Cell Vaccine APC8020", "IDO Peptide Vaccine IO102", "IDO-1 Inhibitor LY3381916", "IDO/TDO Inhibitor HTI-1090", "IDO/TDO Inhibitor LY-01013", "IDO1 Inhibitor KHK2455", "IDO1 Inhibitor MK-7162", "IDO1 Inhibitor PF-06840003", "IDO1/TDO2 Inhibitor DN1406131", "IDO1/TDO2 Inhibitor M4112", "Idronoxil", "Idronoxil Suppository NOX66", "Ieramilimab", "Ifabotuzumab", "Ifetroban", "Ifosfamide", "IGF-1R Inhibitor", "IGF-1R Inhibitor PL225B", "IGF-1R/IR Inhibitor KW-2450", "IGF-methotrexate Conjugate", "IL-10 Immunomodulator MK-1966", "IL-12-expressing HSV-1 NSC 733972", "IL-12-expressing Mesenchymal Stem Cell Vaccine GX-051", "IL-12sc, IL-15sushi, IFNa and GM-CSF mRNA-based Immunotherapeutic Agent SAR441000", "IL-2 Recombinant Fusion Protein ALT-801", "IL-2/9/15 Gamma Chain Receptor Inhibitor BNZ-1", "IL4-Pseudomonas Exotoxin Fusion Protein MDNA55", "Ilginatinib", "Ilixadencel", "Iloprost", "Ilorasertib", "Imalumab", "Imaradenant", "Imatinib", "Imatinib Mesylate", "Imetelstat", "Imetelstat Sodium", "Imexon", "Imgatuzumab", "Imidazole Mustard", "Imidazole-Pyrazole", "Imifoplatin", "Imipramine Blue", "Imiquimod", "Immediate-release Onapristone", "Immediate-release Tablet Afuresertib", "Immune Checkpoint Inhibitor ASP8374", "Immunoconjugate RO5479599", "Immunocytokine NHS-IL12", "Immunocytokine NHS-IL2-LT", "Immunomodulator LAM-003", "Immunomodulator OHR/AVR118", "Immunomodulatory Agent CC-11006", "Immunomodulatory Oligonucleotide HYB2055", "Immunotherapeutic Combination Product CMB305", "Immunotherapeutic GSK1572932A", "Immunotherapy Regimen MKC-1106-MT", "Immunotoxin CMD-193", "IMT-1012 Immunotherapeutic Vaccine", "Inactivated Oncolytic Virus Particle GEN0101", "Inalimarev", "Incyclinide", "Indatuximab Ravtansine", "Indibulin", "Indicine-N-Oxide", "Indisulam", "Individualized MVA-based Vaccine TG4050", "Indocyanine Green-labeled Polymeric Micelles ONM-100", "Indole-3-Carbinol", "Indomethacin", "Indoximod", "Indoximod Prodrug NLG802", "Indusatumab Vedotin", "Inebilizumab", "Inecalcitol", "Infigratinib", "Infigratinib Mesylate", "Infliximab", "Ingenol Mebutate", "Ingenol Mebutate Gel", "Iniparib", "iNKT Cell Agonist ABX196", "Innate Immunostimulator rBBX-01", "INO-1001", "Inodiftagene Vixteplasmid", "iNOS Dimerization Inhibitor ASP9853", "Inosine 5'-monophosphate Dehydrogenase Inhibitor FF-10501-01", "Inosine Monophosphate Dehydrogenase Inhibitor AVN944", "Inositol", "Inotuzumab Ozogamicin", "Inproquone", "Integrin alpha-2 Inhibitor E7820", "Integrin Receptor Antagonist GLPG0187", "Interferon", "Interferon Alfa-2B", "Interferon Alfa-N1", "Interferon Alfa-N3", "Interferon Alfacon-1", "Interferon Beta-1A", "Interferon Gamma-1b", "Interferon-gamma-expressing Adenovirus Vaccine ASN-002", "Interleukin Therapy", "Interleukin-12-Fc Fusion Protein DF6002", "Interleukin-15 Agonist Fusion Protein SHR1501", "Interleukin-15 Fusion Protein BJ-001", "Interleukin-15/Interleukin-15 Receptor Alpha Complex-Fc Fusion Protein XmAb24306", "Interleukin-15/Interleukin-15 Receptor Alpha Sushi+ Domain Fusion Protein SO-C101", "Interleukin-2 Liposome", "Intermediate-affinity Interleukin-2 Receptor Agonist ALKS 4230", "Intetumumab", "Intiquinatine", "Intoplicine", "Inulin", "Iobenguane I-131", "Iodine I 124 Monoclonal Antibody A33", "Iodine I 124 Monoclonal Antibody M5A", "Iodine I 125-Anti-EGFR-425 Monoclonal Antibody", "Iodine I 131 Anti-Fibronectin Antibody Fragment L19-SIP", "Iodine I 131 Apamistamab", "Iodine I 131 Derlotuximab Biotin", "Iodine I 131 Ethiodized Oil", "Iodine I 131 IPA", "Iodine I 131 MIP-1095", "Iodine I 131 Monoclonal Antibody 81C6", "Iodine I 131 Monoclonal Antibody BC8", "Iodine I 131 Monoclonal Antibody CC49-deltaCH2", "Iodine I 131 Monoclonal Antibody F16SIP", "Iodine I 131 Monoclonal Antibody G-250", "Iodine I 131 Monoclonal Antibody muJ591", "Iodine I 131 Omburtamab", "Iodine I 131 Rituximab", "Iodine I 131 Tenatumomab", "Iodine I 131 TM-601", "Iodine I 131 Tositumomab", "Iodine I-131", "Ioflubenzamide I-131", "Ionomycin", "Ipafricept", "Ipatasertib", "Ipilimumab", "Ipomeanol", "Iproplatin", "iPSC-derived CD16-expressing Natural Killer Cells FT516", "iPSC-derived CD16/IL-15RF-expressing Anti-CD19 CAR-NK Cells FT596", "iPSC-derived Natural Killer Cells FT500", "IRAK4 Inhibitor CA-4948", "Iratumumab", "Iridium Ir 192", "Irinotecan", "Irinotecan Hydrochloride", "Irinotecan Sucrosofate", "Irinotecan-Eluting Beads", "Irinotecan/P-glycoprotein Inhibitor HM30181AK Combination Tablet", "Irofulven", "Iroplact", "Irosustat", "Irradiated Allogeneic Human Lung Cancer Cells Expressing OX40L-Ig Vaccine HS-130", "Isatuximab", "Iso-fludelone", "Isobrucein B", "Isocoumarin NM-3", "Isotretinoin", "Ispinesib", "Ispinesib Mesylate", "ISS 1018 CpG Oligodeoxynucleotide", "Istiratumab", "Itacitinib", "Itacitinib Adipate", "ITK Inhibitor CPI-818", "Itraconazole", "Itraconazole Dispersion In Polymer Matrix", "Ivaltinostat", "Ivosidenib", "Ivuxolimab", "Ixabepilone", "Ixazomib", "Ixazomib Citrate", "JAK Inhibitor", "JAK Inhibitor INCB047986", "JAK1 Inhibitor AZD4205", "JAK1 Inhibitor INCB052793", "JAK2 Inhibitor AZD1480", "JAK2 Inhibitor BMS-911543", "JAK2 Inhibitor XL019", "JAK2/Src Inhibitor NS-018", "Jin Fu Kang", "JNK Inhibitor CC-401", "Kanglaite", "Kanitinib", "Ketoconazole", "Ketotrexate", "KRAS G12C Inhibitor GDC-6036", "KRAS G12C Inhibitor LY3499446", "KRAS G12C Inhibitor MRTX849", "KRAS Mutant-targeting AMG 510", "KRAS-MAPK Signaling Pathway Inhibitor JAB-3312", "KRASG12C Inhibitor JNJ-74699157", "KRN5500", "KSP Inhibitor AZD4877", "KSP Inhibitor SB-743921", "Kunecatechins Ointment", "L-Gossypol", "L-methylfolate", "Labetuzumab Govitecan", "Lactoferrin-derived Lytic Peptide LTX-315", "Lacutamab", "Ladiratuzumab Vedotin", "Ladirubicin", "Laetrile", "LAIR-2 Fusion Protein NC410", "Landogrozumab", "Laniquidar", "Lanreotide Acetate", "Lapachone", "Lapatinib", "Lapatinib Ditosylate", "Laprituximab Emtansine", "Lapuleucel-T", "Laromustine", "Larotaxel", "Larotinib Mesylate", "Larotrectinib", "Larotrectinib Sulfate", "Lavendustin A", "Lazertinib", "Lead Pb 212 TCMC-trastuzumab", "Lefitolimod", "Leflunomide", "Lenalidomide", "Lenalidomide Analog KPG-121", "Lentinan", "Lenvatinib", "Lenvatinib Mesylate", "Lenzilumab", "Lerociclib", "Lestaurtinib", "Letetresgene Autoleucel", "Letolizumab", "Letrozole", "Leucovorin", "Leucovorin Calcium", "Leuprolide", "Leuprolide Acetate", "Leuprolide Mesylate Injectable Suspension", "Leurubicin", "Levetiracetam", "Levoleucovorin Calcium", "Levothyroxine", "Levothyroxine Sodium", "Lexatumumab", "Lexibulin", "Liarozole", "Liarozole Fumarate", "Liarozole Hydrochloride", "Licartin", "Licorice", "Lifastuzumab Vedotin", "Lifileucel", "Lifirafenib", "Light-activated AU-011", "Light-Emitting Oncolytic Vaccinia Virus GL-ONC1", "Lilotomab", "Limonene, (+)-", "Limonene, (+/-)-", "Linifanib", "Linoleyl Carbonate-Paclitaxel", "Linperlisib", "Linrodostat", "Linsitinib", "Lintuzumab", "Liothyronine I-131", "Liothyronine Sodium", "Lipid Encapsulated Anti-PLK1 siRNA TKM-PLK1", "Lipid Nanoparticle Encapsulated mRNAs Encoding Human IL-12A/IL-12B MEDI-1191", "Lipid Nanoparticle Encapsulated OX40L mRNA-2416", "Lipid Nanoparticle Encapsulating Glutathione S-transferase P siRNA NBF-006", "Lipid Nanoparticle Encapsulating mRNAs Encoding Human OX40L/IL-23/IL-36gamma mRNA-2752", "Liposomal Bcl-2 Antisense Oligonucleotide BP1002", "Liposomal c-raf Antisense Oligonucleotide", "Liposomal Curcumin", "Liposomal Cytarabine", "Liposomal Daunorubicin Citrate", "Liposomal Docetaxel", "Liposomal Eribulin Mesylate", "Liposomal HPV-16 E6/E7 Multipeptide Vaccine PDS0101", "Liposomal Irinotecan", "Liposomal Mitoxantrone Hydrochloride", "Liposomal MUC1/PET-lipid A Vaccine ONT-10", "Liposomal NDDP", "Liposomal Rhenium Re 186", "Liposomal SN-38", "Liposomal Topotecan FF-10850", "Liposomal Vinorelbine", "Liposomal Vinorelbine Tartrate", "Liposome", "Liposome-encapsulated Daunorubicin-Cytarabine", "Liposome-Encapsulated Doxorubicin Citrate", "Liposome-encapsulated miR-34 Mimic MRX34", "Liposome-encapsulated OSI-7904", "Liposome-encapsulated RB94 Plasmid DNA Gene Therapy Agent SGT-94", "Liposome-encapsulated TAAs mRNA Vaccine W_ova1", "Lirilumab", "Lisavanbulin", "Lisocabtagene Maraleucel", "Listeria monocytogenes-LLO-PSA Vaccine ADXS31-142", "Litronesib", "Live-attenuated Double-deleted Listeria monocytogenes Bacteria JNJ-64041809", "Live-Attenuated Listeria Encoding Human Mesothelin Vaccine CRS-207", "Live-attenuated Listeria monocytogenes-encoding EGFRvIII-NY-ESO-1 Vaccine ADU-623", "Liver X Receptor beta Agonist RGX-104", "Lm-tLLO-neoantigens Vaccine ADXS-NEO", "LMB-1 Immunotoxin", "LMB-2 Immunotoxin", "LMB-7 Immunotoxin", "LMB-9 Immunotoxin", "LmddA-LLO-chHER2 Fusion Protein-secreting Live-attenuated Listeria Cancer Vaccine ADXS31-164", "LMP-2:340-349 Peptide Vaccine", "LMP-2:419-427 Peptide Vaccine", "LMP2-specific T Cell Receptor-transduced Autologous T-lymphocytes", "LMP7 Inhibitor M3258", "Lobaplatin", "Lodapolimab", "Lometrexol", "Lometrexol Sodium", "Lomustine", "Lonafarnib", "Loncastuximab Tesirine", "Long Peptide Vaccine 7", "Long-acting Release Pasireotide", "Lontucirev", "Lorlatinib", "Lorukafusp alfa", "Lorvotuzumab Mertansine", "Losatuxizumab Vedotin", "Losoxantrone", "Losoxantrone Hydrochloride", "Lovastatin", "LOXL2 Inhibitor PAT-1251", "LRP5 Antagonist BI 905681", "LRP5/6 Antagonist BI 905677", "LSD1 Inhibitor CC-90011", "LSD1 Inhibitor GSK2879552", "LSD1 Inhibitor IMG-7289", "LSD1 Inhibitor RO7051790", "LSD1 Inhibitor SYHA1807", "Lucanthone", "Lucatumumab", "Lucitanib", "Luminespib", "Luminespib Mesylate", "Lumretuzumab", "Lung-targeted Immunomodulator QBKPN", "Lupartumab Amadotin", "Lurbinectedin", "Lurtotecan", "Lurtotecan Liposome", "Lutetium Lu 177 Anti-CA19-9 Monoclonal Antibody 5B1", "Lutetium Lu 177 DOTA-biotin", "Lutetium Lu 177 DOTA-N3-CTT1403", "Lutetium Lu 177 DOTA-Tetulomab", "Lutetium Lu 177 Dotatate", "Lutetium Lu 177 Lilotomab-satetraxetan", "Lutetium Lu 177 Monoclonal Antibody CC49", "Lutetium Lu 177 Monoclonal Antibody J591", "Lutetium Lu 177 PP-F11N", "Lutetium Lu 177 Satoreotide Tetraxetan", "Lutetium Lu 177-DOTA-EB-TATE", "Lutetium Lu 177-DTPA-omburtamab", "Lutetium Lu 177-Edotreotide", "Lutetium Lu 177-NeoB", "Lutetium Lu 177-PSMA-617", "Lutetium Lu-177 Capromab", "Lutetium Lu-177 Girentuximab", "Lutetium Lu-177 PSMA-R2", "Lutetium Lu-177 Rituximab", "LV.IL-2/B7.1-Transduced AML Blast Vaccine RFUSIN2-AML1", "Lyophilized Black Raspberry Lozenge", "Lyophilized Black Raspberry Saliva Substitute", "Lysine-specific Demethylase 1 Inhibitor INCB059872", "Lyso-Thermosensitive Liposome Doxorubicin", "Maackia amurensis Seed Lectin", "Macimorelin", "Macitentan", "Macrocycle-bridged STING Agonist E7766", "Maekmoondong-tang", "Mafosfamide", "MAGE-10.A2", "MAGE-A1-specific T Cell Receptor-transduced Autologous T-cells", "MAGE-A3 Multipeptide Vaccine GL-0817", "MAGE-A3 Peptide Vaccine", "MAGE-A3-specific Immunotherapeutic GSK 2132231A", "MAGE-A4-specific TCR Gene-transduced Autologous T Lymphocytes TBI-1201", "Magnesium Valproate", "Magrolimab", "MALT1 Inhibitor JNJ-67856633", "Manelimab", "Mannosulfan", "Mannosylerythritol Lipid", "Mapatumumab", "Maraba Oncolytic Virus Expressing Mutant HPV E6/E7", "Marcellomycin", "MARCKS Protein Inhibitor BIO-11006", "Margetuximab", "Marimastat", "Marizomib", "Masitinib Mesylate", "Masoprocol", "MAT2A Inhibitor AG-270", "Matrix Metalloproteinase Inhibitor MMI270", "Matuzumab", "Mavelertinib", "Mavorixafor", "Maytansine", "MCL-1 Inhibitor ABBV-467", "MCL-1 Inhibitor AMG 176", "MCL-1 inhibitor AMG 397", "Mcl-1 Inhibitor AZD5991", "Mcl-1 Inhibitor MIK665", "MDM2 Antagonist ASTX295", "MDM2 Antagonist RO5045337", "MDM2 Antagonist RO6839921", "MDM2 Inhibitor AMG-232", "MDM2 Inhibitor AMGMDS3", "MDM2 Inhibitor BI 907828", "MDM2 Inhibitor KRT-232", "MDM2/MDMX Inhibitor ALRN-6924", "MDR Modulator CBT-1", "Mechlorethamine", "Mechlorethamine Hydrochloride", "Mechlorethamine Hydrochloride Gel", "Medorubicin", "Medroxyprogesterone", "Medroxyprogesterone Acetate", "Megestrol Acetate", "MEK 1/2 Inhibitor AS703988/MSC2015103B", "MEK 1/2 Inhibitor FCN-159", "MEK Inhibitor AZD8330", "MEK Inhibitor CI-1040", "MEK inhibitor CS3006", "MEK Inhibitor GDC-0623", "MEK Inhibitor HL-085", "MEK Inhibitor PD0325901", "MEK Inhibitor RO4987655", "MEK Inhibitor SHR 7390", "MEK Inhibitor TAK-733", "MEK Inhibitor WX-554", "MEK-1/MEKK-1 Inhibitor E6201", "MEK/Aurora Kinase Inhibitor BI 847325", "Melanoma Monoclonal Antibody hIgG2A", "Melanoma TRP2 CTL Epitope Vaccine SCIB1", "Melapuldencel-T", "MELK Inhibitor OTS167", "Melphalan", "Melphalan Flufenamide", "Melphalan Hydrochloride", "Melphalan Hydrochloride/Sulfobutyl Ether Beta-Cyclodextrin Complex", "Membrane-Disrupting Peptide EP-100", "Menatetrenone", "Menin-MLL Interaction Inhibitor SNDX-5613", "Menogaril", "Merbarone", "Mercaptopurine", "Mercaptopurine Anhydrous", "Mercaptopurine Oral Suspension", "Merestinib", "Mesna", "Mesothelin/CD3e Tri-specific T-cell Activating Construct HPN536", "MET Kinase Inhibitor OMO-1", "MET Tyrosine Kinase Inhibitor BMS-777607", "MET Tyrosine Kinase Inhibitor EMD 1204831", "MET Tyrosine Kinase Inhibitor PF-04217903", "MET Tyrosine Kinase Inhibitor SAR125844", "MET Tyrosine Kinase Inhibitor SGX523", "MET x MET Bispecific Antibody REGN5093", "Metamelfalan", "MetAP2 Inhibitor APL-1202", "MetAP2 Inhibitor SDX-7320", "Metarrestin", "Metatinib Tromethamine", "Metformin", "Metformin Hydrochloride", "Methanol Extraction Residue of BCG", "Methazolamide", "Methionine Aminopeptidase 2 Inhibitor M8891", "Methionine Aminopeptidase 2 Inhibitor PPI-2458", "Methotrexate", "Methotrexate Sodium", "Methotrexate-E Therapeutic Implant", "Methotrexate-Encapsulating Autologous Tumor-Derived Microparticles", "Methoxsalen", "Methoxyamine", "Methoxyamine Hydrochloride", "Methyl-5-Aminolevulinate Hydrochloride Cream", "Methylcantharidimide", "Methylmercaptopurine Riboside", "Methylprednisolone", "Methylprednisolone Acetate", "Methylprednisolone Sodium Succinate", "Methylselenocysteine", "Methyltestosterone", "Metoprine", "Mevociclib", "Mezagitamab", "Mibefradil", "Mibefradil Dihydrochloride", "Micellar Nanoparticle-encapsulated Epirubicin", "Micro Needle Array-Doxorubicin", "Microbiome GEN-001", "Microbiome-derived Peptide Vaccine EO2401", "Microparticle-encapsulated CYP1B1-encoding DNA Vaccine ZYC300", "Microtubule Inhibitor SCB01A", "Midostaurin", "Mifamurtide", "Mifepristone", "Milademetan Tosylate", "Milataxel", "Milatuzumab", "Milatuzumab-Doxorubicin Antibody-Drug Conjugate IMMU-110", "Milciclib Maleate", "Milk Thistle", "Miltefosine", "Minretumomab", "Mipsagargin", "Miptenalimab", "Mirabegron", "Miransertib", "Mirdametinib", "Mirvetuximab Soravtansine", "Mirzotamab Clezutoclax", "Misonidazole", "Mistletoe Extract", "Mitazalimab", "Mitindomide", "Mitobronitol", "Mitochondrial Oxidative Phosphorylation Inhibitor ATR-101", "Mitoclomine", "Mitoflaxone", "Mitoguazone", "Mitoguazone Dihydrochloride", "Mitolactol", "Mitomycin", "Mitomycin A", "Mitomycin B", "Mitomycin C Analog KW-2149", "Mitosis Inhibitor T 1101 Tosylate", "Mitotane", "Mitotenamine", "Mitoxantrone", "Mitoxantrone Hydrochloride", "Mitozolomide", "Mivavotinib", "Mivebresib", "Mivobulin", "Mivobulin Isethionate", "Mixed Bacteria Vaccine", "MK0731", "MKC-1", "MKNK1 Inhibitor BAY 1143269", "MMP Inhibitor S-3304", "MNK1/2 Inhibitor ETC-1907206", "Mobocertinib", "Mocetinostat", "Modakafusp Alfa", "Modified Vaccinia Ankara-vectored HPV16/18 Vaccine JNJ-65195208", "Modified Vitamin D Binding Protein Macrophage Activator EF-022", "Modotuximab", "MOF Compound RiMO-301", "Mofarotene", "Mogamulizumab", "Molibresib", "Molibresib Besylate", "Momelotinib", "Monalizumab", "Monocarboxylate Transporter 1 Inhibitor AZD3965", "Monoclonal Antibody 105AD7 Anti-idiotype Vaccine", "Monoclonal Antibody 11D10", "Monoclonal Antibody 11D10 Anti-Idiotype Vaccine", "Monoclonal Antibody 14G2A", "Monoclonal Antibody 1F5", "Monoclonal Antibody 3622W94", "Monoclonal Antibody 3F8", "Monoclonal Antibody 3H1 Anti-Idiotype Vaccine", "Monoclonal Antibody 4B5 Anti-Idiotype Vaccine", "Monoclonal Antibody 7C11", "Monoclonal Antibody 81C6", "Monoclonal Antibody A1G4 Anti-Idiotype Vaccine", "Monoclonal Antibody A27.15", "Monoclonal Antibody A33", "Monoclonal Antibody AbGn-7", "Monoclonal Antibody AK002", "Monoclonal Antibody ASP1948", "Monoclonal Antibody CAL", "Monoclonal Antibody CC49-delta CH2", "Monoclonal Antibody CEP-37250/KHK2804", "Monoclonal Antibody D6.12", "Monoclonal Antibody E2.3", "Monoclonal Antibody F19", "Monoclonal Antibody GD2 Anti-Idiotype Vaccine", "Monoclonal Antibody HeFi-1", "Monoclonal Antibody Hu3S193", "Monoclonal Antibody HuAFP31", "Monoclonal Antibody HuHMFG1", "Monoclonal Antibody huJ591", "Monoclonal Antibody HuPAM4", "Monoclonal Antibody IMMU-14", "Monoclonal Antibody L6", "Monoclonal Antibody Lym-1", "Monoclonal Antibody m170", "Monoclonal Antibody Me1-14 F(ab')2", "Monoclonal Antibody muJ591", "Monoclonal Antibody MX35 F(ab')2", "Monoclonal Antibody NEO-201", "Monoclonal Antibody R24", "Monoclonal Antibody RAV12", "Monoclonal Antibody SGN-14", "Monoclonal Antibody TRK-950", "Monoclonal Microbial EDP1503", "Monoclonal T-cell Receptor Anti-CD3 scFv Fusion Protein IMCgp100", "Monomethyl Auristatin E", "Morinda Citrifolia Fruit Extract", "Morpholinodoxorubicin", "Mosedipimod", "Mosunetuzumab", "Motesanib", "Motesanib Diphosphate", "Motexafin Gadolinium", "Motexafin Lutetium", "Motixafortide", "Motolimod", "MOv-gamma Chimeric Receptor Gene", "Moxetumomab Pasudotox", "Mps1 Inhibitor BAY 1217389", "Mps1 Inhibitor BOS172722", "mRNA-based Personalized Cancer Vaccine mRNA-4157", "mRNA-based Personalized Cancer Vaccine NCI-4650", "mRNA-based TriMix Melanoma Vaccine ECI-006", "mRNA-based Tumor-specific Neoantigen Boosting Vaccine GRT-R902", "mRNA-derived KRAS-targeted Vaccine V941", "mRNA-derived Lung Cancer Vaccine BI 1361849", "mRNA-Derived Prostate Cancer Vaccine CV9103", "mRNA-derived Prostate Cancer Vaccine CV9104", "MTF-1 Inhibitor APTO-253 HCl", "mTOR Inhibitor GDC-0349", "mTOR Kinase Inhibitor AZD8055", "mTOR Kinase Inhibitor CC-223", "mTOR Kinase Inhibitor OSI-027", "mTOR Kinase Inhibitor PP242", "mTOR1/2 Kinase Inhibitor ME-344", "mTORC 1/2 Inhibitor LXI-15029", "mTORC1/2 Kinase Inhibitor BI 860585", "mTORC1/mTORC2/DHFR Inhibitor ABTL0812", "MUC-1/WT1 Peptide-primed Autologous Dendritic Cells", "MUC1-targeted Peptide GO-203-2C", "Mucoadhesive Paclitaxel Formulation", "Multi-AGC Kinase Inhibitor AT13148", "Multi-epitope Anti-folate Receptor Peptide Vaccine TPIV 200", "Multi-epitope HER2 Peptide Vaccine H2NVAC", "Multi-epitope HER2 Peptide Vaccine TPIV100", "Multi-glioblastoma-peptide-targeting Autologous Dendritic Cell Vaccine ICT-107", "Multi-kinase Inhibitor TPX-0022", "Multi-kinase Inhibitor XL092", "Multi-mode Kinase Inhibitor EOC317", "Multi-neo-epitope Vaccine OSE 2101", "Multifunctional/Multitargeted Anticancer Agent OMN54", "Multikinase Inhibitor 4SC-203", "Multikinase Inhibitor AEE788", "Multikinase Inhibitor AT9283", "Multikinase Inhibitor SAR103168", "Multipeptide Vaccine S-588210", "Multitargeted Tyrosine Kinase Inhibitor JNJ-26483327", "Muparfostat", "Mureletecan", "Murizatoclax", "Muscadine Grape Extract", "Mutant IDH1 Inhibitor DS-1001", "Mutant p53 Activator COTI-2", "Mutant-selective EGFR Inhibitor PF-06459988", "MVA Tumor-specific Neoantigen Boosting Vaccine MVA-209-FSP", "MVA-BN Smallpox Vaccine", "MVA-FCU1 TG4023", "MVX-1-loaded Macrocapsule/autologous Tumor Cell Vaccine MVX-ONCO-1", "MYC-targeting siRNA DCR-MYC", "Mycobacterium tuberculosis Arabinomannan Z-100", "Mycobacterium w", "Mycophenolic Acid", "N-(5-tert-butyl-3-isoxazolyl)-N-(4-(4-pyridinyl)oxyphenyl) Urea", "N-dihydrogalactochitosan", "N-Methylformamide", "N,N-Dibenzyl Daunomycin", "NA17-A Antigen", "NA17.A2 Peptide Vaccine", "Nab-paclitaxel", "Nab-paclitaxel/Rituximab-coated Nanoparticle AR160", "Nadofaragene Firadenovec", "Nagrestipen", "Namirotene", "Namodenoson", "NAMPT Inhibitor OT-82", "Nanafrocin", "Nanatinostat", "Nanocell-encapsulated miR-16-based microRNA Mimic", "Nanoparticle Albumin-Bound Docetaxel", "Nanoparticle Albumin-Bound Rapamycin", "Nanoparticle Albumin-bound Thiocolchicine Dimer nab-5404", "Nanoparticle Paclitaxel Ointment SOR007", "Nanoparticle-based Paclitaxel Suspension", "Nanoparticle-encapsulated Doxorubicin Hydrochloride", "Nanoscale Coordination Polymer Nanoparticles CPI-100", "Nanosomal Docetaxel Lipid Suspension", "Napabucasin", "Naphthalimide Analogue UNBS5162", "Naptumomab Estafenatox", "Naquotinib", "Naratuximab Emtansine", "Narnatumab", "Natalizumab", "Natural IFN-alpha OPC-18", "Natural Killer Cells ZRx101", "Navarixin", "Navicixizumab", "Navitoclax", "Navoximod", "Navy Bean Powder", "Naxitamab", "Nazartinib", "ncmtRNA Oligonucleotide Andes-1537", "Necitumumab", "Nedaplatin", "NEDD8 Activating Enzyme E1 Inhibitor TAS4464", "Nedisertib", "Nelarabine", "Nelipepimut-S", "Nelipepimut-S Plus GM-CSF Vaccine", "Nemorubicin", "Nemorubicin Hydrochloride", "Neoantigen Vaccine GEN-009", "Neoantigen-based Glioblastoma Vaccine", "Neoantigen-based Melanoma-Poly-ICLC Vaccine", "Neoantigen-based Renal Cell Carcinoma-Poly-ICLC Vaccine", "Neoantigen-based Therapeutic Cancer Vaccine GRT-C903", "Neoantigen-based Therapeutic Cancer Vaccine GRT-R904", "Neoantigen-HSP70 Peptide Cancer Vaccine AGEN2017", "Neratinib", "Neratinib Maleate", "Nesvacumab", "NG-nitro-L-arginine", "Niacinamide", "Niclosamide", "Nicotinamide Riboside", "Nidanilimab", "Nifurtimox", "Nilotinib", "Nilotinib Hydrochloride Anhydrous", "Nilotinib Hydrochloride Monohydrate", "Nilutamide", "Nimesulide-Hyaluronic Acid Conjugate CA102N", "Nimodipine", "Nimotuzumab", "Nimustine", "Nimustine Hydrochloride", "Ningetinib Tosylate", "Nintedanib", "Niraparib", "Niraparib Tosylate Monohydrate", "Nirogacestat", "Nitric Oxide-Releasing Acetylsalicylic Acid Derivative", "Nitrogen Mustard Prodrug PR-104", "Nitroglycerin Transdermal Patch", "Nivolumab", "NLRP3 Agonist BMS-986299", "Nocodazole", "Nogalamycin", "Nogapendekin Alfa", "Nolatrexed Dihydrochloride", "Non-Small Cell Lung Cancer mRNA-Derived Vaccine CV9201", "Norgestrel", "North American Ginseng Extract AFX-2", "Nortopixantrone", "Noscapine", "Noscapine Hydrochloride", "Not Otherwise Specified", "Notch Signaling Inhibitor PF-06650808", "Notch Signaling Pathway Inhibitor MK0752", "NTRK/ROS1 Inhibitor DS-6051b", "Nucleolin Antagonist IPP-204106N", "Nucleoside Analog DFP-10917", "Nucleotide Analog Prodrug NUC-3373", "Nucleotide Analogue GS 9219", "Numidargistat", "Nurulimab", "Nutlin-3a", "Nutraceutical TBL-12", "NY-ESO-1 Plasmid DNA Cancer Vaccine pPJV7611", "NY-ESO-1-specific TCR Gene-transduced T Lymphocytes TBI-1301", "NY-ESO-1/GLA-SE Vaccine ID-G305", "NY-ESO-B", "O-Chloroacetylcarbamoylfumagillol", "O6-Benzylguanine", "Obatoclax Mesylate", "Obinutuzumab", "Oblimersen Sodium", "Ocaratuzumab", "Ocrelizumab", "Octreotide", "Octreotide Acetate", "Octreotide Pamoate", "Odronextamab", "Ofatumumab", "Ofranergene Obadenovec", "Oglufanide Disodium", "Olaparib", "Olaptesed Pegol", "Olaratumab", "Oleandrin", "Oleclumab", "Oligo-fucoidan", "Oligonucleotide SPC2996", "Olinvacimab", "Olivomycin", "Olmutinib", "Oltipraz", "Olutasidenib", "Olvimulogene Nanivacirepvec", "Omacetaxine Mepesuccinate", "Ombrabulin", "Omipalisib", "Onalespib", "Onalespib Lactate", "Onartuzumab", "Onatasertib", "Oncolytic Adenovirus Ad5-DNX-2401", "Oncolytic Adenovirus ORCA-010", "Oncolytic Herpes Simplex Virus-1 ONCR-177", "Oncolytic HSV-1 C134", "Oncolytic HSV-1 Expressing IL-12 and Anti-PD-1 Antibody T3011", "Oncolytic HSV-1 G207", "Oncolytic HSV-1 NV1020", "Oncolytic HSV-1 rQNestin34.5v.2", "Oncolytic HSV-1 rRp450", "Oncolytic HSV1716", "Oncolytic Measles Virus Encoding Helicobacter pylori Neutrophil-activating Protein", "Oncolytic Newcastle Disease Virus MEDI5395", "Oncolytic Newcastle Disease Virus MTH-68H", "Oncolytic Newcastle Disease Virus Strain PV701", "Oncolytic Virus ASP9801", "Oncolytic Virus RP1", "Ondansetron Hydrochloride", "Ontorpacept", "Ontuxizumab", "Onvansertib", "Onvatilimab", "Opaganib", "OPCs/Green Tea/Spirullina/Curcumin/Antrodia Camphorate/Fermented Soymilk Extract Capsule", "Opioid Growth Factor", "Opolimogene Capmilisbac", "Oportuzumab Monatox", "Oprozomib", "Opucolimab", "Oral Aminolevulinic Acid Hydrochloride", "Oral Azacitidine", "Oral Cancer Vaccine V3-OVA", "Oral Docetaxel", "Oral Fludarabine Phosphate", "Oral Hsp90 Inhibitor IPI-493", "Oral Ixabepilone", "Oral Microencapsulated Diindolylmethane", "Oral Milataxel", "Oral Myoma Vaccine V3-myoma", "Oral Pancreatic Cancer Vaccine V3-P", "Oral Picoplatin", "Oral Sodium Phenylbutyrate", "Oral Topotecan Hydrochloride", "Orantinib", "Oraxol", "Oregovomab", "Orelabrutinib", "Ormaplatin", "Ortataxel", "Orteronel", "Orvacabtagene Autoleucel", "Osilodrostat", "Osimertinib", "Other", "Otlertuzumab", "Ovapuldencel-T", "Ovarian Cancer Stem Cell/hTERT/Survivin mRNAs-loaded Autologous Dendritic Cell Vaccine DC-006", "Ovine Submaxillary Mucin", "OX40L-expressing Oncolytic Adenovirus DNX-2440", "Oxaliplatin", "Oxaliplatin Eluting Beads", "Oxaliplatin-Encapsulated Transferrin-Conjugated N-glutaryl Phosphatidylethanolamine Liposome", "Oxcarbazepine", "Oxeclosporin", "Oxidative Phosphorylation Inhibitor IACS-010759", "Oxidative Phosphorylation Inhibitor IM156", "Oxidopamine", "OxPhos Inhibitor VLX600", "Ozarelix", "P-cadherin Antagonist PF-03732010", "P-cadherin Inhibitor PCA062", "P-cadherin-targeting Agent PF-06671008", "P-p68 Inhibitor RX-5902", "P-TEFb Inhibitor BAY1143572", "p300/CBP Bromodomain Inhibitor CCS1477", "p38 MAPK Inhibitor LY3007113", "p53 Peptide Vaccine MPS-128", "p53-HDM2 Interaction Inhibitor MI-773", "p53-HDM2 Protein-protein Interaction Inhibitor APG-115", "p53/HDM2 Interaction Inhibitor CGM097", "p70S6K Inhibitor LY2584702", "p70S6K/Akt Inhibitor MSC2363318A", "p97 Inhibitor CB-5083", "p97 Inhibitor CB-5339", "p97 Inhibitor CB-5339 Tosylate", "Paclitaxel", "Paclitaxel Ceribate", "Paclitaxel Injection Concentrate for Nanodispersion", "Paclitaxel Liposome", "Paclitaxel Poliglumex", "Paclitaxel Polymeric Micelle Formulation NANT-008", "Paclitaxel PPE Microspheres", "Paclitaxel Trevatide", "Paclitaxel Vitamin E-Based Emulsion", "Paclitaxel-Loaded Polymeric Micelle", "Pacmilimab", "Pacritinib", "Padeliporfin", "Padoporfin", "PAK4 Inhibitor PF-03758309", "PAK4/NAMPT Inhibitor KPT-9274", "Palbociclib", "Palbociclib Isethionate", "Palifosfamide", "Palifosfamide Tromethamine", "Palladium Pd-103", "Palonosetron Hydrochloride", "Pamidronate Disodium", "Pamidronic Acid", "Pamiparib", "Pamrevlumab", "pan FGFR Inhibitor PRN1371", "Pan HER/VEGFR2 Receptor Tyrosine Kinase Inhibitor BMS-690514", "Pan-AKT Inhibitor ARQ751", "Pan-AKT Kinase Inhibitor GSK690693", "Pan-FGFR Inhibitor LY2874455", "Pan-FLT3/Pan-BTK Multi-kinase Inhibitor CG-806", "pan-HER Kinase Inhibitor AC480", "Pan-IDH Mutant Inhibitor AG-881", "Pan-KRAS Inhibitor BI 1701963", "Pan-Mutant-IDH1 Inhibitor Bay-1436032", "Pan-mutation-selective EGFR Inhibitor CLN-081", "pan-PI3K Inhibitor CLR457", "pan-PI3K/mTOR Inhibitor SF1126", "Pan-PIM Inhibitor INCB053914", "pan-PIM Kinase Inhibitor AZD1208", "pan-PIM Kinase Inhibitor NVP-LGB-321", "pan-RAF Inhibitor LXH254", "Pan-RAF Inhibitor LY3009120", "pan-RAF Kinase Inhibitor CCT3833", "pan-RAF Kinase Inhibitor TAK-580", "Pan-RAR Agonist/AP-1 Inhibitor LGD 1550", "Pan-TRK Inhibitor NOV1601", "Pan-TRK Inhibitor ONO-7579", "Pan-VEGFR/TIE2 Tyrosine Kinase Inhibitor CEP-11981", "Pancratistatin", "Panitumumab", "Panobinostat", "Panobinostat Nanoparticle Formulation MTX110", "Panulisib", "Paricalcitol", "PARP 1/2 Inhibitor IMP4297", "PARP 1/2 Inhibitor NOV1401", "PARP Inhibitor AZD2461", "PARP Inhibitor CEP-9722", "PARP Inhibitor E7016", "PARP Inhibitor NMS-03305293", "PARP-1/2 Inhibitor ABT-767", "PARP/Tankyrase Inhibitor 2X-121", "PARP7 Inhibitor RBN-2397", "Parsaclisib", "Parsaclisib Hydrochloride", "Parsatuzumab", "Partially Engineered T-regulatory Cell Donor Graft TRGFT-201", "Parvovirus H-1", "Pasireotide", "Pasotuxizumab", "Patidegib", "Patidegib Topical Gel", "Patritumab", "Patritumab Deruxtecan", "Patupilone", "Paxalisib", "Pazopanib", "Pazopanib Hydrochloride", "pbi-shRNA STMN1 Lipoplex", "PBN Derivative OKN-007", "PCNU", "PD-1 Directed Probody CX-188", "PD-1 Inhibitor", "PD-L1 Inhibitor GS-4224", "PD-L1 Inhibitor INCB086550", "PD-L1/4-1BB/HSA Trispecific Fusion Protein NM21-1480", "PD-L1/PD-L2/VISTA Antagonist CA-170", "PDK1 Inhibitor AR-12", "pDNA-encoding Emm55 Autologous Cancer Cell Vaccine IFx-Hu2.0", "PE/HPV16 E7/KDEL Fusion Protein/GPI-0100 TVGV-1", "PEG-interleukin-2", "PEG-PEI-cholesterol Lipopolymer-encased IL-12 DNA Plasmid Vector GEN-1", "PEG-Proline-Interferon Alfa-2b", "Pegargiminase", "Pegaspargase", "Pegdinetanib", "Pegfilgrastim", "Pegilodecakin", "Peginterferon Alfa-2a", "Peginterferon Alfa-2b", "Pegvisomant", "Pegvorhyaluronidase Alfa", "Pegylated Deoxycytidine Analogue DFP-14927", "Pegylated Interferon Alfa", "Pegylated Liposomal Belotecan", "Pegylated Liposomal Doxorubicin Hydrochloride", "Pegylated Liposomal Irinotecan", "Pegylated Liposomal Mitomycin C Lipid-based Prodrug", "Pegylated Liposomal Mitoxantrone Hydrochloride", "Pegylated Liposomal Nanoparticle-based Docetaxel Prodrug MNK-010", "Pegylated Paclitaxel", "Pegylated Recombinant Human Arginase I BCT-100", "Pegylated Recombinant Human Hyaluronidase PH20", "Pegylated Recombinant Interleukin-2 THOR-707", "Pegylated Recombinant L-asparaginase Erwinia chrysanthemi", "Pegylated SN-38 Conjugate PLX038", "Pegzilarginase", "Pelabresib", "Pelareorep", "Peldesine", "Pelitinib", "Pelitrexol", "Pembrolizumab", "Pemetrexed", "Pemetrexed Disodium", "Pemigatinib", "Pemlimogene Merolisbac", "Penberol", "Penclomedine", "Penicillamine", "Pentamethylmelamine", "Pentamustine", "Pentostatin", "Pentoxifylline", "PEOX-based Polymer Encapsulated Paclitaxel FID-007", "PEP-3-KLH Conjugate Vaccine", "Pepinemab", "Peplomycin", "Peplomycin Sulfate", "Peposertib", "Peptichemio", "Peptide 946 Melanoma Vaccine", "Peptide 946-Tetanus Peptide Conjugate Melanoma Vaccine", "Peretinoin", "Perflenapent Emulsion", "Perfosfamide", "Perifosine", "Perillyl Alcohol", "Personalized ALL-specific Multi-HLA-binding Peptide Vaccine", "Personalized and Adjusted Neoantigen Peptide Vaccine PANDA-VAC", "Personalized Cancer Vaccine RO7198457", "Personalized Neoantigen DNA Vaccine GNOS-PV01", "Personalized Neoantigen DNA Vaccine GNOS-PVO2", "Personalized Neoantigen Peptide Vaccine iNeo-Vac-P01", "Personalized Neoepitope Yeast Vaccine YE-NEO-001", "Personalized Peptide Cancer Vaccine NEO-PV-01", "Pertuzumab", "Pevonedistat", "Pexastimogene Devacirepvec", "Pexidartinib", "Pexmetinib", "PGG Beta-Glucan", "PGLA/PEG Copolymer-Based Paclitaxel", "PH20 Hyaluronidase-expressing Adenovirus VCN-01", "Phaleria macrocarpa Extract DLBS-1425", "Pharmacological Ascorbate", "Phellodendron amurense Bark Extract", "Phenesterin", "Phenethyl Isothiocyanate", "Phenethyl Isothiocyanate-containing Watercress Juice", "Phenyl Acetate", "Phenytoin Sodium", "Phosphaplatin PT-112", "Phosphatidylcholine-Bound Silybin", "Phospholipid Ether-drug Conjugate CLR 131", "Phosphoramide Mustard", "Phosphorodiamidate Morpholino Oligomer AVI-4126", "Phosphorus P-32", "Photodynamic Compound TLD-1433", "Photosensitizer LUZ 11", "Phytochlorin Sodium-Polyvinylpyrrolidone Complex", "PI3K Alpha/Beta Inhibitor BAY1082439", "PI3K Alpha/mTOR Inhibitor PWT33597 Mesylate", "PI3K Inhibitor ACP-319", "PI3K Inhibitor BGT226", "PI3K Inhibitor GDC-0084", "PI3K Inhibitor GDC0077", "PI3K Inhibitor GSK1059615", "PI3K Inhibitor WX-037", "PI3K Inhibitor ZSTK474", "PI3K p110beta/delta Inhibitor KA2237", "PI3K-alpha Inhibitor MEN1611", "PI3K-beta Inhibitor GSK2636771", "PI3K-beta Inhibitor SAR260301", "PI3K-delta Inhibitor AMG 319", "PI3K-delta Inhibitor HMPL 689", "PI3K-delta Inhibitor INCB050465", "PI3K-delta Inhibitor PWT143", "PI3K-delta Inhibitor SHC014748M", "PI3K-delta Inhibitor YY-20394", "PI3K-gamma Inhibitor IPI-549", "PI3K/BET Inhibitor LY294002", "PI3K/mTOR Kinase Inhibitor DS-7423", "PI3K/mTOR Kinase Inhibitor PF-04691502", "PI3K/mTOR Kinase Inhibitor VS-5584", "PI3K/mTOR Kinase Inhibitor WXFL10030390", "PI3K/mTOR/ALK-1/DNA-PK Inhibitor P7170", "PI3K/mTORC1/mTORC2 Inhibitor DCBCI0901", "PI3Ka/mTOR Inhibitor PKI-179", "PI3Kalpha Inhibitor AZD8835", "PI3Kbeta Inhibitor AZD8186", "PI3Kdelta Inhibitor GS-9901", "Pibenzimol", "Pibrozelesin", "Pibrozelesin Hydrobromide", "Picibanil", "Picoplatin", "Picrasinoside H", "Picropodophyllin", "Pictilisib", "Pictilisib Bismesylate", "Pidilizumab", "Pilaralisib", "PIM Kinase Inhibitor LGH447", "PIM Kinase Inhibitor SGI-1776", "PIM Kinase Inhibitor TP-3654", "PIM/FLT3 Kinase Inhibitor SEL24", "Pimasertib", "Pimitespib", "Pimurutamab", "Pinatuzumab Vedotin", "Pingyangmycin", "Pinometostat", "Pioglitazone", "Pioglitazone Hydrochloride", "Pipendoxifene", "Piperazinedione", "Piperine Extract (Standardized)", "Pipobroman", "Piposulfan", "Pirarubicin", "Pirarubicin Hydrochloride", "Pirfenidone", "Piritrexim", "Piritrexim Isethionate", "Pirotinib", "Piroxantrone", "Piroxantrone Hydrochloride", "Pixantrone", "Pixantrone Dimaleate", "Pixatimod", "PKA Regulatory Subunit RIalpha Mixed-Backbone Antisense Oligonucleotide GEM 231", "PKC-alpha Antisense Oligodeoxynucleotide ISIS 3521", "PKC-beta Inhibitor MS-553", "Placebo", "Pladienolide Derivative E7107", "Plamotamab", "Plasmid DNA Vaccine pING-hHER3FL", "Platinum", "Platinum Acetylacetonate-Titanium Dioxide Nanoparticles", "Platinum Compound", "Plevitrexed", "Plicamycin", "Plinabulin", "Plitidepsin", "Plk1 Inhibitor BI 2536", "PLK1 Inhibitor CYC140", "PLK1 Inhibitor TAK-960", "Plocabulin", "Plozalizumab", "pNGVL4a-CRT-E6E7L2 DNA Vaccine", "pNGVL4a-Sig/E7(detox)/HSP70 DNA and HPV16 L2/E6/E7 Fusion Protein TA-CIN Vaccine PVX-2", "Pol I Inhibitor CX5461", "Polatuzumab Vedotin", "Polidocanol", "Poliglusam", "Polo-like Kinase 1 Inhibitor GSK461364", "Polo-like Kinase 1 Inhibitor MK1496", "Polo-like Kinase 1 Inhibitor NMS-1286937", "Polo-like Kinase 4 Inhibitor CFI-400945 Fumarate", "Poly-alendronate Dextran-Guanidine Conjugate", "Poly-gamma Glutamic Acid", "Polyamine Analog SL11093", "Polyamine Analogue PG11047", "Polyamine Analogue SBP-101", "Polyamine Transport Inhibitor AMXT-1501 Dicaprate", "Polyandrol", "Polyethylene Glycol Recombinant Endostatin", "Polyethyleneglycol-7-ethyl-10-hydroxycamptothecin DFP-13318", "Polymer-conjugated IL-15 Receptor Agonist NKTR-255", "Polymer-encapsulated Luteolin Nanoparticle", "Polymeric Camptothecin Prodrug XMT-1001", "Polypodium leucotomos Extract", "Polysaccharide-K", "Polysialic Acid", "Polyunsaturated Fatty Acid", "Polyvalent Melanoma Vaccine", "Pomalidomide", "Pomegranate Juice", "Pomegranate Liquid Extract", "Ponatinib", "Ponatinib Hydrochloride", "Porcupine Inhibitor CGX1321", "Porcupine Inhibitor ETC-1922159", "Porcupine Inhibitor RXC004", "Porcupine Inhibitor WNT974", "Porcupine Inhibitor XNW7201", "Porfimer Sodium", "Porfiromycin", "Poziotinib", "PPAR Alpha Antagonist TPST-1120", "PR1 Leukemia Peptide Vaccine", "Pracinostat", "Pralatrexate", "Pralsetinib", "Praluzatamab Ravtansine", "PRAME-targeting T-cell Receptor/Inducible Caspase 9 BPX-701", "Pravastatin Sodium", "Prednimustine", "Prednisolone", "Prednisolone Acetate", "Prednisolone Sodium Phosphate", "Prednisone", "Prexasertib", "Prexigebersen", "PRIMA-1 Analog APR-246", "Prime Cancer Vaccine MVA-BN-CV301", "Prinomastat", "PRMT1 Inhibitor GSK3368715", "PRMT5 Inhibitor JNJ-64619178", "PRMT5 Inhibitor PRT811", "Proapoptotic Sulindac Analog CP-461", "Procarbazine", "Procarbazine Hydrochloride", "Procaspase Activating Compound-1 VO-100", "Progestational IUD", "Prohibitin-Targeting Peptide 1", "Prolgolimab", "Prostaglandin E2 EP4 Receptor Inhibitor AN0025", "Prostaglandin E2 EP4 Receptor Inhibitor E7046", "Prostate Cancer Vaccine ONY-P1", "Prostate Health Cocktail Dietary Supplement", "Prostatic Acid Phosphatase-Sargramostim Fusion Protein PA2024", "Protease-activated Anti-PD-L1 Antibody Prodrug CX-072", "Protein Arginine Methyltransferase 5 Inhibitor GSK3326595", "Protein Arginine Methyltransferase 5 Inhibitor PF-06939999", "Protein Arginine Methyltransferase 5 Inhibitor PRT543", "Protein Kinase C Inhibitor IDE196", "Protein Phosphatase 2A Inhibitor LB-100", "Protein Stabilized Liposomal Docetaxel Nanoparticles", "Protein Tyrosine Kinase 2 Inhibitor IN10018", "Proxalutamide", "PSA/IL-2/GM-CSF Vaccine", "PSA/PSMA DNA Plasmid INO-5150", "Pseudoisocytidine", "PSMA-targeted Docetaxel Nanoparticles BIND-014", "PSMA-targeted Tubulysin B-containing Conjugate EC1169", "PSMA/CD3 Tri-specific T-cell Activating Construct HPN424", "PTEF-b/CDK9 Inhibitor BAY1251152", "Pterostilbene", "Pumitepa", "Puquitinib", "Puquitinib Mesylate", "Puromycin", "Puromycin Hydrochloride", "PV-10", "PVA Microporous Hydrospheres/Doxorubicin Hydrochloride", "Pyrazinamide", "Pyrazoloacridine", "Pyridyl Cyanoguanidine CHS 828", "Pyrotinib", "Pyrotinib Dimaleate", "Pyroxamide", "Pyruvate Kinase Inhibitor TLN-232", "Pyruvate Kinase M2 Isoform Activator TP-1454", "Qilisheng Immunoregulatory Oral Solution", "Quadrivalent Human Papillomavirus (types 6, 11, 16, 18) Recombinant Vaccine", "Quarfloxin", "Quinacrine Hydrochloride", "Quinine", "Quisinostat", "Quizartinib", "R-(-)-Gossypol Acetic Acid", "Rabusertib", "Racemetyrosine/Methoxsalen/Phenytoin/Sirolimus SM-88", "Racotumomab", "RAD51 Inhibitor CYT-0851", "Radgocitabine", "Radgocitabine Hydrochloride", "Radioactive Iodine", "Radiolabeled CC49", "Radium Ra 223 Dichloride", "Radium Ra 224-labeled Calcium Carbonate Microparticles", "Radix Angelicae Sinensis/Radix Astragali Herbal Supplement", "Radotinib Hydrochloride", "Raf Kinase Inhibitor HM95573", "RAF Kinase Inhibitor L-779450", "RAF Kinase Inhibitor XL281", "Ragifilimab", "Ralaniten Acetate", "Ralimetinib Mesylate", "Raloxifene", "Raloxifene Hydrochloride", "Raltitrexed", "Ramucirumab", "Ranibizumab", "Ranimustine", "Ranolazine", "Ranpirnase", "RARalpha Agonist IRX5183", "Ras Inhibitor", "Ras Peptide ASP", "Ras Peptide CYS", "Ras Peptide VAL", "Razoxane", "Realgar-Indigo naturalis Formulation", "Rebastinib Tosylate", "Rebeccamycin", "Rebimastat", "Receptor Tyrosine Kinase Inhibitor R1530", "Recombinant Adenovirus-p53 SCH-58500", "Recombinant Anti-WT1 Immunotherapeutic GSK2302024A", "Recombinant Bacterial Minicells VAX014", "Recombinant Bispecific Single-Chain Antibody rM28", "Recombinant CD40-Ligand", "Recombinant Erwinia asparaginase JZP-458", "Recombinant Erythropoietin", "Recombinant Fas Ligand", "Recombinant Fractalkine", "Recombinant Granulocyte-Macrophage Colony-Stimulating Factor", "Recombinant Human 6Ckine", "Recombinant Human Adenovirus Type 5 H101", "Recombinant Human Angiotensin Converting Enzyme 2 APN01", "Recombinant Human Apolipoprotein(a) Kringle V MG1102", "Recombinant Human EGF-rP64K/Montanide ISA 51 Vaccine", "Recombinant Human Endostatin", "Recombinant Human Hsp110-gp100 Chaperone Complex Vaccine", "Recombinant Human Papillomavirus 11-valent Vaccine", "Recombinant Human Papillomavirus Bivalent Vaccine", "Recombinant Human Papillomavirus Nonavalent Vaccine", "Recombinant Human Plasminogen Kringle 5 Domain ABT 828", "Recombinant Human TRAIL-Trimer Fusion Protein SCB-313", "Recombinant Humanized Anti-HER-2 Bispecific Monoclonal Antibody MBS301", "Recombinant Interferon", "Recombinant Interferon Alfa", "Recombinant Interferon Alfa-1b", "Recombinant Interferon Alfa-2a", "Recombinant Interferon Alfa-2b", "Recombinant Interferon Alpha 2b-like Protein", "Recombinant Interferon Beta", "Recombinant Interferon Gamma", "Recombinant Interleukin-12", "Recombinant Interleukin-13", "Recombinant Interleukin-18", "Recombinant Interleukin-2", "Recombinant Interleukin-6", "Recombinant KSA Glycoprotein CO17-1A", "Recombinant Leukocyte Interleukin", "Recombinant Leukoregulin", "Recombinant Luteinizing Hormone", "Recombinant Macrophage Colony-Stimulating Factor", "Recombinant MAGE-3.1 Antigen", "Recombinant MIP1-alpha Variant ECI301", "Recombinant Modified Vaccinia Ankara-5T4 Vaccine", "Recombinant Oncolytic Poliovirus PVS-RIPO", "Recombinant Platelet Factor 4", "Recombinant PRAME Protein Plus AS15 Adjuvant GSK2302025A", "Recombinant Saccharomyces Cerevisia-CEA(610D)-Expressing Vaccine GI-6207", "Recombinant Super-compound Interferon", "Recombinant Thyroglobulin", "Recombinant Thyrotropin Alfa", "Recombinant Transforming Growth Factor-Beta", "Recombinant Transforming Growth Factor-Beta-2", "Recombinant Tumor Necrosis Factor-Alpha", "Recombinant Tyrosinase-Related Protein-2", "Recombinant Vesicular Stomatitis Virus-expressing Human Interferon Beta and Sodium-Iodide Symporter", "Redaporfin", "Refametinib", "Regorafenib", "Relacorilant", "Relatlimab", "Relugolix", "Remetinostat", "Renal Cell Carcinoma Peptides Vaccine IMA901", "Reparixin", "Repotrectinib", "Resiquimod", "Resiquimod Topical Gel", "Resistant Starch", "Resminostat", "Resveratrol", "Resveratrol Formulation SRT501", "RET Inhibitor DS-5010", "RET Mutation/Fusion Inhibitor BLU-667", "RET/SRC Inhibitor TPX-0046", "Retaspimycin", "Retaspimycin Hydrochloride", "Retelliptine", "Retifanlimab", "Retinoic Acid Agent Ro 16-9100", "Retinoid 9cUAB30", "Retinol", "Retinyl Acetate", "Retinyl Palmitate", "Retrovector Encoding Mutant Anti-Cyclin G1", "Revdofilimab", "Rexinoid NRX 194204", "Rezivertinib", "RFT5-dgA Immunotoxin IMTOX25", "Rhenium Re 188 BMEDA-labeled Liposomes", "Rhenium Re-186 Hydroxyethylidene Diphosphonate", "Rhenium Re-188 Ethiodized Oil", "Rhenium Re-188 Etidronate", "Rhizoxin", "RhoC Peptide Vaccine RV001V", "Ribociclib", "Ribociclib/Letrozole", "Ribonuclease QBI-139", "Ribosome-Inactivating Protein CY503", "Ribozyme RPI.4610", "Rice Bran", "Ricolinostat", "Ridaforolimus", "Rigosertib", "Rigosertib Sodium", "Rilimogene Galvacirepvec", "Rilimogene Galvacirepvec/Rilimogene Glafolivec", "Rilimogene Glafolivec", "Rilotumumab", "Rindopepimut", "Ripertamab", "RIPK1 Inhibitor GSK3145095", "Ripretinib", "Risperidone Formulation in Rumenic Acid", "Ritrosulfan", "Rituximab", "Rituximab and Hyaluronidase Human", "Rituximab Conjugate CON-4619", "Riviciclib", "Rivoceranib", "Rivoceranib Mesylate", "RNR Inhibitor COH29", "Robatumumab", "Roblitinib", "ROBO1-targeted BiCAR-NKT Cells", "Rocakinogene Sifuplasmid", "Rocapuldencel-T", "Rociletinib", "Rodorubicin", "Roducitabine", "Rofecoxib", "Roflumilast", "Rogaratinib", "Rogletimide", "Rolinsatamab Talirine", "Romidepsin", "Roneparstat", "Roniciclib", "Ropeginterferon Alfa-2B", "Ropidoxuridine", "Ropocamptide", "Roquinimex", "RORgamma Agonist LYC-55716", "Rosabulin", "Rose Bengal Solution PV-10", "Rosiglitazone Maleate", "Rosmantuzumab", "Rosopatamab", "Rosuvastatin", "Rovalpituzumab Tesirine", "RSK1-4 Inhibitor PMD-026", "Rubitecan", "Rucaparib", "Rucaparib Camsylate", "Rucaparib Phosphate", "Ruthenium Ru-106", "Ruthenium-based Small Molecule Therapeutic BOLD-100", "Ruthenium-based Transferrin Targeting Agent NKP-1339", "Ruxolitinib", "Ruxolitinib Phosphate", "Ruxotemitide", "S-Adenosylmethionine", "S-equol", "S1P Receptor Agonist KRP203", "Sabarubicin", "Sabatolimab", "Sacituzumab Govitecan", "Sacubitril/Valsartan", "Safingol", "Sagopilone", "Salirasib", "Salmonella VNP20009", "Sam68 Modulator CWP232291", "Samalizumab", "Samarium Sm 153-DOTMP", "Samotolisib", "Samrotamab Vedotin", "Samuraciclib", "Sapacitabine", "Sapanisertib", "Sapitinib", "Saracatinib", "Saracatinib Difumarate", "SarCNU", "Sardomozide", "Sargramostim", "Sasanlimab", "Satraplatin", "Savolitinib", "SBIL-2", "Scopoletin", "SDF-1 Receptor Antagonist PTX-9908", "Seclidemstat", "Sedoxantrone Trihydrochloride", "Selatinib Ditosilate", "Selective Androgen Receptor Modulator RAD140", "Selective Cytokine Inhibitory Drug CC-1088", "Selective Estrogen Receptor Degrader AZD9496", "Selective Estrogen Receptor Degrader AZD9833", "Selective Estrogen Receptor Degrader LSZ102", "Selective Estrogen Receptor Degrader LX-039", "Selective Estrogen Receptor Degrader LY3484356", "Selective Estrogen Receptor Degrader SRN-927", "Selective Estrogen Receptor Modulator CC-8490", "Selective Estrogen Receptor Modulator TAS-108", "Selective Glucocorticoid Receptor Antagonist CORT125281", "Selective Human Estrogen-receptor Alpha Partial Agonist TTC-352", "Seliciclib", "Selicrelumab", "Selinexor", "Selitrectinib", "Selonsertib", "Selpercatinib", "Selumetinib", "Selumetinib Sulfate", "Semaxanib", "Semuloparin", "Semustine", "Seneca Valley Virus-001", "Seocalcitol", "Sepantronium Bromide", "Serabelisib", "Serclutamab Talirine", "SERD D-0502", "SERD G1T48", "SERD GDC-9545", "SERD SAR439859", "SERD SHR9549", "SERD ZN-c5", "Serdemetan", "Sergiolide", "Seribantumab", "Serine/Threonine Kinase Inhibitor CBP501", "Serine/Threonine Kinase Inhibitor XL418", "Serplulimab", "Sevacizumab", "Seviteronel", "Shared Anti-Idiotype-AB-S006", "Shared Anti-Idiotype-AB-S024A", "Shark Cartilage", "Shark Cartilage Extract AE-941", "Shenqi Fuzheng Injection SQ001", "Sho-Saiko-To", "Short Chain Fatty Acid HQK-1004", "SHP-1 Agonist SC-43", "SHP2 Inhibitor JAB-3068", "SHP2 Inhibitor RLY-1971", "SHP2 Inhibitor RMC-4630", "SHP2 Inhibitor TNO155", "Shu Yu Wan Formula", "Sialyl Tn Antigen", "Sialyl Tn-KLH Vaccine", "Sibrotuzumab", "siG12D LODER", "Silatecan AR-67", "Silibinin", "Silicon Phthalocyanine 4", "Silmitasertib Sodium", "Siltuximab", "Simalikalactone D", "Simeprevir", "Simlukafusp Alfa", "Simmitinib", "Simotaxel", "Simtuzumab", "Simurosertib", "Sintilimab", "Siplizumab", "Sipuleucel-T", "Siremadlin", "siRNA-transfected Peripheral Blood Mononuclear Cells APN401", "Sirolimus", "SIRPa-4-1BBL Fusion Protein DSP107", "SIRPa-Fc Fusion Protein TTI-621", "SIRPa-Fc-CD40L Fusion Protein SL-172154", "SIRPa-IgG4-Fc Fusion Protein TTI-622", "Sitimagene Ceradenovec", "Sitravatinib", "Sivifene", "Sizofiran", "SLC6A8 Inhibitor RGX-202", "SLCT Inhibitor GNS561", "SMAC Mimetic BI 891065", "Smac Mimetic GDC-0152", "Smac Mimetic GDC-0917", "Smac Mimetic LCL161", "SMO Protein Inhibitor ZSP1602", "Smoothened Antagonist BMS-833923", "Smoothened Antagonist LDE225 Topical", "Smoothened Antagonist LEQ506", "Smoothened Antagonist TAK-441", "SN-38-Loaded Polymeric Micelles NK012", "SNS01-T Nanoparticles", "Sobuzoxane", "Sodium Borocaptate", "Sodium Butyrate", "Sodium Dichloroacetate", "Sodium Iodide I-131", "Sodium Metaarsenite", "Sodium Phenylbutyrate", "Sodium Salicylate", "Sodium Selenite", "Sodium Stibogluconate", "Sodium-Potassium Adenosine Triphosphatase Inhibitor RX108", "Sofituzumab Vedotin", "Solitomab", "Sonepcizumab", "Sonidegib", "Sonolisib", "Sorafenib", "Sorafenib Tosylate", "Sorghum bicolor Supplement", "Sotigalimab", "Sotorasib", "Sotrastaurin", "Sotrastaurin Acetate", "Soy Isoflavones", "Soy Protein Isolate", "Spanlecortemlocel", "Sparfosate Sodium", "Sparfosic Acid", "Spartalizumab", "Spebrutinib", "Spherical Nucleic Acid Nanoparticle NU-0129", "Spirogermanium", "Spiromustine", "Spiroplatin", "Splicing Inhibitor H3B-8800", "Spongistatin", "Squalamine Lactate", "SR-BP1/HSI Inhibitor SR31747A", "SR-T100 Gel", "Src Kinase Inhibitor AP 23846", "Src Kinase Inhibitor KX2-391", "Src Kinase Inhibitor KX2-391 Ointment", "Src Kinase Inhibitor M475271", "Src/Abl Kinase Inhibitor AZD0424", "Src/tubulin Inhibitor KX02", "SRPK1/ABCG2 Inhibitor SCO-101", "ssRNA-based Immunomodulator CV8102", "SSTR2-targeting Protein/DM1 Conjugate PEN-221", "St. John's Wort", "Stallimycin", "Staphylococcal Enterotoxin A", "Staphylococcal Enterotoxin B", "STAT Inhibitor OPB-111077", "STAT3 Inhibitor DSP-0337", "STAT3 Inhibitor OPB-31121", "STAT3 Inhibitor OPB-51602", "STAT3 Inhibitor TTI-101", "STAT3 Inhibitor WP1066", "Staurosporine", "STING Agonist BMS-986301", "STING Agonist GSK3745417", "STING Agonist IMSA101", "STING Agonist MK-1454", "STING Agonist SB 11285", "STING Agonist TAK-676", "STING-activating Cyclic Dinucleotide Agonist MIW815", "STING-expressing E. coli SYNB1891", "Streptonigrin", "Streptozocin", "Strontium Chloride Sr-89", "Submicron Particle Paclitaxel Sterile Suspension", "Sugemalimab", "Sulfatinib", "Sulforaphane", "Sulindac", "Sulofenur", "Sumoylation Inhibitor TAK-981", "Sunitinib", "Sunitinib Malate", "Super Enhancer Inhibitor GZ17-6.02", "Superagonist Interleukin-15:Interleukin-15 Receptor alphaSu/Fc Fusion Complex ALT-803", "Superoxide Dismutase Mimetic GC4711", "Suramin", "Suramin Sodium", "Survivin Antigen", "Survivin Antigen Vaccine DPX-Survivac", "Survivin mRNA Antagonist EZN-3042", "Survivin-expressing CVD908ssb-TXSVN Vaccine", "Sustained-release Lipid Inhaled Cisplatin", "Sustained-release Mitomycin C Hydrogel Formulation UGN-101", "Sustained-release Mitomycin C Hydrogel Formulation UGN-102", "Syk Inhibitor HMPL-523", "Synchrotope TA2M Plasmid DNA Vaccine", "Synchrovax SEM Plasmid DNA Vaccine", "Synthetic Alkaloid PM00104", "Synthetic Glioblastoma Mutated Tumor-specific Peptides Vaccine Therapy APVAC2", "Synthetic Glioblastoma Tumor-associated Peptides Vaccine Therapy APVAC1", "Synthetic hTERT DNA Vaccine INO-1400", "Synthetic hTERT DNA Vaccine INO-1401", "Synthetic Hypericin", "Synthetic Long E6 Peptide-Toll-like Receptor Ligand Conjugate Vaccine ISA201", "Synthetic Long E6/E7 Peptides Vaccine HPV-01", "Synthetic Long HPV16 E6/E7 Peptides Vaccine ISA101b", "Synthetic Plumbagin PCUR-101", "T900607", "Tabalumab", "Tabelecleucel", "Tacedinaline", "Tafasitamab", "Tagraxofusp-erzs", "Talabostat", "Talabostat Mesylate", "Talacotuzumab", "Talactoferrin Alfa", "Taladegib", "Talampanel", "Talaporfin Sodium", "Talazoparib", "Taletrectinib", "Talimogene Laherparepvec", "Tallimustine", "Talmapimod", "Talotrexin", "Talotrexin Ammonium", "Taltobulin", "TAM/c-Met Inhibitor RXDX-106", "Tamibarotene", "Taminadenant", "Tamoxifen", "Tamoxifen Citrate", "Tamrintamab Pamozirine", "Tandutinib", "Tanespimycin", "Tanibirumab", "Tankyrase Inhibitor STP1002", "Tanomastat", "Tapotoclax", "Tarenflurbil", "Tarextumab", "Tariquidar", "Tasadenoturev", "Taselisib", "Tasidotin", "Tasisulam", "Tasisulam Sodium", "Tasquinimod", "Taurolidine", "Tauromustine", "Taurultam", "Taurultam Analogue GP-2250", "Tavokinogene Telseplasmid", "Tavolimab", "Taxane Analogue TPI 287", "Taxane Compound", "Taxol Analogue SID 530", "Tazarotene", "Tazemetostat", "Tebentafusp", "Teclistamab", "Tecogalan Sodium", "Tefinostat", "Tegafur", "Tegafur-gimeracil-oteracil Potassium", "Tegafur-Gimeracil-Oteracil Potassium-Leucovorin Calcium Oral Formulation", "Tegafur-Uracil", "Tegavivint", "Teglarinad", "Teglarinad Chloride", "Telaglenastat", "Telaglenastat Hydrochloride", "Telapristone", "Telapristone Acetate", "Telatinib Mesylate", "Telisotuzumab", "Telisotuzumab Vedotin", "Telomerase Inhibitor FJ5002", "Telomerase-specific Type 5 Adenovirus OBP-301", "Teloxantrone", "Teloxantrone Hydrochloride", "Telratolimod", "Temarotene", "Temoporfin", "Temozolomide", "Temsirolimus", "Tenalisib", "Tenifatecan", "Teniposide", "Tepoditamab", "Tepotinib", "Teprotumumab", "Terameprocol", "Terfluranol", "Tergenpumatucel-L", "Teroxirone", "Tertomotide", "Tesetaxel", "Tesevatinib", "Tesidolumab", "Testolactone", "Testosterone Enanthate", "Tetanus Toxoid Vaccine", "Tetradecanoylphorbol Acetate", "Tetrahydrouridine", "Tetraphenyl Chlorin Disulfonate", "Tetrathiomolybdate", "Tezacitabine", "Tezacitabine Anhydrous", "TGF-beta Receptor 1 Inhibitor PF-06952229", "TGF-beta Receptor 1 Kinase Inhibitor SH3051", "TGF-beta Receptor 1 Kinase Inhibitor YL-13027", "TGFa-PE38 Immunotoxin", "TGFbeta Inhibitor LY3200882", "TGFbeta Receptor Ectodomain-IgG Fc Fusion Protein AVID200", "Thalicarpine", "Thalidomide", "Theliatinib", "Theramide", "Therapeutic Angiotensin-(1-7)", "Therapeutic Breast/Ovarian/Prostate Peptide Cancer Vaccine DPX-0907", "Therapeutic Cancer Vaccine ATP128", "Therapeutic Estradiol", "Therapeutic Hydrocortisone", "Therapeutic Liver Cancer Peptide Vaccine IMA970A", "Thiarabine", "Thiodiglycol", "Thioguanine", "Thioguanine Anhydrous", "Thioinosine", "Thioredoxin-1 Inhibitor PX-12", "Thiotepa", "Thioureidobutyronitrile", "THL-P", "Thorium Th 227 Anetumab", "Thorium Th 227 Anetumab Corixetan", "Thorium Th 227 Anti-HER2 Monoclonal Antibody BAY2701439", "Thorium Th 227 Anti-PSMA Monoclonal Antibody BAY 2315497", "Threonine Tyrosine Kinase Inhibitor CFI-402257", "Thymidylate Synthase Inhibitor CX1106", "Thymidylate Synthase Inhibitor DFP-11207", "Thymopentin", "Thyroid Extract", "Tiazofurin", "Tidutamab", "Tigapotide", "Tigatuzumab", "TIGIT Inhibitor M6223", "TIGIT-targeting Agent MK-7684", "Tilarginine", "Tilogotamab", "Tilsotolimod Sodium", "Timonacic", "Tin Ethyl Etiopurpurin", "Tinostamustine", "Tinzaparin Sodium", "Tiomolibdate Choline", "Tiomolibdate Diammonium", "Tipapkinogene Sovacivec", "Tipifarnib", "Tipiracil", "Tipiracil Hydrochloride", "Tirabrutinib", "Tiragolumab", "Tirapazamine", "Tirbanibulin", "Tisagenlecleucel", "Tislelizumab", "Tisotumab Vedotin", "Tivantinib", "Tivozanib", "TLC ELL-12", "TLR Agonist BDB001", "TLR Agonist BSG-001", "TLR Agonist CADI-05", "TLR-Directed Cationic Lipid-DNA Complex JVRS-100", "TLR7 Agonist 852A", "TLR7 agonist BNT411", "TLR7 Agonist LHC165", "TLR7/8/9 Antagonist IMO-8400", "TLR8 Agonist DN1508052", "TLR9 Agonist AST-008", "TM4SF1-CAR/EpCAM-CAR-expressing Autologous T Cells", "Tocilizumab", "Tocladesine", "Tocotrienol", "Tocotrienol-rich Fraction", "Tolebrutinib", "Toll-like Receptor 7 Agonist DSP-0509", "Tolnidamine", "Tomaralimab", "Tomato-Soy Juice", "Tomivosertib", "Topical Betulinic Acid", "Topical Celecoxib", "Topical Fluorouracil", "Topical Gemcitabine Hydrochloride", "Topical Potassium Dobesilate", "Topical Trichloroacetic Acid", "Topixantrone", "Topoisomerase I Inhibitor Genz-644282", "Topoisomerase I Inhibitor LMP400", "Topoisomerase I Inhibitor LMP776", "Topoisomerase I/II Inhibitor NEV-801", "Topoisomerase-1 Inhibitor LMP744", "Topoisomerase-II Inhibitor Racemic XK469", "Topoisomerase-II-beta Inhibitor Racemic XK469", "Topotecan", "Topotecan Hydrochloride", "Topotecan Hydrochloride Liposomes", "Topotecan Sustained-release Episcleral Plaque", "Topsalysin", "TORC1/2 Kinase Inhibitor DS-3078a", "Toremifene", "Toremifene Citrate", "Toripalimab", "Tosedostat", "Tositumomab", "Total Androgen Blockade", "Tovetumab", "Tozasertib Lactate", "TP40 Immunotoxin", "Trabectedin", "Trabedersen", "TRAIL Receptor Agonist ABBV-621", "Trametinib", "Trametinib Dimethyl Sulfoxide", "Trans Sodium Crocetinate", "Transdermal 17beta-Estradiol Gel BHR-200", "Transdermal 4-Hydroxytestosterone", "Transferrin Receptor-Targeted Anti-RRM2 siRNA CALAA-01", "Transferrin Receptor-Targeted Liposomal p53 cDNA", "Transferrin-CRM107", "Tranylcypromine Sulfate", "Trapoxin", "Trastuzumab", "Trastuzumab Conjugate BI-CON-02", "Trastuzumab Deruxtecan", "Trastuzumab Duocarmazine", "Trastuzumab Emtansine", "Trastuzumab Monomethyl Auristatin F", "Trastuzumab-TLR 7/8 Agonist BDC-1001", "Trastuzumab/Hyaluronidase-oysk", "Trastuzumab/Tesirine Antibody-drug Conjugate ADCT-502", "Trebananib", "Tremelimumab", "Treosulfan", "Tretazicar", "Tretinoin", "Tretinoin Liposome", "Triamcinolone Acetonide", "Triamcinolone Hexacetonide", "Triapine", "Triazene Derivative CB10-277", "Triazene Derivative TriN2755", "Triazinate", "Triaziquone", "Tributyrin", "Triciribine Phosphate", "Trientine Hydrochloride", "Triethylenemelamine", "Trifluridine", "Trifluridine and Tipiracil Hydrochloride", "Trigriluzole", "Trilaciclib", "Trimelamol", "Trimeric GITRL-Fc OMP-336B11", "Trimethylcolchicinic Acid", "Trimetrexate", "Trimetrexate Glucuronate", "Trioxifene", "Triplatin Tetranitrate", "Triptolide Analog", "Triptorelin", "Triptorelin Pamoate", "Tris-acryl Gelatin Microspheres", "Tritylcysteine", "TRK Inhibitor AZD6918", "TRK Inhibitor TQB3558", "TrkA Inhibitor VMD-928", "Trodusquemine", "Trofosfamide", "Troglitazone", "Tropomyosin Receptor Kinase Inhibitor AZD7451", "Troriluzole", "Troxacitabine", "Troxacitabine Nucleotide Prodrug MIV-818", "TRPM8 Agonist D-3263", "TRPV6 Calcium Channel Inhibitor SOR-C13", "TSP-1 Mimetic ABT-510", "TSP-1 Mimetic Fusion Protein CVX-045", "Tubercidin", "Tubulin Binding Agent TTI-237", "Tubulin Inhibitor ALB 109564 Dihydrochloride", "Tubulin Inhibitor ALB-109564", "Tubulin Polymerization Inhibitor AEZS 112", "Tubulin Polymerization Inhibitor CKD-516", "Tubulin Polymerization Inhibitor VERU-111", "Tubulin-Binding Agent SSR97225", "Tucatinib", "Tucidinostat", "Tucotuzumab Celmoleukin", "Tyroserleutide", "Tyrosinase Peptide", "Tyrosinase-KLH", "Tyrosinase:146-156 Peptide", "Tyrosine Kinase Inhibitor", "Tyrosine Kinase Inhibitor OSI-930", "Tyrosine Kinase Inhibitor SU5402", "Tyrosine Kinase Inhibitor TL-895", "Tyrosine Kinase Inhibitor XL228", "UAE Inhibitor TAK-243", "Ubenimex", "Ubidecarenone Nanodispersion BPM31510n", "Ublituximab", "Ulinastatin", "Ulixertinib", "Ulocuplumab", "Umbralisib", "Uncaria tomentosa Extract", "Upamostat", "Upifitamab", "Uproleselan", "Uprosertib", "Urabrelimab", "Uracil Ointment", "Urelumab", "Uroacitides", "Urokinase-Derived Peptide A6", "Ursolic Acid", "USP14/UCHL5 Inhibitor VLX1570", "Utomilumab", "Uzansertib", "V930 Vaccine", "Vaccine-Sensitized Draining Lymph Node Cells", "Vaccinium myrtillus/Macleaya cordata/Echinacea angustifolia Extract Granules", "Vactosertib", "Vadacabtagene Leraleucel", "Vadastuximab Talirine", "Vadimezan", "Valecobulin", "Valemetostat", "Valproic Acid", "Valrubicin", "Valspodar", "Vandetanib", "Vandetanib-eluting Radiopaque Bead BTG-002814", "Vandortuzumab Vedotin", "Vantictumab", "Vanucizumab", "Vapreotide", "Varlilumab", "Varlitinib", "Varlitinib Tosylate", "Vascular Disrupting Agent BNC105", "Vascular Disrupting Agent BNC105P", "Vascular Disrupting Agent ZD6126", "Vatalanib", "Vatalanib Succinate", "Vecabrutinib", "Vector-peptide Conjugated Paclitaxel", "Vedolizumab", "VEGF Inhibitor PTC299", "VEGF/HGF-targeting DARPin MP0250", "VEGFR Inhibitor KRN951", "VEGFR-2 DNA Vaccine VXM01", "VEGFR/FGFR Inhibitor ODM-203", "VEGFR/PDGFR Tyrosine Kinase Inhibitor TAK-593", "VEGFR2 Tyrosine Kinase Inhibitor PF-00337210", "VEGFR2/PDGFR/c-Kit/Flt-3 Inhibitor SU014813", "Veliparib", "Veltuzumab", "Vemurafenib", "Venetoclax", "Verapamil", "Verpasep Caltespen", "Verubulin", "Verubulin Hydrochloride", "Vesencumab", "Vesigenurtucel-L", "VGEF Mixed-Backbone Antisense Oligonucleotide GEM 220", "VGEFR/c-kit/PDGFR Tyrosine Kinase Inhibitor XL820", "Viagenpumatucel-L", "Vibecotamab", "Vibostolimab", "Vilaprisan", "Vinblastine", "Vinblastine Sulfate", "Vincristine", "Vincristine Liposomal", "Vincristine Sulfate", "Vincristine Sulfate Liposome", "Vindesine", "Vinepidine", "Vinflunine", "Vinflunine Ditartrate", "Vinfosiltine", "Vinorelbine", "Vinorelbine Tartrate", "Vinorelbine Tartrate Emulsion", "Vinorelbine Tartrate Oral", "Vintafolide", "Vinzolidine", "Vinzolidine Sulfate", "Virulizin", "Vismodegib", "Vistusertib", "Vitamin D3 Analogue ILX23-7553", "Vitamin E Compound", "Vitespen", "VLP-encapsulated TLR9 Agonist CMP-001", "Vocimagene Amiretrorepvec", "Vofatamab", "Volasertib", "Volociximab", "Vonlerolizumab", "Vopratelimab", "Vorasidenib", "Vorinostat", "Vorolanib", "Vorsetzumab Mafodotin", "Vosaroxin", "Vosilasarm", "Voxtalisib", "Vulinacimab", "Warfarin Sodium", "Wee1 Inhibitor ZN-c3", "Wee1 Kinase Inhibitor Debio 0123", "White Carrot", "Wnt Signaling Inhibitor SM04755", "Wnt Signaling Pathway Inhibitor SM08502", "Wnt-5a Mimic Hexapeptide Foxy-5", "Wobe-Mugos E", "WT1 Peptide Vaccine OCV-501", "WT1 Peptide Vaccine WT2725", "WT1 Protein-derived Peptide Vaccine DSP-7888", "WT1-A10/AS01B Immunotherapeutic GSK2130579A", "WT1/PSMA/hTERT-encoding Plasmid DNA INO-5401", "Xanthohumol", "XBP1-US/XBP1-SP/CD138/CS1 Multipeptide Vaccine PVX-410", "Xeloda", "Xentuzumab", "Xevinapant", "Xiaoai Jiedu Decoction", "XIAP Antisense Oligonucleotide AEG35156", "XIAP/cIAP1 Antagonist ASTX660", "Xiliertinib", "Xisomab 3G3", "XPO1 Inhibitor SL-801", "Y 90 Monoclonal Antibody CC49", "Y 90 Monoclonal Antibody HMFG1", "Y 90 Monoclonal Antibody Lym-1", "Y 90 Monoclonal Antibody m170", "Y 90 Monoclonal Antibody M195", "Yang Yin Fu Zheng", "Yangzheng Xiaoji Extract", "Yiqi-yangyin-jiedu Herbal Decoction", "Yttrium Y 90 Anti-CD19 Monoclonal Antibody BU12", "Yttrium Y 90 Anti-CD45 Monoclonal Antibody AHN-12", "Yttrium Y 90 Anti-CD45 Monoclonal Antibody BC8", "Yttrium Y 90 Anti-CDH3 Monoclonal Antibody FF-21101", "Yttrium Y 90 Anti-CEA Monoclonal Antibody cT84.66", "Yttrium Y 90 Basiliximab", "Yttrium Y 90 Colloid", "Yttrium Y 90 Daclizumab", "Yttrium Y 90 DOTA Anti-CEA Monoclonal Antibody M5A", "Yttrium Y 90 Glass Microspheres", "Yttrium Y 90 Monoclonal Antibody B3", "Yttrium Y 90 Monoclonal Antibody BrE-3", "Yttrium Y 90 Monoclonal Antibody Hu3S193", "Yttrium Y 90 Monoclonal Antibody MN-14", "Yttrium Y 90 Resin Microspheres", "Yttrium Y 90 Tabituximab Barzuxetan", "Yttrium Y 90-DOTA-Biotin", "Yttrium Y 90-DOTA-di-HSG Peptide IMP-288", "Yttrium Y 90-Edotreotide", "Yttrium Y 90-labeled Anti-FZD10 Monoclonal Antibody OTSA101", "Yttrium Y-90 Clivatuzumab Tetraxetan", "Yttrium Y-90 Epratuzumab Tetraxetan", "Yttrium Y-90 Ibritumomab Tiuxetan", "Yttrium Y-90 Tacatuzumab Tetraxetan", "Yttrium-90 Polycarbonate Brachytherapy Plaque", "Z-Endoxifen Hydrochloride", "Zalcitabine", "Zalifrelimab", "Zalutumumab", "Zandelisib", "Zanidatamab", "Zanolimumab", "Zanubrutinib", "Zebularine", "Zelavespib", "Zibotentan", "Zinc Finger Nuclease ZFN-603", "Zinc Finger Nuclease ZFN-758", "Zinostatin", "Zinostatin Stimalamer", "Zirconium Zr 89 Panitumumab", "Ziv-Aflibercept", "Zolbetuximab", "Zoledronic Acid", "Zoptarelin Doxorubicin", "Zorifertinib", "Zorubicin", "Zorubicin Hydrochloride", "Zotatifin", "Zotiraciclib Citrate", "Zuclomiphene Citrate", "Unknown", "Not Reported"]}}, "relationships": {}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "Sample identifier as submitted by requestor", "type": "string", "required": true}, "sample_type": {"name": "sample_type", "description": "Tissue type of this sample", "type": "string", "required": true, "permissible_values": ["Ascites", "Blood", "Blood Derived Normal", "Bone Marrow", "Buccal Mucosa", "Buffy Coat", "Cell Line Derived Xenograft Tissue", "DNA", "Fluids", "Metastatic", "Mouthwash", "Normal", "Not specified in data", "Pleural Fluid", "Primary Tumor", "Primary Xenograft Tissue", "RNA", "Saliva", "Skin", "Solid Tissue Normal", "Tissue", "Tumor", "Tumor Adjacent Normal", "Unknown", "Unspecified", "Xenograft Tissue", "Additional - New Primary", "Additional Metastatic", "Benign Neoplasms", "Blood Derived Cancer - Bone Marrow", "Blood Derived Cancer - Bone Marrow, Post-treatment", "Blood Derived Cancer - Peripheral Blood", "Blood Derived Cancer - Peripheral Blood, Post-treatment", "Blood Derived Liquid Biopsy", "Bone Marrow Normal", "Buccal Cell Normal", "Cell Lines", "Control Analyte", "EBV Immortalized Normal", "Expanded Next Generation Cancer Model", "FFPE Recurrent", "FFPE Scrolls", "Fibroblasts from Bone Marrow Normal", "GenomePlex (Rubicon) Amplified DNA", "Granulocytes", "Human Tumor Original Cells", "In Situ Neoplasms", "Lymphoid Normal", "Mixed Adherent Suspension", "Mononuclear Cells from Bone Marrow Normal", "Neoplasms of Uncertain and Unknown Behavior", "Next Generation Cancer Model", "Next Generation Cancer Model Expanded Under Non-conforming Conditions", "Not Allowed To Collect", "Pleural Effusion", "Post neo-adjuvant therapy", "Primary Blood Derived Cancer - Bone Marrow", "Primary Blood Derived Cancer - Peripheral Blood", "Recurrent Blood Derived Cancer - Bone Marrow", "Recurrent Blood Derived Cancer - Peripheral Blood", "Recurrent Tumor", "Repli-G (Qiagen) DNA", "Repli-G X (Qiagen) DNA", "Slides", "Total RNA", "Tumor Adjacent Normal - Post Neo-adjuvant Therapy", "Not Reported"]}, "sample_tumor_status": {"name": "sample_tumor_status", "description": "Tumor or normal status", "type": "string", "required": true, "permissible_values": ["Tumor", "Normal", "Abnormal", "Peritumoral", "Unknown"]}, "sample_anatomic_site": {"name": "sample_anatomic_site", "description": "Anatomic site from which sample was collected", "type": "string", "required": false, "permissible_values": ["Bone marrow", "post mortem blood", "post mortem liver", "Frontal Lobe", "Peripheral blood", "Lung", "tumor", "post mortem liver tumor", "Left Bone marrow", "Right Bone marrow", "Left thigh", "Lung/pleura", "R. femur/rib/verebra", "Femur", "Paraspinal mass", "Abdominal mass", "Kidney", "Brain stem", "Cerebrum", "Cerebellum", "R. Buttock", "Shoulder", "L. Kidney", "R. Kidney", "Ventricular mass", "Bilateral", "Retroperitoneal mass", "Adrenal mass", "R. Breast metastasis", "Paracaval Lymph Node metastasis", "Transverse Colon", "Lymph Node met", "Orbit", "Lung met", "Liver", "4th ventricle", "L. Occipital mass", "Posterior mediastil mass (mediastinum)", "R. Proximal Ulna", "R. Sylvian Fissure", "Lung metastasis", "Liver metastasis", "R. Parietal Lobe", "Tibia", "Humerus", "Lung mass", "R. Distal Femur", "R. Humerus", "L. Femur", "Distal femur", "L. Distal Femur", "Os frontalis", "L. Proximal Tibia", "Arm", "Perineum", "Bone Marrow metastasis", "Paratesticular", "Cervical node", "R. Neck mass", "Pleural effusion met", "not reported", "Abdomen", "Abdominal Wall", "Acetabulum", "Adenoid", "Adipose", "Adrenal", "Alveolar Ridge", "Amniotic Fluid", "Ampulla Of Vater", "Anal Sphincter", "Ankle", "Anorectum", "Antecubital Fossa", "Antrum", "Anus", "Aorta", "Aortic Body", "Appendix", "Aqueous Fluid", "Artery", "Ascending Colon", "Ascending Colon Hepatic Flexure", "Auditory Canal", "Autonomic Nervous System", "Axilla", "Back", "Bile Duct", "Bladder", "Blood", "Blood Vessel", "Bone", "Bone Marrow", "Bowel", "Brain", "Brain Stem", "Breast", "Broad Ligament", "Bronchiole", "Bronchus", "Brow", "Buccal Cavity", "Buccal Mucosa", "Buttock", "Calf", "Capillary", "Cardia", "Carina", "Carotid Artery", "Carotid Body", "Cartilage", "Cecum", "Cell-Line", "Central Nervous System", "Cerebral Cortex", "Cerebrospinal Fluid", "Cervical Spine", "Cervix", "Chest", "Chest Wall", "Chin", "Clavicle", "Clitoris", "Colon", "Colon - Mucosa Only", "Common Duct", "Conjunctiva", "Connective Tissue", "Dermal", "Descending Colon", "Diaphragm", "Duodenum", "Ear", "Ear Canal", "Ear, Pinna (External)", "Effusion", "Elbow", "Endocrine Gland", "Epididymis", "Epidural Space", "Esophageal; Distal", "Esophageal; Mid", "Esophageal; Proximal", "Esophagogastric Junction", "Esophagus", "Esophagus - Mucosa Only", "Eye", "Fallopian Tube", "Femoral Artery", "Femoral Vein", "Fibroblasts", "Fibula", "Finger", "Floor Of Mouth", "Fluid", "Foot", "Forearm", "Forehead", "Foreskin", "Frontal Cortex", "Fundus Of Stomach", "Gallbladder", "Ganglia", "Gastroesophageal Junction", "Gastrointestinal Tract", "Glottis", "Groin", "Gum", "Hand", "Hard Palate", "Head - Face Or Neck, Nos", "Head & Neck", "Heart", "Hepatic", "Hepatic Duct", "Hepatic Flexure", "Hepatic Vein", "Hip", "Hippocampus", "Hypopharynx", "Ileum", "Ilium", "Index Finger", "Ischium", "Islet Cells", "Jaw", "Jejunum", "Joint", "Knee", "Lacrimal Gland", "Large Bowel", "Laryngopharynx", "Larynx", "Leg", "Leptomeninges", "Ligament", "Lip", "Lumbar Spine", "Lymph Node", "Lymph Node(s) Axilla", "Lymph Node(s) Cervical", "Lymph Node(s) Distant", "Lymph Node(s) Epitrochlear", "Lymph Node(s) Femoral", "Lymph Node(s) Hilar", "Lymph Node(s) Iliac-Common", "Lymph Node(s) Iliac-External", "Lymph Node(s) Inguinal", "Lymph Node(s) Internal Mammary", "Lymph Node(s) Mammary", "Lymph Node(s) Mesenteric", "Lymph Node(s) Occipital", "Lymph Node(s) Paraaortic", "Lymph Node(s) Parotid", "Lymph Node(s) Pelvic", "Lymph Node(s) Popliteal", "Lymph Node(s) Regional", "Lymph Node(s) Retroperitoneal", "Lymph Node(s) Scalene", "Lymph Node(s) Splenic", "Lymph Node(s) Subclavicular", "Lymph Node(s) Submandibular", "Lymph Node(s) Supraclavicular", "Lymph Nodes(s) Mediastinal", "Mandible", "Maxilla", "Mediastinal Soft Tissue", "Mediastinum", "Mesentery", "Mesothelium", "Middle Finger", "Mitochondria", "Muscle", "Nails", "Nasal Cavity", "Nasal Soft Tissue", "Nasopharynx", "Neck", "Nerve", "Nerve(s) Cranial", "Not Allowed To Collect", "Occipital Cortex", "Ocular Orbits", "Omentum", "Oral Cavity", "Oral Cavity - Mucosa Only", "Oropharynx", "Other", "Ovary", "Palate", "Pancreas", "Paranasal Sinuses", "Paraspinal Ganglion", "Parathyroid", "Parotid Gland", "Patella", "Pelvis", "Penis", "Pericardium", "Periorbital Soft Tissue", "Peritoneal Cavity", "Peritoneum", "Pharynx", "Pineal", "Pineal Gland", "Pituitary Gland", "Placenta", "Pleura", "Popliteal Fossa", "Prostate", "Pylorus", "Rectosigmoid Junction", "Rectum", "Retina", "Retro-Orbital Region", "Retroperitoneum", "Rib", "Ring Finger", "Round Ligament", "Sacrum", "Salivary Gland", "Scalp", "Scapula", "Sciatic Nerve", "Scrotum", "Seminal Vesicle", "Sigmoid Colon", "Sinus", "Sinus(es), Maxillary", "Skeletal Muscle", "Skin", "Skull", "Small Bowel", "Small Bowel - Mucosa Only", "Small Finger", "Soft Tissue", "Spinal Column", "Spinal Cord", "Spleen", "Splenic Flexure", "Sternum", "Stomach", "Stomach - Mucosa Only", "Subcutaneous Tissue", "Subglottis", "Sublingual Gland", "Submandibular Gland", "Supraglottis", "Synovium", "Temporal Cortex", "Tendon", "Testis", "Thigh", "Thoracic Spine", "Thorax", "Throat", "Thumb", "Thymus", "Thyroid", "Tongue", "Tonsil", "Tonsil (Pharyngeal)", "Trachea / Major Bronchi", "Trunk", "Umbilical Cord", "Ureter", "Urethra", "Urinary Tract", "Uterus", "Uvula", "Vagina", "Vas Deferens", "Vein", "Venous", "Vertebra", "Vulva", "White Blood Cells", "Wrist", "Unknown", "Not Reported"]}, "sample_age_at_collection": {"name": "sample_age_at_collection", "description": "Number of days to collection, relative to index date", "type": "integer", "required": false}, "derived_from_specimen": {"name": "derived_from_specimen", "description": "Identier of the parent specimen of this sample", "type": "string", "required": false}, "biosample_accession": {"name": "biosample_accession", "description": "NCBI BioSample accession ID (SAMN) for this sample", "type": "string", "required": false}}, "relationships": {"participant": {"dest_node": "participant", "type": "many_to_one", "label": "of_participant"}}}, "file": {"name": "file", "description": "", "id_property": "file_id", "properties": {"file_id": {"name": "file_id", "description": "File identifier", "type": "string", "required": true}, "file_name": {"name": "file_name", "description": "Name of file", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "File type from enumerated list", "type": "string", "required": true, "permissible_values": ["BAI", "BAM", "BW", "CRAI", "CRAM", "FASTQ", "HTML", "IDAT", "JSON", "MAF", "PDF", "TSV", "TXT", "VCF", "XLSX"]}, "file_description": {"name": "file_description", "description": "Human-readable description of file", "type": "string", "required": false}, "file_size": {"name": "file_size", "description": "File size in bytes", "type": "integer", "required": false}, "md5sum": {"name": "md5sum", "description": "MD5 hex digest for this file", "type": "string", "required": true}, "file_url_in_cds": {"name": "file_url_in_cds", "description": "Location of the file on the CDS cloud, using AWS S3 protocol", "type": "string", "required": false}, "experimental_strategy_and_data_subtypes": {"name": "experimental_strategy_and_data_subtypes", "description": "What is the experimental strategy used for the study (or what\ntype of data subtypes exist in the study)?\n", "type": "string", "required": true, "permissible_values": ["Amplicon", "Archer Fusion", "Bisulfite-Seq", "Methylation Array", "OTHER", "RNA-Seq", "Targeted Sequencing", "Targeted-Capture", "WGA", "WGS", "WXS"]}, "submission_version": {"name": "submission_version", "description": "Raw data file submission", "type": "string", "required": true}}, "relationships": {"sample": {"dest_node": "sample", "type": "many_to_many", "label": "from_sample"}}}, "genomic_info": {"name": "genomic_info", "description": "", "id_property": "genomic_info_id", "properties": {"genomic_info_id": {"name": "genomic_info_id", "description": "Genomic info identifier, the ID property for the ndoe genomic_info.", "type": "string", "required": true}, "library_id": {"name": "library_id", "description": "Library identifier as submitted by requestor", "type": "string", "required": false}, "bases": {"name": "bases", "description": "Total number of unique bases read", "type": "integer", "required": false}, "number_of_reads": {"name": "number_of_reads", "description": "Total number of reads performed", "type": "integer", "required": false}, "avg_read_length": {"name": "avg_read_length", "description": "Average sequence read length", "type": "number", "required": false}, "coverage": {"name": "coverage", "description": "Average depth of coverage on reference used", "type": "number", "required": false}, "reference_genome_assembly": {"name": "reference_genome_assembly", "description": "Accession or name of genome reference or assembly used for alignment", "type": "string", "required": false, "permissible_values": ["GRCh37", "GRCh37-lite", "GRCh38"]}, "custom_assembly_fasta_file_for_alignment": {"name": "custom_assembly_fasta_file_for_alignment", "description": "File name of any custom assembly fasta file used during alignment", "type": "string", "required": false}, "design_description": {"name": "design_description", "description": "Human-readable description of methods used to create sequencing library", "type": "string", "required": false}, "library_strategy": {"name": "library_strategy", "description": "Nucleic acid capture or processing strategy for this library", "type": "string", "required": false, "permissible_values": ["AMPLICON", "ATAC-seq", "Bisulfite-Seq", "ChIA-PET", "ChIP-Seq", "CLONE", "CLONEEND", "CTS", "DNase-Hypersensitivity", "EST", "FAIRE-seq", "FINISHING", "FL-cDNA", "Hi-C", "MBD-Seq", "MeDIP-Seq", "miRNA-Seq", "MNase-Seq", "MRE-Seq", "ncRNA-Seq", "OTHER", "POOLCLONE", "RAD-Seq", "RIP-Seq", "RNA-Seq", "SELEX", "ssRNA-seq", "Synthetic-Long-Read", "Targeted-Capture", "Tethered Chromatin Conformation Capture", "Tn-Seq", "WCS", "WGA", "WGS", "WXS"]}, "library_layout": {"name": "library_layout", "description": "Library layout as submitted by requestor", "type": "string", "required": false, "permissible_values": ["Paired-end", "Single-end", "Single-indexed"]}, "library_source": {"name": "library_source", "description": "Source material used to create library", "type": "string", "required": false, "permissible_values": ["Genomic", "Transcriptomic", "Metagenomic", "Metatranscriptomic", "Synthetic", "Viral RNA", "Genomic Single Cell", "Single Nucleus", "Transcriptomic Single Cell", "Other", "Bulk Whole Cell", "Single Cell"]}, "library_selection": {"name": "library_selection", "description": "Library selection method", "type": "string", "required": false, "permissible_values": ["Hybrid Selection", "other", "PCR", "Poly-T Enrichment", "PolyA", "Random", "5-methylcytidine antibody", "CAGE", "cDNA", "cDNA_oligo_dT", "cDNA_randomPriming", "CF-H", "CF-M", "CF-S", "CF-T", "ChIP", "DNAse", "HMPR", "Inverse rRNA", "MBD2 protein methyl-CpG binding domain", "MDA", "MF", "MNase", "MSLL", "Oligo-dT", "Padlock probes capture method", "Race", "Random PCR", "Reduced Representation", "repeat fractionation", "Restriction Digest", "RT-PCR", "size fractionation", "unspecified"]}, "platform": {"name": "platform", "description": "Instrument platform or manufacturer", "type": "string", "required": false, "permissible_values": ["LS454", "ILLUMINA", "HELICOS", "ABI_SOLID", "COMPLETE_GENOMICS", "PACBIO_SMRT", "ION_TORRENT", "CAPILLARY", "OXFORD_NANOPORE", "BGISEQ", "Illumina HiSeq 2500", "Illumina HiSeq X Ten", "Illumina Next Seq 500", "Illumina Next Seq 550", "Illumina NextSeq", "Illumina NovaSeq 6000", "NovaSeqS4"]}, "instrument_model": {"name": "instrument_model", "description": "Instrument model", "type": "string", "required": false, "permissible_values": ["454 GS", "454 GS 20", "454 GS FLX", "454 GS FLX+", "454 GS FLX Titanium", "454 GS Junior", "HiSeq X Five", "HiSeq X Ten", "Illumina Genome Analyzer", "Illumina Genome Analyzer II", "Illumina Genome Analyzer IIx", "Illumina HiScanSQ", "Illumina HiSeq", "Illumina HiSeq 1000", "Illumina HiSeq 1500", "Illumina HiSeq 2000", "Illumina HiSeq 2500", "Illumina HiSeq 3000", "Illumina HiSeq 4000", "Illumina iSeq 100", "Illumina NovaSeq 6000", "llumina NovaSeq", "Illumina MiniSeq", "Illumina MiSeq", "Illumina NextSeq", "NextSeq 500", "NextSeq 550", "Helicos HeliScope", "AB 5500 Genetic Analyzer", "AB 5500xl Genetic Analyzer", "AB 5500x-Wl Genetic Analyzer", "AB SOLiD 3 Plus System", "AB SOLiD 4 System", "AB SOLiD 4hq System", "AB SOLiD PI System", "AB SOLiD System", "AB SOLiD System 2.0", "AB SOLiD System 3.0", "Complete Genomics", "PacBio RS", "PacBio RS II", "PacBio Sequel", "PacBio Sequel II", "Ion Torrent PGM", "Ion Torrent Proton", "Ion Torrent S5 XL", "Ion Torrent S5", "AB 310 Genetic Analyzer", "AB 3130 Genetic Analyzer", "AB 3130xL Genetic Analyzer", "AB 3500 Genetic Analyzer", "AB 3500xL Genetic Analyzer", "AB 3730 Genetic Analyzer", "AB 3730xL Genetic Analyzer", "GridION", "MinION", "PromethION", "BGISEQ-500", "DNBSEQ-G400", "DNBSEQ-T7", "DNBSEQ-G50", "MGISEQ-2000RS"]}, "sequence_alignment_software": {"name": "sequence_alignment_software", "description": "Name of software program used to align nucleotide sequence data", "type": "string", "required": false}}, "relationships": {"file": {"dest_node": "file", "type": "many_to_one", "label": "of_file"}}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "phs_accession"}, {"node": "participant", "key": "study_participant_id"}, {"node": "diagnosis", "key": "study_diagnosis_id"}, {"node": "treatment", "key": "treatment_id"}, {"node": "sample", "key": "sample_id"}, {"node": "file", "key": "file_id"}, {"node": "genomic_info", "key": "genomic_info_id"}]} \ No newline at end of file +{"model": {"data_commons": "CDS", "version": "1.3.0", "source_files": ["cds-model.yml", "cds-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": false}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": false}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}, "institution": {"name": "institution", "description": "TBD", "type": "string", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "phs_accession", "properties": {"study_name": {"name": "study_name", "description": "Official name of study", "type": "string", "required": true}, "study_acronym": {"name": "study_acronym", "description": "Short acronym or other study desginator", "type": "string", "required": false}, "study_description": {"name": "study_description", "description": "Human-readable study description", "type": "string", "required": false}, "short_description": {"name": "short_description", "description": "Short description that will identify the dataset on public pages\nA clear and concise formula for the title would be like:\n{methodology} of {organism}: {sample info}\n", "type": "string", "required": false}, "study_external_url": {"name": "study_external_url", "description": "Website or other url relevant to study", "type": "string", "required": false}, "primary_investigator_name": {"name": "primary_investigator_name", "description": "Name of principal investigator", "type": "string", "required": false}, "primary_investigator_email": {"name": "primary_investigator_email", "description": "Email of principal investigator", "type": "string", "required": false}, "co_investigator_name": {"name": "co_investigator_name", "description": "Name of co-principal investigator", "type": "string", "required": false}, "co_investigator_email": {"name": "co_investigator_email", "description": "Email of co-principal investigator", "type": "string", "required": false}, "phs_accession": {"name": "phs_accession", "description": "PHS accession number (a.k.a dbGaP accession)", "type": "string", "required": true}, "bioproject_accession": {"name": "bioproject_accession", "description": "NCBI BioProject accession ID", "type": "string", "required": false}, "index_date": {"name": "index_date", "description": "Index date (Day 0) to which all dates are relative, for this study", "type": "string", "required": false, "permissible_values": ["date_of_diagnosis", "date_of_enrollment", "date_of_collection", "date_of_birth"]}, "cds_requestor": {"name": "cds_requestor", "description": "Identifies the user requesting storage in CDS", "type": "string", "required": false}, "funding_agency": {"name": "funding_agency", "description": "Funding agency of the requestor study", "type": "string", "required": false}, "funding_source_program_name": {"name": "funding_source_program_name", "description": "The funding source organization/sponsor", "type": "string", "required": false}, "grant_id": {"name": "grant_id", "description": "Grant or contract identifier", "type": "string", "required": false}, "clinical_trial_system": {"name": "clinical_trial_system", "description": "Organization that provides clinical trial identifier (if study\nis a clinical trial)\n", "type": "string", "required": false}, "clinical_trial_identifier": {"name": "clinical_trial_identifier", "description": "Study identifier in the given clinical trial system\n", "type": "string", "required": false}, "clinical_trial_arm": {"name": "clinical_trial_arm", "description": "Arm of clinical trial, if appropriate", "type": "string", "required": false}, "organism_species": {"name": "organism_species", "description": "Species binomial of study participants", "type": "string", "required": false}, "adult_or_childhood_study": {"name": "adult_or_childhood_study", "description": "Study participants are adult, pediatric, or other", "type": "string", "required": false, "permissible_values": ["Adult", "Pediatric"]}, "data_types": {"name": "data_types", "description": "Data types for storage", "type": "list", "required": false, "item_type": "string"}, "file_types": {"name": "file_types", "description": "File types for storage", "type": "list", "required": false, "item_type": "string"}, "data_access_level": {"name": "data_access_level", "description": "Is data open, controlled, or mixed?", "type": "string", "required": false, "permissible_values": ["open", "controlled", "mixed"]}, "cds_primary_bucket": {"name": "cds_primary_bucket", "description": "The primary bucket for depositing data", "type": "string", "required": false}, "cds_secondary_bucket": {"name": "cds_secondary_bucket", "description": "Secondary bucket for depositing data (non-sequence files)", "type": "string", "required": false}, "cds_tertiary_bucket": {"name": "cds_tertiary_bucket", "description": "Secondary bucket for depositing data (non-sequence files)", "type": "string", "required": false}, "number_of_participants": {"name": "number_of_participants", "description": "How many participants in the study", "type": "number", "required": true}, "number_of_samples": {"name": "number_of_samples", "description": "How many total samples in the study", "type": "number", "required": true}, "study_data_types": {"name": "study_data_types", "description": "Types of scientific data in the study", "type": "string", "required": true, "permissible_values": ["Genomic", "Proteomic", "Imaging"]}, "file_types_and_format": {"name": "file_types_and_format", "description": "Specific kinds of files in the dataset that will be uploaded to CDS\n", "type": "list", "required": true, "item_type": "string"}, "size_of_data_being_uploaded": {"name": "size_of_data_being_uploaded", "description": "Size of the data being uploaded to CDS", "type": "number", "required": false, "has_unit": true}, "size_of_data_being_uploaded_unit": {"type": "string", "permissible_values": ["GB", "TB", "PB"], "default_value": "GB"}, "size_of_data_being_uploaded_original": {"name": "size_of_data_being_uploaded", "description": "Size of the data being uploaded to CDS", "type": "number", "required": false, "has_unit": true}, "size_of_data_being_uploaded_original_unit": {"type": "string", "permissible_values": ["GB", "TB", "PB"], "default_value": "GB"}, "acl": {"name": "acl", "description": "open or restricted access to data", "type": "string", "required": false}, "study_access": {"name": "study_access", "description": "Study access", "type": "string", "required": true, "permissible_values": ["Open", "Controlled"]}, "authz": {"name": "authz", "description": "multifactor authorization", "type": "string", "required": false}, "study_version": {"name": "study_version", "description": "The version of the phs accession", "type": "string", "required": true}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "of_program"}}}, "participant": {"name": "participant", "description": "", "id_property": "study_participant_id", "properties": {"study_participant_id": {"name": "study_participant_id", "description": "The property study_participant_id is a compound property, combining the property participant_id and the parent property study.phs_accession.\nIt is the ID property for the node participant. The reason why we are doing that is because is some cases, there are same participant id in different studies repersent different participants.\n", "type": "string", "required": true}, "participant_id": {"name": "participant_id", "description": "A number or a string that may contain metadata information, for a participant\nwho has taken part in the investigation or study.\n", "type": "string", "required": true}, "race": {"name": "race", "description": "OMB Race designator", "type": "string", "required": false, "permissible_values": ["White", "American Indian or Alaska Native", "Black or African American", "Asian", "Native Hawaiian or Other Pacific Islander", "Unknown", "Not Reported", "Not Allowed to Collect"]}, "gender": {"name": "gender", "description": "Biological gender at birth", "type": "string", "required": true, "permissible_values": ["Female", "Male", "Unknown", "Unspecified", "Not Reported"]}, "ethnicity": {"name": "ethnicity", "description": "OMB Ethinicity designator", "type": "string", "required": false, "permissible_values": ["Hispanic or Latino", "Not Hispanic or Latino", "Unknown", "Not Reported", "Not Allowed to Collect"]}, "dbGaP_subject_id": {"name": "dbGaP_subject_id", "description": "Identifier for the participant as assigned by dbGaP", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "study_diagnosis_id", "properties": {"study_diagnosis_id": {"name": "study_diagnosis_id", "description": "The property study_diagnosis_id is a compound property, combining the property diagnosis_id and the parent property participant.study_participant_id.\nIt is the ID property for the node diagnosis.\n", "type": "string", "required": true}, "diagnosis_id": {"name": "diagnosis_id", "description": "Internal identifier", "type": "string", "required": false}, "disease_type": {"name": "disease_type", "description": "Type of disease [?]", "type": "string", "required": false, "permissible_values": ["Acinar Cell Neoplasm", "Basal Cell Neoplasm", "Blood Vessel Neoplasm", "Bone Neoplasm", "Complex Epithelial Neoplasm", "Epithelial Neoplasm", "Fibroepithelial Neoplasm", "Germ Cell Tumor", "Giant Cell Tumor", "Glioma", "Hodgkin Lymphoma", "Leukemia", "Lipomatous Neoplasm", "Lymphatic Vessel Neoplasm", "Lymphoblastic Lymphoma", "Lymphoid Leukemia", "Lymphoma", "Mast Cell Neoplasm", "Mature B-Cell Non-Hodgkin Lymphoma", "Mature T-Cell and NK-Cell Non-Hodgkin Lymphoma", "Meningioma", "Mesothelial Neoplasm", "Myelodysplastic Syndrome", "Myeloid Leukemia", "Myeloproliferative Neoplasm", "Myomatous Neoplasm", "Neoplasm", "Nerve Sheath Neoplasm", "Neuroepithelial Neoplasm", "Not Applicable", "Not Reported", "Odontogenic Neoplasm", "Plasma Cell Neoplasm", "Skin Appendage Neoplasm", "Squamous Cell Neoplasm", "Thymoma", "Trophoblastic Tumor", "Unknown", "Wolffian Tumor"]}, "vital_status": {"name": "vital_status", "description": "Vital status as of last known follow up", "type": "string", "required": false, "permissible_values": ["Alive", "Dead", "Unknown", "Not Reported"]}, "primary_diagnosis": {"name": "primary_diagnosis", "description": "Primary disease diagnosed for this diagnosis and subject", "type": "string", "required": true, "permissible_values": ["4th Ventricular Brain Tumor", "Acinar Cell Carcinoma", "Acute megakaryoblastic leukaemia", "Acute Megakaryoblastic Leukemia", "Acute Monoblastic and Monocytic Leukemia", "Acute monoblastic leukemia", "Acute myeloid leukemia with mutated CEBPA", "Acute myeloid leukemia with t(9;11)(p22;q23); MLLT3-MLL", "Acute myeloid leukemia without maturation", "Acute myeloid leukemia, inv(16)(p13;q22)", "Acute myeloid leukemia, minimal differentiation", "Acute Myeloid Leukemia, NOS", "Acute myeloid leukemia, t(16;16)(p 13;q 11)", "Acute Myelomonocytic Leukemia", "Acute promyelocytic leukaemia, t(15;17)(q22;q11-12)", "Acute Promyelocytic Leukemia", "Adamantinomatous Craniopharyngioma", "Adamantinomatous craniopharyngioma with evidence of prior rupture", "Adamantinomatous craniopharyngioma, WHO grade 1", "Adenocarcinoma", "Adrenal Cortical Carcinoma", "Adrenal cortical neoplasm", "Adrenal Cortical Tumor", "Alveolar Rhabdomyosarcoma", "Alveolar Soft Part Sarcoma", "Anaplastic Ependymoma", "Anaplastic Ganglioglioma", "Anaplastic Large Cell Lymphoma, ALK Positive", "Anaplastic Medulloblastoma", "Anaplastic Rhabdomyosarcoma", "Angiocentric Glioma", "Angiomatoid Fibrous Histiocytoma", "Astrocytic Glioma", "Astrocytic Neoplasm", "Astrocytic neoplasm with pilocytic/pilomyxoid features", "Astrocytoma", "Astrocytoma IDH-mutant, Atrocytoma IDH-mutant", "Astroglial neoplasm", "Atypical Cellular Proliferation with Clear Features", "Atypical Central Neurocytoma", "Atypical Choroid Plexus Papilloma", "Atypical Epithelial Neoplasm", "Atypical Spindle Cell Proliferation", "Atypical Teratoid/Rhabdoid Tumor", "Atypical Teratoid/Rhabdoid Tumor (AT/RT)", "Atypical teratoid/rhabdoid tumor, CNS WHO GRADE 4", "Atypical teratoid/rhabdoid tumor; CNS WHO grade 4", "Aytpical teratoid/rhabdoid tumor (AT/RT), WHO grade 4", "B lymphoblastic leukemia/lymphoma with hyperdiploidy", "B lymphoblastic leukemia/lymphoma with hypodiploidy (Hypodiploid ALL)", "B lymphoblastic leukemia/lymphoma with t(12;21)(p13;q22); TEL-AML1 (ETV6-RUNX1)", "B lymphoblastic leukemia/lymphoma with t(1;19)(q23;p13.3); E2A-PBX1 (TCF3-PBX1)", "B lymphoblastic leukemia/lymphoma with t(9;22)(q34;q11.2); BCR-ABL1", "B lymphoblastic leukemia/lymphoma with t(v;11q23); MLL rearranged", "B Lymphoblastic Leukemia/Lymphoma, NOS", "B-lymphoblastic leukemia/lymphoma, NOS", "Biphasic Synovial Sarcoma", "Brain Mass", "Brain parenchyma with mild hypercellularity, gliosis and possible cortical dysplasia", "Brain Tumor", "Brain tumor with features most suggestive of ependymoma", "Brain, High Grade Lesion", "Carcinoma NOS", "Carcinosarcoma NOS", "Cellular Ependymoma", "Cellular Glial Neoplasm", "Cellular Neoplasm", "Cellular neoplasm; favor high grade", "Central Nervous System Tumor with High Grade Histological Features", "Central Neuroblastoma", "Central Neurocytoma", "Cerebellar Mass", "Cerebellar Tumor", "Cerebellar tumor: High-grade, small blue round cell tumor", "Cerebellopontine Angle Tumor", "Cervical; INI1-Deficient Hematological Malignancy", "Chondroblastic Osteosarcoma", "Chondrosarcoma, NOS", "Chordoma", "Choroid Plexus Carcinoma", "Choroid plexus carcinoma, CNS WHO grade 3", "Choroid Plexus Neoplasm", "Choroid Plexus Papillary Tumor", "Choroid Plexus Papilloma", "Choroid plexus papilloma, WHO grade 1", "Chronic Myelogenous Leukemia, BCR-ABL Positive", "Chronic Myeloid Leukemia, BCR-ABL1-Positive", "Classic Ependymoma, Posterior fossa group A by Immunohistochemistry", "Classic Medulloblastoma", "Clear Cell Meningioma", "Clear Cell Sarcoma", "CNS Embryonal Tumor", "CNS primative neuroectodermal tumor (PNET)", "CNS Primitive Neuroectodermal Tumor (PNET)", "Compound melanocytic neoplasm", "Consistent With Oligodendroglioma, IDH Mutant", "Control", "Craniopharyngioma", "Desmoid fibromatosis with CTNNB1 gene mutation", "Desmoid-type Fibromatosis", "Desmoid/fibromatosis", "Desmoplastic Nodular Medulloblastoma", "Desmoplastic/Nodular Medulloblastoma", "Desmoplastic/nodular medulloblastoma, CNS WHO grade 4", "Diffuse astrocytic glioma with mitotic activity and necrosis", "Diffuse Astrocytoma", "Diffuse Glioma", "Diffuse midline glioma, H3 K27-altered", "Diffuse midline glioma, H3 K27-mutant", "Diffuse midline glioma, H3K27-altered (WHO grade 4)", "Diffuse midline glioma, H3K27M altered, CNS WHO grade 4", "Diffusely infiltrating high grade glioma", "Ductal Carcinoma NOS", "Dysembryoplastic Neuroepithelial Tumor", "Embryonal Neoplasm", "Embryonal neoplasm most consistent with Medulloblastoma", "Embryonal Rhabdomyosarcoma", "Embryonal rhabdomyosarcoma, botryoid type", "Embryonal rhabdomyosarcoma, minimal focal anaplasia", "Embryonal Tumor", "Endometrioid Adenocarcinoma, NOS", "Endometrioid carcinoma", "Epdendymoma, Ependymoma", "Ependymoma NOS", "Ependymoma, WHO GRADE III", "Ependymoma-like lesion", "Epitheliod sarcoma", "Epitheloid neoplasm", "Epitheloid Sarcoma", "Ewing Sarcoma", "Extrarenal Malignant Rhabdoid Tumor", "Familial Adenomatous Polyposis", "Fatty neoplasm with myxoid features, no definitive high grade features, favor lipoblastoma", "Favor Infiltrating High-Grade Glioma", "Fibromatosis", "Fibromatosis Colli", "Follicular Hyperplasia/Metastatic Papillary Thyroid Cancer", "Fragments of Schwannoma, CNS WHO GRADE 1, with some mild degenerative changes", "Frontal tumor, favor infant-type hemispheric glioma", "Fundic gastrointestinal stromal tumor", "Fusion negative embryonal rhabdomyosarcoma", "Ganglioglioma", "Ganglioneuroblastoma", "Ganglioneuroma", "Gastrointestinal stromal tumor (GIST)", "Gastrointestinal stromal tumor (GIST) epithelioid type, high grade", "Germinoma", "Giant Cell Glioblastoma", "Glial Neoplasm", "Glial neoplasm favor optic glioma", "Glial Tumor", "Glial-neuronal neoplasm", "Glioblastoma", "Glioma", "Glioma, histologically consistent with pilocytic astrocytoma, CNS WHO grade 1", "Glioma, most consistent with astrocytoma with worrisome features in clinical context", "Glioneuronal Lesion", "Glioneuronal Neoplasm", "Glioneuronal Tumor", "Granulosa cell tumor", "Hemangioblastoma", "Hemangioblastoma, WHO Grade 1", "Hepatoblastoma", "Hepatocellular Carcinoma, Fibrolamellar", "High grade cellular, malignant neoplasm with necrosis and cellular pleomorphism R/O Medulloblastoma", "High Grade Diffuse Glioma", "High Grade Ependymal Tumor", "High Grade Glioma with H3 K27M and BRAF V600E mutations", "High grade glioma, NOS, WHO CNS histologic grade 4", "High Grade Neoplasm", "High Grade Neuroepithelial Tumor", "High grade neuroepithelial tumor with glial and neuronal differentiation and focal embryonal morphology.", "High grade neuroepithelial tumor, favor medulloblastoma", "High Grade Sarcoma", "High grade spindle cell sarcoma", "High Grade Tumor", "High grade tumor consistent with embryonal tumor", "High-grade Angiosarcoma", "High-grade astrocytic neoplasm", "High-grade Astrocytoma", "High-grade blue cell tumor", "High-grade Central Nervous System Neoplasm Favor Embryonal", "High-grade CNS embryonal tissue", "High-grade CNS Neoplasm", "High-grade Ependymal Neoplasm", "High-grade Ependymal Tumor", "High-grade glioma with DICER1 and other mutations", "High-grade glioma, favor ependymoma, WHO GRADE III", "High-grade infiltrating glioma", "High-grade Malignant Neoplasm", "High-grade malignant neoplasm with mesenchymal phenotype", "High-grade malignant neoplasm, small round blue cell category.", "High-grade neoplasm, favor embryonal tumor", "High-grade neoplasm, favor high-grade glioma", "High-grade neuroepithelial neoplasm", "High-grade neuroepithelial tumor", "High-grade neuroepithelial tumor, consistent with supratentorial ependymoma", "High-grade pleomorphic sarcoma", "High-grade primary CNS neoplasia", "High-grade primitive appearing neoplasm", "High-grade rhabdomyosarcoma with pleomorphic features", "High-grade sarcoma with myogenic differentiation", "High-grade serous carcinoma", "High-grade spindle cell sarcoma compatible with high grade malignant peripheral nerve sheath tumor", "High-grade Synovial Sarcoma", "High-grade tumor", "High-grade undifferentiated sarcoma", "High-grade, primitive neuroepithelial neoplasm", "Histiocytic Malignancy", "Histologically low-grade glioneuronal tumor", "Histologically low-grade neuroepithelial tumor", "Hodgkin Lymphoma, NOS", "Infant Hemispheric Glioma", "Infant-type hemispheric glioma", "Infantile Fibrosarcoma", "Infiltrating duct and lobular carcinoma", "Infiltrating duct and mucinous carcinoma", "Infiltrating duct carcinoma NOS", "Infiltrating Duct Carcinoma, NOS", "Infiltrating Glioma", "Infiltrating high grade neoplasm, favor infiltrating high grade glioma", "Infiltrating Lobular Carcinoma, NOS", "Infiltrating Neoplasm", "Infiltrating neuroepithelial neoplasm", "Inflammatory Myofibroblastic Tumor", "INI-Deficient High-grade Malignant Neoplasm", "Intracerebral schwannoma", "Intraductal Carcinoma NOS", "Intraductal papillary carcinoma", "Intradural tumor with marked atypia c/w malignant lesion, Marked atypia c/w malignant lesion, Marked atypia consistent with malignant lesion", "Intraventricular Tumor", "Invasive lobular carcinoma", "Juvenile Granulosa Cell Tumor", "Juvenile Myelomonocytic Leukemia", "Large Cell Medulloblastoma", "Large cell/anaplastic Medulloblastoma", "Laryngeal Papilloma", "Left Biopsy Chest Lesion", "Left Cp Angle Mass; Schwannoma", "Left Temporal Tumor", "Left Thoracic Tumor", "Lobular Adenocarcinoma", "Lobular And Ductal Carcinoma", "Lobular Carcinoma NOS", "Low Cellularity Glioma", "Low Grade Astrocytoma", "Low Grade Fibromyxoid Sarcoma", "Low Grade Glial Neoplasm", "Low Grade Glial Tumor", "Low Grade Glial-Glioneuronal Tumor", "Low Grade Glioma", "Low grade glioma which morphologically aligns best with pilocytic astrocytoma, CNS WHO Grade 1", "Low grade glioma, cannot rule out additional neuronal component", "Low grade glioma, morphologically aligning best with pilocytic astrocytoma", "Low Grade Glioneuronal Neoplasm", "Low Grade Glioneuronal Tumor", "Low grade mixed glial-neuronal tumor, morphology is consistent with/ aligns with/ favors ganglioglioma", "Low Grade Neuroepithelial Tumor", "Low grade neuroepithelial tumor (preliminary path report)", "Low grade neuroepithelial tumor consistent with polymorphous low grade neuro-epithelial tumor of the young", "Low Grade Neuroglial Tumor", "Low Grade Primary CNS Neoplasm", "Low Grade Spindle Cell Neoplasm", "Low Grade Tumor", "Low-cellularity glioma", "Low-grade astrocytoma", "Low-grade circumscribed glial/glioneuronal tumor", "Low-grade fibromyxoid sarcoma", "Low-grade Glial Neoplasm", "Low-grade glial neoplasm, favor pilomyxoid/pilocytic actrocytoma", "Low-grade glial neoplasm, with features most consistent with a pilocytic astrocytoma.", "Low-grade glial-glioneuronal tumor", "Low-grade glial/glioneuronal neoplasm", "Low-grade Glial/Glioneuronal tumor", "Low-grade glial/glioneuronal tumor with adjacent cortical dysplastic changes.", "Low-grade Glioma", "Low-grade glioma, favored to represent a pilocytic astrocytoma", "Low-grade Glioneuronal Neoplasm", "Low-grade glioneuronal tumor", "Low-grade glioneuronal tumor, favor Dysembryoplastic neuroepithelial tumor", "Low-grade spindle cell neoplasm", "Low-grade tumor", "Lymphoma, NOS", "Malignant embryonal tumor, favor medulloblastoma", "Malignant epithelioid neoplasm, Malignant epithelioid neoplasm with EWSR1::KLF5 fusion", "Malignant glioma", "Malignant Melanoma NOS", "Malignant melanoma, spitzoid type", "Malignant myoepithelial of pediatric type", "Malignant Neoplasm", "Malignant neoplasm most consistent with embryonal tumor", "Malignant neoplasm of prostate", "Malignant neuroepithelial tumor", "Malignant Pecoma", "Malignant peripheral nerve sheath tumor", "Malignant primary brain tumor", "Malignant Rhabdoid Tumor", "Malignant small blue cell neoplasm, consistent with rhabdomyosarcoma", "Malignant small round blue cell neoplasm, favor rhabdomyosarcoma", "Malignant small round blue cell tumor, most consistent with desmoplastic small round cell tumor", "Malignant Tumor", "Mast Cell Leukemia", "Medullary Carcinoma", "Medulloblastoma", "Medulloblastoma (CNS WHO grade 4)", "Medulloblastoma, anaplastic histology, WHO grade 4", "Medulloblastoma, anaplastic/large cell histology, Non-WNT NON-SHH (By IHC), WHO grade 4", "Medulloblastoma, classic", "Medulloblastoma, classic histologic type, non-WNT/non-SHH molecular group, CNS WHO grade 4", "Medulloblastoma, classical histology", "Medulloblastoma, CNS WHO Grade 4", "Medulloblastoma, desmoplastic/nodular histology, SHH-activated (WHO grade 4)", "Medulloblastoma, favored", "Medulloblastoma, non-WNT, non-SHH", "Medulloblastoma, SHH-activated and TP53-wild type", "Medulloblastoma, SHH-activated and TP53-wildtype, Medulloblastoma with extensive nodularity (MBEN)", "Medulloblastoma, WHO Grade 4", "Medulloblastoma, WHO Grade IV", "Melanoma", "Meningioma", "Merkel Cell Tumor", "Mesenchymal Chondrosarcoma", "Mesenchymal Neoplasm", "Metastatic Alveolar Rhabdomyosarcoma", "Metastatic Carcinoma", "Metastatic Embryonal Rhabdomyosarcoma", "Metastatic embryonal rhabdomyosarcoma in three nodules", "Metastatic nasopharyngeal carcinoma, nonkeratinizing squamous cell carcinoma subtype", "Metastatic Papillary Thyroid Carcinoma", "Metastatic Polyphenotypic Malignant Neoplasm", "Metastatic Rhabdomyosarcoma", "Mixed Germ Cell Tumor", "Mixed germ cell w/ matrue teratoma", "Mixed malignant germ cell tumor with components of embryonal carcinoma, choriocarcinoma, and mature teratoma", "Mixed malignant germ cell tumor with yolk sac tumor", "Mixed-Phenotype Acute Leukemia, B/Myeloid, Not Otherwise Specified", "Mixed-Phenotype Acute Leukemia, T/Myeloid, Not Otherwise Specified", "Monophasic Synovial Sarcoma, Intermediate-Grade (FNCLCC Grade 2 Of 3)", "Most consistent with atypical teratoid/rhabdoid tumor, most consistent with atypical teratoid/rhabdoid tumor", "Mucinous Carcinoma", "Mucoepidermoid carcinoma", "Myelodysplastic Syndrome With Multilineage Dysplasia", "Myelodysplastic Syndrome With Single Lineage Dysplasia", "Myeloid leukemia associated with Down Syndrome", "Myofibroblastic proliferation suggestive of inflammatory myofibroblastic tumor", "Myofibroma", "Myxoid Glioneuronal Tumor", "Myxoid Liposarcoma", "Myxoid Neoplasm", "Myxopapillary Ependymoma", "Myxopapillary ependymoma, CNS WHO grade 2", "Nasopharyngeal Carcinoma Metastatic", "Nasopharyngeal carcinoma, non-keratinizing squamous cell carcinoma type", "Neoplasm", "Nephroblastoma (Wilms Tumor)", "Neuroblastoma", "Neurocytoma", "Neuroectodermal Tumor", "Neuroectodermal tumor, NTRK1 altered, with low-grade morphologic features", "Neuroendocrine Tumor", "Neuroepithelial Neoplasm", "Neuroepithelial neoplasm, Glioma", "Neuroepithelial Tumor", "Neurofibromatosis; Moderately cellular neoplasm", "Non-WNT/non-SHH medulloblastoma", "Not Reported", "Optic Pathway Glioma", "Osteosarcoma, NOS", "Ovarian Sclerosing Stromal Tumor", "Pancreatobiliary-Type Carcinoma", "Papillary Carcinoma", "Papillary carcinoma of thyroid", "Papillary Neoplasm, Favor Choroid Plexus Tumor", "Papillary Thyroid Carcinoma", "Papillary thyroid carcinoma, classic", "Papillary Tumor of The Pineal Region", "Paraganglioma", "Paratesticular Rhabdomyosarcoma", "Paratesticular rhabdomyosarcoma, favor embryonal", "Paratesticular Spindle Cell/Sclerosing Rhabdomyosarcoma", "Pediatric neuroepithelial tumor with ROS1 fusion", "Pediatric type diffuse low grad astrocytoma, consistent with methylation array finding suggestive of MYB/MYBL1-altered (CNS WHO grade 1)", "PFA Ependymoma", "Pheochromocytoma", "Pilocytic Astrocytoma", "Pilocytic astrocytoma (WHO Grade 1)", "Pilocytic astrocytoma, CNS WHO grade 1", "Pilocytic astrocytoma, CNS WHO GRADE 1, Pilocytic astrocytoma, CNS WHO grade 1", "Pilocytic Astrocytoma, CNS WHO Grade I", "Pilocytic astrocytoma, KIAA1549::BRAF fusion-positive (WHO grade 1)", "Pilocytic astrocytoma, WHO Grade 1", "Pilocytic astrocytoma, WHO grade I", "Piloid Glial Proliferation", "Pilomyxoid Astrocytoma", "Pineal Parenchymal Tumor", "Pineoblastoma", "Pineoblastoma, WHO grade 4", "Pituitary Adenoma", "Pituitary Tumor", "Pleomorphic Sarcoma", "Pleomorphic Xanthoastrocytoma", "Pleuropulmonary Blastoma", "Plexifrom Fibrohistiocytic Tumor", "Polymorphous Low Grade Neuroepithelial Tumor", "Poorly Differentiated Malignant Neoplasm with Sarcomatoid Features", "Poorly Differentiated Pulmonary Adenocarcinoma", "Poorly Differentiated Ring Cell Adenocarcinoma", "Poorly Differentiated Sarcoma", "Poorly Differentiated Sertoli-Leydig Cell Tumor", "Positive for lesional tissue, favor low-grade glioma, additional studies pending.", "Possible Synovial Sarcoma", "Posterior Fossa Ependymoma", "Posterior fossa ependymoma, group A", "Posterior fossa ependymoma, group A (CNS group grade III)", "Posterior fossa ependymoma, group B", "Posterior fossa ependymoma, WHO grade 2, with retained H3 K27 tri-methylation", "Posterior fossa group A (PFA) Ependymoma (WHO GRADE 3)", "Posterior fossa group A ependymoma", "Posterior Fossa Tumor", "Posterior Fossa, Forth Ventricular Tumor, Posterior Fossa, Fourth Ventricular Tumor", "Precursor B-Cell Acute Lymphoblastic Leukemia with Hyperdiploidy", "Primary central nervous system neoplasm consistent with high grade glioma", "Primary mediastinal (thymic) large B-cell lymphoma", "Primitive malignant neoplasm with mesenchymal features", "Primitive Neuroectoderma Tumor", "Primitive Sarcoma", "Primitive/embryonal tumor with high-grade features; compatible with medulloblastoma", "Psammomatous Meningioma", "Pure Germinoma", "PXA Vs Ganglioglioma", "Renal Cell Adenocarcinoma", "Renal cell carcinoma, NOS", "Renal medullary carcinoma", "Residual CIC-Rearranged Sarcoma", "Residual Dermatofibrosarcoma Protuberans", "Residual High Grade Astrocytoma With Piloid Features", "Residual High-Grade Sarcoma", "Residual Malignant Melanoma", "Residual Papillary Tumor of Pineal Region", "Residual Pineoblastoma", "Residual/Recurrent Extraventricular Neurocytoma", "Retinoblastoma", "Retinoblastoma, moderately differentiated", "Rhabdoid Tumor, Malignant", "Rhabdomyoma NOS", "Rhabdomyosarcoma", "Rhabdomyosarcoma strongly suspected", "Rhabdomyosarcoma, favor embryonal subtype pending molecular studies", "Right Thigh Mass", "Round Blue Cell Tumor", "Round Cell Sarcoma", "Round To Spindle Cell Sarcoma", "Sarcoma", "Schwannoma", "Sclerosing Stromal Tumor", "Seroli-leydig cell tumor", "Serous Adenocarcinoma, NOS", "Serous Cystadenocarcinoma NOS", "Serous Surface Papillary Carcinoma", "Sertoli Leydig Cell Tumor", "Sertoli-Leydig cell tumor, moderately differentiated", "Sertoli-Leydig cell tumor, poorly differentiated", "Sertolig Leydig Cell Tumor", "Signet Ring Cell Carcinoma", "Small Blue Cell Tumor", "Small Cell Neuroendocrine Carcinoma", "Small Round Blue Cell Sarcoma", "Small Round Blue Cell Tumor", "Small round blue cell tumor consistent with rhabdomyosarcoma", "Small round blue cell tumor: rhabdomyosarcoma", "SMARCB1-deficient undifferentiated round cell sarcoma", "Spinal Ependymoma Myxopapillary", "Spinal Tumor", "Spindle Cell Lesion", "Spindle Cell Neoplasm", "Spindle Cell Rhabdomyosarcoma", "Spindle Cell Sarcoma", "Squamous Cell Carcinoma NOS", "Subependymal Giant Cell Astrocytoma", "Supertentorial Ependymoma", "Suprasellar Mass", "Supratentorial Choroid Plexus Papilloma", "Supratentorial Ependymoma", "Supratentorial ependymoma, WHO Grade 2", "Synovial Sarcoma", "T Lymphoblastic Leukemia/Lymphoma", "T-lymphoblastic Leukemia", "T-lymphoblastic Lymphoma", "Testicular mass", "Thalamic Brain Tumor", "Therapy Related Myeloid Neoplasm", "Therapy-related myeloid neoplasms", "Unclassified pleomorphic sarcoma", "Undifferential Small Round Blue Cell Tumor", "Undifferentiated leukaemia", "Undifferentiated Leukemia", "Undifferentiated Malignant Neoplasm with Rhabdoid Morphology And INI1 Loss", "Undifferentiated Round Cell Sarcoma", "Undifferentiated sarcoma", "Undifferentiated small round cell sarcoma", "Undifferentiated, high-grade neoplasm/sarcoma", "Unknown", "Well Differentiated Embryonal Rhabdomyosarcoma", "Well Differentiated Neuroendocrine Tumor", "Well To Moderately Differentiated Colonic Adenocarcinoma", "Yolk Sac Tumor"]}, "primary_site": {"name": "primary_site", "description": "Anatomical site of disease in primary diagnosis for this diagnosis", "type": "string", "required": false, "permissible_values": ["Adrenal Gland", "Base of the Tongue", "Bladder", "Brain", "Breast", "Cervix Uteri", "Colon", "Corpus Uteri", "Esophagus", "Floor of Mouth", "Gallbladder", "Gingiva", "Hypopharynx", "Kidney", "Larynx", "Limb Skeletal System", "Lip", "Lung/Bronchus", "Lymph Node", "Meninges", "Nasopharynx", "Not Reported", "Oropharynx", "Other and Ill Defined Digestive Organs ICD-O-3", "Other and Ill-Defined Sites ICD-O-3", "Other and Ill-Defined Sites in Lip, Oral Cavity and Pharynx ICD-O-3", "Other and Ill-Defined Sites within Respiratory System and Intrathoracic Organs ICD-O-3", "Other and Unspecified Female Genital Organs ICD-O-3", "Other and Unspecified Major Salivary Glands ICD-O-3", "Other and Unspecified Male Genital Organs ICD-O-3", "Other and Unspecified Parts of Biliary Tract ICD-O-3", "Other and Unspecified Parts of Mouth ICD-O-3", "Other and Unspecified Parts of Tongue ICD-O-3", "Other and Unspecified Urinary Organs ICD-O-3", "Other Endocrine Glands and Related Structures ICD-O-3", "Ovary", "Palate", "Pancreas", "Paranasal Sinus", "Parotid Gland", "Penis", "Peritoneum and Retroperitoneum", "Placenta", "Prostate Gland", "Pyriform Sinus", "Rectosigmoid Region", "Rectum", "Renal Pelvis", "Skin", "Small Intestine", "Stomach", "Testis", "Thymus Gland", "Thyroid Gland", "Tonsil", "Trachea", "Unknown", "Ureter", "Uterus", "Vagina", "Vulva"]}, "age_at_diagnosis": {"name": "age_at_diagnosis", "description": "Participant age at relevant diagnosis", "type": "integer", "required": false}, "tumor_grade": {"name": "tumor_grade", "description": "Numeric value to express the degree of abnormality of cancer cells, a measure of differentiation and aggressiveness.", "type": "string", "required": false, "permissible_values": ["G1", "G2", "G3", "G4", "GX", "GB", "High Grade", "Intermediate Grade", "Low Grade", "Unknown", "Not Reported"]}, "tumor_stage_clinical_m": {"name": "tumor_stage_clinical_m", "description": "Extent of the distant metastasis for the cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["M0", "M1", "M1a", "M1b", "M1c", "MX", "cM0 (i+)", "Unknown", "Not Reported"]}, "tumor_stage_clinical_n": {"name": "tumor_stage_clinical_n", "description": "Extent of the regional lymph node involvement for the cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["N0", "N0 (i+)", "N0 (i-)", "N0 (mol+)", "N0 (mol-)", "N1", "N1a", "N1b", "N1bI", "N1bII", "N1bIII", "N1bIV", "N1c", "N1mi", "N2", "N2a", "N2b", "N2c", "N3", "N3a", "N3b", "N3c", "N4", "NX", "Unknown", "Not Reported"]}, "tumor_stage_clinical_t": {"name": "tumor_stage_clinical_t", "description": "Extent of the primary cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["T0", "T1", "T1a", "T1a1", "T1a2", "T1b", "T1b1", "T1b2", "T1c", "T1mi", "T2", "T2a", "T2a1", "T2a2", "T2b", "T2c", "T2d", "T3", "T3a", "T3b", "T3c", "T3d", "T4", "T4a", "T4b", "T4c", "T4d", "T4e", "TX", "Ta", "Tis", "Tis (DCIS)", "Tis (LCIS)", "Tis (Paget's)", "Unknown", "Not Reported"]}, "morphology": {"name": "morphology", "description": "ICD-O-3 Morphology term associated with this diagnosis", "type": "string", "required": false, "permissible_values": ["8000/0", "8000/1", "8000/3", "8000/6", "8000/9", "8001/0", "8001/1", "8001/3", "8002/3", "8003/3", "8004/3", "8005/0", "8005/3", "8010/0", "8010/2", "8010/3", "8010/6", "8010/9", "8011/0", "8011/3", "8012/3", "8013/3", "8014/3", "8015/3", "8020/3", "8020/6", "8021/3", "8022/3", "8023/3", "8030/3", "8031/3", "8032/3", "8033/3", "8034/3", "8035/3", "8040/0", "8040/1", "8040/3", "8041/3", "8041/34", "8041/6", "8042/3", "8043/3", "8044/3", "8045/3", "8046/3", "8046/6", "8050/0", "8050/2", "8050/3", "8051/0", "8051/3", "8052/0", "8052/2", "8052/3", "8053/0", "8060/0", "8070/2", "8070/3", "8070/33", "8070/6", "8071/2", "8071/3", "8072/3", "8073/3", "8074/3", "8075/3", "8076/2", "8076/3", "8077/0", "8077/2", "8078/3", "8080/2", "8081/2", "8082/3", "8083/3", "8084/3", "8085/3", "8086/3", "8090/1", "8090/3", "8091/3", "8092/3", "8093/3", "8094/3", "8095/3", "8096/0", "8097/3", "8098/3", "8100/0", "8101/0", "8102/0", "8102/3", "8103/0", "8110/0", "8110/3", "8120/0", "8120/1", "8120/2", "8120/3", "8121/0", "8121/1", "8121/3", "8122/3", "8123/3", "8124/3", "8130/1", "8130/2", "8130/3", "8131/3", "8140/0", "8140/1", "8140/2", "8140/3", "8140/33", "8140/6", "8141/3", "8142/3", "8143/3", "8144/3", "8145/3", "8146/0", "8147/0", "8147/3", "8148/0", "8148/2", "8149/0", "8150/0", "8150/1", "8150/3", "8151/0", "8151/3", "8152/1", "8152/3", "8153/1", "8153/3", "8154/3", "8155/1", "8155/3", "8156/1", "8156/3", "8158/1", "8160/0", "8160/3", "8161/0", "8161/3", "8162/3", "8163/0", "8163/2", "8163/3", "8170/0", "8170/3", "8171/3", "8172/3", "8173/3", "8174/3", "8175/3", "8180/3", "8190/0", "8190/3", "8191/0", "8200/0", "8200/3", "8201/2", "8201/3", "8202/0", "8204/0", "8210/0", "8210/2", "8210/3", "8211/0", "8211/3", "8212/0", "8213/0", "8213/3", "8214/3", "8215/3", "8220/0", "8220/3", "8221/0", "8221/3", "8230/2", "8230/3", "8231/3", "8240/1", "8240/3", "8240/6", "8241/3", "8242/1", "8242/3", "8243/3", "8244/3", "8245/1", "8245/3", "8246/3", "8246/6", "8247/3", "8248/1", "8249/3", "8249/6", "8250/1", "8250/2", "8250/3", "8251/0", "8251/3", "8252/3", "8253/3", "8254/3", "8255/3", "8256/3", "8257/3", "8260/0", "8260/3", "8261/0", "8261/2", "8261/3", "8262/3", "8263/0", "8263/2", "8263/3", "8264/0", "8265/3", "8270/0", "8270/3", "8271/0", "8272/0", "8272/3", "8280/0", "8280/3", "8281/0", "8281/3", "8290/0", "8290/3", "8300/0", "8300/3", "8310/0", "8310/3", "8310/6", "8311/1", "8311/3", "8311/6", "8312/3", "8313/0", "8313/1", "8313/3", "8314/3", "8315/3", "8316/3", "8317/3", "8318/3", "8319/3", "8320/3", "8321/0", "8322/0", "8322/3", "8323/0", "8323/3", "8324/0", "8325/0", "8330/0", "8330/1", "8330/3", "8331/3", "8332/3", "8333/0", "8333/3", "8334/0", "8335/3", "8336/0", "8337/3", "8339/3", "8340/3", "8341/3", "8342/3", "8343/2", "8343/3", "8344/3", "8345/3", "8346/3", "8347/3", "8350/3", "8360/1", "8361/0", "8370/0", "8370/1", "8370/3", "8371/0", "8372/0", "8373/0", "8374/0", "8375/0", "8380/0", "8380/1", "8380/2", "8380/3", "8380/6", "8381/0", "8381/1", "8381/3", "8382/3", "8383/3", "8384/3", "8390/0", "8390/3", "8391/0", "8392/0", "8400/0", "8400/1", "8400/3", "8401/0", "8401/3", "8402/0", "8402/3", "8403/0", "8403/3", "8404/0", "8405/0", "8406/0", "8407/0", "8407/3", "8408/0", "8408/1", "8408/3", "8409/0", "8409/3", "8410/0", "8410/3", "8413/3", "8420/0", "8420/3", "8430/1", "8430/3", "8440/0", "8440/3", "8441/0", "8441/2", "8441/3", "8441/6", "8442/1", "8443/0", "8444/1", "8450/0", "8450/3", "8451/1", "8452/1", "8452/3", "8453/0", "8453/2", "8453/3", "8454/0", "8460/0", "8460/2", "8460/3", "8461/0", "8461/3", "8461/6", "8462/1", "8463/1", "8470/0", "8470/2", "8470/3", "8471/0", "8471/1", "8471/3", "8472/1", "8473/1", "8474/1", "8474/3", "8480/0", "8480/1", "8480/3", "8480/6", "8481/3", "8482/3", "8482/6", "8490/3", "8490/6", "8500/2", "8500/3", "8500/6", "8501/2", "8501/3", "8502/3", "8503/0", "8503/2", "8503/3", "8504/0", "8504/2", "8504/3", "8505/0", "8506/0", "8507/2", "8507/3", "8508/3", "8509/2", "8509/3", "8510/3", "8512/3", "8513/3", "8514/3", "8519/2", "8520/2", "8520/3", "8521/1", "8521/3", "8522/1", "8522/2", "8522/3", "8522/6", "8523/3", "8524/3", "8525/3", "8530/3", "8540/3", "8541/3", "8542/3", "8543/3", "8550/0", "8550/1", "8550/3", "8551/3", "8552/3", "8560/0", "8560/3", "8561/0", "8562/3", "8570/3", "8571/3", "8572/3", "8573/3", "8574/3", "8575/3", "8576/3", "8580/0", "8580/1", "8580/3", "8581/1", "8581/3", "8582/1", "8582/3", "8583/1", "8583/3", "8584/1", "8584/3", "8585/1", "8585/3", "8586/3", "8587/0", "8588/3", "8589/3", "8590/1", "8591/1", "8592/1", "8593/1", "8594/1", "8600/0", "8600/3", "8601/0", "8602/0", "8610/0", "8620/1", "8620/3", "8621/1", "8622/1", "8623/1", "8630/0", "8630/1", "8630/3", "8631/0", "8631/1", "8631/3", "8632/1", "8633/1", "8634/1", "8634/3", "8640/1", "8640/3", "8641/0", "8642/1", "8650/0", "8650/1", "8650/3", "8660/0", "8670/0", "8670/3", "8671/0", "8680/0", "8680/1", "8680/3", "8681/1", "8682/1", "8683/0", "8690/1", "8691/1", "8692/1", "8693/1", "8693/3", "8700/0", "8700/3", "8710/3", "8711/0", "8711/3", "8712/0", "8713/0", "8714/3", "8720/0", "8720/2", "8720/3", "8720/6", "8721/3", "8722/0", "8722/3", "8723/0", "8723/3", "8725/0", "8726/0", "8727/0", "8728/0", "8728/1", "8728/3", "8730/0", "8730/3", "8740/0", "8740/3", "8741/2", "8741/3", "8742/2", "8742/3", "8743/3", "8744/3", "8745/3", "8746/3", "8750/0", "8760/0", "8761/0", "8761/1", "8761/3", "8762/1", "8770/0", "8770/3", "8771/0", "8771/3", "8772/0", "8772/3", "8773/3", "8774/3", "8780/0", "8780/3", "8790/0", "8800/0", "8800/3", "8800/6", "8800/9", "8801/3", "8801/6", "8802/3", "8803/3", "8804/3", "8804/6", "8805/3", "8806/3", "8806/6", "8810/0", "8810/1", "8810/3", "8811/0", "8811/1", "8811/3", "8812/0", "8812/3", "8813/0", "8813/3", "8814/3", "8815/0", "8815/1", "8815/3", "8820/0", "8821/1", "8822/1", "8823/0", "8824/0", "8824/1", "8825/0", "8825/1", "8825/3", "8826/0", "8827/1", "8830/0", "8830/1", "8830/3", "8831/0", "8832/0", "8832/3", "8833/3", "8834/1", "8835/1", "8836/1", "8840/0", "8840/3", "8841/1", "8842/0", "8842/3", "8850/0", "8850/1", "8850/3", "8851/0", "8851/3", "8852/0", "8852/3", "8853/3", "8854/0", "8854/3", "8855/3", "8856/0", "8857/0", "8857/3", "8858/3", "8860/0", "8861/0", "8862/0", "8870/0", "8880/0", "8881/0", "8890/0", "8890/1", "8890/3", "8891/0", "8891/3", "8892/0", "8893/0", "8894/0", "8894/3", "8895/0", "8895/3", "8896/3", "8897/1", "8898/1", "8900/0", "8900/3", "8901/3", "8902/3", "8903/0", "8904/0", "8905/0", "8910/3", "8912/3", "8920/3", "8920/6", "8921/3", "8930/0", "8930/3", "8931/3", "8932/0", "8933/3", "8934/3", "8935/0", "8935/1", "8935/3", "8936/0", "8936/1", "8936/3", "8940/0", "8940/3", "8941/3", "8950/3", "8950/6", "8951/3", "8959/0", "8959/1", "8959/3", "8960/1", "8960/3", "8963/3", "8964/3", "8965/0", "8966/0", "8967/0", "8970/3", "8971/3", "8972/3", "8973/3", "8974/1", "8975/1", "8980/3", "8981/3", "8982/0", "8982/3", "8983/0", "8983/3", "8990/0", "8990/1", "8990/3", "8991/3", "9000/0", "9000/1", "9000/3", "9010/0", "9011/0", "9012/0", "9013/0", "9014/0", "9014/1", "9014/3", "9015/0", "9015/1", "9015/3", "9016/0", "9020/0", "9020/1", "9020/3", "9030/0", "9040/0", "9040/3", "9041/3", "9042/3", "9043/3", "9044/3", "9045/3", "9050/0", "9050/3", "9051/0", "9051/3", "9052/0", "9052/3", "9053/3", "9054/0", "9055/0", "9055/1", "9060/3", "9061/3", "9062/3", "9063/3", "9064/2", "9064/3", "9065/3", "9070/3", "9071/3", "9072/3", "9073/1", "9080/0", "9080/1", "9080/3", "9081/3", "9082/3", "9083/3", "9084/0", "9084/3", "9085/3", "9086/3", "9090/0", "9090/3", "9091/1", "9100/0", "9100/1", "9100/3", "9101/3", "9102/3", "9103/0", "9104/1", "9105/3", "9110/0", "9110/1", "9110/3", "9120/0", "9120/3", "9121/0", "9122/0", "9123/0", "9124/3", "9125/0", "9130/0", "9130/1", "9130/3", "9131/0", "9132/0", "9133/1", "9133/3", "9135/1", "9136/1", "9137/3", "9140/3", "9141/0", "9142/0", "9150/0", "9150/1", "9150/3", "9160/0", "9161/0", "9161/1", "9170/0", "9170/3", "9171/0", "9172/0", "9173/0", "9174/0", "9174/1", "9175/0", "9180/0", "9180/3", "9180/6", "9181/3", "9182/3", "9183/3", "9184/3", "9185/3", "9186/3", "9187/3", "9191/0", "9192/3", "9193/3", "9194/3", "9195/3", "9200/0", "9200/1", "9210/0", "9210/1", "9220/0", "9220/1", "9220/3", "9221/0", "9221/3", "9230/0", "9230/3", "9231/3", "9240/3", "9241/0", "9242/3", "9243/3", "9250/1", "9250/3", "9251/1", "9251/3", "9252/0", "9252/3", "9260/3", "9261/3", "9262/0", "9270/0", "9270/1", "9270/3", "9271/0", "9272/0", "9273/0", "9274/0", "9275/0", "9280/0", "9281/0", "9282/0", "9290/0", "9290/3", "9300/0", "9301/0", "9302/0", "9302/3", "9310/0", "9310/3", "9311/0", "9312/0", "9320/0", "9321/0", "9322/0", "9330/0", "9330/3", "9340/0", "9341/1", "9341/3", "9342/3", "9350/1", "9351/1", "9352/1", "9360/1", "9361/1", "9362/3", "9363/0", "9364/3", "9365/3", "9370/3", "9371/3", "9372/3", "9373/0", "9380/3", "9381/3", "9382/3", "9383/1", "9384/1", "9385/3", "9390/0", "9390/1", "9390/3", "9391/3", "9392/3", "9393/3", "9394/1", "9395/3", "9396/3", "9400/3", "9401/3", "9410/3", "9411/3", "9412/1", "9413/0", "9420/3", "9421/1", "9423/3", "9424/3", "9425/3", "9430/3", "9431/1", "9432/1", "9440/3", "9440/6", "9441/3", "9442/1", "9442/3", "9444/1", "9445/3", "9450/3", "9451/3", "9460/3", "9470/3", "9471/3", "9472/3", "9473/3", "9474/3", "9475/3", "9476/3", "9477/3", "9478/3", "9480/3", "9490/0", "9490/3", "9491/0", "9492/0", "9493/0", "9500/3", "9501/0", "9501/3", "9502/0", "9502/3", "9503/3", "9504/3", "9505/1", "9505/3", "9506/1", "9507/0", "9508/3", "9509/1", "9510/0", "9510/3", "9511/3", "9512/3", "9513/3", "9514/1", "9520/3", "9521/3", "9522/3", "9523/3", "9530/0", "9530/1", "9530/3", "9531/0", "9532/0", "9533/0", "9534/0", "9535/0", "9537/0", "9538/1", "9538/3", "9539/1", "9539/3", "9540/0", "9540/1", "9540/3", "9541/0", "9542/3", "9550/0", "9560/0", "9560/1", "9560/3", "9561/3", "9562/0", "9570/0", "9571/0", "9571/3", "9580/0", "9580/3", "9581/3", "9582/0", "9590/3", "9591/3", "9596/3", "9597/3", "9650/3", "9651/3", "9652/3", "9653/3", "9654/3", "9655/3", "9659/3", "9661/3", "9662/3", "9663/3", "9664/3", "9665/3", "9667/3", "9670/3", "9671/3", "9673/3", "9675/3", "9678/3", "9679/3", "9680/3", "9684/3", "9687/3", "9688/3", "9689/3", "9690/3", "9691/3", "9695/3", "9698/3", "9699/3", "9700/3", "9701/3", "9702/3", "9705/3", "9708/3", "9709/3", "9712/3", "9714/3", "9716/3", "9717/3", "9718/3", "9719/3", "9724/3", "9725/3", "9726/3", "9727/3", "9728/3", "9729/3", "9731/3", "9732/3", "9733/3", "9734/3", "9735/3", "9737/3", "9738/3", "9740/1", "9740/3", "9741/1", "9741/3", "9742/3", "9750/3", "9751/1", "9751/3", "9752/1", "9753/1", "9754/3", "9755/3", "9756/3", "9757/3", "9758/3", "9759/3", "9760/3", "9761/3", "9762/3", "9764/3", "9765/1", "9766/1", "9767/1", "9768/1", "9769/1", "9800/3", "9801/3", "9805/3", "9806/3", "9807/3", "9808/3", "9809/3", "9811/3", "9812/3", "9813/3", "9814/3", "9815/3", "9816/3", "9817/3", "9818/3", "9820/3", "9823/3", "9826/3", "9827/3", "9831/3", "9832/3", "9833/3", "9834/3", "9835/3", "9836/3", "9837/3", "9840/3", "9860/3", "9861/3", "9863/3", "9865/3", "9866/3", "9867/3", "9869/3", "9870/3", "9871/3", "9872/3", "9873/3", "9874/3", "9875/3", "9876/3", "9891/3", "9895/3", "9896/3", "9897/3", "9898/1", "9898/3", "9910/3", "9911/3", "9920/3", "9930/3", "9931/3", "9940/3", "9945/3", "9946/3", "9948/3", "9950/3", "9960/3", "9961/3", "9962/3", "9963/3", "9964/3", "9965/3", "9966/3", "9967/3", "9970/1", "9971/1", "9971/3", "9975/3", "9980/3", "9982/3", "9983/3", "9984/3", "9985/3", "9986/3", "9987/3", "9989/3", "9991/3", "9992/3", "Unknown", "Not Reported"]}, "incidence_type": {"name": "incidence_type", "description": "For this diagnosis, disease incidence relative to prior status of subject", "type": "string", "required": false, "permissible_values": ["primary", "progression", "recurrence", "metastasis", "remission", "no_disease"]}, "progression_or_recurrence": {"name": "progression_or_recurrence", "description": "Yes/No/Unknown indicator to identify whether a patient has had a new tumor event after initial treatment.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown", "Not Reported", "Not Allowed To Collect"]}, "days_to_recurrence": {"name": "days_to_recurrence", "description": "Days to disease recurrence, relative to study index date", "type": "integer", "required": false}, "days_to_last_followup": {"name": "days_to_last_followup", "description": "Days to last participant followup, relative to study index date", "type": "integer", "required": false}, "last_known_disease_status": {"name": "last_known_disease_status", "description": "Last known disease incidence for this subject and diagnosis", "type": "string", "required": false, "permissible_values": ["Primary", "Progression", "Recurrence", "Metastasis", "Remission", "No_disease", "Distant met recurrence/progression", "Loco-regional recurrence/progression", "Biochemical evidence of disease without structural correlate", "Tumor free"]}, "days_to_last_known_status": {"name": "days_to_last_known_status", "description": "Days to last known status of participant, relative to study index date", "type": "integer", "required": false}}, "relationships": {"participant": {"dest_node": "participant", "type": "many_to_one", "label": "of_participant"}}}, "treatment": {"name": "treatment", "description": "", "id_property": "treatment_id", "properties": {"treatment_id": {"name": "treatment_id", "description": "Internal identifier", "type": "string", "required": false}, "treatment_type": {"name": "treatment_type", "description": "Text term that describes the kind of treatment administered", "type": "string", "required": false, "permissible_values": ["Ablation, Cryo", "Ablation, Ethanol Injection", "Ablation, Microwave", "Ablation, NOS", "Ablation, Radiofrequency", "Ablation, Radiosurgical", "Ancillary Treatment", "Antiseizure Treatment", "Bisphosphonate Therapy", "Blinded Study, Treatment Unknown", "Brachytherapy, High Dose", "Brachytherapy, Low Dose", "Brachytherapy, NOS", "Chemoembolization", "Chemoprotectant", "Chemotherapy", "Concurrent Chemoradiation", "Cryoablation", "Embolization", "Ethanol Injection Ablation", "External Beam Radiation", "Hormone Therapy", "I-131 Radiation Therapy", "Immunotherapy (Including Vaccines)", "Internal Radiation", "Isolated Limb Perfusion (ILP)", "Organ Transplantation", "Other", "Pharmaceutical Therapy, NOS", "Pleurodesis", "Pleurodesis, Talc", "Pleurodesis, NOS", "Radiation Therapy, NOS", "Radiation, 2D Conventional", "Radiation, 3D Conformal", "Radiation, Combination", "Radiation, Cyberknife", "Radiation, External Beam", "Radiation, Hypofractionated", "Radiation, Implants", "Radiation, Intensity-Modulated Radiotherapy", "Radiation, Internal", "Radiation, Mixed Photon Beam", "Radiation, Photon Beam", "Radiation, Proton Beam", "Radiation, Radioisotope", "Radiation, Stereotactic/Gamma Knife/SRS", "Radiation, Systemic", "Radioactive Iodine Therapy", "Radioembolization", "Radiosensitizing Agent", "Stem Cell Transplantation, Allogeneic", "Stem Cell Transplantation, Autologous", "Stem Cell Transplantation, Double Autologous", "Stem Cell Transplantation, Haploidentical", "Stem Cell Transplantation, Non-Myeloablative", "Stem Cell Transplantation, NOS", "Stem Cell Transplantation, Syngenic", "Stem Cell Treatment", "Stereotactic Radiosurgery", "Steroid Therapy", "Surgery", "Targeted Molecular Therapy", "Unknown", "Not Reported"]}, "treatment_outcome": {"name": "treatment_outcome", "description": "Text term that describes the patient's final outcome after the treatment was administered", "type": "string", "required": false, "permissible_values": ["Complete Response", "Mixed Response", "No Measurable Disease", "No Response", "Not Reported", "Partial Response", "Persistent Disease", "Progressive Disease", "Stable Disease", "Treatment Ongoing", "Treatment Stopped Due to Toxicity", "Unknown", "Very Good Partial Response"]}, "days_to_treatment": {"name": "days_to_treatment", "description": "Days to start of treatment, relative to index date", "type": "integer", "required": false}, "therapeutic_agents": {"name": "therapeutic_agents", "description": "Text identification of the individual agent(s) used as part of a treatment regimen.", "type": "string", "required": false, "permissible_values": ["10-Deacetyltaxol", "11C Topotecan", "11D10 AluGel Anti-Idiotype Monoclonal Antibody", "12-Allyldeoxoartemisinin", "13-Deoxydoxorubicin", "14C BMS-275183", "17beta-Hydroxysteroid Dehydrogenase Type 5 Inhibitor ASP9521", "2-Deoxy-D-glucose", "2-Ethylhydrazide", "2-Fluoroadenine", "2-Fluorofucose-containing SGN-2FF", "2-Hydroxyestradiol", "2-Hydroxyestrone", "2-Hydroxyflutamide Depot", "2-Hydroxyoleic Acid", "2-Methoxyestradiol", "2-Methoxyestradiol Nanocrystal Colloidal Dispersion", "2-Methoxyestrone", "2-O, 3-O Desulfated Heparin", "2,6-Diaminopurine", "2,6-Dimethoxyquinone", "2'-F-ara-deoxyuridine", "3'-C-ethynylcytidine", "3'-dA Phosphoramidate NUC-7738", "4-Nitroestrone 3-Methyl Ether", "4-Thio-2-deoxycytidine", "4'-Iodo-4'-Deoxydoxorubicin", "5-Aza-4'-thio-2'-deoxycytidine", "5-Fluoro-2-Deoxycytidine", "6-Phosphofructo-2-kinase/fructose-2,6-bisphosphatases Isoform 3 Inhibitor ACT-PFK-158", "7-Cyanoquinocarcinol", "7-Ethyl-10-Hydroxycamptothecin", "7-Hydroxystaurosporine", "8-Azaguanine", "9-Ethyl 6-Mercaptopurine", "9H-Purine-6Thio-98D", "A2A Receptor Antagonist EOS100850", "Abagovomab", "Abarelix", "Abemaciclib", "Abemaciclib Mesylate", "Abexinostat", "Abexinostat Tosylate", "Abiraterone", "Abiraterone Acetate", "Abituzumab", "Acai Berry Juice", "Acalabrutinib", "Acalisib", "Aceglatone", "Acetylcysteine", "Acitretin", "Acivicin", "Aclacinomycin B", "Aclarubicin", "Acodazole", "Acodazole Hydrochloride", "Acolbifene Hydrochloride", "Acridine", "Acridine Carboxamide", "Acronine", "Actinium Ac 225 Lintuzumab", "Actinium Ac 225-FPI-1434", "Actinium Ac-225 Anti-PSMA Monoclonal Antibody J591", "Actinomycin C2", "Actinomycin C3", "Actinomycin F1", "Activin Type 2B Receptor Fc Fusion Protein STM 434", "Acyclic Nucleoside Phosphonate Prodrug ABI-1968", "Ad-RTS-hIL-12", "Adagloxad Simolenin", "Adavosertib", "Adecatumumab", "Adenosine A2A Receptor Antagonist AZD4635", "Adenosine A2A Receptor Antagonist CS3005", "Adenosine A2A Receptor Antagonist NIR178", "Adenosine A2A Receptor Antagonist/Phosphodiesterase 10A PBF-999", "Adenosine A2A/A2B Receptor Antagonist AB928", "Adenosine A2B Receptor Antagonist PBF-1129", "Adenovector-transduced AP1903-inducible MyD88/CD40-expressing Autologous PSMA-specific Prostate Cancer Vaccine BPX-201", "Adenoviral Brachyury Vaccine ETBX-051", "Adenoviral Cancer Vaccine PF-06936308", "Adenoviral MUC1 Vaccine ETBX-061", "Adenoviral PSA Vaccine ETBX-071", "Adenoviral Transduced hIL-12-expressing Autologous Dendritic Cells INXN-3001 Plus Activator Ligand INXN-1001", "Adenoviral Tumor-specific Neoantigen Priming Vaccine GAd-209-FSP", "Adenoviral Tumor-specific Neoantigen Priming Vaccine GRT-C901", "Adenovirus 5/F35-Human Guanylyl Cyclase C-PADRE", "Adenovirus Serotype 26-expressing HPV16 Vaccine JNJ-63682918", "Adenovirus Serotype 26-expressing HPV18 Vaccine JNJ-63682931", "Adenovirus-expressing TLR5/TLR5 Agonist Nanoformulation M-VM3", "Adenovirus-mediated Human Interleukin-12 INXN-2001 Plus Activator Ligand INXN-1001", "Aderbasib", "ADH-1", "AE37 Peptide/GM-CSF Vaccine", "AEE788", "Aerosol Gemcitabine", "Aerosolized Aldesleukin", "Aerosolized Liposomal Rubitecan", "Afatinib", "Afatinib Dimaleate", "Afimoxifene", "Afuresertib", "Agatolimod Sodium", "Agerafenib", "Aglatimagene Besadenovec", "Agonistic Anti-CD40 Monoclonal Antibody ADC-1013", "Agonistic Anti-OX40 Monoclonal Antibody INCAGN01949", "Agonistic Anti-OX40 Monoclonal Antibody MEDI6469", "AKR1C3-activated Prodrug OBI-3424", "AKT 1/2 Inhibitor BAY1125976", "AKT Inhibitor ARQ 092", "Akt Inhibitor LY2780301", "Akt Inhibitor MK2206", "Akt Inhibitor SR13668", "Akt/ERK Inhibitor ONC201", "Alacizumab Pegol", "Alanosine", "Albumin-binding Cisplatin Prodrug BTP-114", "Aldesleukin", "Aldoxorubicin", "Alectinib", "Alefacept", "Alemtuzumab", "Alestramustine", "Alflutinib Mesylate", "Algenpantucel-L", "Alisertib", "Alitretinoin", "ALK Inhibitor", "ALK Inhibitor ASP3026", "ALK Inhibitor PLB 1003", "ALK Inhibitor RO5424802", "ALK Inhibitor TAE684", "ALK Inhibitor WX-0593", "ALK-2 Inhibitor TP-0184", "ALK-FAK Inhibitor CEP-37440", "ALK/c-Met Inhibitor TQ-B3139", "ALK/FAK/Pyk2 Inhibitor CT-707", "ALK/ROS1/Met Inhibitor TQ-B3101", "ALK/TRK Inhibitor TSR-011", "Alkotinib", "Allodepleted T Cell Immunotherapeutic ATIR101", "Allogeneic Anti-BCMA CAR-transduced T-cells ALLO-715", "Allogeneic Anti-BCMA-CAR T-cells PBCAR269A", "Allogeneic Anti-BCMA/CS1 Bispecific CAR-T Cells", "Allogeneic Anti-CD19 CAR T-cells ALLO-501A", "Allogeneic Anti-CD19 Universal CAR-T Cells CTA101", "Allogeneic Anti-CD19-CAR T-cells PBCAR0191", "Allogeneic Anti-CD20 CAR T-cells LUCAR-20S", "Allogeneic Anti-CD20-CAR T-cells PBCAR20A", "Allogeneic CD22-specific Universal CAR-expressing T-lymphocytes UCART22", "Allogeneic CD3- CD19- CD57+ NKG2C+ NK Cells FATE-NK100", "Allogeneic CD56-positive CD3-negative Natural Killer Cells CYNK-001", "Allogeneic CD8+ Leukemia-associated Antigens Specific T Cells NEXI-001", "Allogeneic Cellular Vaccine 1650-G", "Allogeneic CRISPR-Cas9 Engineered Anti-BCMA T Cells CTX120", "Allogeneic CRISPR-Cas9 Engineered Anti-CD70 CAR-T Cells CTX130", "Allogeneic CS1-specific Universal CAR-expressing T-lymphocytes UCARTCS1A", "Allogeneic GM-CSF-secreting Breast Cancer Vaccine SV-BR-1-GM", "Allogeneic GM-CSF-secreting Lethally Irradiated Prostate Cancer Vaccine", "Allogeneic GM-CSF-secreting Lethally Irradiated Whole Melanoma Cell Vaccine", "Allogeneic GM-CSF-secreting Tumor Vaccine PANC 10.05 pcDNA-1/GM-Neo", "Allogeneic GM-CSF-secreting Tumor Vaccine PANC 6.03 pcDNA-1/GM-Neo", "Allogeneic IL13-Zetakine/HyTK-Expressing-Glucocorticoid Resistant Cytotoxic T Lymphocytes GRm13Z40-2", "Allogeneic Irradiated Melanoma Cell Vaccine CSF470", "Allogeneic Large Multivalent Immunogen Melanoma Vaccine LP2307", "Allogeneic Melanoma Vaccine AGI-101H", "Allogeneic Natural Killer Cell Line MG4101", "Allogeneic Natural Killer Cell Line NK-92", "Allogeneic Plasmacytoid Dendritic Cells Expressing Lung Tumor Antigens PDC*lung01", "Allogeneic Renal Cell Carcinoma Vaccine MGN1601", "Allogeneic Third-party Suicide Gene-transduced Anti-HLA-DPB1*0401 CD4+ T-cells CTL 19", "Allosteric ErbB Inhibitor BDTX-189", "Allovectin-7", "Almurtide", "Alobresib", "Alofanib", "Alpelisib", "Alpha Galactosylceramide", "Alpha V Beta 1 Inhibitor ATN-161", "Alpha V Beta 8 Antagonist PF-06940434", "alpha-Folate Receptor-targeting Thymidylate Synthase Inhibitor ONX-0801", "Alpha-Gal AGI-134", "Alpha-lactalbumin-derived Synthetic Peptide-lipid Complex Alpha1H", "Alpha-Thioguanine Deoxyriboside", "Alpha-tocopheryloxyacetic Acid", "Alsevalimab", "Altiratinib", "Altretamine", "Alvespimycin", "Alvespimycin Hydrochloride", "Alvocidib", "Alvocidib Hydrochloride", "Alvocidib Prodrug TP-1287", "Amatuximab", "Ambamustine", "Ambazone", "Amblyomin-X", "Amcasertib", "Ametantrone", "Amifostine", "Amino Acid Injection", "Aminocamptothecin", "Aminocamptothecin Colloidal Dispersion", "Aminoflavone Prodrug AFP464", "Aminopterin", "Aminopterin Sodium", "Amivantamab", "Amolimogene Bepiplasmid", "Amonafide L-Malate", "Amrubicin", "Amrubicin Hydrochloride", "Amsacrine", "Amsacrine Lactate", "Amsilarotene", "Amustaline", "Amustaline Dihydrochloride", "Amuvatinib", "Amuvatinib Hydrochloride", "Anakinra", "Anastrozole", "Anaxirone", "Ancitabine", "Ancitabine Hydrochloride", "Andecaliximab", "Androgen Antagonist APC-100", "Androgen Receptor Antagonist BAY 1161116", "Androgen Receptor Antagonist SHR3680", "Androgen Receptor Antagonist TAS3681", "Androgen Receptor Antagonist TRC253", "Androgen Receptor Antisense Oligonucleotide AZD5312", "Androgen Receptor Antisense Oligonucleotide EZN-4176", "Androgen Receptor Degrader ARV-110", "Androgen Receptor Degrader CC-94676", "Androgen Receptor Downregulator AZD3514", "Androgen Receptor Inhibitor EPI-7386", "Androgen Receptor Ligand-binding Domain-encoding Plasmid DNA Vaccine MVI-118", "Androgen Receptor/Glucocorticoid Receptor Antagonist CB-03-10", "Andrographolide", "Androstane Steroid HE3235", "Anetumab Ravtansine", "Ang2/VEGF-Binding Peptides-Antibody Fusion Protein CVX-241", "Angiogenesis Inhibitor GT-111", "Angiogenesis Inhibitor JI-101", "Angiogenesis/Heparanase Inhibitor PG545", "Angiopoietin-2-specific Fusion Protein PF-04856884", "Anhydrous Enol-oxaloacetate", "Anhydrovinblastine", "Aniline Mustard", "Anlotinib Hydrochloride", "Annamycin", "Annamycin Liposomal", "Annonaceous Acetogenins", "Ansamitomicin P-3", "Anthramycin", "Anthrapyrazole", "Anti c-KIT Antibody-drug Conjugate LOP628", "Anti-5T4 Antibody-drug Conjugate ASN004", "Anti-5T4 Antibody-Drug Conjugate PF-06263507", "Anti-5T4 Antibody-drug Conjugate SYD1875", "Anti-A33 Monoclonal Antibody KRN330", "Anti-A5B1 Integrin Monoclonal Antibody PF-04605412", "Anti-ACTR/4-1BB/CD3zeta-Viral Vector-transduced Autologous T-Lymphocytes ACTR087", "Anti-AG7 Antibody Drug Conjugate AbGn-107", "Anti-AGS-16 Monoclonal Antibody AGS-16M18", "Anti-AGS-5 Antibody-Drug Conjugate ASG-5ME", "Anti-AGS-8 Monoclonal Antibody AGS-8M4", "Anti-alpha BCMA/Anti-alpha CD3 T-cell Engaging Bispecific Antibody TNB-383B", "Anti-alpha5beta1 Integrin Antibody MINT1526A", "Anti-ANG2 Monoclonal Antibody MEDI-3617", "Anti-angiopoietin Monoclonal Antibody AMG 780", "Anti-APRIL Monoclonal Antibody BION-1301", "Anti-AXL Fusion Protein AVB-S6-500", "Anti-AXL/PBD Antibody-drug Conjugate ADCT-601", "Anti-B7-H3 Antibody DS-5573a", "Anti-B7-H3/DXd Antibody-drug Conjugate DS-7300a", "Anti-B7-H4 Monoclonal Antibody FPA150", "Anti-B7H3 Antibody-drug Conjugate MGC018", "Anti-BCMA Antibody SEA-BCMA", "Anti-BCMA Antibody-drug Conjugate AMG 224", "Anti-BCMA Antibody-drug Conjugate CC-99712", "Anti-BCMA Antibody-drug Conjugate GSK2857916", "Anti-BCMA SparX Protein Plus BCMA-directed Anti-TAAG ARC T-cells CART-ddBCMA", "Anti-BCMA/Anti-CD3 Bispecific Antibody REGN5459", "Anti-BCMA/CD3 BiTE Antibody AMG 420", "Anti-BCMA/CD3 BiTE Antibody AMG 701", "Anti-BCMA/CD3 BiTE Antibody REGN5458", "Anti-BCMA/PBD ADC MEDI2228", "Anti-BTLA Monoclonal Antibody TAB004", "Anti-BTN3A Agonistic Monoclonal Antibody ICT01", "Anti-c-fms Monoclonal Antibody AMG 820", "Anti-c-KIT Monoclonal Antibody CDX 0158", "Anti-c-Met Antibody-drug Conjugate HTI-1066", "Anti-c-Met Antibody-drug Conjugate TR1801", "Anti-c-Met Monoclonal Antibody ABT-700", "Anti-c-Met Monoclonal Antibody ARGX-111", "Anti-c-Met Monoclonal Antibody HLX55", "Anti-c-MET Monoclonal Antibody LY2875358", "Anti-C-met Monoclonal Antibody SAIT301", "Anti-C4.4a Antibody-Drug Conjugate BAY1129980", "Anti-C5aR Monoclonal Antibody IPH5401", "Anti-CA19-9 Monoclonal Antibody 5B1", "Anti-CA6-DM4 Immunoconjugate SAR566658", "Anti-CCR7 Antibody-drug Conjugate JBH492", "Anti-CD117 Monoclonal Antibody JSP191", "Anti-CD122 Humanized Monoclonal Antibody Mik-Beta-1", "Anti-CD123 ADC IMGN632", "Anti-CD123 Monoclonal Antibody CSL360", "Anti-CD123 Monoclonal Antibody KHK2823", "Anti-CD123 x Anti-CD3 Bispecific Antibody XmAb1404", "Anti-CD123-Pyrrolobenzodiazepine Dimer Antibody Drug Conjugate SGN-CD123A", "Anti-CD123/CD3 Bispecific Antibody APVO436", "Anti-CD123/CD3 Bispecific Antibody JNJ-63709178", "Anti-CD123/CD3 BiTE Antibody SAR440234", "Anti-CD137 Agonistic Monoclonal Antibody ADG106", "Anti-CD137 Agonistic Monoclonal Antibody AGEN2373", "Anti-CD137 Agonistic Monoclonal Antibody ATOR-1017", "Anti-CD137 Agonistic Monoclonal Antibody CTX-471", "Anti-CD137 Agonistic Monoclonal Antibody LVGN6051", "Anti-CD157 Monoclonal Antibody MEN1112", "Anti-CD166 Probody-drug Conjugate CX-2009", "Anti-CD19 Antibody-drug Conjugate SGN-CD19B", "Anti-CD19 Antibody-T-cell Receptor-expressing T-cells ET019003", "Anti-CD19 iCAR NK Cells", "Anti-CD19 Monoclonal Antibody DI-B4", "Anti-CD19 Monoclonal Antibody MDX-1342", "Anti-CD19 Monoclonal Antibody MEDI-551", "Anti-CD19 Monoclonal Antibody XmAb5574", "Anti-CD19-DM4 Immunoconjugate SAR3419", "Anti-CD19/Anti-CD22 Bispecific Immunotoxin DT2219ARL", "Anti-CD19/CD22 CAR NK Cells", "Anti-CD19/CD3 BiTE Antibody AMG 562", "Anti-CD19/CD3 Tetravalent Antibody AFM11", "Anti-CD20 Monoclonal Antibody B001", "Anti-CD20 Monoclonal Antibody BAT4306F", "Anti-CD20 Monoclonal Antibody MIL62", "Anti-CD20 Monoclonal Antibody PRO131921", "Anti-CD20 Monoclonal Antibody SCT400", "Anti-CD20 Monoclonal Antibody TL011", "Anti-CD20 Monoclonal Antibody-Interferon-alpha Fusion Protein IGN002", "Anti-CD20-engineered Toxin Body MT-3724", "Anti-CD20/Anti-CD3 Bispecific IgM Antibody IGM2323", "Anti-CD20/CD3 Monoclonal Antibody REGN1979", "Anti-CD20/CD3 Monoclonal Antibody XmAb13676", "Anti-CD205 Antibody-drug Conjugate OBT076", "Anti-CD22 ADC TRPH-222", "Anti-CD22 Monoclonal Antibody-MMAE Conjugate DCDT2980S", "Anti-CD228/MMAE Antibody-drug Conjugate SGN-CD228A", "Anti-CD25 Monoclonal Antibody RO7296682", "Anti-CD25-PBD Antibody-drug Conjugate ADCT-301", "Anti-CD26 Monoclonal Antibody YS110", "Anti-CD27 Agonistic Monoclonal Antibody MK-5890", "Anti-CD27L Antibody-Drug Conjugate AMG 172", "Anti-CD3 Immunotoxin A-dmDT390-bisFv(UCHT1)", "Anti-CD3/Anti-5T4 Bispecific Antibody GEN1044", "Anti-CD3/Anti-BCMA Bispecific Monoclonal Antibody JNJ-64007957", "Anti-CD3/Anti-BCMA Bispecific Monoclonal Antibody PF-06863135", "Anti-CD3/Anti-CD20 Trifunctional Bispecific Monoclonal Antibody FBTA05", "Anti-CD3/Anti-GPRC5D Bispecific Monoclonal Antibody JNJ-64407564", "Anti-CD3/Anti-GUCY2C Bispecific Antibody PF-07062119", "Anti-CD3/CD20 Bispecific Antibody GEN3013", "Anti-CD3/CD38 Bispecific Monoclonal Antibody AMG 424", "Anti-CD3/CD7-Ricin Toxin A Immunotoxin", "Anti-CD30 Monoclonal Antibody MDX-1401", "Anti-CD30 Monoclonal Antibody XmAb2513", "Anti-CD30/CD16A Monoclonal Antibody AFM13", "Anti-CD30/DM1 Antibody-drug Conjugate F0002", "Anti-CD32B Monoclonal Antibody BI-1206", "Anti-CD33 Antibody-drug Conjugate IMGN779", "Anti-CD33 Antigen/CD3 Receptor Bispecific Monoclonal Antibody AMV564", "Anti-CD33 Monoclonal Antibody BI 836858", "Anti-CD33 Monoclonal Antibody-DM4 Conjugate AVE9633", "Anti-CD33/CD3 Bispecific Antibody GEM 333", "Anti-CD33/CD3 Bispecific Antibody JNJ-67571244", "Anti-CD33/CD3 BiTE Antibody AMG 330", "Anti-CD33/CD3 BiTE Antibody AMG 673", "Anti-CD352 Antibody-drug Conjugate SGN-CD352A", "Anti-CD37 Antibody-Drug Conjugate IMGN529", "Anti-CD37 Bispecific Monoclonal Antibody GEN3009", "Anti-CD37 MMAE Antibody-drug Conjugate AGS67E", "Anti-CD37 Monoclonal Antibody BI 836826", "Anti-CD38 Antibody-drug Conjugate STI-6129", "Anti-CD38 Monoclonal Antibody MOR03087", "Anti-CD38 Monoclonal Antibody SAR442085", "Anti-CD38 Monoclonal Antibody TAK-079", "Anti-CD38-targeted IgG4-attenuated IFNa TAK-573", "Anti-CD38/CD28xCD3 Tri-specific Monoclonal Antibody SAR442257", "Anti-CD38/CD3 Bispecific Monoclonal Antibody GBR 1342", "Anti-CD39 Monoclonal Antibody SRF617", "Anti-CD39 Monoclonal Antibody TTX-030", "Anti-CD40 Agonist Monoclonal Antibody ABBV-927", "Anti-CD40 Agonist Monoclonal Antibody CDX-1140", "Anti-CD40 Monoclonal Antibody Chi Lob 7/4", "Anti-CD40 Monoclonal Antibody SEA-CD40", "Anti-CD40/Anti-4-1BB Bispecific Agonist Monoclonal Antibody GEN1042", "Anti-CD40/Anti-TAA Bispecific Monoclonal Antibody ABBV-428", "Anti-CD40L Fc-Fusion Protein BMS-986004", "Anti-CD44 Monoclonal Antibody RO5429083", "Anti-CD45 Monoclonal Antibody AHN-12", "Anti-CD46 Antibody-drug Conjugate FOR46", "Anti-CD47 ADC SGN-CD47M", "Anti-CD47 Monoclonal Antibody AO-176", "Anti-CD47 Monoclonal Antibody CC-90002", "Anti-CD47 Monoclonal Antibody Hu5F9-G4", "Anti-CD47 Monoclonal Antibody IBI188", "Anti-CD47 Monoclonal Antibody IMC-002", "Anti-CD47 Monoclonal Antibody SHR-1603", "Anti-CD47 Monoclonal Antibody SRF231", "Anti-CD47 Monoclonal Antibody TJC4", "Anti-CD47/CD19 Bispecific Monoclonal Antibody TG-1801", "Anti-CD48/MMAE Antibody-drug Conjugate SGN-CD48A", "Anti-CD52 Monoclonal Antibody ALLO-647", "Anti-CD70 Antibody-Drug Conjugate MDX-1203", "Anti-CD70 Antibody-drug Conjugate SGN-CD70A", "Anti-CD70 CAR-expressing T Lymphocytes", "Anti-CD70 Monoclonal Antibody MDX-1411", "Anti-CD71/vcMMAE Probody-drug Conjugate CX-2029", "Anti-CD73 Monoclonal Antibody BMS-986179", "Anti-CD73 Monoclonal Antibody CPI-006", "Anti-CD73 Monoclonal Antibody NZV930", "Anti-CD73 Monoclonal Antibody TJ4309", "Anti-CD74 Antibody-drug Conjugate STRO-001", "Anti-CD98 Monoclonal Antibody IGN523", "Anti-CDH6 Antibody-drug Conjugate HKT288", "Anti-CEA BiTE Monoclonal Antibody AMG211", "Anti-CEA/Anti-DTPA-In (F6-734) Bispecific Antibody", "Anti-CEA/Anti-HSG Bispecific Monoclonal Antibody TF2", "Anti-CEACAM1 Monoclonal Antibody CM-24", "Anti-CEACAM5 Antibody-Drug Conjugate SAR408701", "Anti-CEACAM6 AFAIKL2 Antibody Fragment/Jack Bean Urease Immunoconjugate L-DOS47", "Anti-CEACAM6 Antibody BAY1834942", "Anti-claudin18.2 Monoclonal Antibody AB011", "Anti-Claudin18.2 Monoclonal Antibody TST001", "Anti-CLDN6 Monoclonal Antibody ASP1650", "Anti-CLEC12A/CD3 Bispecific Antibody MCLA117", "Anti-CLEVER-1 Monoclonal Antibody FP-1305", "Anti-CSF1 Monoclonal Antibody PD-0360324", "Anti-CSF1R Monoclonal Antibody IMC-CS4", "Anti-CSF1R Monoclonal Antibody SNDX-6352", "Anti-CTGF Monoclonal Antibody FG-3019", "Anti-CTLA-4 Monoclonal Antibody ADG116", "Anti-CTLA-4 Monoclonal Antibody ADU-1604", "Anti-CTLA-4 Monoclonal Antibody AGEN1181", "Anti-CTLA-4 Monoclonal Antibody BCD-145", "Anti-CTLA-4 Monoclonal Antibody HBM4003", "Anti-CTLA-4 Monoclonal Antibody MK-1308", "Anti-CTLA-4 Monoclonal Antibody ONC-392", "Anti-CTLA-4 Monoclonal Antibody REGN4659", "Anti-CTLA-4 Probody BMS-986288", "Anti-CTLA-4/Anti-PD-1 Monoclonal Antibody Combination BCD-217", "Anti-CTLA-4/LAG-3 Bispecific Antibody XmAb22841", "Anti-CTLA-4/OX40 Bispecific Antibody ATOR-1015", "Anti-CTLA4 Antibody Fc Fusion Protein KN044", "Anti-CTLA4 Monoclonal Antibody BMS-986218", "Anti-CXCR4 Monoclonal Antibody PF-06747143", "Anti-Denatured Collagen Monoclonal Antibody TRC093", "Anti-DKK-1 Monoclonal Antibody LY2812176", "Anti-DKK1 Monoclonal Antibody BHQ880", "Anti-DLL3/CD3 BiTE Antibody AMG 757", "Anti-DLL4 Monoclonal Antibody MEDI0639", "Anti-DLL4/VEGF Bispecific Monoclonal Antibody OMP-305B83", "Anti-DR5 Agonist Monoclonal Antibody TRA-8", "Anti-DR5 Agonistic Antibody DS-8273a", "Anti-DR5 Agonistic Monoclonal Antibody INBRX-109", "Anti-EGFR Monoclonal Antibody CPGJ 602", "Anti-EGFR Monoclonal Antibody EMD 55900", "Anti-EGFR Monoclonal Antibody GC1118", "Anti-EGFR Monoclonal Antibody GT-MAB 5.2-GEX", "Anti-EGFR Monoclonal Antibody HLX-07", "Anti-EGFR Monoclonal Antibody Mixture MM-151", "Anti-EGFR Monoclonal Antibody RO5083945", "Anti-EGFR Monoclonal Antibody SCT200", "Anti-EGFR Monoclonal Antibody SYN004", "Anti-EGFR TAP Antibody-drug Conjugate IMGN289", "Anti-EGFR/c-Met Bispecific Antibody EMB-01", "Anti-EGFR/c-Met Bispecific Antibody JNJ-61186372", "Anti-EGFR/CD16A Bispecific Antibody AFM24", "Anti-EGFR/DM1 Antibody-drug Conjugate AVID100", "Anti-EGFR/HER2/HER3 Monoclonal Antibody Mixture Sym013", "Anti-EGFR/PBD Antibody-drug Conjugate ABBV-321", "Anti-EGFRvIII Antibody Drug Conjugate AMG 595", "Anti-EGFRvIII Immunotoxin MR1-1", "Anti-EGFRvIII/CD3 BiTE Antibody AMG 596", "Anti-EGP-2 Immunotoxin MOC31-PE", "Anti-ENPP3 Antibody-Drug Conjugate AGS-16C3F", "Anti-ENPP3/MMAF Antibody-Drug Conjugate AGS-16M8F", "Anti-Ep-CAM Monoclonal Antibody ING-1", "Anti-EphA2 Antibody-directed Liposomal Docetaxel Prodrug MM-310", "Anti-EphA2 Monoclonal Antibody DS-8895a", "Anti-EphA2 Monoclonal Antibody-MMAF Immunoconjugate MEDI-547", "Anti-ErbB2/Anti-ErbB3 Bispecific Monoclonal Antibody MM-111", "Anti-ErbB3 Antibody ISU104", "Anti-ErbB3 Monoclonal Antibody AV-203", "Anti-ErbB3 Monoclonal Antibody CDX-3379", "Anti-ErbB3 Monoclonal Antibody REGN1400", "Anti-ErbB3/Anti-IGF-1R Bispecific Monoclonal Antibody MM-141", "Anti-ETBR/MMAE Antibody-Drug Conjugate DEDN6526A", "Anti-FAP/Interleukin-2 Fusion Protein RO6874281", "Anti-FCRH5/CD3 BiTE Antibody BFCR4350A", "Anti-FGFR2 Antibody BAY1179470", "Anti-FGFR3 Antibody-drug Conjugate LY3076226", "Anti-FGFR4 Monoclonal Antibody U3-1784", "Anti-FLT3 Antibody-drug Conjugate AGS62P1", "Anti-FLT3 Monoclonal Antibody 4G8-SDIEM", "Anti-FLT3 Monoclonal Antibody IMC-EB10", "Anti-FLT3/CD3 BiTE Antibody AMG 427", "Anti-Folate Receptor-alpha Antibody Drug Conjugate STRO-002", "Anti-FRA/Eribulin Antibody-drug Conjugate MORAb-202", "Anti-fucosyl-GM1 Monoclonal Antibody BMS-986012", "Anti-Ganglioside GM2 Monoclonal Antibody BIW-8962", "Anti-GARP Monoclonal Antibody ABBV-151", "Anti-GCC Antibody-Drug Conjugate MLN0264", "Anti-GCC Antibody-Drug Conjugate TAK-164", "Anti-GD2 hu3F8/Anti-CD3 huOKT3 Bispecific Antibody", "Anti-GD2 Monoclonal Antibody hu14.18K322A", "Anti-GD2 Monoclonal Antibody MORAb-028", "Anti-GD3 Antibody-drug Conjugate PF-06688992", "Anti-GITR Agonistic Monoclonal Antibody ASP1951", "Anti-GITR Agonistic Monoclonal Antibody BMS-986156", "Anti-GITR Agonistic Monoclonal Antibody INCAGN01876", "Anti-GITR Monoclonal Antibody GWN 323", "Anti-GITR Monoclonal Antibody MK-4166", "Anti-Globo H Monoclonal Antibody OBI-888", "Anti-Globo H/MMAE Antibody-drug Conjugate OBI 999", "Anti-Glypican 3/CD3 Bispecific Antibody ERY974", "Anti-GnRH Vaccine PEP223", "Anti-gpA33/CD3 Monoclonal Antibody MGD007", "Anti-GPR20/DXd Antibody-drug Conjugate DS-6157a", "Anti-gremlin-1 Monoclonal Antibody UCB6114", "Anti-GRP78 Monoclonal Antibody PAT-SM6", "Anti-HA Epitope Monoclonal Antibody MEDI8852", "Anti-HB-EGF Monoclonal Antibody KHK2866", "Anti-HBEGF Monoclonal Antibody U3-1565", "Anti-hepcidin Monoclonal Antibody LY2787106", "Anti-HER-2 Bispecific Antibody KN026", "Anti-HER2 ADC DS-8201a", "Anti-HER2 Antibody Conjugated Natural Killer Cells ACE1702", "Anti-HER2 Antibody-drug Conjugate A166", "Anti-HER2 Antibody-drug Conjugate ARX788", "Anti-HER2 Antibody-drug Conjugate BAT8001", "Anti-HER2 Antibody-drug Conjugate DP303c", "Anti-HER2 Antibody-drug Conjugate MEDI4276", "Anti-HER2 Antibody-drug Conjugate RC48", "Anti-HER2 Bi-specific Monoclonal Antibody ZW25", "Anti-HER2 Bispecific Antibody-drug Conjugate ZW49", "Anti-HER2 Immune Stimulator-antibody Conjugate NJH395", "Anti-HER2 Monoclonal Antibody B002", "Anti-HER2 Monoclonal Antibody CT-P6", "Anti-HER2 Monoclonal Antibody HLX22", "Anti-HER2 Monoclonal Antibody/Anti-CD137Anticalin Bispecific Fusion Protein PRS-343", "Anti-HER2-DM1 ADC B003", "Anti-HER2-DM1 Antibody-drug Conjugate GQ1001", "Anti-HER2-vc0101 ADC PF-06804103", "Anti-HER2/Anti-CD3 Bispecific Monoclonal Antibody BTRC 4017A", "Anti-HER2/Anti-CD3 Bispecific Monoclonal Antibody GBR 1302", "Anti-HER2/Anti-HER3 Bispecific Monoclonal Antibody MCLA-128", "Anti-HER2/Auristatin Payload Antibody-drug Conjugate XMT-1522", "Anti-HER2/MMAE Antibody-drug Conjugate MRG002", "Anti-HER2/PBD-MA Antibody-drug Conjugate DHES0815A", "Anti-HER3 Antibody-drug Conjugate U3 1402", "Anti-HER3 Monoclonal Antibody GSK2849330", "Anti-HGF Monoclonal Antibody TAK-701", "Anti-HIF-1alpha LNA Antisense Oligonucleotide EZN-2968", "Anti-HIV-1 Lentiviral Vector-expressing sh5/C46 Cal-1", "Anti-HLA-DR Monoclonal Antibody IMMU-114", "Anti-HLA-G Antibody TTX-080", "Anti-human GITR Monoclonal Antibody AMG 228", "Anti-human GITR Monoclonal Antibody TRX518", "Anti-ICAM-1 Monoclonal Antibody BI-505", "Anti-ICOS Agonist Antibody GSK3359609", "Anti-ICOS Agonist Monoclonal Antibody BMS-986226", "Anti-ICOS Monoclonal Antibody KY1044", "Anti-ICOS Monoclonal Antibody MEDI-570", "Anti-IGF-1R Monoclonal Antibody AVE1642", "Anti-IGF-1R Recombinant Monoclonal Antibody BIIB022", "Anti-IL-1 alpha Monoclonal Antibody MABp1", "Anti-IL-13 Humanized Monoclonal Antibody TNX-650", "Anti-IL-15 Monoclonal Antibody AMG 714", "Anti-IL-8 Monoclonal Antibody BMS-986253", "Anti-IL-8 Monoclonal Antibody HuMax-IL8", "Anti-ILDR2 Monoclonal Antibody BAY 1905254", "Anti-ILT4 Monoclonal Antibody MK-4830", "Anti-integrin Beta-6/MMAE Antibody-drug Conjugate SGN-B6A", "Anti-Integrin Monoclonal Antibody-DM4 Immunoconjugate IMGN388", "Anti-IRF4 Antisense Oligonucleotide ION251", "Anti-KIR Monoclonal Antibody IPH 2101", "Anti-KSP/Anti-VEGF siRNAs ALN-VSP02", "Anti-LAG-3 Monoclonal Antibody IBI-110", "Anti-LAG-3 Monoclonal Antibody INCAGN02385", "Anti-LAG-3 Monoclonal Antibody LAG525", "Anti-LAG-3 Monoclonal Antibody REGN3767", "Anti-LAG-3/PD-L1 Bispecific Antibody FS118", "Anti-LAG3 Monoclonal Antibody BI 754111", "Anti-LAG3 Monoclonal Antibody MK-4280", "Anti-LAG3 Monoclonal Antibody TSR-033", "Anti-LAMP1 Antibody-drug Conjugate SAR428926", "Anti-latent TGF-beta 1 Monoclonal Antibody SRK-181", "Anti-Lewis B/Lewis Y Monoclonal Antibody GNX102", "Anti-LGR5 Monoclonal Antibody BNC101", "Anti-LIF Monoclonal Antibody MSC-1", "Anti-LILRB4 Monoclonal Antibody IO-202", "Anti-LIV-1 Monoclonal Antibody-MMAE Conjugate SGN-LIV1A", "Anti-Ly6E Antibody-Drug Conjugate RG 7841", "Anti-MAGE-A4 T-cell Receptor/Anti-CD3 scFv Fusion Protein IMC-C103C", "Anti-Melanin Monoclonal Antibody PTI-6D2", "Anti-mesothelin Antibody-drug Conjugate BMS-986148", "Anti-mesothelin-Pseudomonas Exotoxin 24 Cytolytic Fusion Protein LMB-100", "Anti-mesothelin/MMAE Antibody-Drug Conjugate DMOT4039A", "Anti-mesothelin/MMAE Antibody-drug Conjugate RC88", "Anti-Met Monoclonal Antibody Mixture Sym015", "Anti-Met/EGFR Monoclonal Antibody LY3164530", "Anti-MMP-9 Monoclonal Antibody GS-5745", "Anti-MUC1 Monoclonal Antibody BTH1704", "Anti-MUC16/CD3 Bispecific Antibody REGN4018", "Anti-MUC16/CD3 BiTE Antibody REGN4018", "Anti-MUC16/MMAE Antibody-Drug Conjugate DMUC4064A", "Anti-MUC17/CD3 BiTE Antibody AMG 199", "Anti-Myeloma Monoclonal Antibody-DM4 Immunoconjugate BT-062", "Anti-myostatin Monoclonal Antibody LY2495655", "Anti-NaPi2b Antibody-drug Conjugate XMT-1592", "Anti-NaPi2b Monoclonal Antibody XMT-1535", "Anti-nectin-4 Monoclonal Antibody-Drug Conjugate AGS-22M6E", "Anti-Neuropilin-1 Monoclonal Antibody MNRP1685A", "Anti-nf-P2X7 Antibody Ointment BIL-010t", "Anti-NRP1 Antibody ASP1948", "Anti-Nucleolin Aptamer AS1411", "Anti-NY-ESO-1 Immunotherapeutic GSK-2241658A", "Anti-NY-ESO1/LAGE-1A TCR/scFv Anti-CD3 IMCnyeso", "Anti-OFA Immunotherapeutic BB-MPI-03", "Anti-OX40 Agonist Monoclonal Antibody ABBV-368", "Anti-OX40 Agonist Monoclonal Antibody BGB-A445", "Anti-OX40 Agonist Monoclonal Antibody PF-04518600", "Anti-OX40 Antibody BMS 986178", "Anti-OX40 Hexavalent Agonist Antibody INBRX-106", "Anti-OX40 Monoclonal Antibody GSK3174998", "Anti-OX40 Monoclonal Antibody IBI101", "Anti-PD-1 Antibody-interleukin-21 Mutein Fusion Protein AMG 256", "Anti-PD-1 Checkpoint Inhibitor PF-06801591", "Anti-PD-1 Fusion Protein AMP-224", "Anti-PD-1 Monoclonal Antibody 609A", "Anti-PD-1 Monoclonal Antibody AK105", "Anti-PD-1 Monoclonal Antibody AMG 404", "Anti-PD-1 Monoclonal Antibody BAT1306", "Anti-PD-1 Monoclonal Antibody BCD-100", "Anti-PD-1 Monoclonal Antibody BI 754091", "Anti-PD-1 Monoclonal Antibody CS1003", "Anti-PD-1 Monoclonal Antibody F520", "Anti-PD-1 Monoclonal Antibody GLS-010", "Anti-PD-1 Monoclonal Antibody HLX10", "Anti-PD-1 Monoclonal Antibody HX008", "Anti-PD-1 Monoclonal Antibody JTX-4014", "Anti-PD-1 Monoclonal Antibody LZM009", "Anti-PD-1 Monoclonal Antibody MEDI0680", "Anti-PD-1 Monoclonal Antibody MGA012", "Anti-PD-1 Monoclonal Antibody SCT-I10A", "Anti-PD-1 Monoclonal Antibody Sym021", "Anti-PD-1 Monoclonal Antibody TSR-042", "Anti-PD-1/Anti-CTLA4 DART Protein MGD019", "Anti-PD-1/Anti-HER2 Bispecific Antibody IBI315", "Anti-PD-1/Anti-LAG-3 Bispecific Antibody RO7247669", "Anti-PD-1/Anti-LAG-3 DART Protein MGD013", "Anti-PD-1/Anti-PD-L1 Bispecific Antibody IBI318", "Anti-PD-1/Anti-PD-L1 Bispecific Antibody LY3434172", "Anti-PD-1/CD47 Infusion Protein HX009", "Anti-PD-1/CTLA-4 Bispecific Antibody AK104", "Anti-PD-1/CTLA-4 Bispecific Antibody MEDI5752", "Anti-PD-1/TIM-3 Bispecific Antibody RO7121661", "Anti-PD-1/VEGF Bispecific Antibody AK112", "Anti-PD-L1 Monoclonal Antibody A167", "Anti-PD-L1 Monoclonal Antibody BCD-135", "Anti-PD-L1 Monoclonal Antibody BGB-A333", "Anti-PD-L1 Monoclonal Antibody CBT-502", "Anti-PD-L1 Monoclonal Antibody CK-301", "Anti-PD-L1 Monoclonal Antibody CS1001", "Anti-PD-L1 Monoclonal Antibody FAZ053", "Anti-PD-L1 Monoclonal Antibody GR1405", "Anti-PD-L1 Monoclonal Antibody HLX20", "Anti-PD-L1 Monoclonal Antibody IMC-001", "Anti-PD-L1 Monoclonal Antibody LY3300054", "Anti-PD-L1 Monoclonal Antibody MDX-1105", "Anti-PD-L1 Monoclonal Antibody MSB2311", "Anti-PD-L1 Monoclonal Antibody RC98", "Anti-PD-L1 Monoclonal Antibody SHR-1316", "Anti-PD-L1 Monoclonal Antibody TG-1501", "Anti-PD-L1 Monoclonal Antibody ZKAB001", "Anti-PD-L1/4-1BB Bispecific Antibody INBRX-105", "Anti-PD-L1/Anti-4-1BB Bispecific Monoclonal Antibody GEN1046", "Anti-PD-L1/CD137 Bispecific Antibody MCLA-145", "Anti-PD-L1/IL-15 Fusion Protein KD033", "Anti-PD-L1/TIM-3 Bispecific Antibody LY3415244", "Anti-PD1 Monoclonal Antibody AGEN2034", "Anti-PD1/CTLA4 Bispecific Antibody XmAb20717", "Anti-PGF Monoclonal Antibody RO5323441", "Anti-PKN3 siRNA Atu027", "Anti-PLGF Monoclonal Antibody TB-403", "Anti-PR1/HLA-A2 Monoclonal Antibody Hu8F4", "Anti-PRAME Immunotherapeutic GSK2302032A", "Anti-PRAME T-cell Receptor/Anti-CD3 scFv Fusion Protein IMC-F106C", "Anti-PRL-3 Monoclonal Antibody PRL3-zumab", "Anti-prolactin Receptor Antibody LFA102", "Anti-PSCA Monoclonal Antibody AGS-1C4D4", "Anti-PSMA Monoclonal Antibody MDX1201-A488", "Anti-PSMA Monoclonal Antibody MLN591-DM1 Immunoconjugate MLN2704", "Anti-PSMA Monoclonal Antibody-MMAE Conjugate", "Anti-PSMA/CD28 Bispecific Antibody REGN5678", "Anti-PSMA/CD3 Bispecific Antibody CCW702", "Anti-PSMA/CD3 Bispecific Antibody JNJ-63898081", "Anti-PSMA/CD3 Monoclonal Antibody MOR209/ES414", "Anti-PSMA/PBD ADC MEDI3726", "Anti-PTK7/Auristatin-0101 Antibody-drug Conjugate PF-06647020", "Anti-PVRIG Monoclonal Antibody COM701", "Anti-RANKL Monoclonal Antibody GB-223", "Anti-RANKL Monoclonal Antibody JMT103", "Anti-Ribonucleoprotein Antibody ATRC-101", "Anti-ROR1 ADC VLS-101", "Anti-ROR1/PNU-159682 Derivative Antibody-drug Conjugate NBE-002", "Anti-S15 Monoclonal Antibody NC318", "Anti-sCLU Monoclonal Antibody AB-16B5", "Anti-SIRPa Monoclonal Antibody CC-95251", "Anti-SLITRK6 Monoclonal Antibody-MMAE Conjugate AGS15E", "Anti-TAG-72 Monoclonal Antibody scFV CC-49/218", "Anti-TF Monoclonal Antibody ALT-836", "Anti-TGF-beta Monoclonal Antibody NIS793", "Anti-TGF-beta Monoclonal Antibody SAR-439459", "Anti-TGF-beta RII Monoclonal Antibody IMC-TR1", "Anti-TIGIT Monoclonal Antibody AB154", "Anti-TIGIT Monoclonal Antibody BGB-A1217", "Anti-TIGIT Monoclonal Antibody BMS-986207", "Anti-TIGIT Monoclonal Antibody COM902", "Anti-TIGIT Monoclonal Antibody OMP-313M32", "Anti-TIGIT Monoclonal Antibody SGN-TGT", "Anti-TIM-3 Antibody BMS-986258", "Anti-TIM-3 Monoclonal Antibody BGB-A425", "Anti-TIM-3 Monoclonal Antibody INCAGN02390", "Anti-TIM-3 Monoclonal Antibody MBG453", "Anti-TIM-3 Monoclonal Antibody Sym023", "Anti-TIM-3 Monoclonal Antibody TSR-022", "Anti-TIM3 Monoclonal Antibody LY3321367", "Anti-TIM3 Monoclonal Antibody SHR-1702", "Anti-Tissue Factor Monoclonal Antibody MORAb-066", "Anti-TRAILR2/CDH17 Tetravalent Bispecific Antibody BI 905711", "Anti-TROP2 Antibody-drug Conjugate BAT8003", "Anti-TROP2 Antibody-drug Conjugate SKB264", "Anti-TROP2/DXd Antibody-drug Conjugate DS-1062a", "Anti-TWEAK Monoclonal Antibody RG7212", "Anti-VEGF Anticalin PRS-050-PEG40", "Anti-VEGF Monoclonal Antibody hPV19", "Anti-VEGF/ANG2 Nanobody BI 836880", "Anti-VEGF/TGF-beta 1 Fusion Protein HB-002T", "Anti-VEGFC Monoclonal Antibody VGX-100", "Anti-VEGFR2 Monoclonal Antibody HLX06", "Anti-VEGFR2 Monoclonal Antibody MSB0254", "Anti-VEGFR3 Monoclonal Antibody IMC-3C5", "Anti-VISTA Monoclonal Antibody JNJ 61610588", "Antiangiogenic Drug Combination TL-118", "Antibody-drug Conjugate ABBV-011", "Antibody-drug Conjugate ABBV-085", "Antibody-drug Conjugate ABBV-155", "Antibody-drug Conjugate ABBV-176", "Antibody-drug Conjugate ABBV-838", "Antibody-drug Conjugate ADC XMT-1536", "Antibody-drug Conjugate Anti-TIM-1-vcMMAE CDX-014", "Antibody-Drug Conjugate DFRF4539A", "Antibody-drug Conjugate MEDI7247", "Antibody-drug Conjugate PF-06647263", "Antibody-drug Conjugate PF-06664178", "Antibody-drug Conjugate SC-002", "Antibody-drug Conjugate SC-003", "Antibody-drug Conjugate SC-004", "Antibody-drug Conjugate SC-005", "Antibody-drug Conjugate SC-006", "Antibody-drug Conjugate SC-007", "Antibody-like CD95 Receptor/Fc-fusion Protein CAN-008", "Antigen-presenting Cells-expressing HPV16 E6/E7 SQZ-PBMC-HPV", "Antimetabolite FF-10502", "Antineoplastic Agent Combination SM-88", "Antineoplastic Vaccine", "Antineoplastic Vaccine GV-1301", "Antineoplaston A10", "Antineoplaston AS2-1", "Antisense Oligonucleotide GTI-2040", "Antisense Oligonucleotide QR-313", "Antitumor B Key Active Component-alpha", "Antrodia cinnamomea Supplement", "Antroquinonol Capsule", "Apalutamide", "Apatorsen", "Apaziquone", "APC8015F", "APE1/Ref-1 Redox Inhibitor APX3330", "Aphidicoline Glycinate", "Apilimod Dimesylate Capsule", "Apitolisib", "Apolizumab", "Apomab", "Apomine", "Apoptosis Inducer BZL101", "Apoptosis Inducer GCS-100", "Apoptosis Inducer MPC-2130", "Apricoxib", "Aprinocarsen", "Aprutumab", "Aprutumab Ixadotin", "AR Antagonist BMS-641988", "Arabinoxylan Compound MGN3", "Aranose", "ARC Fusion Protein SL-279252", "Archexin", "Arcitumomab", "Arfolitixorin", "Arginase Inhibitor INCB001158", "Arginine Butyrate", "Arnebia Indigo Jade Pearl Topical Cream", "Arsenic Trioxide", "Arsenic Trioxide Capsule Formulation ORH 2014", "Artemether Sublingual Spray", "Artemisinin Dimer", "Artesunate", "Arugula Seed Powder", "Aryl Hydrocarbon Receptor Antagonist BAY2416964", "Aryl Hydrocarbon Receptor Inhibitor IK-175", "Asaley", "Asciminib", "Ascrinvacumab", "Ashwagandha Root Powder Extract", "ASP4132", "Aspacytarabine", "Asparaginase", "Asparaginase Erwinia chrysanthemi", "Astatine At 211 Anti-CD38 Monoclonal Antibody OKT10-B10", "Astatine At 211 Anti-CD45 Monoclonal Antibody BC8-B10", "Astuprotimut-R", "Asulacrine", "Asulacrine Isethionate", "Asunercept", "At 211 Monoclonal Antibody 81C6", "Atamestane", "Atezolizumab", "Atiprimod", "Atiprimod Dihydrochloride", "Atiprimod Dimaleate", "ATM Inhibitor M 3541", "ATM Kinase Inhibitor AZD0156", "ATM Kinase Inhibitor AZD1390", "Atorvastatin Calcium", "Atorvastatin Sodium", "ATR Inhibitor RP-3500", "ATR Kinase Inhibitor BAY1895344", "ATR Kinase Inhibitor M1774", "ATR Kinase Inhibitor M6620", "ATR Kinase Inhibitor VX-803", "Atrasentan Hydrochloride", "Attenuated Listeria monocytogenes CRS-100", "Attenuated Live Listeria Encoding HPV 16 E7 Vaccine ADXS11-001", "Attenuated Measles Virus Encoding SCD Transgene TMV-018", "Atuveciclib", "Audencel", "Auranofin", "Aurora A Kinase Inhibitor LY3295668", "Aurora A Kinase Inhibitor LY3295668 Erbumine", "Aurora A Kinase Inhibitor MK5108", "Aurora A Kinase Inhibitor TAS-119", "Aurora A Kinase/Tyrosine Kinase Inhibitor ENMD-2076", "Aurora B Serine/Threonine Kinase Inhibitor TAK-901", "Aurora B/C Kinase Inhibitor GSK1070916A", "Aurora kinase A/B inhibitor TT-00420", "Aurora Kinase Inhibitor AMG 900", "Aurora Kinase Inhibitor BI 811283", "Aurora Kinase Inhibitor MLN8054", "Aurora Kinase Inhibitor PF-03814735", "Aurora Kinase Inhibitor SNS-314", "Aurora Kinase Inhibitor TTP607", "Aurora Kinase/VEGFR2 Inhibitor CYC116", "Autologous ACTR-CD16-CD28-expressing T-lymphocytes ACTR707", "Autologous AFP Specific T Cell Receptor Transduced T Cells C-TCR055", "Autologous Anti-BCMA CAR T-cells PHE885", "Autologous Anti-BCMA CAR-transduced T-cells KITE-585", "Autologous Anti-BCMA CD8+ CAR T-cells Descartes-11", "Autologous Anti-BCMA-CAR Expressing Stem Memory T-cells P-BCMA-101", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing CD4+/CD8+ T-lymphocytes JCARH125", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing Memory T-lymphocytes bb21217", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing T-cells C-CAR088", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing T-cells CT053", "Autologous Anti-BCMA-CAR-expressing CD4+/CD8+ T-lymphocytes FCARH143", "Autologous Anti-CD123 CAR-T Cells", "Autologous Anti-CD19 CAR T-cells 19(T2)28z1xx", "Autologous Anti-CD19 CAR T-cells IM19", "Autologous Anti-CD19 CAR TCR-zeta/4-1BB-transduced T-lymphocytes huCART19", "Autologous Anti-CD19 CAR-4-1BB-CD3zeta-expressing T-cells CNCT19", "Autologous Anti-CD19 CAR-CD28 T-cells ET019002", "Autologous Anti-CD19 CAR-CD3zeta-4-1BB-expressing T-cells PZ01", "Autologous Anti-CD19 CAR-expressing T-lymphocytes CLIC-1901", "Autologous Anti-CD19 Chimeric Antigen Receptor T-cells AUTO1", "Autologous Anti-CD19 Chimeric Antigen Receptor T-cells SJCAR19", "Autologous Anti-CD19 T-cell Receptor T cells ET190L1", "Autologous Anti-CD19 TAC-T cells TAC01-CD19", "Autologous Anti-CD19/CD20 Bispecific Nanobody-based CAR-T cells", "Autologous Anti-CD19/CD22 CAR T-cells AUTO3", "Autologous Anti-CD19CAR-4-1BB-CD3zeta-EGFRt-expressing CD4+/CD8+ Central Memory T-lymphocytes JCAR014", "Autologous Anti-CD19CAR-HER2t/CD22CAR-EGFRt-expressing T-cells", "Autologous Anti-CD20 CAR Transduced CD4/CD8 Enriched T-cells MB-CART20.1", "Autologous Anti-CD22 CAR-4-1BB-TCRz-transduced T-lymphocytes CART22-65s", "Autologous Anti-EGFR CAR-transduced CXCR 5-modified T-lymphocytes", "Autologous Anti-FLT3 CAR T Cells AMG 553", "Autologous Anti-HLA-A*02/AFP TCRm-expressing T-cells ET140202", "Autologous Anti-HLA-A*0201/AFP CAR T-cells ET1402L1", "Autologous Anti-ICAM-1-CAR-CD28-4-1BB-CD3zeta-expressing T-cells AIC100", "Autologous Anti-kappa Light Chain CAR-CD28-expressing T-lymphocytes", "Autologous Anti-NY-ESO-1/LAGE-1 TCR-transduced c259 T Lymphocytes GSK3377794", "Autologous Anti-PD-1 Antibody-activated Tumor-infiltrating Lymphocytes", "Autologous Anti-PSMA CAR-T Cells P-PSMA-101", "Autologous AXL-targeted CAR T-cells CCT301-38", "Autologous B-cell/Monocyte-presenting HER2/neu Antigen Vaccine BVAC-B", "Autologous BCMA-targeted CAR T Cells CC-98633", "Autologous BCMA-targeted CAR T Cells LCAR-B4822M", "Autologous Bi-epitope BCMA-targeted CAR T-cells JNJ-68284528", "Autologous Bispecific BCMA/CD19-targeted CAR-T Cells GC012F", "Autologous Bispecific CD19/CD22-targeted CAR-T Cells GC022", "Autologous Bone Marrow-derived CD34/CXCR4-positive Stem Cells AMR-001", "Autologous CAR-mbIL15-Safety Switch T-cells PRGN-3005", "Autologous CAR-mbIL15-Safety Switch T-cells PRGN-3006", "Autologous CD123-4SCAR-expressing T-cells 4SCAR123", "Autologous CD19 CAR-expressing CD4+/CD8+ T-cells MB-CART19.1", "Autologous CD19-targeted CAR T Cells CC-97540", "Autologous CD19-targeted CAR T Cells JWCAR029", "Autologous CD19-targeted CAR-T Cells GC007F", "Autologous CD19/PD-1 Bispecific CAR-T Cells", "Autologous CD20-4SCAR-expressing T-cells 4SCAR20", "Autologous CD22-4SCAR-expressing T-cells 4SCAR22", "Autologous CD38-4SCAR-expressing T-cells 4SCAR38", "Autologous Clonal Neoantigen T Cells ATL001", "Autologous CRISPR-edited Anti-CD19 CAR T Cells XYF19", "Autologous Deep IL-15 Primed T-cells TRQ15-01", "Autologous Dendritic Cell Vaccine ACT2001", "Autologous Dendritic Cell-based Immunotherapeutic AV0113", "Autologous FRa-4SCAR-expressing T-cells 4SCAR-FRa", "Autologous Genetically-modified MAGE-A4 C1032 CD8alpha T Cells", "Autologous Genetically-modified MAGE-A4 C1032 T Cells", "Autologous Heat-Shock Protein 70 Peptide Vaccine AG-858", "Autologous HPV16 E7-specific HLA-A*02:01-restricted TCR Gene Engineered Lymphocytes KITE-439", "Autologous LMP1/LMP2/EBNA1-specific HLA-A02:01/24:02/11:01-restricted TCR-expressing T-lymphocytes YT-E001", "Autologous MAGE-A3/A6-specific TCR Gene-engineered Lymphocytes KITE-718", "Autologous MCPyV-specific HLA-A02-restricted TCR-transduced CD4+ and CD8+ T-cells FH-MCVA2TCR", "Autologous Mesenchymal Stem Cells Apceth_101", "Autologous Mesothelin-specific Human mRNA CAR-transfected PBMCs MCY-M11", "Autologous Monocyte-derived Lysate-pulsed Dendritic Cell Vaccine PV-001-DC", "Autologous Multi-lineage Potential Cells", "Autologous Nectin-4/FAP-targeted CAR-T Cells", "Autologous NKG2D CAR T-cells CYAD-02", "Autologous NKG2D CAR-CD3zeta-DAP10-expressing T-Lymphocytes CYAD-01", "Autologous Pancreatic Adenocarcinoma Lysate and mRNA-loaded Dendritic Cell Vaccine", "Autologous Peripheral Blood Lymphocytes from Ibrutinib-treated Chronic Lymphocytic Leukemia Patients IOV-2001", "Autologous Prostate Cancer Antigen-expressing Dendritic Cell Vaccine BPX-101", "Autologous Prostate Stem Cell Antigen-specific CAR T Cells BPX-601", "Autologous Rapamycin-resistant Th1/Tc1 Cells RAPA-201", "Autologous ROR2-targeted CAR T-cells CCT301-59", "Autologous TAAs-loaded Autologous Dendritic Cells AV-GBM-1", "Autologous TCR-engineered T-cells IMA201", "Autologous TCR-engineered T-cells IMA202", "Autologous TCR-engineered T-cells IMA203", "Autologous TCRm-expressing T-cells ET140203", "Autologous Tetravalent Dendritic Cell Vaccine MIDRIX4-LUNG", "Autologous Tumor Infiltrating Lymphocytes LN-144", "Autologous Tumor Infiltrating Lymphocytes LN-145", "Autologous Tumor Infiltrating Lymphocytes LN-145-S1", "Autologous Tumor Infiltrating Lymphocytes MDA-TIL", "Autologous Universal CAR-expressing T-lymphocytes UniCAR02-T", "Avadomide", "Avadomide Hydrochloride", "Avapritinib", "Avdoralimab", "Avelumab", "Aviscumine", "Avitinib Maleate", "Axalimogene Filolisbac", "Axatilimab", "Axicabtagene Ciloleucel", "Axitinib", "AXL Inhibitor DS-1205c", "AXL Inhibitor SLC-391", "AXL Receptor Tyrosine Kinase/cMET Inhibitor BPI-9016M", "AXL/ FLT3/VEGFR2 Inhibitor KC1036", "Axl/Mer Inhibitor INCB081776", "Axl/Mer Inhibitor PF-07265807", "Azacitidine", "Azapicyl", "Azaribine", "Azaserine", "Azathioprine", "Azimexon", "Azintuxizumab Vedotin", "Aziridinylbenzoquinone RH1", "Azotomycin", "Azurin:50-77 Cell Penetrating Peptide p28", "B-Raf/VEGFR-2 Inhibitor RAF265", "Babaodan Capsule", "Bacillus Calmette-Guerin Substrain Connaught Live Antigen", "Bactobolin", "Bafetinib", "Balixafortide", "Balstilimab", "Baltaleucel-T", "Banoxantrone", "Barasertib", "Bardoxolone", "Bardoxolone Methyl", "Baricitinib", "Batabulin", "Batabulin Sodium", "Batimastat", "Bavituximab", "Bazedoxifene", "Bazlitoran", "BC-819 Plasmid/Polyethylenimine Complex", "BCG Solution", "BCG Tokyo-172 Strain Solution", "BCG Vaccine", "Bcl-2 Inhibitor APG 2575", "Bcl-2 Inhibitor BCL201", "Bcl-2 Inhibitor BGB-11417", "Bcl-2 Inhibitor LP-108", "Bcl-2 Inhibitor S65487", "Bcl-Xs Adenovirus Vaccine", "BCMA x CD3 T-cell Engaging Antibody CC-93269", "BCMA-CD19 Compound CAR T Cells", "BCMA/CD3e Tri-specific T-cell Activating Construct HPN217", "Bcr-Abl Kinase Inhibitor K0706", "Bcr-Abl Kinase Inhibitor PF-114", "BCR-ABL/KIT/AKT/ERK Inhibitor HQP1351", "Beauvericin", "Becatecarin", "Belagenpumatucel-L", "Belantamab Mafodotin", "Belapectin", "Belimumab", "Belinostat", "Belotecan Hydrochloride", "Belvarafenib", "Belzutifan", "Bemarituzumab", "Bemcentinib", "Bempegaldesleukin", "Benaxibine", "Bendamustine", "Bendamustine Hydrochloride", "Bendamustine-containing Nanoparticle-based Formulation RXDX-107", "Benzaldehyde Dimethane Sulfonate", "Benzoylphenylurea", "Berberine Chloride", "Bermekimab", "Bersanlimab", "Berubicin Hydrochloride", "Berzosertib", "BET Bromodomain Inhibitor ZEN-3694", "BET Inhibitor ABBV-744", "BET Inhibitor BAY1238097", "BET inhibitor BI 894999", "BET Inhibitor BMS-986158", "BET Inhibitor CC-90010", "BET Inhibitor CPI-0610", "BET Inhibitor FT-1101", "BET Inhibitor GS-5829", "BET Inhibitor GSK2820151", "BET Inhibitor INCB054329", "BET Inhibitor INCB057643", "BET Inhibitor RO6870810", "BET-bromodomain Inhibitor ODM-207", "Beta Alethine", "Beta-Carotene", "Beta-elemene", "Beta-Glucan", "Beta-Glucan MM-10-001", "Beta-lapachone Prodrug ARQ 761", "Beta-Thioguanine Deoxyriboside", "Betaglucin Gel", "Betulinic Acid", "Bevacizumab", "Bexarotene", "Bexmarilimab", "BF-200 Gel Formulation", "BH3 Mimetic ABT-737", "Bi-functional Alkylating Agent VAL-083", "Bicalutamide", "Bimiralisib", "Binetrakin", "Binimetinib", "Bintrafusp Alfa", "Birabresib", "Birinapant", "Bis(choline)tetrathiomolybdate", "Bisantrene", "Bisantrene Hydrochloride", "Bisnafide", "Bisnafide Dimesylate", "Bispecific Antibody 2B1", "Bispecific Antibody AGEN1223", "Bispecific Antibody AMG 509", "Bispecific Antibody GS-1423", "Bispecific Antibody MDX-H210", "Bispecific Antibody MDX447", "Bisthianostat", "BiTE Antibody AMG 910", "Bivalent BRD4 Inhibitor AZD5153", "Bizalimogene Ralaplasmid", "Bizelesin", "BL22 Immunotoxin", "Black Cohosh", "Black Raspberry Nectar", "Bleomycin", "Bleomycin A2", "Bleomycin B2", "Bleomycin Sulfate", "Blinatumomab", "Blueberry Powder Supplement", "BMI1 Inhibitor PTC596", "BMS-184476", "BMS-188797", "BMS-214662", "BMS-275183", "Boanmycin Hydrochloride", "Bomedemstat", "Boronophenylalanine-Fructose Complex", "Bortezomib", "Bosutinib", "Bosutinib Monohydrate", "Botanical Agent BEL-X-HG", "Botanical Agent LEAC-102", "Bovine Cartilage", "Bozitinib", "BP-Cx1-Platinum Complex BP-C1", "BR96-Doxorubicin Immunoconjugate", "Brachyury-expressing Yeast Vaccine GI-6301", "BRAF Inhibitor", "BRAF Inhibitor ARQ 736", "BRAF Inhibitor BGB-3245", "BRAF Inhibitor PLX8394", "BRAF(V600E) Kinase Inhibitor ABM-1310", "BRAF(V600E) Kinase Inhibitor RO5212054", "BRAF/EGFR Inhibitor BGB-283", "BRAFV600/PI3K Inhibitor ASN003", "BRD4 Inhibitor PLX2853", "BRD4 Inhibitor PLX51107", "Breflate", "Brentuximab", "Brentuximab Vedotin", "Brequinar", "Brequinar Sodium", "Briciclib Sodium", "Brigatinib", "Brilanestrant", "Brimonidine Tartrate Nanoemulsion OCU-300", "Brivanib", "Brivanib Alaninate", "Brivudine", "Brivudine Phosphoramidate", "Broad-Spectrum Human Papillomavirus Vaccine V505", "Broccoli Sprout/Broccoli Seed Extract Supplement", "Bromacrylide", "Bromebric Acid", "Bromocriptine Mesylate", "Brontictuzumab", "Brostacillin Hydrochloride", "Brostallicin", "Broxuridine", "Bruceanol A", "Bruceanol B", "Bruceanol C", "Bruceanol D", "Bruceanol E", "Bruceanol F", "Bruceanol G", "Bruceanol H", "Bruceantin", "Bryostatin 1", "BTK Inhibitor ARQ 531", "BTK Inhibitor CT-1530", "BTK Inhibitor DTRMWXHS-12", "BTK Inhibitor HZ-A-018", "BTK Inhibitor ICP-022", "BTK Inhibitor LOXO-305", "BTK Inhibitor M7583", "BTK inhibitor TG-1701", "Budigalimab", "Budotitane", "Bufalin", "Buparlisib", "Burixafor", "Burixafor Hydrobromide", "Burosumab", "Buserelin", "Bushen Culuan Decoction", "Bushen-Jianpi Decoction", "Busulfan", "Buthionine Sulfoximine", "BXQ-350 Nanovesicle Formulation", "c-Kit Inhibitor PLX9486", "c-Met Inhibitor ABN401", "c-Met Inhibitor AL2846", "c-Met Inhibitor AMG 208", "c-Met Inhibitor AMG 337", "c-Met Inhibitor GST-HG161", "c-Met Inhibitor HS-10241", "c-Met Inhibitor JNJ-38877605", "c-Met Inhibitor MK2461", "c-Met Inhibitor MK8033", "c-Met Inhibitor MSC2156119J", "C-myb Antisense Oligonucleotide G4460", "c-raf Antisense Oligonucleotide ISIS 5132", "C-VISA BikDD:Liposome", "C/EBP Beta Antagonist ST101", "CAB-ROR2-ADC BA3021", "Cabazitaxel", "Cabiralizumab", "Cabozantinib", "Cabozantinib S-malate", "Cactinomycin", "Caffeic Acid Phenethyl Ester", "CAIX Inhibitor DTP348", "CAIX Inhibitor SLC-0111", "Calaspargase Pegol-mknl", "Calcitriol", "Calcium Release-activated Channel Inhibitor CM4620", "Calcium Release-activated Channels Inhibitor RP4010", "Calcium Saccharate", "Calculus bovis/Moschus/Olibanum/Myrrha Capsule", "Calicheamicin Gamma 1I", "Camidanlumab Tesirine", "Camptothecin", "Camptothecin Analogue TLC388", "Camptothecin Glycoconjugate BAY 38-3441", "Camptothecin Sodium", "Camptothecin-20(S)-O-Propionate Hydrate", "Camrelizumab", "Camsirubicin", "Cancell", "Cancer Peptide Vaccine S-588410", "Canerpaturev", "Canertinib Dihydrochloride", "Canfosfamide", "Canfosfamide Hydrochloride", "Cannabidiol", "Cantrixil", "Cantuzumab Ravtansine", "Capecitabine", "Capecitabine Rapidly Disintegrating Tablet", "Capivasertib", "Capmatinib", "Captopril", "CAR T-Cells AMG 119", "Caracemide", "Carbendazim", "Carbetimer", "Carbogen", "Carbon C 14-pamiparib", "Carboplatin", "Carboquone", "Carboxyamidotriazole", "Carboxyamidotriazole Orotate", "Carboxyphenyl Retinamide", "Carfilzomib", "Caricotamide/Tretazicar", "Carlumab", "Carmofur", "Carmustine", "Carmustine Implant", "Carmustine in Ethanol", "Carmustine Sustained-Release Implant Wafer", "Carotuximab", "Carubicin", "Carubicin Hydrochloride", "Carzelesin", "Carzinophilin", "Cathelicidin LL-37", "Cationic Liposome-Encapsulated Paclitaxel", "Cationic Peptide Cream Cypep-1", "Catumaxomab", "CBP/beta-catenin Antagonist PRI-724", "CBP/beta-catenin Modulator E7386", "CCR2 Antagonist CCX872-B", "CCR2 Antagonist PF-04136309", "CCR2/CCR5 Antagonist BMS-813160", "CCR4 Inhibitor FLX475", "CD11b Agonist GB1275", "CD123-CD33 Compound CAR T Cells", "CD123-specific Targeting Module TM123", "CD20-CD19 Compound CAR T Cells", "CD28/ICOS Antagonist ALPN-101", "CD4-specific Telomerase Peptide Vaccine UCPVax", "CD40 Agonist Monoclonal Antibody CP-870,893", "CD40 Agonistic Monoclonal Antibody APX005M", "CD44 Targeted Agent SPL-108", "CD44v6-specific CAR T-cells", "CD47 Antagonist ALX148", "CD73 Inhibitor AB680", "CD73 Inhibitor LY3475070", "CD80-Fc Fusion Protein ALPN-202", "CD80-Fc Fusion Protein FPT155", "CDC7 Inhibitor TAK-931", "CDC7 Kinase Inhibitor BMS-863233", "CDC7 Kinase Inhibitor LY3143921 Hydrate", "CDC7 Kinase Inhibitor NMS-1116354", "CDK Inhibitor AT7519", "CDK Inhibitor R547", "CDK Inhibitor SNS-032", "CDK/JAK2/FLT3 Inhibitor TG02 Citrate", "CDK1 Inhibitor BEY1107", "CDK1/2/4 Inhibitor AG-024322", "CDK2 Inhibitor PF-07104091", "CDK2/4/6/FLT3 Inhibitor FN-1501", "CDK2/5/9 Inhibitor CYC065", "CDK4 Inhibitor P1446A-05", "CDK4/6 Inhibitor", "CDK4/6 Inhibitor BPI-16350", "CDK4/6 Inhibitor CS3002", "CDK4/6 Inhibitor FCN-437", "CDK4/6 Inhibitor G1T38", "CDK4/6 Inhibitor HS-10342", "CDK4/6 Inhibitor SHR6390", "CDK4/6 Inhibitor TQB3616", "CDK7 Inhibitor CT7001", "CDK7 Inhibitor SY-1365", "CDK7 Inhibitor SY-5609", "CDK8/19 Inhibitor SEL 120", "CDK9 Inhibitor AZD4573", "CEA-MUC-1-TRICOM Vaccine CV301", "CEA-targeting Agent RG6123", "CEBPA-targeting saRNA MTL-CEBPA Liposome", "Cedazuridine", "Cedazuridine/Azacitidine Combination Agent ASTX030", "Cedazuridine/Decitabine Combination Agent ASTX727", "Cedefingol", "Cediranib", "Cediranib Maleate", "Celecoxib", "Cell Cycle Checkpoint/DNA Repair Antagonist IC83", "Cemadotin", "Cemadotin Hydrochloride", "Cemiplimab", "Cenersen", "Cenisertib", "CENP-E Inhibitor GSK-923295", "Ceralasertib", "Ceramide Nanoliposome", "Cerdulatinib", "Cereblon E3 Ubiquitin Ligase Modulating Agent CC-92480", "Cereblon E3 Ubiquitin Ligase Modulating Agent CC-99282", "Cereblon Modulator CC-90009", "Cergutuzumab Amunaleukin", "Ceritinib", "Cesalin", "cEt KRAS Antisense Oligonucleotide AZD4785", "Cetrelimab", "Cetuximab", "Cetuximab Sarotalocan", "Cetuximab-IR700 Conjugate RM-1929", "Cetuximab-loaded Ethylcellulose Polymeric Nanoparticles Decorated with Octreotide (SY)", "Cevipabulin", "Cevipabulin Fumarate", "Cevipabulin Succinate", "Cevostamab", "cFMS Tyrosine Kinase Inhibitor ARRY-382", "Chaparrin", "Chaparrinone", "Checkpoint Kinase Inhibitor AZD7762", "Checkpoint Kinase Inhibitor XL844", "Chemotherapy", "Chiauranib", "Chimeric Monoclonal Antibody 81C6", "ChiNing Decoction", "Chk1 Inhibitor CCT245737", "Chk1 Inhibitor GDC-0425", "Chk1 Inhibitor GDC-0575", "CHK1 Inhibitor MK-8776", "CHK1 Inhibitor PF-477736", "Chlorambucil", "Chlorodihydropyrimidine", "Chloroquine", "Chloroquinoxaline Sulfonamide", "Chlorotoxin", "Chlorotoxin (EQ)-CD28-CD3zeta-CD19t-expressing CAR T-lymphocytes", "Chlorozotocin", "Choline Kinase Alpha Inhibitor TCD-717", "CHP-NY-ESO-1 Peptide Vaccine IMF-001", "Chromomycin A3", "Chrysanthemum morifolium/Ganoderma lucidum/Glycyrrhiza glabra/Isatis indigotica/Panax pseudoginseng/Rabdosia rubescens/Scutellaria baicalensis/Serona repens Supplement", "Cibisatamab", "Ciclopirox Prodrug CPX-POM", "Cidan Herbal Capsule", "Ciforadenant", "Cilengitide", "Ciltacabtagene Autoleucel", "Cimetidine", "Cinacalcet Hydrochloride", "Cinobufagin", "Cinobufotalin", "Cinrebafusp Alfa", "Cintirorgon", "Cintredekin Besudotox", "Cirmtuzumab", "cis-Urocanic Acid", "Cisplatin", "Cisplatin Liposomal", "Cisplatin-E Therapeutic Implant", "Cisplatin/Vinblastine/Cell Penetration Enhancer Formulation INT230-6", "Citarinostat", "Citatuzumab Bogatox", "Cixutumumab", "CK1alpha/CDK7/CDK9 Inhibitor BTX-A51", "CK2-targeting Synthetic Peptide CIGB-300", "CL 246738", "Cladribine", "Clanfenur", "Clarithromycin", "Class 1/4 Histone Deacetylase Inhibitor OKI-179", "Clinical Trial", "Clinical Trial Agent", "Clioquinol", "Clivatuzumab", "Clodronate Disodium", "Clodronic Acid", "Clofarabine", "Clomesone", "Clomiphene", "Clomiphene Citrate", "Clostridium Novyi-NT Spores", "Cobimetinib", "Cobolimab", "Cobomarsen", "Codrituzumab", "Coenzyme Q10", "Cofetuzumab Pelidotin", "Colchicine-Site Binding Agent ABT-751", "Cold Contaminant-free Iobenguane I-131", "Colloidal Gold-Bound Tumor Necrosis Factor", "Colorectal Cancer Peptide Vaccine PolyPEPI1018", "Colorectal Tumor-Associated Peptides Vaccine IMA910", "Coltuximab Ravtansine", "Combretastatin", "Combretastatin A-1", "Combretastatin A1 Diphosphate", "Commensal Bacterial Strain Formulation VE800", "Compound Kushen Injection", "Conatumumab", "Conbercept", "Concentrated Lingzhi Mushroom Extract", "Conditionally Active Biologic Anti-AXL Antibody-drug Conjugate BA3011", "Copanlisib", "Copanlisib Hydrochloride", "Copper Cu 64-ATSM", "Copper Cu 67 Tyr3-octreotate", "Copper Gluconate", "Cord Blood Derived CAR T-Cells", "Cord Blood-derived Expanded Natural Killer Cells PNK-007", "Cordycepin", "Cordycepin Triphosphate", "Coriolus Versicolor Extract", "Corticorelin Acetate", "Cortisone Acetate", "Cosibelimab", "Cositecan", "Coxsackievirus A21", "Coxsackievirus V937", "CpG Oligodeoxynucleotide GNKG168", "Crenolanib", "Crenolanib Besylate", "Crizotinib", "Crolibulin", "Cryptophycin", "Cryptophycin 52", "Crystalline Genistein Formulation AXP107-11", "CSF-1R Inhibitor BLZ945", "CSF1R Inhibitor ABSK021", "CSF1R Inhibitor DCC-3014", "CSF1R Inhibitor PLX73086", "CT2584 HMS", "CTLA-4-directed Probody BMS-986249", "Curcumin", "Curcumin/Doxorubicin-encapsulating Nanoparticle IMX-110", "Cusatuzumab", "Custirsen Sodium", "CXC Chemokine Receptor 2 Antagonist AZD5069", "CXCR1/2 Inhibitor SX-682", "CXCR2 Antagonist QBM076", "CXCR4 Antagonist BL-8040", "CXCR4 Antagonist USL311", "CXCR4 Inhibitor Q-122", "CXCR4 Peptide Antagonist LY2510924", "CXCR4/E-selectin Antagonist GMI-1359", "Cyclin-dependent Kinase 8/19 Inhibitor BCD 115", "Cyclin-dependent Kinase Inhibitor PF-06873600", "Cyclodextrin-Based Polymer-Camptothecin CRLX101", "Cyclodisone", "Cycloleucine", "Cyclopentenyl Cytosine", "Cyclophosphamide", "Cyclophosphamide Anhydrous", "Cyclosporine", "CYL-02 Plasmid DNA", "CYP11A1 inhibitor ODM-208", "CYP11A1 Inhibitor ODM-209", "CYP17 Inhibitor CFG920", "CYP17 Lyase Inhibitor ASN001", "CYP17/Androgen Receptor Inhibitor ODM 204", "CYP17/CYP11B2 Inhibitor LAE001", "Cyproterone", "Cyproterone Acetate", "Cytarabine", "Cytarabine Monophosphate Prodrug MB07133", "Cytarabine-asparagine Prodrug BST-236", "Cytidine Analog RX-3117", "Cytochlor", "Cytokine-based Biologic Agent IRX-2", "D-methionine Formulation MRX-1024", "DAB389 Epidermal Growth Factor", "Dabrafenib", "Dabrafenib Mesylate", "Dacarbazine", "Dacetuzumab", "DACH Polymer Platinate AP5346", "DACH-Platin Micelle NC-4016", "Daclizumab", "Dacomitinib", "Dacplatinum", "Dactinomycin", "Dactolisib", "Dactolisib Tosylate", "Dalantercept", "Dalotuzumab", "Daniquidone", "Danusertib", "Danvatirsen", "Daporinad", "Daratumumab", "Daratumumab and Hyaluronidase-fihj", "Daratumumab/rHuPH20", "Darinaparsin", "Darleukin", "Darolutamide", "Daromun", "Dasatinib", "Daunorubicin", "Daunorubicin Citrate", "Daunorubicin Hydrochloride", "DEC-205/NY-ESO-1 Fusion Protein CDX-1401", "Decitabine", "Decitabine and Cedazuridine", "Defactinib", "Defactinib Hydrochloride", "Deferoxamine", "Deferoxamine Mesylate", "Degarelix", "Degarelix Acetate", "Delanzomib", "Delolimogene Mupadenorepvec", "Demcizumab", "Demecolcine", "Demplatin Pegraglumer", "Dendrimer-conjugated Bcl-2/Bcl-XL Inhibitor AZD0466", "Dendritic Cell Vaccine", "Dendritic Cell-Autologous Lung Tumor Vaccine", "Dendritic Cell-targeting Lentiviral Vector ID-LV305", "Denenicokin", "Dengue Virus Adjuvant PV-001-DV", "Denibulin", "Denibulin Hydrochloride", "Denileukin Diftitox", "Denintuzumab Mafodotin", "Denosumab", "Deoxycytidine Analogue TAS-109", "Deoxycytidine Analogue TAS-109 Hydrochloride", "Depatuxizumab", "Depatuxizumab Mafodotin", "Derazantinib", "Deslorelin", "Deslorelin Acetate", "Detirelix", "Detorubicin", "Deuteporfin", "Deuterated Enzalutamide", "Devimistat", "Dexamethason", "Dexamethasone", "Dexamethasone Phosphate", "Dexamethasone Sodium Phosphate", "Dexanabinol", "Dexrazoxane", "Dexrazoxane Hydrochloride", "Dezaguanine", "Dezaguanine Mesylate", "Dezapelisib", "DHA-Paclitaxel", "DHEA Mustard", "DI-Leu16-IL2 Immunocytokine", "Dianhydrogalactitol", "Diarylsulfonylurea Compound ILX-295501", "Diazepinomicin", "Diaziquone", "Diazooxonorleucine", "Dibrospidium Chloride", "Dichloroallyl Lawsone", "Dicycloplatin", "Didox", "Dienogest", "Diethylnorspermine", "Digitoxin", "Digoxin", "Dihydro-5-Azacytidine", "Dihydrolenperone", "Dihydroorotate Dehydrogenase Inhibitor AG-636", "Dihydroorotate Dehydrogenase Inhibitor BAY2402234", "Diindolylmethane", "Dilpacimab", "Dimethylmyleran", "Dinaciclib", "Dinutuximab", "Dioscorea nipponica Makino Extract DNE3", "Diphencyprone", "Diphtheria Toxin Fragment-Interleukin-2 Fusion Protein E7777", "Ditiocarb", "DKK1-Neutralizing Monoclonal Antibody DKN-01", "DM-CHOC-PEN", "DM4-Conjugated Anti-Cripto Monoclonal Antibody BIIB015", "DNA Interference Oligonucleotide PNT2258", "DNA Minor Groove Binding Agent SG2000", "DNA Plasmid Encoding Interleukin-12 INO-9012", "DNA Plasmid-encoding Interleukin-12 INO-9012/PSA/PSMA DNA Plasmids INO-5150 Formulation INO-5151", "DNA Plasmid-encoding Interleukin-12/HPV DNA Plasmids Therapeutic Vaccine MEDI0457", "DNA Vaccine VB10.16", "DNA-dependent Protein Kinase Inhibitor VX-984", "DNA-PK inhibitor AZD7648", "DNA-PK/PI3K-delta Inhibitor BR101801", "DNA-PK/TOR Kinase Inhibitor CC-115", "DNMT1 Inhibitor NTX-301", "DNMT1 Mixed-Backbone Antisense Oligonucleotide MG 98", "Docetaxel", "Docetaxel Anhydrous", "Docetaxel Emulsion ANX-514", "Docetaxel Formulation CKD-810", "Docetaxel Lipid Microspheres", "Docetaxel Nanoparticle CPC634", "Docetaxel Polymeric Micelles", "Docetaxel-loaded Nanopharmaceutical CRLX301", "Docetaxel-PNP", "Docetaxel/Ritonavir", "Dociparstat sodium", "Dolastatin 10", "Dolastatin 15", "Domatinostat", "Donafenib", "Dopamine-Somatostatin Chimeric Molecule BIM-23A760", "Dostarlimab", "Double-armed TMZ-CD40L/4-1BBL Oncolytic Ad5/35 Adenovirus LOAd703", "Dovitinib", "Dovitinib Lactate", "Doxazosin", "Doxercalciferol", "Doxifluridine", "Doxorubicin", "Doxorubicin Hydrochloride", "Doxorubicin Prodrug L-377,202", "Doxorubicin Prodrug/Prodrug-activating Biomaterial SQ3370", "Doxorubicin-Eluting Beads", "Doxorubicin-HPMA Conjugate", "Doxorubicin-loaded EGFR-targeting Nanocells", "Doxorubicin-Magnetic Targeted Carrier Complex", "DPT/BCG/Measles/Serratia/Pneumococcus Vaccine", "DPT/Typhoid/Staphylococcus aureus/Paratyphoid A/Paratyphoid B Vaccine", "DPX-E7 HPV Vaccine", "DR5 HexaBody Agonist GEN1029", "DR5-targeting Tetrameric Nanobody Agonist TAS266", "Dromostanolone Propionate", "Drozitumab", "DTRMWXHS-12/Everolimus/Pomalidomide Combination Agent DTRM-555", "Dual IGF-1R/InsR Inhibitor BMS-754807", "Dual Variable Domain Immunoglobulin ABT-165", "Dual-affinity B7-H3/CD3-targeted Protein MGD009", "Dubermatinib", "Duborimycin", "Dulanermin", "Duligotuzumab", "Dupilumab", "Durvalumab", "Dusigitumab", "dUTPase/DPD Inhibitor TAS-114", "Duvelisib", "Duvortuxizumab", "Dynemicin", "Dynemicin A", "E2F1 Pathway Activator ARQ 171", "EBNA-1 inhibitor VK-2019", "Echinomycin", "Ecromeximab", "Edatrexate", "Edelfosine", "Edicotinib", "Edodekin alfa", "Edotecarin", "Edrecolomab", "EED Inhibitor MAK683", "Efatutazone", "Efatutazone Dihydrochloride", "Efizonerimod", "Eflornithine", "Eflornithine Hydrochloride", "Eftilagimod Alpha", "Eftozanermin Alfa", "Eg5 Kinesin-Related Motor Protein Inhibitor 4SC-205", "Eg5 Kinesin-Related Motor Protein Inhibitor ARQ 621", "EGb761", "EGFR Antagonist Hemay022", "EGFR Antisense DNA BB-401", "EGFR Inhibitor AZD3759", "EGFR Inhibitor BIBX 1382", "EGFR Inhibitor DBPR112", "EGFR Inhibitor PD-168393", "EGFR Inhibitor TY-9591", "EGFR Mutant-selective Inhibitor TQB3804", "EGFR Mutant-specific Inhibitor BPI-7711", "EGFR Mutant-specific Inhibitor CK-101", "EGFR Mutant-specific Inhibitor D-0316", "EGFR Mutant-specific Inhibitor ZN-e4", "EGFR T790M Antagonist BPI-15086", "EGFR T790M Inhibitor HS-10296", "EGFR/EGFRvIII Inhibitor WSD0922-FU", "EGFR/FLT3/Abl Inhibitor SKLB1028", "EGFR/HER1/HER2 Inhibitor PKI166", "EGFR/HER2 Inhibitor AP32788", "EGFR/HER2 Inhibitor AV-412", "EGFR/HER2 Inhibitor DZD9008", "EGFR/HER2 Kinase Inhibitor TAK-285", "EGFR/TGFb Fusion Monoclonal Antibody BCA101", "EGFR/VEGFR/RET Inhibitor HA121-28", "Eicosapentaenoic Acid", "eIF4E Antisense Oligonucleotide ISIS 183750", "Elacestrant", "Elacytarabine", "Elagolix", "Elbasvir/Grazoprevir", "Elesclomol", "Elesclomol Sodium", "Elgemtumab", "Elinafide", "Elisidepsin", "Elliptinium", "Elliptinium Acetate", "Elmustine", "Elotuzumab", "Elpamotide", "Elsamitrucin", "Eltanexor", "Emactuzumab", "Emapalumab", "Emepepimut-S", "Emibetuzumab", "Emitefur", "Emofolin Sodium", "Empesertib", "Enadenotucirev", "Enadenotucirev-expressing Anti-CD40 Agonistic Monoclonal Antibody NG-350A", "Enadenotucirev-expressing FAP/CD3 Bispecific FAP-TAc NG-641", "Enasidenib", "Enasidenib Mesylate", "Enavatuzumab", "Encapsulated Rapamycin", "Encelimab", "Enclomiphene", "Enclomiphene Citrate", "Encorafenib", "Endothelin B Receptor Blocker ENB 003", "Endothelin Receptor Type A Antagonist YM598", "Enfortumab Vedotin", "Engineered Human Umbilical Vein Endothelial Cells AB-205", "Engineered Red Blood Cells Co-expressing 4-1BBL and IL-15TP RTX-240", "Engineered Toxin Body Targeting CD38 TAK-169", "Engineered Toxin Body Targeting HER2 MT-5111", "Eniluracil/5-FU Combination Tablet", "Enloplatin", "Enoblituzumab", "Enobosarm", "Enoticumab", "Enpromate", "Ensartinib", "Ensituximab", "Enteric-Coated TRPM8 Agonist D-3263 Hydrochloride", "Enterococcus gallinarum Strain MRx0518", "Entinostat", "Entolimod", "Entospletinib", "Entrectinib", "Envafolimab", "Enzalutamide", "Enzastaurin", "Enzastaurin Hydrochloride", "EP2/EP4 Antagonist TPST-1495", "EP4 Antagonist INV-1120", "EP4 Antagonist ONO-4578", "Epacadostat", "Epcoritamab", "EphA2-targeting Bicycle Toxin Conjugate BT5528", "Epipodophyllotoxin Analog GL331", "Epipropidine", "Epirubicin", "Epirubicin Hydrochloride", "Epitinib Succinate", "Epitiostanol", "Epothilone Analog UTD1", "Epothilone KOS-1584", "Epratuzumab", "Epratuzumab-cys-tesirine", "ER alpha Proteolysis-targeting Chimera Protein Degrader ARV-471", "ERa36 Modulator Icaritin", "Erastin Analogue PRLX 93936", "Erbulozole", "Erdafitinib", "Eribulin", "Eribulin Mesylate", "ERK 1/2 Inhibitor ASTX029", "ERK Inhibitor CC-90003", "ERK Inhibitor GDC-0994", "ERK Inhibitor LTT462", "ERK Inhibitor MK-8353", "ERK1/2 Inhibitor ASN007", "ERK1/2 Inhibitor HH2710", "ERK1/2 Inhibitor JSI-1187", "ERK1/2 Inhibitor KO-947", "ERK1/2 Inhibitor LY3214996", "Erlotinib", "Erlotinib Hydrochloride", "Ertumaxomab", "Erythrocyte-encapsulated L-asparaginase Suspension", "Esorubicin", "Esorubicin Hydrochloride", "Esperamicin A1", "Essiac", "Esterified Estrogens", "Estradiol Valerate", "Estramustine", "Estramustine Phosphate Sodium", "Estrogen Receptor Agonist GTx-758", "Estrogens, Conjugated", "Etalocib", "Etanercept", "Etanidazole", "Etaracizumab", "Etarotene", "Ethaselen", "Ethinyl Estradiol", "Ethyleneimine", "Ethylnitrosourea", "Etidronate-Cytarabine Conjugate MBC-11", "Etigilimab", "Etirinotecan Pegol", "Etoglucid", "Etoposide", "Etoposide Phosphate", "Etoposide Toniribate", "Etoprine", "Etoricoxib", "Ets-family Transcription Factor Inhibitor TK216", "Everolimus", "Everolimus Tablets for Oral Suspension", "Evofosfamide", "Ex Vivo-expanded Autologous T Cells IMA101", "Exatecan Mesylate", "Exatecan Mesylate Anhydrous", "Exemestane", "Exicorilant", "Exisulind", "Extended Release Flucytosine", "Extended Release Metformin Hydrochloride", "Extended-release Onapristone", "Ezabenlimab", "EZH1/2 Inhibitor DS-3201", "EZH1/2 Inhibitor HH2853", "EZH2 inhibitor CPI-0209", "EZH2 Inhibitor CPI-1205", "EZH2 Inhibitor PF-06821497", "EZH2 Inhibitor SHR2554", "F16-IL2 Fusion Protein", "FACT Complex-targeting Curaxin CBL0137", "Factor VII-targeting Immunoconjugate Protein ICON-1", "Factor VIIa Inhibitor PCI-27483", "Fadraciclib", "Fadrozole Hydrochloride", "FAK Inhibitor GSK2256098", "FAK Inhibitor PF-00562271", "FAK Inhibitor VS-4718", "FAK/ALK/ROS1 Inhibitor APG-2449", "Falimarev", "Famitinib", "FAP/4-1BB-targeting DARPin MP0310", "FAP/4-1BB-targeting Fusion Protein RO7122290", "Farletuzumab", "Farnesyltransferase/Geranylgeranyltransferase Inhibitor L-778,123", "Fas Ligand-treated Allogeneic Mobilized Peripheral Blood Cells", "Fas Receptor Agonist APO010", "Fascin Inhibitor NP-G2-044", "FASN Inhibitor TVB-2640", "Favezelimab", "Fazarabine", "Fc-engineered Anti-CD40 Agonist Antibody 2141-V11", "Febuxostat", "Fedratinib", "Fedratinib Hydrochloride", "Feladilimab", "Felzartamab", "Fenebrutinib", "Fenretinide", "Fenretinide Lipid Matrix", "Fenretinide Phospholipid Suspension ST-001", "FGF Receptor Antagonist HGS1036", "FGF/FGFR Pathway Inhibitor E7090", "FGFR Inhibitor ASP5878", "FGFR Inhibitor AZD4547", "FGFR Inhibitor CPL304110", "FGFR Inhibitor Debio 1347", "FGFR Inhibitor TAS-120", "FGFR/CSF-1R Inhibitor 3D185", "FGFR/VEGFR/PDGFR/FLT3/SRC Inhibitor XL999", "FGFR1/2/3 Inhibitor HMPL-453", "FGFR2 Inhibitor RLY-4008", "FGFR4 Antagonist INCB062079", "FGFR4 Inhibitor BLU 9931", "FGFR4 Inhibitor FGF401", "FGFR4 Inhibitor H3B-6527", "FGFR4 Inhibitor ICP-105", "Fianlimab", "Fibromun", "Ficlatuzumab", "Figitumumab", "Filanesib", "Filgotinib", "Filgrastim", "Fimaporfin A", "Fimepinostat", "Firtecan Pegol", "Fisogatinib", "Flanvotumab", "Flotetuzumab", "Floxuridine", "FLT3 Inhibitor FF-10101 Succinate", "FLT3 Inhibitor HM43239", "FLT3 Inhibitor SKI-G-801", "Flt3 Ligand/Anti-CTLA-4 Antibody/IL-12 Engineered Oncolytic Vaccinia Virus RIVAL-01", "FLT3 Tyrosine Kinase Inhibitor TTT-3002", "FLT3/ABL/Aurora Kinase Inhibitor KW-2449", "FLT3/CDK4/6 Inhibitor FLX925", "FLT3/FGFR Dual Kinase Inhibitor MAX-40279", "FLT3/KIT Kinase Inhibitor AKN-028", "FLT3/KIT/CSF1R Inhibitor NMS-03592088", "Flt3/MerTK Inhibitor MRX-2843", "Fludarabine", "Fludarabine Phosphate", "Flumatinib", "Flumatinib Mesylate", "Fluorine F 18 Ara-G", "Fluorodopan", "Fluorouracil", "Fluorouracil Implant", "Fluorouracil-E Therapeutic Implant", "Fluoxymesterone", "Flutamide", "Fluvastatin", "Fluvastatin Sodium", "Fluzoparib", "FMS Inhibitor JNJ-40346527", "Fms/Trk Tyrosine Kinase Inhibitor PLX7486 Tosylate", "Folate Receptor Targeted Epothilone BMS753493", "Folate Receptor-Targeted Tubulysin Conjugate EC1456", "Folate Receptor-Targeted Vinca Alkaloid EC0489", "Folate Receptor-Targeted Vinca Alkaloid/Mitomycin C EC0225", "Folate-FITC", "Folic Acid", "Folitixorin", "Foretinib", "Foritinib Succinate", "Formestane", "Forodesine Hydrochloride", "Fosaprepitant", "Fosbretabulin", "Fosbretabulin Disodium", "Fosbretabulin Tromethamine", "Fosgemcitabine Palabenamide", "Fosifloxuridine Nafalbenamide", "Foslinanib", "Foslinanib Disodium", "Fosquidone", "Fostriecin", "Fotemustine", "Fotretamine", "FPV Vaccine CV301", "FPV-Brachyury-TRICOM Vaccine", "Fresolimumab", "Fruquintinib", "Fulvestrant", "Fumagillin-Derived Polymer Conjugate XMT-1107", "Fursultiamine", "Futibatinib", "Futuximab", "Futuximab/Modotuximab Mixture", "G Protein-coupled Estrogen Receptor Agonist LNS8801", "G-Quadruplex Stabilizer BMVC", "Galamustine", "Galarubicin", "Galectin Inhibitor GR-MD-02", "Galectin-1 Inhibitor OTX008", "Galeterone", "Galiximab", "Gallium-based Bone Resorption Inhibitor AP-002", "Galocitabine", "Galunisertib", "Gamboge Resin Extract TSB-9-W1", "Gamma-delta Tocotrienol", "Gamma-Secretase Inhibitor LY3039478", "Gamma-Secretase Inhibitor RO4929097", "Gandotinib", "Ganetespib", "Ganglioside GD2", "Ganglioside GM2", "Ganitumab", "Ganoderma lucidum Spores Powder Capsule", "Garlic", "Gastrin Immunotoxin", "Gastrin/cholecystokinin Type B Receptor Inhibitor Z-360", "Gataparsen Sodium", "Gatipotuzumab", "GBM Antigens and Alloantigens Immunotherapeutic Vaccine", "Gedatolisib", "Gefitinib", "Geldanamycin", "Gelonin", "Gemcitabine", "Gemcitabine Elaidate", "Gemcitabine Hydrochloride", "Gemcitabine Hydrochloride Emulsion", "Gemcitabine Prodrug LY2334737", "Gemcitabine-Phosphoramidate Hydrochloride NUC-1031", "Gemcitabine-Releasing Intravesical System", "Gemtuzumab Ozogamicin", "Genetically Modified Interleukin-12 Transgene-encoding Bifidobacterium longum", "Genistein", "Gentuximab", "Geranylgeranyltransferase I Inhibitor", "GI-4000 Vaccine", "Giloralimab", "Gilteritinib", "Gilteritinib Fumarate", "Gimatecan", "Gimeracil", "Ginsenoside Rg3 Capsule", "Giredestrant", "Girentuximab", "Girodazole", "GITR Agonist MEDI1873", "Givinostat", "Glasdegib", "Glasdegib Maleate", "Glaucarubolone", "Glecaprevir/Pibrentasvir", "Glembatumumab Vedotin", "Glesatinib", "Glioblastoma Cancer Vaccine ERC1671", "Glioblastoma Multiforme Multipeptide Vaccine IMA950", "Glioma Lysate Vaccine GBM6-AD", "Glioma-associated Peptide-loaded Dendritic Cell Vaccine SL-701", "Globo H-DT Vaccine OBI-833", "Glofitamab", "Glucarpidase", "Glucocorticoid Receptor Antagonist ORIC-101", "Glufosfamide", "Glumetinib", "Glutaminase Inhibitor CB-839", "Glutaminase Inhibitor CB-839 Hydrochloride", "Glutaminase Inhibitor IPN60090", "Glutamine Antagonist DRP-104", "Glutathione Pegylated Liposomal Doxorubicin Hydrochloride Formulation 2B3-101", "Glyco-engineered Anti-CD20 Monoclonal Antibody CHO H01", "Glycooptimized Trastuzumab-GEX", "GM-CSF-encoding Oncolytic Adenovirus CGTG-102", "Gold Sodium Thiomalate", "Golnerminogene Pradenovec", "Golotimod", "Golvatinib", "Gonadotropin-releasing Hormone Analog", "Goserelin", "Goserelin Acetate", "Goserelin Acetate Extended-release Microspheres LY01005", "Gossypol", "Gossypol Acetic Acid", "Grapiprant", "Green Tea Extract-based Antioxidant Supplement", "GS/pan-Notch Inhibitor AL101", "GS/pan-Notch Inhibitor BMS-986115", "GSK-3 Inhibitor 9-ING-41", "GSK-3 Inhibitor LY2090314", "Guadecitabine", "Guanabenz Acetate", "Guselkumab", "Gusperimus Trihydrochloride", "Gutolactone", "H-ras Antisense Oligodeoxynucleotide ISIS 2503", "H1299 Tumor Cell Lysate Vaccine", "HAAH Lambda phage Vaccine SNS-301", "Hafnium Oxide-containing Nanoparticles NBTXR3", "Halichondrin Analogue E7130", "Halichondrin B", "Halofuginone", "Halofuginone Hydrobromide", "HCV DNA Vaccine INO-8000", "HDAC Class I/IIb Inhibitor HG146", "HDAC Inhibitor AR-42", "HDAC inhibitor CG200745", "HDAC Inhibitor CHR-2845", "HDAC Inhibitor CKD-581", "HDAC Inhibitor CXD101", "HDAC Inhibitor MPT0E028", "HDAC Inhibitor OBP-801", "HDAC/EGFR/HER2 Inhibitor CUDC-101", "HDAC6 Inhibitor KA2507", "HDAC8 Inhibitor NBM-BMX", "HDM2 Inhibitor HDM201", "HDM2 Inhibitor MK-8242", "Hedgehog Inhibitor IPI-609", "Hematoporphyrin Derivative", "Hemiasterlin Analog E7974", "Henatinib Maleate", "Heparan Sulfate Glycosaminoglycan Mimetic M402", "Heparin Derivative SST0001", "HER-2-positive B-cell Peptide Antigen P467-DT-CRM197/Montanide Vaccine IMU-131", "HER2 ECD+TM Virus-like Replicon Particles Vaccine AVX901", "HER2 Inhibitor CP-724,714", "HER2 Inhibitor DZD1516", "HER2 Inhibitor TAS0728", "HER2 Tri-specific Natural Killer Cell Engager DF1001", "HER2-directed TLR8 Agonist SBT6050", "HER2-targeted DARPin MP0274", "HER2-targeted Liposomal Doxorubicin Hydrochloride MM-302", "HER2-targeting Antibody Fc Fragment FS102", "Herba Scutellaria Barbata", "Herbimycin", "Heterodimeric Interleukin-15", "Hexamethylene Bisacetamide", "Hexaminolevulinate", "Hexylresorcinol", "HIF-1alpha Inhibitor PX-478", "HIF-2alpha Inhibitor PT2385", "HIF-2alpha Inhibitor PT2977", "HIF2a RNAi ARO-HIF2", "Histone-Lysine N-Methyltransferase EZH2 Inhibitor GSK2816126", "Histrelin Acetate", "HLA-A*0201 Restricted TERT(572Y)/TERT(572) Peptides Vaccine Vx-001", "HLA-A*2402-Restricted Multipeptide Vaccine S-488410", "HLA-A2-restricted Melanoma-specific Peptides Vaccine GRN-1201", "HM2/MMAE Antibody-Drug Conjugate ALT-P7", "Hodgkin's Antigens-GM-CSF-Expressing Cell Vaccine", "Holmium Ho 166 Poly(L-Lactic Acid) Microspheres", "Hormone Therapy", "HPPH", "HPV 16 E6/E7-encoding Arenavirus Vaccine HB-202", "HPV 16 E7 Antigen-expressing Lactobacillis casei Vaccine BLS-ILB-E710c", "HPV DNA Plasmids Therapeutic Vaccine VGX-3100", "HPV E6/E7 DNA Vaccine GX-188E", "HPV E6/E7-encoding Arenavirus Vaccine HB-201", "HPV Types 16/18 E6/E7-Adenoviral Transduced Autologous Lymphocytes/alpha-Galactosylceramide Vaccine BVAC-C", "HPV-16 E6 Peptides Vaccine/Candida albicans Extract", "HPV-6-targeting Immunotherapeutic Vaccine INO-3106", "HPV16 E7-specific HLA-A*02:01-restricted IgG1-Fc Fusion Protein CUE-101", "HPV16 L2/E6/E7 Fusion Protein Vaccine TA-CIN", "HPV6/11-targeted DNA Plasmid Vaccine INO-3107", "Hsp90 Antagonist KW-2478", "Hsp90 Inhibitor AB-010", "Hsp90 Inhibitor BIIB021", "Hsp90 Inhibitor BIIB028", "Hsp90 Inhibitor Debio 0932", "Hsp90 Inhibitor DS-2248", "Hsp90 Inhibitor HSP990", "Hsp90 Inhibitor MPC-3100", "Hsp90 Inhibitor PU-H71", "Hsp90 Inhibitor SNX-5422 Mesylate", "Hsp90 Inhibitor SNX-5542 Mesylate", "Hsp90 Inhibitor TQB3474", "Hsp90 Inhibitor XL888", "Hsp90-targeted Photosensitizer HS-201", "HSP90-targeted SN-38 Conjugate PEN-866", "HSP90alpha/beta Inhibitor TAS-116", "hTERT Multipeptide/Montanide ISA-51 VG/Imiquimod Vaccine GX 301", "hTERT Vaccine V934/V935", "hTERT-encoding DNA Vaccine INVAC-1", "Hu14.18-IL2 Fusion Protein EMD 273063", "HuaChanSu", "Huaier Extract Granule", "Huang Lian", "huBC1-huIL12 Fusion Protein AS1409", "Human Combinatorial Antibody Library-based Monoclonal Antibody VAY736", "Human MHC Non-Restricted Cytotoxic T-Cell Line TALL-104", "Human MOAB LICO 28a32", "Human Monoclonal Antibody 216", "Human Monoclonal Antibody B11-hCG Beta Fusion Protein CDX-1307", "Human Papillomavirus 16 E7 Peptide/Padre 965.10", "Hyaluronidase-zzxf/Pertuzumab/Trastuzumab", "Hycanthone", "Hydralazine Hydrochloride", "Hydrocortisone Sodium Succinate", "Hydroxychloroquine", "Hydroxyprogesterone Caproate", "Hydroxytyrosol", "Hydroxyurea", "Hypericin", "Hypoxia-activated Prodrug TH-4000", "I 131 Antiferritin Immunoglobulin", "I 131 Monoclonal Antibody A33", "I 131 Monoclonal Antibody CC49", "I 131 Monoclonal Antibody F19", "I 131 Monoclonal Antibody Lym-1", "Iadademstat", "Ianalumab", "IAP Inhibitor APG-1387", "IAP Inhibitor AT-406", "IAP Inhibitor HGS1029", "Ibandronate Sodium", "Iberdomide", "Iboctadekin", "Ibritumomab Tiuxetan", "Ibrutinib", "Icotinib Hydrochloride", "Icrucumab", "ICT-121 Dendritic Cell Vaccine", "Idarubicin", "Idarubicin Hydrochloride", "Idarubicin-Eluting Beads", "Idasanutlin", "Idecabtagene Vicleucel", "Idelalisib", "Idetrexed", "IDH1 Mutant Inhibitor LY3410738", "IDH1(R132) Inhibitor IDH305", "IDH1R132H-Specific Peptide Vaccine PEPIDH1M", "Idiotype-Pulsed Autologous Dendritic Cell Vaccine APC8020", "IDO Peptide Vaccine IO102", "IDO-1 Inhibitor LY3381916", "IDO/TDO Inhibitor HTI-1090", "IDO/TDO Inhibitor LY-01013", "IDO1 Inhibitor KHK2455", "IDO1 Inhibitor MK-7162", "IDO1 Inhibitor PF-06840003", "IDO1/TDO2 Inhibitor DN1406131", "IDO1/TDO2 Inhibitor M4112", "Idronoxil", "Idronoxil Suppository NOX66", "Ieramilimab", "Ifabotuzumab", "Ifetroban", "Ifosfamide", "IGF-1R Inhibitor", "IGF-1R Inhibitor PL225B", "IGF-1R/IR Inhibitor KW-2450", "IGF-methotrexate Conjugate", "IL-10 Immunomodulator MK-1966", "IL-12-expressing HSV-1 NSC 733972", "IL-12-expressing Mesenchymal Stem Cell Vaccine GX-051", "IL-12sc, IL-15sushi, IFNa and GM-CSF mRNA-based Immunotherapeutic Agent SAR441000", "IL-2 Recombinant Fusion Protein ALT-801", "IL-2/9/15 Gamma Chain Receptor Inhibitor BNZ-1", "IL4-Pseudomonas Exotoxin Fusion Protein MDNA55", "Ilginatinib", "Ilixadencel", "Iloprost", "Ilorasertib", "Imalumab", "Imaradenant", "Imatinib", "Imatinib Mesylate", "Imetelstat", "Imetelstat Sodium", "Imexon", "Imgatuzumab", "Imidazole Mustard", "Imidazole-Pyrazole", "Imifoplatin", "Imipramine Blue", "Imiquimod", "Immediate-release Onapristone", "Immediate-release Tablet Afuresertib", "Immune Checkpoint Inhibitor ASP8374", "Immunoconjugate RO5479599", "Immunocytokine NHS-IL12", "Immunocytokine NHS-IL2-LT", "Immunomodulator LAM-003", "Immunomodulator OHR/AVR118", "Immunomodulatory Agent CC-11006", "Immunomodulatory Oligonucleotide HYB2055", "Immunotherapeutic Combination Product CMB305", "Immunotherapeutic GSK1572932A", "Immunotherapy Regimen MKC-1106-MT", "Immunotoxin CMD-193", "IMT-1012 Immunotherapeutic Vaccine", "Inactivated Oncolytic Virus Particle GEN0101", "Inalimarev", "Incyclinide", "Indatuximab Ravtansine", "Indibulin", "Indicine-N-Oxide", "Indisulam", "Individualized MVA-based Vaccine TG4050", "Indocyanine Green-labeled Polymeric Micelles ONM-100", "Indole-3-Carbinol", "Indomethacin", "Indoximod", "Indoximod Prodrug NLG802", "Indusatumab Vedotin", "Inebilizumab", "Inecalcitol", "Infigratinib", "Infigratinib Mesylate", "Infliximab", "Ingenol Mebutate", "Ingenol Mebutate Gel", "Iniparib", "iNKT Cell Agonist ABX196", "Innate Immunostimulator rBBX-01", "INO-1001", "Inodiftagene Vixteplasmid", "iNOS Dimerization Inhibitor ASP9853", "Inosine 5'-monophosphate Dehydrogenase Inhibitor FF-10501-01", "Inosine Monophosphate Dehydrogenase Inhibitor AVN944", "Inositol", "Inotuzumab Ozogamicin", "Inproquone", "Integrin alpha-2 Inhibitor E7820", "Integrin Receptor Antagonist GLPG0187", "Interferon", "Interferon Alfa-2B", "Interferon Alfa-N1", "Interferon Alfa-N3", "Interferon Alfacon-1", "Interferon Beta-1A", "Interferon Gamma-1b", "Interferon-gamma-expressing Adenovirus Vaccine ASN-002", "Interleukin Therapy", "Interleukin-12-Fc Fusion Protein DF6002", "Interleukin-15 Agonist Fusion Protein SHR1501", "Interleukin-15 Fusion Protein BJ-001", "Interleukin-15/Interleukin-15 Receptor Alpha Complex-Fc Fusion Protein XmAb24306", "Interleukin-15/Interleukin-15 Receptor Alpha Sushi+ Domain Fusion Protein SO-C101", "Interleukin-2 Liposome", "Intermediate-affinity Interleukin-2 Receptor Agonist ALKS 4230", "Intetumumab", "Intiquinatine", "Intoplicine", "Inulin", "Iobenguane I-131", "Iodine I 124 Monoclonal Antibody A33", "Iodine I 124 Monoclonal Antibody M5A", "Iodine I 125-Anti-EGFR-425 Monoclonal Antibody", "Iodine I 131 Anti-Fibronectin Antibody Fragment L19-SIP", "Iodine I 131 Apamistamab", "Iodine I 131 Derlotuximab Biotin", "Iodine I 131 Ethiodized Oil", "Iodine I 131 IPA", "Iodine I 131 MIP-1095", "Iodine I 131 Monoclonal Antibody 81C6", "Iodine I 131 Monoclonal Antibody BC8", "Iodine I 131 Monoclonal Antibody CC49-deltaCH2", "Iodine I 131 Monoclonal Antibody F16SIP", "Iodine I 131 Monoclonal Antibody G-250", "Iodine I 131 Monoclonal Antibody muJ591", "Iodine I 131 Omburtamab", "Iodine I 131 Rituximab", "Iodine I 131 Tenatumomab", "Iodine I 131 TM-601", "Iodine I 131 Tositumomab", "Iodine I-131", "Ioflubenzamide I-131", "Ionomycin", "Ipafricept", "Ipatasertib", "Ipilimumab", "Ipomeanol", "Iproplatin", "iPSC-derived CD16-expressing Natural Killer Cells FT516", "iPSC-derived CD16/IL-15RF-expressing Anti-CD19 CAR-NK Cells FT596", "iPSC-derived Natural Killer Cells FT500", "IRAK4 Inhibitor CA-4948", "Iratumumab", "Iridium Ir 192", "Irinotecan", "Irinotecan Hydrochloride", "Irinotecan Sucrosofate", "Irinotecan-Eluting Beads", "Irinotecan/P-glycoprotein Inhibitor HM30181AK Combination Tablet", "Irofulven", "Iroplact", "Irosustat", "Irradiated Allogeneic Human Lung Cancer Cells Expressing OX40L-Ig Vaccine HS-130", "Isatuximab", "Iso-fludelone", "Isobrucein B", "Isocoumarin NM-3", "Isotretinoin", "Ispinesib", "Ispinesib Mesylate", "ISS 1018 CpG Oligodeoxynucleotide", "Istiratumab", "Itacitinib", "Itacitinib Adipate", "ITK Inhibitor CPI-818", "Itraconazole", "Itraconazole Dispersion In Polymer Matrix", "Ivaltinostat", "Ivosidenib", "Ivuxolimab", "Ixabepilone", "Ixazomib", "Ixazomib Citrate", "JAK Inhibitor", "JAK Inhibitor INCB047986", "JAK1 Inhibitor AZD4205", "JAK1 Inhibitor INCB052793", "JAK2 Inhibitor AZD1480", "JAK2 Inhibitor BMS-911543", "JAK2 Inhibitor XL019", "JAK2/Src Inhibitor NS-018", "Jin Fu Kang", "JNK Inhibitor CC-401", "Kanglaite", "Kanitinib", "Ketoconazole", "Ketotrexate", "KRAS G12C Inhibitor GDC-6036", "KRAS G12C Inhibitor LY3499446", "KRAS G12C Inhibitor MRTX849", "KRAS Mutant-targeting AMG 510", "KRAS-MAPK Signaling Pathway Inhibitor JAB-3312", "KRASG12C Inhibitor JNJ-74699157", "KRN5500", "KSP Inhibitor AZD4877", "KSP Inhibitor SB-743921", "Kunecatechins Ointment", "L-Gossypol", "L-methylfolate", "Labetuzumab Govitecan", "Lactoferrin-derived Lytic Peptide LTX-315", "Lacutamab", "Ladiratuzumab Vedotin", "Ladirubicin", "Laetrile", "LAIR-2 Fusion Protein NC410", "Landogrozumab", "Laniquidar", "Lanreotide Acetate", "Lapachone", "Lapatinib", "Lapatinib Ditosylate", "Laprituximab Emtansine", "Lapuleucel-T", "Laromustine", "Larotaxel", "Larotinib Mesylate", "Larotrectinib", "Larotrectinib Sulfate", "Lavendustin A", "Lazertinib", "Lead Pb 212 TCMC-trastuzumab", "Lefitolimod", "Leflunomide", "Lenalidomide", "Lenalidomide Analog KPG-121", "Lentinan", "Lenvatinib", "Lenvatinib Mesylate", "Lenzilumab", "Lerociclib", "Lestaurtinib", "Letetresgene Autoleucel", "Letolizumab", "Letrozole", "Leucovorin", "Leucovorin Calcium", "Leuprolide", "Leuprolide Acetate", "Leuprolide Mesylate Injectable Suspension", "Leurubicin", "Levetiracetam", "Levoleucovorin Calcium", "Levothyroxine", "Levothyroxine Sodium", "Lexatumumab", "Lexibulin", "Liarozole", "Liarozole Fumarate", "Liarozole Hydrochloride", "Licartin", "Licorice", "Lifastuzumab Vedotin", "Lifileucel", "Lifirafenib", "Light-activated AU-011", "Light-Emitting Oncolytic Vaccinia Virus GL-ONC1", "Lilotomab", "Limonene, (+)-", "Limonene, (+/-)-", "Linifanib", "Linoleyl Carbonate-Paclitaxel", "Linperlisib", "Linrodostat", "Linsitinib", "Lintuzumab", "Liothyronine I-131", "Liothyronine Sodium", "Lipid Encapsulated Anti-PLK1 siRNA TKM-PLK1", "Lipid Nanoparticle Encapsulated mRNAs Encoding Human IL-12A/IL-12B MEDI-1191", "Lipid Nanoparticle Encapsulated OX40L mRNA-2416", "Lipid Nanoparticle Encapsulating Glutathione S-transferase P siRNA NBF-006", "Lipid Nanoparticle Encapsulating mRNAs Encoding Human OX40L/IL-23/IL-36gamma mRNA-2752", "Liposomal Bcl-2 Antisense Oligonucleotide BP1002", "Liposomal c-raf Antisense Oligonucleotide", "Liposomal Curcumin", "Liposomal Cytarabine", "Liposomal Daunorubicin Citrate", "Liposomal Docetaxel", "Liposomal Eribulin Mesylate", "Liposomal HPV-16 E6/E7 Multipeptide Vaccine PDS0101", "Liposomal Irinotecan", "Liposomal Mitoxantrone Hydrochloride", "Liposomal MUC1/PET-lipid A Vaccine ONT-10", "Liposomal NDDP", "Liposomal Rhenium Re 186", "Liposomal SN-38", "Liposomal Topotecan FF-10850", "Liposomal Vinorelbine", "Liposomal Vinorelbine Tartrate", "Liposome", "Liposome-encapsulated Daunorubicin-Cytarabine", "Liposome-Encapsulated Doxorubicin Citrate", "Liposome-encapsulated miR-34 Mimic MRX34", "Liposome-encapsulated OSI-7904", "Liposome-encapsulated RB94 Plasmid DNA Gene Therapy Agent SGT-94", "Liposome-encapsulated TAAs mRNA Vaccine W_ova1", "Lirilumab", "Lisavanbulin", "Lisocabtagene Maraleucel", "Listeria monocytogenes-LLO-PSA Vaccine ADXS31-142", "Litronesib", "Live-attenuated Double-deleted Listeria monocytogenes Bacteria JNJ-64041809", "Live-Attenuated Listeria Encoding Human Mesothelin Vaccine CRS-207", "Live-attenuated Listeria monocytogenes-encoding EGFRvIII-NY-ESO-1 Vaccine ADU-623", "Liver X Receptor beta Agonist RGX-104", "Lm-tLLO-neoantigens Vaccine ADXS-NEO", "LMB-1 Immunotoxin", "LMB-2 Immunotoxin", "LMB-7 Immunotoxin", "LMB-9 Immunotoxin", "LmddA-LLO-chHER2 Fusion Protein-secreting Live-attenuated Listeria Cancer Vaccine ADXS31-164", "LMP-2:340-349 Peptide Vaccine", "LMP-2:419-427 Peptide Vaccine", "LMP2-specific T Cell Receptor-transduced Autologous T-lymphocytes", "LMP7 Inhibitor M3258", "Lobaplatin", "Lodapolimab", "Lometrexol", "Lometrexol Sodium", "Lomustine", "Lonafarnib", "Loncastuximab Tesirine", "Long Peptide Vaccine 7", "Long-acting Release Pasireotide", "Lontucirev", "Lorlatinib", "Lorukafusp alfa", "Lorvotuzumab Mertansine", "Losatuxizumab Vedotin", "Losoxantrone", "Losoxantrone Hydrochloride", "Lovastatin", "LOXL2 Inhibitor PAT-1251", "LRP5 Antagonist BI 905681", "LRP5/6 Antagonist BI 905677", "LSD1 Inhibitor CC-90011", "LSD1 Inhibitor GSK2879552", "LSD1 Inhibitor IMG-7289", "LSD1 Inhibitor RO7051790", "LSD1 Inhibitor SYHA1807", "Lucanthone", "Lucatumumab", "Lucitanib", "Luminespib", "Luminespib Mesylate", "Lumretuzumab", "Lung-targeted Immunomodulator QBKPN", "Lupartumab Amadotin", "Lurbinectedin", "Lurtotecan", "Lurtotecan Liposome", "Lutetium Lu 177 Anti-CA19-9 Monoclonal Antibody 5B1", "Lutetium Lu 177 DOTA-biotin", "Lutetium Lu 177 DOTA-N3-CTT1403", "Lutetium Lu 177 DOTA-Tetulomab", "Lutetium Lu 177 Dotatate", "Lutetium Lu 177 Lilotomab-satetraxetan", "Lutetium Lu 177 Monoclonal Antibody CC49", "Lutetium Lu 177 Monoclonal Antibody J591", "Lutetium Lu 177 PP-F11N", "Lutetium Lu 177 Satoreotide Tetraxetan", "Lutetium Lu 177-DOTA-EB-TATE", "Lutetium Lu 177-DTPA-omburtamab", "Lutetium Lu 177-Edotreotide", "Lutetium Lu 177-NeoB", "Lutetium Lu 177-PSMA-617", "Lutetium Lu-177 Capromab", "Lutetium Lu-177 Girentuximab", "Lutetium Lu-177 PSMA-R2", "Lutetium Lu-177 Rituximab", "LV.IL-2/B7.1-Transduced AML Blast Vaccine RFUSIN2-AML1", "Lyophilized Black Raspberry Lozenge", "Lyophilized Black Raspberry Saliva Substitute", "Lysine-specific Demethylase 1 Inhibitor INCB059872", "Lyso-Thermosensitive Liposome Doxorubicin", "Maackia amurensis Seed Lectin", "Macimorelin", "Macitentan", "Macrocycle-bridged STING Agonist E7766", "Maekmoondong-tang", "Mafosfamide", "MAGE-10.A2", "MAGE-A1-specific T Cell Receptor-transduced Autologous T-cells", "MAGE-A3 Multipeptide Vaccine GL-0817", "MAGE-A3 Peptide Vaccine", "MAGE-A3-specific Immunotherapeutic GSK 2132231A", "MAGE-A4-specific TCR Gene-transduced Autologous T Lymphocytes TBI-1201", "Magnesium Valproate", "Magrolimab", "MALT1 Inhibitor JNJ-67856633", "Manelimab", "Mannosulfan", "Mannosylerythritol Lipid", "Mapatumumab", "Maraba Oncolytic Virus Expressing Mutant HPV E6/E7", "Marcellomycin", "MARCKS Protein Inhibitor BIO-11006", "Margetuximab", "Marimastat", "Marizomib", "Masitinib Mesylate", "Masoprocol", "MAT2A Inhibitor AG-270", "Matrix Metalloproteinase Inhibitor MMI270", "Matuzumab", "Mavelertinib", "Mavorixafor", "Maytansine", "MCL-1 Inhibitor ABBV-467", "MCL-1 Inhibitor AMG 176", "MCL-1 inhibitor AMG 397", "Mcl-1 Inhibitor AZD5991", "Mcl-1 Inhibitor MIK665", "MDM2 Antagonist ASTX295", "MDM2 Antagonist RO5045337", "MDM2 Antagonist RO6839921", "MDM2 Inhibitor AMG-232", "MDM2 Inhibitor AMGMDS3", "MDM2 Inhibitor BI 907828", "MDM2 Inhibitor KRT-232", "MDM2/MDMX Inhibitor ALRN-6924", "MDR Modulator CBT-1", "Mechlorethamine", "Mechlorethamine Hydrochloride", "Mechlorethamine Hydrochloride Gel", "Medorubicin", "Medroxyprogesterone", "Medroxyprogesterone Acetate", "Megestrol Acetate", "MEK 1/2 Inhibitor AS703988/MSC2015103B", "MEK 1/2 Inhibitor FCN-159", "MEK Inhibitor AZD8330", "MEK Inhibitor CI-1040", "MEK inhibitor CS3006", "MEK Inhibitor GDC-0623", "MEK Inhibitor HL-085", "MEK Inhibitor PD0325901", "MEK Inhibitor RO4987655", "MEK Inhibitor SHR 7390", "MEK Inhibitor TAK-733", "MEK Inhibitor WX-554", "MEK-1/MEKK-1 Inhibitor E6201", "MEK/Aurora Kinase Inhibitor BI 847325", "Melanoma Monoclonal Antibody hIgG2A", "Melanoma TRP2 CTL Epitope Vaccine SCIB1", "Melapuldencel-T", "MELK Inhibitor OTS167", "Melphalan", "Melphalan Flufenamide", "Melphalan Hydrochloride", "Melphalan Hydrochloride/Sulfobutyl Ether Beta-Cyclodextrin Complex", "Membrane-Disrupting Peptide EP-100", "Menatetrenone", "Menin-MLL Interaction Inhibitor SNDX-5613", "Menogaril", "Merbarone", "Mercaptopurine", "Mercaptopurine Anhydrous", "Mercaptopurine Oral Suspension", "Merestinib", "Mesna", "Mesothelin/CD3e Tri-specific T-cell Activating Construct HPN536", "MET Kinase Inhibitor OMO-1", "MET Tyrosine Kinase Inhibitor BMS-777607", "MET Tyrosine Kinase Inhibitor EMD 1204831", "MET Tyrosine Kinase Inhibitor PF-04217903", "MET Tyrosine Kinase Inhibitor SAR125844", "MET Tyrosine Kinase Inhibitor SGX523", "MET x MET Bispecific Antibody REGN5093", "Metamelfalan", "MetAP2 Inhibitor APL-1202", "MetAP2 Inhibitor SDX-7320", "Metarrestin", "Metatinib Tromethamine", "Metformin", "Metformin Hydrochloride", "Methanol Extraction Residue of BCG", "Methazolamide", "Methionine Aminopeptidase 2 Inhibitor M8891", "Methionine Aminopeptidase 2 Inhibitor PPI-2458", "Methotrexate", "Methotrexate Sodium", "Methotrexate-E Therapeutic Implant", "Methotrexate-Encapsulating Autologous Tumor-Derived Microparticles", "Methoxsalen", "Methoxyamine", "Methoxyamine Hydrochloride", "Methyl-5-Aminolevulinate Hydrochloride Cream", "Methylcantharidimide", "Methylmercaptopurine Riboside", "Methylprednisolone", "Methylprednisolone Acetate", "Methylprednisolone Sodium Succinate", "Methylselenocysteine", "Methyltestosterone", "Metoprine", "Mevociclib", "Mezagitamab", "Mibefradil", "Mibefradil Dihydrochloride", "Micellar Nanoparticle-encapsulated Epirubicin", "Micro Needle Array-Doxorubicin", "Microbiome GEN-001", "Microbiome-derived Peptide Vaccine EO2401", "Microparticle-encapsulated CYP1B1-encoding DNA Vaccine ZYC300", "Microtubule Inhibitor SCB01A", "Midostaurin", "Mifamurtide", "Mifepristone", "Milademetan Tosylate", "Milataxel", "Milatuzumab", "Milatuzumab-Doxorubicin Antibody-Drug Conjugate IMMU-110", "Milciclib Maleate", "Milk Thistle", "Miltefosine", "Minretumomab", "Mipsagargin", "Miptenalimab", "Mirabegron", "Miransertib", "Mirdametinib", "Mirvetuximab Soravtansine", "Mirzotamab Clezutoclax", "Misonidazole", "Mistletoe Extract", "Mitazalimab", "Mitindomide", "Mitobronitol", "Mitochondrial Oxidative Phosphorylation Inhibitor ATR-101", "Mitoclomine", "Mitoflaxone", "Mitoguazone", "Mitoguazone Dihydrochloride", "Mitolactol", "Mitomycin", "Mitomycin A", "Mitomycin B", "Mitomycin C Analog KW-2149", "Mitosis Inhibitor T 1101 Tosylate", "Mitotane", "Mitotenamine", "Mitoxantrone", "Mitoxantrone Hydrochloride", "Mitozolomide", "Mivavotinib", "Mivebresib", "Mivobulin", "Mivobulin Isethionate", "Mixed Bacteria Vaccine", "MK0731", "MKC-1", "MKNK1 Inhibitor BAY 1143269", "MMP Inhibitor S-3304", "MNK1/2 Inhibitor ETC-1907206", "Mobocertinib", "Mocetinostat", "Modakafusp Alfa", "Modified Vaccinia Ankara-vectored HPV16/18 Vaccine JNJ-65195208", "Modified Vitamin D Binding Protein Macrophage Activator EF-022", "Modotuximab", "MOF Compound RiMO-301", "Mofarotene", "Mogamulizumab", "Molibresib", "Molibresib Besylate", "Momelotinib", "Monalizumab", "Monocarboxylate Transporter 1 Inhibitor AZD3965", "Monoclonal Antibody 105AD7 Anti-idiotype Vaccine", "Monoclonal Antibody 11D10", "Monoclonal Antibody 11D10 Anti-Idiotype Vaccine", "Monoclonal Antibody 14G2A", "Monoclonal Antibody 1F5", "Monoclonal Antibody 3622W94", "Monoclonal Antibody 3F8", "Monoclonal Antibody 3H1 Anti-Idiotype Vaccine", "Monoclonal Antibody 4B5 Anti-Idiotype Vaccine", "Monoclonal Antibody 7C11", "Monoclonal Antibody 81C6", "Monoclonal Antibody A1G4 Anti-Idiotype Vaccine", "Monoclonal Antibody A27.15", "Monoclonal Antibody A33", "Monoclonal Antibody AbGn-7", "Monoclonal Antibody AK002", "Monoclonal Antibody ASP1948", "Monoclonal Antibody CAL", "Monoclonal Antibody CC49-delta CH2", "Monoclonal Antibody CEP-37250/KHK2804", "Monoclonal Antibody D6.12", "Monoclonal Antibody E2.3", "Monoclonal Antibody F19", "Monoclonal Antibody GD2 Anti-Idiotype Vaccine", "Monoclonal Antibody HeFi-1", "Monoclonal Antibody Hu3S193", "Monoclonal Antibody HuAFP31", "Monoclonal Antibody HuHMFG1", "Monoclonal Antibody huJ591", "Monoclonal Antibody HuPAM4", "Monoclonal Antibody IMMU-14", "Monoclonal Antibody L6", "Monoclonal Antibody Lym-1", "Monoclonal Antibody m170", "Monoclonal Antibody Me1-14 F(ab')2", "Monoclonal Antibody muJ591", "Monoclonal Antibody MX35 F(ab')2", "Monoclonal Antibody NEO-201", "Monoclonal Antibody R24", "Monoclonal Antibody RAV12", "Monoclonal Antibody SGN-14", "Monoclonal Antibody TRK-950", "Monoclonal Microbial EDP1503", "Monoclonal T-cell Receptor Anti-CD3 scFv Fusion Protein IMCgp100", "Monomethyl Auristatin E", "Morinda Citrifolia Fruit Extract", "Morpholinodoxorubicin", "Mosedipimod", "Mosunetuzumab", "Motesanib", "Motesanib Diphosphate", "Motexafin Gadolinium", "Motexafin Lutetium", "Motixafortide", "Motolimod", "MOv-gamma Chimeric Receptor Gene", "Moxetumomab Pasudotox", "Mps1 Inhibitor BAY 1217389", "Mps1 Inhibitor BOS172722", "mRNA-based Personalized Cancer Vaccine mRNA-4157", "mRNA-based Personalized Cancer Vaccine NCI-4650", "mRNA-based TriMix Melanoma Vaccine ECI-006", "mRNA-based Tumor-specific Neoantigen Boosting Vaccine GRT-R902", "mRNA-derived KRAS-targeted Vaccine V941", "mRNA-derived Lung Cancer Vaccine BI 1361849", "mRNA-Derived Prostate Cancer Vaccine CV9103", "mRNA-derived Prostate Cancer Vaccine CV9104", "MTF-1 Inhibitor APTO-253 HCl", "mTOR Inhibitor GDC-0349", "mTOR Kinase Inhibitor AZD8055", "mTOR Kinase Inhibitor CC-223", "mTOR Kinase Inhibitor OSI-027", "mTOR Kinase Inhibitor PP242", "mTOR1/2 Kinase Inhibitor ME-344", "mTORC 1/2 Inhibitor LXI-15029", "mTORC1/2 Kinase Inhibitor BI 860585", "mTORC1/mTORC2/DHFR Inhibitor ABTL0812", "MUC-1/WT1 Peptide-primed Autologous Dendritic Cells", "MUC1-targeted Peptide GO-203-2C", "Mucoadhesive Paclitaxel Formulation", "Multi-AGC Kinase Inhibitor AT13148", "Multi-epitope Anti-folate Receptor Peptide Vaccine TPIV 200", "Multi-epitope HER2 Peptide Vaccine H2NVAC", "Multi-epitope HER2 Peptide Vaccine TPIV100", "Multi-glioblastoma-peptide-targeting Autologous Dendritic Cell Vaccine ICT-107", "Multi-kinase Inhibitor TPX-0022", "Multi-kinase Inhibitor XL092", "Multi-mode Kinase Inhibitor EOC317", "Multi-neo-epitope Vaccine OSE 2101", "Multifunctional/Multitargeted Anticancer Agent OMN54", "Multikinase Inhibitor 4SC-203", "Multikinase Inhibitor AEE788", "Multikinase Inhibitor AT9283", "Multikinase Inhibitor SAR103168", "Multipeptide Vaccine S-588210", "Multitargeted Tyrosine Kinase Inhibitor JNJ-26483327", "Muparfostat", "Mureletecan", "Murizatoclax", "Muscadine Grape Extract", "Mutant IDH1 Inhibitor DS-1001", "Mutant p53 Activator COTI-2", "Mutant-selective EGFR Inhibitor PF-06459988", "MVA Tumor-specific Neoantigen Boosting Vaccine MVA-209-FSP", "MVA-BN Smallpox Vaccine", "MVA-FCU1 TG4023", "MVX-1-loaded Macrocapsule/autologous Tumor Cell Vaccine MVX-ONCO-1", "MYC-targeting siRNA DCR-MYC", "Mycobacterium tuberculosis Arabinomannan Z-100", "Mycobacterium w", "Mycophenolic Acid", "N-(5-tert-butyl-3-isoxazolyl)-N-(4-(4-pyridinyl)oxyphenyl) Urea", "N-dihydrogalactochitosan", "N-Methylformamide", "N,N-Dibenzyl Daunomycin", "NA17-A Antigen", "NA17.A2 Peptide Vaccine", "Nab-paclitaxel", "Nab-paclitaxel/Rituximab-coated Nanoparticle AR160", "Nadofaragene Firadenovec", "Nagrestipen", "Namirotene", "Namodenoson", "NAMPT Inhibitor OT-82", "Nanafrocin", "Nanatinostat", "Nanocell-encapsulated miR-16-based microRNA Mimic", "Nanoparticle Albumin-Bound Docetaxel", "Nanoparticle Albumin-Bound Rapamycin", "Nanoparticle Albumin-bound Thiocolchicine Dimer nab-5404", "Nanoparticle Paclitaxel Ointment SOR007", "Nanoparticle-based Paclitaxel Suspension", "Nanoparticle-encapsulated Doxorubicin Hydrochloride", "Nanoscale Coordination Polymer Nanoparticles CPI-100", "Nanosomal Docetaxel Lipid Suspension", "Napabucasin", "Naphthalimide Analogue UNBS5162", "Naptumomab Estafenatox", "Naquotinib", "Naratuximab Emtansine", "Narnatumab", "Natalizumab", "Natural IFN-alpha OPC-18", "Natural Killer Cells ZRx101", "Navarixin", "Navicixizumab", "Navitoclax", "Navoximod", "Navy Bean Powder", "Naxitamab", "Nazartinib", "ncmtRNA Oligonucleotide Andes-1537", "Necitumumab", "Nedaplatin", "NEDD8 Activating Enzyme E1 Inhibitor TAS4464", "Nedisertib", "Nelarabine", "Nelipepimut-S", "Nelipepimut-S Plus GM-CSF Vaccine", "Nemorubicin", "Nemorubicin Hydrochloride", "Neoantigen Vaccine GEN-009", "Neoantigen-based Glioblastoma Vaccine", "Neoantigen-based Melanoma-Poly-ICLC Vaccine", "Neoantigen-based Renal Cell Carcinoma-Poly-ICLC Vaccine", "Neoantigen-based Therapeutic Cancer Vaccine GRT-C903", "Neoantigen-based Therapeutic Cancer Vaccine GRT-R904", "Neoantigen-HSP70 Peptide Cancer Vaccine AGEN2017", "Neratinib", "Neratinib Maleate", "Nesvacumab", "NG-nitro-L-arginine", "Niacinamide", "Niclosamide", "Nicotinamide Riboside", "Nidanilimab", "Nifurtimox", "Nilotinib", "Nilotinib Hydrochloride Anhydrous", "Nilotinib Hydrochloride Monohydrate", "Nilutamide", "Nimesulide-Hyaluronic Acid Conjugate CA102N", "Nimodipine", "Nimotuzumab", "Nimustine", "Nimustine Hydrochloride", "Ningetinib Tosylate", "Nintedanib", "Niraparib", "Niraparib Tosylate Monohydrate", "Nirogacestat", "Nitric Oxide-Releasing Acetylsalicylic Acid Derivative", "Nitrogen Mustard Prodrug PR-104", "Nitroglycerin Transdermal Patch", "Nivolumab", "NLRP3 Agonist BMS-986299", "Nocodazole", "Nogalamycin", "Nogapendekin Alfa", "Nolatrexed Dihydrochloride", "Non-Small Cell Lung Cancer mRNA-Derived Vaccine CV9201", "Norgestrel", "North American Ginseng Extract AFX-2", "Nortopixantrone", "Noscapine", "Noscapine Hydrochloride", "Not Otherwise Specified", "Notch Signaling Inhibitor PF-06650808", "Notch Signaling Pathway Inhibitor MK0752", "NTRK/ROS1 Inhibitor DS-6051b", "Nucleolin Antagonist IPP-204106N", "Nucleoside Analog DFP-10917", "Nucleotide Analog Prodrug NUC-3373", "Nucleotide Analogue GS 9219", "Numidargistat", "Nurulimab", "Nutlin-3a", "Nutraceutical TBL-12", "NY-ESO-1 Plasmid DNA Cancer Vaccine pPJV7611", "NY-ESO-1-specific TCR Gene-transduced T Lymphocytes TBI-1301", "NY-ESO-1/GLA-SE Vaccine ID-G305", "NY-ESO-B", "O-Chloroacetylcarbamoylfumagillol", "O6-Benzylguanine", "Obatoclax Mesylate", "Obinutuzumab", "Oblimersen Sodium", "Ocaratuzumab", "Ocrelizumab", "Octreotide", "Octreotide Acetate", "Octreotide Pamoate", "Odronextamab", "Ofatumumab", "Ofranergene Obadenovec", "Oglufanide Disodium", "Olaparib", "Olaptesed Pegol", "Olaratumab", "Oleandrin", "Oleclumab", "Oligo-fucoidan", "Oligonucleotide SPC2996", "Olinvacimab", "Olivomycin", "Olmutinib", "Oltipraz", "Olutasidenib", "Olvimulogene Nanivacirepvec", "Omacetaxine Mepesuccinate", "Ombrabulin", "Omipalisib", "Onalespib", "Onalespib Lactate", "Onartuzumab", "Onatasertib", "Oncolytic Adenovirus Ad5-DNX-2401", "Oncolytic Adenovirus ORCA-010", "Oncolytic Herpes Simplex Virus-1 ONCR-177", "Oncolytic HSV-1 C134", "Oncolytic HSV-1 Expressing IL-12 and Anti-PD-1 Antibody T3011", "Oncolytic HSV-1 G207", "Oncolytic HSV-1 NV1020", "Oncolytic HSV-1 rQNestin34.5v.2", "Oncolytic HSV-1 rRp450", "Oncolytic HSV1716", "Oncolytic Measles Virus Encoding Helicobacter pylori Neutrophil-activating Protein", "Oncolytic Newcastle Disease Virus MEDI5395", "Oncolytic Newcastle Disease Virus MTH-68H", "Oncolytic Newcastle Disease Virus Strain PV701", "Oncolytic Virus ASP9801", "Oncolytic Virus RP1", "Ondansetron Hydrochloride", "Ontorpacept", "Ontuxizumab", "Onvansertib", "Onvatilimab", "Opaganib", "OPCs/Green Tea/Spirullina/Curcumin/Antrodia Camphorate/Fermented Soymilk Extract Capsule", "Opioid Growth Factor", "Opolimogene Capmilisbac", "Oportuzumab Monatox", "Oprozomib", "Opucolimab", "Oral Aminolevulinic Acid Hydrochloride", "Oral Azacitidine", "Oral Cancer Vaccine V3-OVA", "Oral Docetaxel", "Oral Fludarabine Phosphate", "Oral Hsp90 Inhibitor IPI-493", "Oral Ixabepilone", "Oral Microencapsulated Diindolylmethane", "Oral Milataxel", "Oral Myoma Vaccine V3-myoma", "Oral Pancreatic Cancer Vaccine V3-P", "Oral Picoplatin", "Oral Sodium Phenylbutyrate", "Oral Topotecan Hydrochloride", "Orantinib", "Oraxol", "Oregovomab", "Orelabrutinib", "Ormaplatin", "Ortataxel", "Orteronel", "Orvacabtagene Autoleucel", "Osilodrostat", "Osimertinib", "Other", "Otlertuzumab", "Ovapuldencel-T", "Ovarian Cancer Stem Cell/hTERT/Survivin mRNAs-loaded Autologous Dendritic Cell Vaccine DC-006", "Ovine Submaxillary Mucin", "OX40L-expressing Oncolytic Adenovirus DNX-2440", "Oxaliplatin", "Oxaliplatin Eluting Beads", "Oxaliplatin-Encapsulated Transferrin-Conjugated N-glutaryl Phosphatidylethanolamine Liposome", "Oxcarbazepine", "Oxeclosporin", "Oxidative Phosphorylation Inhibitor IACS-010759", "Oxidative Phosphorylation Inhibitor IM156", "Oxidopamine", "OxPhos Inhibitor VLX600", "Ozarelix", "P-cadherin Antagonist PF-03732010", "P-cadherin Inhibitor PCA062", "P-cadherin-targeting Agent PF-06671008", "P-p68 Inhibitor RX-5902", "P-TEFb Inhibitor BAY1143572", "p300/CBP Bromodomain Inhibitor CCS1477", "p38 MAPK Inhibitor LY3007113", "p53 Peptide Vaccine MPS-128", "p53-HDM2 Interaction Inhibitor MI-773", "p53-HDM2 Protein-protein Interaction Inhibitor APG-115", "p53/HDM2 Interaction Inhibitor CGM097", "p70S6K Inhibitor LY2584702", "p70S6K/Akt Inhibitor MSC2363318A", "p97 Inhibitor CB-5083", "p97 Inhibitor CB-5339", "p97 Inhibitor CB-5339 Tosylate", "Paclitaxel", "Paclitaxel Ceribate", "Paclitaxel Injection Concentrate for Nanodispersion", "Paclitaxel Liposome", "Paclitaxel Poliglumex", "Paclitaxel Polymeric Micelle Formulation NANT-008", "Paclitaxel PPE Microspheres", "Paclitaxel Trevatide", "Paclitaxel Vitamin E-Based Emulsion", "Paclitaxel-Loaded Polymeric Micelle", "Pacmilimab", "Pacritinib", "Padeliporfin", "Padoporfin", "PAK4 Inhibitor PF-03758309", "PAK4/NAMPT Inhibitor KPT-9274", "Palbociclib", "Palbociclib Isethionate", "Palifosfamide", "Palifosfamide Tromethamine", "Palladium Pd-103", "Palonosetron Hydrochloride", "Pamidronate Disodium", "Pamidronic Acid", "Pamiparib", "Pamrevlumab", "pan FGFR Inhibitor PRN1371", "Pan HER/VEGFR2 Receptor Tyrosine Kinase Inhibitor BMS-690514", "Pan-AKT Inhibitor ARQ751", "Pan-AKT Kinase Inhibitor GSK690693", "Pan-FGFR Inhibitor LY2874455", "Pan-FLT3/Pan-BTK Multi-kinase Inhibitor CG-806", "pan-HER Kinase Inhibitor AC480", "Pan-IDH Mutant Inhibitor AG-881", "Pan-KRAS Inhibitor BI 1701963", "Pan-Mutant-IDH1 Inhibitor Bay-1436032", "Pan-mutation-selective EGFR Inhibitor CLN-081", "pan-PI3K Inhibitor CLR457", "pan-PI3K/mTOR Inhibitor SF1126", "Pan-PIM Inhibitor INCB053914", "pan-PIM Kinase Inhibitor AZD1208", "pan-PIM Kinase Inhibitor NVP-LGB-321", "pan-RAF Inhibitor LXH254", "Pan-RAF Inhibitor LY3009120", "pan-RAF Kinase Inhibitor CCT3833", "pan-RAF Kinase Inhibitor TAK-580", "Pan-RAR Agonist/AP-1 Inhibitor LGD 1550", "Pan-TRK Inhibitor NOV1601", "Pan-TRK Inhibitor ONO-7579", "Pan-VEGFR/TIE2 Tyrosine Kinase Inhibitor CEP-11981", "Pancratistatin", "Panitumumab", "Panobinostat", "Panobinostat Nanoparticle Formulation MTX110", "Panulisib", "Paricalcitol", "PARP 1/2 Inhibitor IMP4297", "PARP 1/2 Inhibitor NOV1401", "PARP Inhibitor AZD2461", "PARP Inhibitor CEP-9722", "PARP Inhibitor E7016", "PARP Inhibitor NMS-03305293", "PARP-1/2 Inhibitor ABT-767", "PARP/Tankyrase Inhibitor 2X-121", "PARP7 Inhibitor RBN-2397", "Parsaclisib", "Parsaclisib Hydrochloride", "Parsatuzumab", "Partially Engineered T-regulatory Cell Donor Graft TRGFT-201", "Parvovirus H-1", "Pasireotide", "Pasotuxizumab", "Patidegib", "Patidegib Topical Gel", "Patritumab", "Patritumab Deruxtecan", "Patupilone", "Paxalisib", "Pazopanib", "Pazopanib Hydrochloride", "pbi-shRNA STMN1 Lipoplex", "PBN Derivative OKN-007", "PCNU", "PD-1 Directed Probody CX-188", "PD-1 Inhibitor", "PD-L1 Inhibitor GS-4224", "PD-L1 Inhibitor INCB086550", "PD-L1/4-1BB/HSA Trispecific Fusion Protein NM21-1480", "PD-L1/PD-L2/VISTA Antagonist CA-170", "PDK1 Inhibitor AR-12", "pDNA-encoding Emm55 Autologous Cancer Cell Vaccine IFx-Hu2.0", "PE/HPV16 E7/KDEL Fusion Protein/GPI-0100 TVGV-1", "PEG-interleukin-2", "PEG-PEI-cholesterol Lipopolymer-encased IL-12 DNA Plasmid Vector GEN-1", "PEG-Proline-Interferon Alfa-2b", "Pegargiminase", "Pegaspargase", "Pegdinetanib", "Pegfilgrastim", "Pegilodecakin", "Peginterferon Alfa-2a", "Peginterferon Alfa-2b", "Pegvisomant", "Pegvorhyaluronidase Alfa", "Pegylated Deoxycytidine Analogue DFP-14927", "Pegylated Interferon Alfa", "Pegylated Liposomal Belotecan", "Pegylated Liposomal Doxorubicin Hydrochloride", "Pegylated Liposomal Irinotecan", "Pegylated Liposomal Mitomycin C Lipid-based Prodrug", "Pegylated Liposomal Mitoxantrone Hydrochloride", "Pegylated Liposomal Nanoparticle-based Docetaxel Prodrug MNK-010", "Pegylated Paclitaxel", "Pegylated Recombinant Human Arginase I BCT-100", "Pegylated Recombinant Human Hyaluronidase PH20", "Pegylated Recombinant Interleukin-2 THOR-707", "Pegylated Recombinant L-asparaginase Erwinia chrysanthemi", "Pegylated SN-38 Conjugate PLX038", "Pegzilarginase", "Pelabresib", "Pelareorep", "Peldesine", "Pelitinib", "Pelitrexol", "Pembrolizumab", "Pemetrexed", "Pemetrexed Disodium", "Pemigatinib", "Pemlimogene Merolisbac", "Penberol", "Penclomedine", "Penicillamine", "Pentamethylmelamine", "Pentamustine", "Pentostatin", "Pentoxifylline", "PEOX-based Polymer Encapsulated Paclitaxel FID-007", "PEP-3-KLH Conjugate Vaccine", "Pepinemab", "Peplomycin", "Peplomycin Sulfate", "Peposertib", "Peptichemio", "Peptide 946 Melanoma Vaccine", "Peptide 946-Tetanus Peptide Conjugate Melanoma Vaccine", "Peretinoin", "Perflenapent Emulsion", "Perfosfamide", "Perifosine", "Perillyl Alcohol", "Personalized ALL-specific Multi-HLA-binding Peptide Vaccine", "Personalized and Adjusted Neoantigen Peptide Vaccine PANDA-VAC", "Personalized Cancer Vaccine RO7198457", "Personalized Neoantigen DNA Vaccine GNOS-PV01", "Personalized Neoantigen DNA Vaccine GNOS-PVO2", "Personalized Neoantigen Peptide Vaccine iNeo-Vac-P01", "Personalized Neoepitope Yeast Vaccine YE-NEO-001", "Personalized Peptide Cancer Vaccine NEO-PV-01", "Pertuzumab", "Pevonedistat", "Pexastimogene Devacirepvec", "Pexidartinib", "Pexmetinib", "PGG Beta-Glucan", "PGLA/PEG Copolymer-Based Paclitaxel", "PH20 Hyaluronidase-expressing Adenovirus VCN-01", "Phaleria macrocarpa Extract DLBS-1425", "Pharmacological Ascorbate", "Phellodendron amurense Bark Extract", "Phenesterin", "Phenethyl Isothiocyanate", "Phenethyl Isothiocyanate-containing Watercress Juice", "Phenyl Acetate", "Phenytoin Sodium", "Phosphaplatin PT-112", "Phosphatidylcholine-Bound Silybin", "Phospholipid Ether-drug Conjugate CLR 131", "Phosphoramide Mustard", "Phosphorodiamidate Morpholino Oligomer AVI-4126", "Phosphorus P-32", "Photodynamic Compound TLD-1433", "Photosensitizer LUZ 11", "Phytochlorin Sodium-Polyvinylpyrrolidone Complex", "PI3K Alpha/Beta Inhibitor BAY1082439", "PI3K Alpha/mTOR Inhibitor PWT33597 Mesylate", "PI3K Inhibitor ACP-319", "PI3K Inhibitor BGT226", "PI3K Inhibitor GDC-0084", "PI3K Inhibitor GDC0077", "PI3K Inhibitor GSK1059615", "PI3K Inhibitor WX-037", "PI3K Inhibitor ZSTK474", "PI3K p110beta/delta Inhibitor KA2237", "PI3K-alpha Inhibitor MEN1611", "PI3K-beta Inhibitor GSK2636771", "PI3K-beta Inhibitor SAR260301", "PI3K-delta Inhibitor AMG 319", "PI3K-delta Inhibitor HMPL 689", "PI3K-delta Inhibitor INCB050465", "PI3K-delta Inhibitor PWT143", "PI3K-delta Inhibitor SHC014748M", "PI3K-delta Inhibitor YY-20394", "PI3K-gamma Inhibitor IPI-549", "PI3K/BET Inhibitor LY294002", "PI3K/mTOR Kinase Inhibitor DS-7423", "PI3K/mTOR Kinase Inhibitor PF-04691502", "PI3K/mTOR Kinase Inhibitor VS-5584", "PI3K/mTOR Kinase Inhibitor WXFL10030390", "PI3K/mTOR/ALK-1/DNA-PK Inhibitor P7170", "PI3K/mTORC1/mTORC2 Inhibitor DCBCI0901", "PI3Ka/mTOR Inhibitor PKI-179", "PI3Kalpha Inhibitor AZD8835", "PI3Kbeta Inhibitor AZD8186", "PI3Kdelta Inhibitor GS-9901", "Pibenzimol", "Pibrozelesin", "Pibrozelesin Hydrobromide", "Picibanil", "Picoplatin", "Picrasinoside H", "Picropodophyllin", "Pictilisib", "Pictilisib Bismesylate", "Pidilizumab", "Pilaralisib", "PIM Kinase Inhibitor LGH447", "PIM Kinase Inhibitor SGI-1776", "PIM Kinase Inhibitor TP-3654", "PIM/FLT3 Kinase Inhibitor SEL24", "Pimasertib", "Pimitespib", "Pimurutamab", "Pinatuzumab Vedotin", "Pingyangmycin", "Pinometostat", "Pioglitazone", "Pioglitazone Hydrochloride", "Pipendoxifene", "Piperazinedione", "Piperine Extract (Standardized)", "Pipobroman", "Piposulfan", "Pirarubicin", "Pirarubicin Hydrochloride", "Pirfenidone", "Piritrexim", "Piritrexim Isethionate", "Pirotinib", "Piroxantrone", "Piroxantrone Hydrochloride", "Pixantrone", "Pixantrone Dimaleate", "Pixatimod", "PKA Regulatory Subunit RIalpha Mixed-Backbone Antisense Oligonucleotide GEM 231", "PKC-alpha Antisense Oligodeoxynucleotide ISIS 3521", "PKC-beta Inhibitor MS-553", "Placebo", "Pladienolide Derivative E7107", "Plamotamab", "Plasmid DNA Vaccine pING-hHER3FL", "Platinum", "Platinum Acetylacetonate-Titanium Dioxide Nanoparticles", "Platinum Compound", "Plevitrexed", "Plicamycin", "Plinabulin", "Plitidepsin", "Plk1 Inhibitor BI 2536", "PLK1 Inhibitor CYC140", "PLK1 Inhibitor TAK-960", "Plocabulin", "Plozalizumab", "pNGVL4a-CRT-E6E7L2 DNA Vaccine", "pNGVL4a-Sig/E7(detox)/HSP70 DNA and HPV16 L2/E6/E7 Fusion Protein TA-CIN Vaccine PVX-2", "Pol I Inhibitor CX5461", "Polatuzumab Vedotin", "Polidocanol", "Poliglusam", "Polo-like Kinase 1 Inhibitor GSK461364", "Polo-like Kinase 1 Inhibitor MK1496", "Polo-like Kinase 1 Inhibitor NMS-1286937", "Polo-like Kinase 4 Inhibitor CFI-400945 Fumarate", "Poly-alendronate Dextran-Guanidine Conjugate", "Poly-gamma Glutamic Acid", "Polyamine Analog SL11093", "Polyamine Analogue PG11047", "Polyamine Analogue SBP-101", "Polyamine Transport Inhibitor AMXT-1501 Dicaprate", "Polyandrol", "Polyethylene Glycol Recombinant Endostatin", "Polyethyleneglycol-7-ethyl-10-hydroxycamptothecin DFP-13318", "Polymer-conjugated IL-15 Receptor Agonist NKTR-255", "Polymer-encapsulated Luteolin Nanoparticle", "Polymeric Camptothecin Prodrug XMT-1001", "Polypodium leucotomos Extract", "Polysaccharide-K", "Polysialic Acid", "Polyunsaturated Fatty Acid", "Polyvalent Melanoma Vaccine", "Pomalidomide", "Pomegranate Juice", "Pomegranate Liquid Extract", "Ponatinib", "Ponatinib Hydrochloride", "Porcupine Inhibitor CGX1321", "Porcupine Inhibitor ETC-1922159", "Porcupine Inhibitor RXC004", "Porcupine Inhibitor WNT974", "Porcupine Inhibitor XNW7201", "Porfimer Sodium", "Porfiromycin", "Poziotinib", "PPAR Alpha Antagonist TPST-1120", "PR1 Leukemia Peptide Vaccine", "Pracinostat", "Pralatrexate", "Pralsetinib", "Praluzatamab Ravtansine", "PRAME-targeting T-cell Receptor/Inducible Caspase 9 BPX-701", "Pravastatin Sodium", "Prednimustine", "Prednisolone", "Prednisolone Acetate", "Prednisolone Sodium Phosphate", "Prednisone", "Prexasertib", "Prexigebersen", "PRIMA-1 Analog APR-246", "Prime Cancer Vaccine MVA-BN-CV301", "Prinomastat", "PRMT1 Inhibitor GSK3368715", "PRMT5 Inhibitor JNJ-64619178", "PRMT5 Inhibitor PRT811", "Proapoptotic Sulindac Analog CP-461", "Procarbazine", "Procarbazine Hydrochloride", "Procaspase Activating Compound-1 VO-100", "Progestational IUD", "Prohibitin-Targeting Peptide 1", "Prolgolimab", "Prostaglandin E2 EP4 Receptor Inhibitor AN0025", "Prostaglandin E2 EP4 Receptor Inhibitor E7046", "Prostate Cancer Vaccine ONY-P1", "Prostate Health Cocktail Dietary Supplement", "Prostatic Acid Phosphatase-Sargramostim Fusion Protein PA2024", "Protease-activated Anti-PD-L1 Antibody Prodrug CX-072", "Protein Arginine Methyltransferase 5 Inhibitor GSK3326595", "Protein Arginine Methyltransferase 5 Inhibitor PF-06939999", "Protein Arginine Methyltransferase 5 Inhibitor PRT543", "Protein Kinase C Inhibitor IDE196", "Protein Phosphatase 2A Inhibitor LB-100", "Protein Stabilized Liposomal Docetaxel Nanoparticles", "Protein Tyrosine Kinase 2 Inhibitor IN10018", "Proxalutamide", "PSA/IL-2/GM-CSF Vaccine", "PSA/PSMA DNA Plasmid INO-5150", "Pseudoisocytidine", "PSMA-targeted Docetaxel Nanoparticles BIND-014", "PSMA-targeted Tubulysin B-containing Conjugate EC1169", "PSMA/CD3 Tri-specific T-cell Activating Construct HPN424", "PTEF-b/CDK9 Inhibitor BAY1251152", "Pterostilbene", "Pumitepa", "Puquitinib", "Puquitinib Mesylate", "Puromycin", "Puromycin Hydrochloride", "PV-10", "PVA Microporous Hydrospheres/Doxorubicin Hydrochloride", "Pyrazinamide", "Pyrazoloacridine", "Pyridyl Cyanoguanidine CHS 828", "Pyrotinib", "Pyrotinib Dimaleate", "Pyroxamide", "Pyruvate Kinase Inhibitor TLN-232", "Pyruvate Kinase M2 Isoform Activator TP-1454", "Qilisheng Immunoregulatory Oral Solution", "Quadrivalent Human Papillomavirus (types 6, 11, 16, 18) Recombinant Vaccine", "Quarfloxin", "Quinacrine Hydrochloride", "Quinine", "Quisinostat", "Quizartinib", "R-(-)-Gossypol Acetic Acid", "Rabusertib", "Racemetyrosine/Methoxsalen/Phenytoin/Sirolimus SM-88", "Racotumomab", "RAD51 Inhibitor CYT-0851", "Radgocitabine", "Radgocitabine Hydrochloride", "Radioactive Iodine", "Radiolabeled CC49", "Radium Ra 223 Dichloride", "Radium Ra 224-labeled Calcium Carbonate Microparticles", "Radix Angelicae Sinensis/Radix Astragali Herbal Supplement", "Radotinib Hydrochloride", "Raf Kinase Inhibitor HM95573", "RAF Kinase Inhibitor L-779450", "RAF Kinase Inhibitor XL281", "Ragifilimab", "Ralaniten Acetate", "Ralimetinib Mesylate", "Raloxifene", "Raloxifene Hydrochloride", "Raltitrexed", "Ramucirumab", "Ranibizumab", "Ranimustine", "Ranolazine", "Ranpirnase", "RARalpha Agonist IRX5183", "Ras Inhibitor", "Ras Peptide ASP", "Ras Peptide CYS", "Ras Peptide VAL", "Razoxane", "Realgar-Indigo naturalis Formulation", "Rebastinib Tosylate", "Rebeccamycin", "Rebimastat", "Receptor Tyrosine Kinase Inhibitor R1530", "Recombinant Adenovirus-p53 SCH-58500", "Recombinant Anti-WT1 Immunotherapeutic GSK2302024A", "Recombinant Bacterial Minicells VAX014", "Recombinant Bispecific Single-Chain Antibody rM28", "Recombinant CD40-Ligand", "Recombinant Erwinia asparaginase JZP-458", "Recombinant Erythropoietin", "Recombinant Fas Ligand", "Recombinant Fractalkine", "Recombinant Granulocyte-Macrophage Colony-Stimulating Factor", "Recombinant Human 6Ckine", "Recombinant Human Adenovirus Type 5 H101", "Recombinant Human Angiotensin Converting Enzyme 2 APN01", "Recombinant Human Apolipoprotein(a) Kringle V MG1102", "Recombinant Human EGF-rP64K/Montanide ISA 51 Vaccine", "Recombinant Human Endostatin", "Recombinant Human Hsp110-gp100 Chaperone Complex Vaccine", "Recombinant Human Papillomavirus 11-valent Vaccine", "Recombinant Human Papillomavirus Bivalent Vaccine", "Recombinant Human Papillomavirus Nonavalent Vaccine", "Recombinant Human Plasminogen Kringle 5 Domain ABT 828", "Recombinant Human TRAIL-Trimer Fusion Protein SCB-313", "Recombinant Humanized Anti-HER-2 Bispecific Monoclonal Antibody MBS301", "Recombinant Interferon", "Recombinant Interferon Alfa", "Recombinant Interferon Alfa-1b", "Recombinant Interferon Alfa-2a", "Recombinant Interferon Alfa-2b", "Recombinant Interferon Alpha 2b-like Protein", "Recombinant Interferon Beta", "Recombinant Interferon Gamma", "Recombinant Interleukin-12", "Recombinant Interleukin-13", "Recombinant Interleukin-18", "Recombinant Interleukin-2", "Recombinant Interleukin-6", "Recombinant KSA Glycoprotein CO17-1A", "Recombinant Leukocyte Interleukin", "Recombinant Leukoregulin", "Recombinant Luteinizing Hormone", "Recombinant Macrophage Colony-Stimulating Factor", "Recombinant MAGE-3.1 Antigen", "Recombinant MIP1-alpha Variant ECI301", "Recombinant Modified Vaccinia Ankara-5T4 Vaccine", "Recombinant Oncolytic Poliovirus PVS-RIPO", "Recombinant Platelet Factor 4", "Recombinant PRAME Protein Plus AS15 Adjuvant GSK2302025A", "Recombinant Saccharomyces Cerevisia-CEA(610D)-Expressing Vaccine GI-6207", "Recombinant Super-compound Interferon", "Recombinant Thyroglobulin", "Recombinant Thyrotropin Alfa", "Recombinant Transforming Growth Factor-Beta", "Recombinant Transforming Growth Factor-Beta-2", "Recombinant Tumor Necrosis Factor-Alpha", "Recombinant Tyrosinase-Related Protein-2", "Recombinant Vesicular Stomatitis Virus-expressing Human Interferon Beta and Sodium-Iodide Symporter", "Redaporfin", "Refametinib", "Regorafenib", "Relacorilant", "Relatlimab", "Relugolix", "Remetinostat", "Renal Cell Carcinoma Peptides Vaccine IMA901", "Reparixin", "Repotrectinib", "Resiquimod", "Resiquimod Topical Gel", "Resistant Starch", "Resminostat", "Resveratrol", "Resveratrol Formulation SRT501", "RET Inhibitor DS-5010", "RET Mutation/Fusion Inhibitor BLU-667", "RET/SRC Inhibitor TPX-0046", "Retaspimycin", "Retaspimycin Hydrochloride", "Retelliptine", "Retifanlimab", "Retinoic Acid Agent Ro 16-9100", "Retinoid 9cUAB30", "Retinol", "Retinyl Acetate", "Retinyl Palmitate", "Retrovector Encoding Mutant Anti-Cyclin G1", "Revdofilimab", "Rexinoid NRX 194204", "Rezivertinib", "RFT5-dgA Immunotoxin IMTOX25", "Rhenium Re 188 BMEDA-labeled Liposomes", "Rhenium Re-186 Hydroxyethylidene Diphosphonate", "Rhenium Re-188 Ethiodized Oil", "Rhenium Re-188 Etidronate", "Rhizoxin", "RhoC Peptide Vaccine RV001V", "Ribociclib", "Ribociclib/Letrozole", "Ribonuclease QBI-139", "Ribosome-Inactivating Protein CY503", "Ribozyme RPI.4610", "Rice Bran", "Ricolinostat", "Ridaforolimus", "Rigosertib", "Rigosertib Sodium", "Rilimogene Galvacirepvec", "Rilimogene Galvacirepvec/Rilimogene Glafolivec", "Rilimogene Glafolivec", "Rilotumumab", "Rindopepimut", "Ripertamab", "RIPK1 Inhibitor GSK3145095", "Ripretinib", "Risperidone Formulation in Rumenic Acid", "Ritrosulfan", "Rituximab", "Rituximab and Hyaluronidase Human", "Rituximab Conjugate CON-4619", "Riviciclib", "Rivoceranib", "Rivoceranib Mesylate", "RNR Inhibitor COH29", "Robatumumab", "Roblitinib", "ROBO1-targeted BiCAR-NKT Cells", "Rocakinogene Sifuplasmid", "Rocapuldencel-T", "Rociletinib", "Rodorubicin", "Roducitabine", "Rofecoxib", "Roflumilast", "Rogaratinib", "Rogletimide", "Rolinsatamab Talirine", "Romidepsin", "Roneparstat", "Roniciclib", "Ropeginterferon Alfa-2B", "Ropidoxuridine", "Ropocamptide", "Roquinimex", "RORgamma Agonist LYC-55716", "Rosabulin", "Rose Bengal Solution PV-10", "Rosiglitazone Maleate", "Rosmantuzumab", "Rosopatamab", "Rosuvastatin", "Rovalpituzumab Tesirine", "RSK1-4 Inhibitor PMD-026", "Rubitecan", "Rucaparib", "Rucaparib Camsylate", "Rucaparib Phosphate", "Ruthenium Ru-106", "Ruthenium-based Small Molecule Therapeutic BOLD-100", "Ruthenium-based Transferrin Targeting Agent NKP-1339", "Ruxolitinib", "Ruxolitinib Phosphate", "Ruxotemitide", "S-Adenosylmethionine", "S-equol", "S1P Receptor Agonist KRP203", "Sabarubicin", "Sabatolimab", "Sacituzumab Govitecan", "Sacubitril/Valsartan", "Safingol", "Sagopilone", "Salirasib", "Salmonella VNP20009", "Sam68 Modulator CWP232291", "Samalizumab", "Samarium Sm 153-DOTMP", "Samotolisib", "Samrotamab Vedotin", "Samuraciclib", "Sapacitabine", "Sapanisertib", "Sapitinib", "Saracatinib", "Saracatinib Difumarate", "SarCNU", "Sardomozide", "Sargramostim", "Sasanlimab", "Satraplatin", "Savolitinib", "SBIL-2", "Scopoletin", "SDF-1 Receptor Antagonist PTX-9908", "Seclidemstat", "Sedoxantrone Trihydrochloride", "Selatinib Ditosilate", "Selective Androgen Receptor Modulator RAD140", "Selective Cytokine Inhibitory Drug CC-1088", "Selective Estrogen Receptor Degrader AZD9496", "Selective Estrogen Receptor Degrader AZD9833", "Selective Estrogen Receptor Degrader LSZ102", "Selective Estrogen Receptor Degrader LX-039", "Selective Estrogen Receptor Degrader LY3484356", "Selective Estrogen Receptor Degrader SRN-927", "Selective Estrogen Receptor Modulator CC-8490", "Selective Estrogen Receptor Modulator TAS-108", "Selective Glucocorticoid Receptor Antagonist CORT125281", "Selective Human Estrogen-receptor Alpha Partial Agonist TTC-352", "Seliciclib", "Selicrelumab", "Selinexor", "Selitrectinib", "Selonsertib", "Selpercatinib", "Selumetinib", "Selumetinib Sulfate", "Semaxanib", "Semuloparin", "Semustine", "Seneca Valley Virus-001", "Seocalcitol", "Sepantronium Bromide", "Serabelisib", "Serclutamab Talirine", "SERD D-0502", "SERD G1T48", "SERD GDC-9545", "SERD SAR439859", "SERD SHR9549", "SERD ZN-c5", "Serdemetan", "Sergiolide", "Seribantumab", "Serine/Threonine Kinase Inhibitor CBP501", "Serine/Threonine Kinase Inhibitor XL418", "Serplulimab", "Sevacizumab", "Seviteronel", "Shared Anti-Idiotype-AB-S006", "Shared Anti-Idiotype-AB-S024A", "Shark Cartilage", "Shark Cartilage Extract AE-941", "Shenqi Fuzheng Injection SQ001", "Sho-Saiko-To", "Short Chain Fatty Acid HQK-1004", "SHP-1 Agonist SC-43", "SHP2 Inhibitor JAB-3068", "SHP2 Inhibitor RLY-1971", "SHP2 Inhibitor RMC-4630", "SHP2 Inhibitor TNO155", "Shu Yu Wan Formula", "Sialyl Tn Antigen", "Sialyl Tn-KLH Vaccine", "Sibrotuzumab", "siG12D LODER", "Silatecan AR-67", "Silibinin", "Silicon Phthalocyanine 4", "Silmitasertib Sodium", "Siltuximab", "Simalikalactone D", "Simeprevir", "Simlukafusp Alfa", "Simmitinib", "Simotaxel", "Simtuzumab", "Simurosertib", "Sintilimab", "Siplizumab", "Sipuleucel-T", "Siremadlin", "siRNA-transfected Peripheral Blood Mononuclear Cells APN401", "Sirolimus", "SIRPa-4-1BBL Fusion Protein DSP107", "SIRPa-Fc Fusion Protein TTI-621", "SIRPa-Fc-CD40L Fusion Protein SL-172154", "SIRPa-IgG4-Fc Fusion Protein TTI-622", "Sitimagene Ceradenovec", "Sitravatinib", "Sivifene", "Sizofiran", "SLC6A8 Inhibitor RGX-202", "SLCT Inhibitor GNS561", "SMAC Mimetic BI 891065", "Smac Mimetic GDC-0152", "Smac Mimetic GDC-0917", "Smac Mimetic LCL161", "SMO Protein Inhibitor ZSP1602", "Smoothened Antagonist BMS-833923", "Smoothened Antagonist LDE225 Topical", "Smoothened Antagonist LEQ506", "Smoothened Antagonist TAK-441", "SN-38-Loaded Polymeric Micelles NK012", "SNS01-T Nanoparticles", "Sobuzoxane", "Sodium Borocaptate", "Sodium Butyrate", "Sodium Dichloroacetate", "Sodium Iodide I-131", "Sodium Metaarsenite", "Sodium Phenylbutyrate", "Sodium Salicylate", "Sodium Selenite", "Sodium Stibogluconate", "Sodium-Potassium Adenosine Triphosphatase Inhibitor RX108", "Sofituzumab Vedotin", "Solitomab", "Sonepcizumab", "Sonidegib", "Sonolisib", "Sorafenib", "Sorafenib Tosylate", "Sorghum bicolor Supplement", "Sotigalimab", "Sotorasib", "Sotrastaurin", "Sotrastaurin Acetate", "Soy Isoflavones", "Soy Protein Isolate", "Spanlecortemlocel", "Sparfosate Sodium", "Sparfosic Acid", "Spartalizumab", "Spebrutinib", "Spherical Nucleic Acid Nanoparticle NU-0129", "Spirogermanium", "Spiromustine", "Spiroplatin", "Splicing Inhibitor H3B-8800", "Spongistatin", "Squalamine Lactate", "SR-BP1/HSI Inhibitor SR31747A", "SR-T100 Gel", "Src Kinase Inhibitor AP 23846", "Src Kinase Inhibitor KX2-391", "Src Kinase Inhibitor KX2-391 Ointment", "Src Kinase Inhibitor M475271", "Src/Abl Kinase Inhibitor AZD0424", "Src/tubulin Inhibitor KX02", "SRPK1/ABCG2 Inhibitor SCO-101", "ssRNA-based Immunomodulator CV8102", "SSTR2-targeting Protein/DM1 Conjugate PEN-221", "St. John's Wort", "Stallimycin", "Staphylococcal Enterotoxin A", "Staphylococcal Enterotoxin B", "STAT Inhibitor OPB-111077", "STAT3 Inhibitor DSP-0337", "STAT3 Inhibitor OPB-31121", "STAT3 Inhibitor OPB-51602", "STAT3 Inhibitor TTI-101", "STAT3 Inhibitor WP1066", "Staurosporine", "STING Agonist BMS-986301", "STING Agonist GSK3745417", "STING Agonist IMSA101", "STING Agonist MK-1454", "STING Agonist SB 11285", "STING Agonist TAK-676", "STING-activating Cyclic Dinucleotide Agonist MIW815", "STING-expressing E. coli SYNB1891", "Streptonigrin", "Streptozocin", "Strontium Chloride Sr-89", "Submicron Particle Paclitaxel Sterile Suspension", "Sugemalimab", "Sulfatinib", "Sulforaphane", "Sulindac", "Sulofenur", "Sumoylation Inhibitor TAK-981", "Sunitinib", "Sunitinib Malate", "Super Enhancer Inhibitor GZ17-6.02", "Superagonist Interleukin-15:Interleukin-15 Receptor alphaSu/Fc Fusion Complex ALT-803", "Superoxide Dismutase Mimetic GC4711", "Suramin", "Suramin Sodium", "Survivin Antigen", "Survivin Antigen Vaccine DPX-Survivac", "Survivin mRNA Antagonist EZN-3042", "Survivin-expressing CVD908ssb-TXSVN Vaccine", "Sustained-release Lipid Inhaled Cisplatin", "Sustained-release Mitomycin C Hydrogel Formulation UGN-101", "Sustained-release Mitomycin C Hydrogel Formulation UGN-102", "Syk Inhibitor HMPL-523", "Synchrotope TA2M Plasmid DNA Vaccine", "Synchrovax SEM Plasmid DNA Vaccine", "Synthetic Alkaloid PM00104", "Synthetic Glioblastoma Mutated Tumor-specific Peptides Vaccine Therapy APVAC2", "Synthetic Glioblastoma Tumor-associated Peptides Vaccine Therapy APVAC1", "Synthetic hTERT DNA Vaccine INO-1400", "Synthetic hTERT DNA Vaccine INO-1401", "Synthetic Hypericin", "Synthetic Long E6 Peptide-Toll-like Receptor Ligand Conjugate Vaccine ISA201", "Synthetic Long E6/E7 Peptides Vaccine HPV-01", "Synthetic Long HPV16 E6/E7 Peptides Vaccine ISA101b", "Synthetic Plumbagin PCUR-101", "T900607", "Tabalumab", "Tabelecleucel", "Tacedinaline", "Tafasitamab", "Tagraxofusp-erzs", "Talabostat", "Talabostat Mesylate", "Talacotuzumab", "Talactoferrin Alfa", "Taladegib", "Talampanel", "Talaporfin Sodium", "Talazoparib", "Taletrectinib", "Talimogene Laherparepvec", "Tallimustine", "Talmapimod", "Talotrexin", "Talotrexin Ammonium", "Taltobulin", "TAM/c-Met Inhibitor RXDX-106", "Tamibarotene", "Taminadenant", "Tamoxifen", "Tamoxifen Citrate", "Tamrintamab Pamozirine", "Tandutinib", "Tanespimycin", "Tanibirumab", "Tankyrase Inhibitor STP1002", "Tanomastat", "Tapotoclax", "Tarenflurbil", "Tarextumab", "Tariquidar", "Tasadenoturev", "Taselisib", "Tasidotin", "Tasisulam", "Tasisulam Sodium", "Tasquinimod", "Taurolidine", "Tauromustine", "Taurultam", "Taurultam Analogue GP-2250", "Tavokinogene Telseplasmid", "Tavolimab", "Taxane Analogue TPI 287", "Taxane Compound", "Taxol Analogue SID 530", "Tazarotene", "Tazemetostat", "Tebentafusp", "Teclistamab", "Tecogalan Sodium", "Tefinostat", "Tegafur", "Tegafur-gimeracil-oteracil Potassium", "Tegafur-Gimeracil-Oteracil Potassium-Leucovorin Calcium Oral Formulation", "Tegafur-Uracil", "Tegavivint", "Teglarinad", "Teglarinad Chloride", "Telaglenastat", "Telaglenastat Hydrochloride", "Telapristone", "Telapristone Acetate", "Telatinib Mesylate", "Telisotuzumab", "Telisotuzumab Vedotin", "Telomerase Inhibitor FJ5002", "Telomerase-specific Type 5 Adenovirus OBP-301", "Teloxantrone", "Teloxantrone Hydrochloride", "Telratolimod", "Temarotene", "Temoporfin", "Temozolomide", "Temsirolimus", "Tenalisib", "Tenifatecan", "Teniposide", "Tepoditamab", "Tepotinib", "Teprotumumab", "Terameprocol", "Terfluranol", "Tergenpumatucel-L", "Teroxirone", "Tertomotide", "Tesetaxel", "Tesevatinib", "Tesidolumab", "Testolactone", "Testosterone Enanthate", "Tetanus Toxoid Vaccine", "Tetradecanoylphorbol Acetate", "Tetrahydrouridine", "Tetraphenyl Chlorin Disulfonate", "Tetrathiomolybdate", "Tezacitabine", "Tezacitabine Anhydrous", "TGF-beta Receptor 1 Inhibitor PF-06952229", "TGF-beta Receptor 1 Kinase Inhibitor SH3051", "TGF-beta Receptor 1 Kinase Inhibitor YL-13027", "TGFa-PE38 Immunotoxin", "TGFbeta Inhibitor LY3200882", "TGFbeta Receptor Ectodomain-IgG Fc Fusion Protein AVID200", "Thalicarpine", "Thalidomide", "Theliatinib", "Theramide", "Therapeutic Angiotensin-(1-7)", "Therapeutic Breast/Ovarian/Prostate Peptide Cancer Vaccine DPX-0907", "Therapeutic Cancer Vaccine ATP128", "Therapeutic Estradiol", "Therapeutic Hydrocortisone", "Therapeutic Liver Cancer Peptide Vaccine IMA970A", "Thiarabine", "Thiodiglycol", "Thioguanine", "Thioguanine Anhydrous", "Thioinosine", "Thioredoxin-1 Inhibitor PX-12", "Thiotepa", "Thioureidobutyronitrile", "THL-P", "Thorium Th 227 Anetumab", "Thorium Th 227 Anetumab Corixetan", "Thorium Th 227 Anti-HER2 Monoclonal Antibody BAY2701439", "Thorium Th 227 Anti-PSMA Monoclonal Antibody BAY 2315497", "Threonine Tyrosine Kinase Inhibitor CFI-402257", "Thymidylate Synthase Inhibitor CX1106", "Thymidylate Synthase Inhibitor DFP-11207", "Thymopentin", "Thyroid Extract", "Tiazofurin", "Tidutamab", "Tigapotide", "Tigatuzumab", "TIGIT Inhibitor M6223", "TIGIT-targeting Agent MK-7684", "Tilarginine", "Tilogotamab", "Tilsotolimod Sodium", "Timonacic", "Tin Ethyl Etiopurpurin", "Tinostamustine", "Tinzaparin Sodium", "Tiomolibdate Choline", "Tiomolibdate Diammonium", "Tipapkinogene Sovacivec", "Tipifarnib", "Tipiracil", "Tipiracil Hydrochloride", "Tirabrutinib", "Tiragolumab", "Tirapazamine", "Tirbanibulin", "Tisagenlecleucel", "Tislelizumab", "Tisotumab Vedotin", "Tivantinib", "Tivozanib", "TLC ELL-12", "TLR Agonist BDB001", "TLR Agonist BSG-001", "TLR Agonist CADI-05", "TLR-Directed Cationic Lipid-DNA Complex JVRS-100", "TLR7 Agonist 852A", "TLR7 agonist BNT411", "TLR7 Agonist LHC165", "TLR7/8/9 Antagonist IMO-8400", "TLR8 Agonist DN1508052", "TLR9 Agonist AST-008", "TM4SF1-CAR/EpCAM-CAR-expressing Autologous T Cells", "Tocilizumab", "Tocladesine", "Tocotrienol", "Tocotrienol-rich Fraction", "Tolebrutinib", "Toll-like Receptor 7 Agonist DSP-0509", "Tolnidamine", "Tomaralimab", "Tomato-Soy Juice", "Tomivosertib", "Topical Betulinic Acid", "Topical Celecoxib", "Topical Fluorouracil", "Topical Gemcitabine Hydrochloride", "Topical Potassium Dobesilate", "Topical Trichloroacetic Acid", "Topixantrone", "Topoisomerase I Inhibitor Genz-644282", "Topoisomerase I Inhibitor LMP400", "Topoisomerase I Inhibitor LMP776", "Topoisomerase I/II Inhibitor NEV-801", "Topoisomerase-1 Inhibitor LMP744", "Topoisomerase-II Inhibitor Racemic XK469", "Topoisomerase-II-beta Inhibitor Racemic XK469", "Topotecan", "Topotecan Hydrochloride", "Topotecan Hydrochloride Liposomes", "Topotecan Sustained-release Episcleral Plaque", "Topsalysin", "TORC1/2 Kinase Inhibitor DS-3078a", "Toremifene", "Toremifene Citrate", "Toripalimab", "Tosedostat", "Tositumomab", "Total Androgen Blockade", "Tovetumab", "Tozasertib Lactate", "TP40 Immunotoxin", "Trabectedin", "Trabedersen", "TRAIL Receptor Agonist ABBV-621", "Trametinib", "Trametinib Dimethyl Sulfoxide", "Trans Sodium Crocetinate", "Transdermal 17beta-Estradiol Gel BHR-200", "Transdermal 4-Hydroxytestosterone", "Transferrin Receptor-Targeted Anti-RRM2 siRNA CALAA-01", "Transferrin Receptor-Targeted Liposomal p53 cDNA", "Transferrin-CRM107", "Tranylcypromine Sulfate", "Trapoxin", "Trastuzumab", "Trastuzumab Conjugate BI-CON-02", "Trastuzumab Deruxtecan", "Trastuzumab Duocarmazine", "Trastuzumab Emtansine", "Trastuzumab Monomethyl Auristatin F", "Trastuzumab-TLR 7/8 Agonist BDC-1001", "Trastuzumab/Hyaluronidase-oysk", "Trastuzumab/Tesirine Antibody-drug Conjugate ADCT-502", "Trebananib", "Tremelimumab", "Treosulfan", "Tretazicar", "Tretinoin", "Tretinoin Liposome", "Triamcinolone Acetonide", "Triamcinolone Hexacetonide", "Triapine", "Triazene Derivative CB10-277", "Triazene Derivative TriN2755", "Triazinate", "Triaziquone", "Tributyrin", "Triciribine Phosphate", "Trientine Hydrochloride", "Triethylenemelamine", "Trifluridine", "Trifluridine and Tipiracil Hydrochloride", "Trigriluzole", "Trilaciclib", "Trimelamol", "Trimeric GITRL-Fc OMP-336B11", "Trimethylcolchicinic Acid", "Trimetrexate", "Trimetrexate Glucuronate", "Trioxifene", "Triplatin Tetranitrate", "Triptolide Analog", "Triptorelin", "Triptorelin Pamoate", "Tris-acryl Gelatin Microspheres", "Tritylcysteine", "TRK Inhibitor AZD6918", "TRK Inhibitor TQB3558", "TrkA Inhibitor VMD-928", "Trodusquemine", "Trofosfamide", "Troglitazone", "Tropomyosin Receptor Kinase Inhibitor AZD7451", "Troriluzole", "Troxacitabine", "Troxacitabine Nucleotide Prodrug MIV-818", "TRPM8 Agonist D-3263", "TRPV6 Calcium Channel Inhibitor SOR-C13", "TSP-1 Mimetic ABT-510", "TSP-1 Mimetic Fusion Protein CVX-045", "Tubercidin", "Tubulin Binding Agent TTI-237", "Tubulin Inhibitor ALB 109564 Dihydrochloride", "Tubulin Inhibitor ALB-109564", "Tubulin Polymerization Inhibitor AEZS 112", "Tubulin Polymerization Inhibitor CKD-516", "Tubulin Polymerization Inhibitor VERU-111", "Tubulin-Binding Agent SSR97225", "Tucatinib", "Tucidinostat", "Tucotuzumab Celmoleukin", "Tyroserleutide", "Tyrosinase Peptide", "Tyrosinase-KLH", "Tyrosinase:146-156 Peptide", "Tyrosine Kinase Inhibitor", "Tyrosine Kinase Inhibitor OSI-930", "Tyrosine Kinase Inhibitor SU5402", "Tyrosine Kinase Inhibitor TL-895", "Tyrosine Kinase Inhibitor XL228", "UAE Inhibitor TAK-243", "Ubenimex", "Ubidecarenone Nanodispersion BPM31510n", "Ublituximab", "Ulinastatin", "Ulixertinib", "Ulocuplumab", "Umbralisib", "Uncaria tomentosa Extract", "Upamostat", "Upifitamab", "Uproleselan", "Uprosertib", "Urabrelimab", "Uracil Ointment", "Urelumab", "Uroacitides", "Urokinase-Derived Peptide A6", "Ursolic Acid", "USP14/UCHL5 Inhibitor VLX1570", "Utomilumab", "Uzansertib", "V930 Vaccine", "Vaccine-Sensitized Draining Lymph Node Cells", "Vaccinium myrtillus/Macleaya cordata/Echinacea angustifolia Extract Granules", "Vactosertib", "Vadacabtagene Leraleucel", "Vadastuximab Talirine", "Vadimezan", "Valecobulin", "Valemetostat", "Valproic Acid", "Valrubicin", "Valspodar", "Vandetanib", "Vandetanib-eluting Radiopaque Bead BTG-002814", "Vandortuzumab Vedotin", "Vantictumab", "Vanucizumab", "Vapreotide", "Varlilumab", "Varlitinib", "Varlitinib Tosylate", "Vascular Disrupting Agent BNC105", "Vascular Disrupting Agent BNC105P", "Vascular Disrupting Agent ZD6126", "Vatalanib", "Vatalanib Succinate", "Vecabrutinib", "Vector-peptide Conjugated Paclitaxel", "Vedolizumab", "VEGF Inhibitor PTC299", "VEGF/HGF-targeting DARPin MP0250", "VEGFR Inhibitor KRN951", "VEGFR-2 DNA Vaccine VXM01", "VEGFR/FGFR Inhibitor ODM-203", "VEGFR/PDGFR Tyrosine Kinase Inhibitor TAK-593", "VEGFR2 Tyrosine Kinase Inhibitor PF-00337210", "VEGFR2/PDGFR/c-Kit/Flt-3 Inhibitor SU014813", "Veliparib", "Veltuzumab", "Vemurafenib", "Venetoclax", "Verapamil", "Verpasep Caltespen", "Verubulin", "Verubulin Hydrochloride", "Vesencumab", "Vesigenurtucel-L", "VGEF Mixed-Backbone Antisense Oligonucleotide GEM 220", "VGEFR/c-kit/PDGFR Tyrosine Kinase Inhibitor XL820", "Viagenpumatucel-L", "Vibecotamab", "Vibostolimab", "Vilaprisan", "Vinblastine", "Vinblastine Sulfate", "Vincristine", "Vincristine Liposomal", "Vincristine Sulfate", "Vincristine Sulfate Liposome", "Vindesine", "Vinepidine", "Vinflunine", "Vinflunine Ditartrate", "Vinfosiltine", "Vinorelbine", "Vinorelbine Tartrate", "Vinorelbine Tartrate Emulsion", "Vinorelbine Tartrate Oral", "Vintafolide", "Vinzolidine", "Vinzolidine Sulfate", "Virulizin", "Vismodegib", "Vistusertib", "Vitamin D3 Analogue ILX23-7553", "Vitamin E Compound", "Vitespen", "VLP-encapsulated TLR9 Agonist CMP-001", "Vocimagene Amiretrorepvec", "Vofatamab", "Volasertib", "Volociximab", "Vonlerolizumab", "Vopratelimab", "Vorasidenib", "Vorinostat", "Vorolanib", "Vorsetzumab Mafodotin", "Vosaroxin", "Vosilasarm", "Voxtalisib", "Vulinacimab", "Warfarin Sodium", "Wee1 Inhibitor ZN-c3", "Wee1 Kinase Inhibitor Debio 0123", "White Carrot", "Wnt Signaling Inhibitor SM04755", "Wnt Signaling Pathway Inhibitor SM08502", "Wnt-5a Mimic Hexapeptide Foxy-5", "Wobe-Mugos E", "WT1 Peptide Vaccine OCV-501", "WT1 Peptide Vaccine WT2725", "WT1 Protein-derived Peptide Vaccine DSP-7888", "WT1-A10/AS01B Immunotherapeutic GSK2130579A", "WT1/PSMA/hTERT-encoding Plasmid DNA INO-5401", "Xanthohumol", "XBP1-US/XBP1-SP/CD138/CS1 Multipeptide Vaccine PVX-410", "Xeloda", "Xentuzumab", "Xevinapant", "Xiaoai Jiedu Decoction", "XIAP Antisense Oligonucleotide AEG35156", "XIAP/cIAP1 Antagonist ASTX660", "Xiliertinib", "Xisomab 3G3", "XPO1 Inhibitor SL-801", "Y 90 Monoclonal Antibody CC49", "Y 90 Monoclonal Antibody HMFG1", "Y 90 Monoclonal Antibody Lym-1", "Y 90 Monoclonal Antibody m170", "Y 90 Monoclonal Antibody M195", "Yang Yin Fu Zheng", "Yangzheng Xiaoji Extract", "Yiqi-yangyin-jiedu Herbal Decoction", "Yttrium Y 90 Anti-CD19 Monoclonal Antibody BU12", "Yttrium Y 90 Anti-CD45 Monoclonal Antibody AHN-12", "Yttrium Y 90 Anti-CD45 Monoclonal Antibody BC8", "Yttrium Y 90 Anti-CDH3 Monoclonal Antibody FF-21101", "Yttrium Y 90 Anti-CEA Monoclonal Antibody cT84.66", "Yttrium Y 90 Basiliximab", "Yttrium Y 90 Colloid", "Yttrium Y 90 Daclizumab", "Yttrium Y 90 DOTA Anti-CEA Monoclonal Antibody M5A", "Yttrium Y 90 Glass Microspheres", "Yttrium Y 90 Monoclonal Antibody B3", "Yttrium Y 90 Monoclonal Antibody BrE-3", "Yttrium Y 90 Monoclonal Antibody Hu3S193", "Yttrium Y 90 Monoclonal Antibody MN-14", "Yttrium Y 90 Resin Microspheres", "Yttrium Y 90 Tabituximab Barzuxetan", "Yttrium Y 90-DOTA-Biotin", "Yttrium Y 90-DOTA-di-HSG Peptide IMP-288", "Yttrium Y 90-Edotreotide", "Yttrium Y 90-labeled Anti-FZD10 Monoclonal Antibody OTSA101", "Yttrium Y-90 Clivatuzumab Tetraxetan", "Yttrium Y-90 Epratuzumab Tetraxetan", "Yttrium Y-90 Ibritumomab Tiuxetan", "Yttrium Y-90 Tacatuzumab Tetraxetan", "Yttrium-90 Polycarbonate Brachytherapy Plaque", "Z-Endoxifen Hydrochloride", "Zalcitabine", "Zalifrelimab", "Zalutumumab", "Zandelisib", "Zanidatamab", "Zanolimumab", "Zanubrutinib", "Zebularine", "Zelavespib", "Zibotentan", "Zinc Finger Nuclease ZFN-603", "Zinc Finger Nuclease ZFN-758", "Zinostatin", "Zinostatin Stimalamer", "Zirconium Zr 89 Panitumumab", "Ziv-Aflibercept", "Zolbetuximab", "Zoledronic Acid", "Zoptarelin Doxorubicin", "Zorifertinib", "Zorubicin", "Zorubicin Hydrochloride", "Zotatifin", "Zotiraciclib Citrate", "Zuclomiphene Citrate", "Unknown", "Not Reported"]}}, "relationships": {}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "Sample identifier as submitted by requestor", "type": "string", "required": true}, "sample_type": {"name": "sample_type", "description": "Tissue type of this sample", "type": "string", "required": true, "permissible_values": ["Ascites", "Blood", "Blood Derived Normal", "Bone Marrow", "Buccal Mucosa", "Buffy Coat", "Cell Line Derived Xenograft Tissue", "DNA", "Fluids", "Metastatic", "Mouthwash", "Normal", "Not specified in data", "Pleural Fluid", "Primary Tumor", "Primary Xenograft Tissue", "RNA", "Saliva", "Skin", "Solid Tissue Normal", "Tissue", "Tumor", "Tumor Adjacent Normal", "Unknown", "Unspecified", "Xenograft Tissue", "Additional - New Primary", "Additional Metastatic", "Benign Neoplasms", "Blood Derived Cancer - Bone Marrow", "Blood Derived Cancer - Bone Marrow, Post-treatment", "Blood Derived Cancer - Peripheral Blood", "Blood Derived Cancer - Peripheral Blood, Post-treatment", "Blood Derived Liquid Biopsy", "Bone Marrow Normal", "Buccal Cell Normal", "Cell Lines", "Control Analyte", "EBV Immortalized Normal", "Expanded Next Generation Cancer Model", "FFPE Recurrent", "FFPE Scrolls", "Fibroblasts from Bone Marrow Normal", "GenomePlex (Rubicon) Amplified DNA", "Granulocytes", "Human Tumor Original Cells", "In Situ Neoplasms", "Lymphoid Normal", "Mixed Adherent Suspension", "Mononuclear Cells from Bone Marrow Normal", "Neoplasms of Uncertain and Unknown Behavior", "Next Generation Cancer Model", "Next Generation Cancer Model Expanded Under Non-conforming Conditions", "Not Allowed To Collect", "Pleural Effusion", "Post neo-adjuvant therapy", "Primary Blood Derived Cancer - Bone Marrow", "Primary Blood Derived Cancer - Peripheral Blood", "Recurrent Blood Derived Cancer - Bone Marrow", "Recurrent Blood Derived Cancer - Peripheral Blood", "Recurrent Tumor", "Repli-G (Qiagen) DNA", "Repli-G X (Qiagen) DNA", "Slides", "Total RNA", "Tumor Adjacent Normal - Post Neo-adjuvant Therapy", "Not Reported"]}, "sample_tumor_status": {"name": "sample_tumor_status", "description": "Tumor or normal status", "type": "string", "required": true, "permissible_values": ["Tumor", "Normal", "Abnormal", "Peritumoral", "Unknown"]}, "sample_anatomic_site": {"name": "sample_anatomic_site", "description": "Anatomic site from which sample was collected", "type": "string", "required": false, "permissible_values": ["Bone marrow", "post mortem blood", "post mortem liver", "Frontal Lobe", "Peripheral blood", "Lung", "tumor", "post mortem liver tumor", "Left Bone marrow", "Right Bone marrow", "Left thigh", "Lung/pleura", "R. femur/rib/verebra", "Femur", "Paraspinal mass", "Abdominal mass", "Kidney", "Brain stem", "Cerebrum", "Cerebellum", "R. Buttock", "Shoulder", "L. Kidney", "R. Kidney", "Ventricular mass", "Bilateral", "Retroperitoneal mass", "Adrenal mass", "R. Breast metastasis", "Paracaval Lymph Node metastasis", "Transverse Colon", "Lymph Node met", "Orbit", "Lung met", "Liver", "4th ventricle", "L. Occipital mass", "Posterior mediastil mass (mediastinum)", "R. Proximal Ulna", "R. Sylvian Fissure", "Lung metastasis", "Liver metastasis", "R. Parietal Lobe", "Tibia", "Humerus", "Lung mass", "R. Distal Femur", "R. Humerus", "L. Femur", "Distal femur", "L. Distal Femur", "Os frontalis", "L. Proximal Tibia", "Arm", "Perineum", "Bone Marrow metastasis", "Paratesticular", "Cervical node", "R. Neck mass", "Pleural effusion met", "not reported", "Abdomen", "Abdominal Wall", "Acetabulum", "Adenoid", "Adipose", "Adrenal", "Alveolar Ridge", "Amniotic Fluid", "Ampulla Of Vater", "Anal Sphincter", "Ankle", "Anorectum", "Antecubital Fossa", "Antrum", "Anus", "Aorta", "Aortic Body", "Appendix", "Aqueous Fluid", "Artery", "Ascending Colon", "Ascending Colon Hepatic Flexure", "Auditory Canal", "Autonomic Nervous System", "Axilla", "Back", "Bile Duct", "Bladder", "Blood", "Blood Vessel", "Bone", "Bone Marrow", "Bowel", "Brain", "Brain Stem", "Breast", "Broad Ligament", "Bronchiole", "Bronchus", "Brow", "Buccal Cavity", "Buccal Mucosa", "Buttock", "Calf", "Capillary", "Cardia", "Carina", "Carotid Artery", "Carotid Body", "Cartilage", "Cecum", "Cell-Line", "Central Nervous System", "Cerebral Cortex", "Cerebrospinal Fluid", "Cervical Spine", "Cervix", "Chest", "Chest Wall", "Chin", "Clavicle", "Clitoris", "Colon", "Colon - Mucosa Only", "Common Duct", "Conjunctiva", "Connective Tissue", "Dermal", "Descending Colon", "Diaphragm", "Duodenum", "Ear", "Ear Canal", "Ear, Pinna (External)", "Effusion", "Elbow", "Endocrine Gland", "Epididymis", "Epidural Space", "Esophageal; Distal", "Esophageal; Mid", "Esophageal; Proximal", "Esophagogastric Junction", "Esophagus", "Esophagus - Mucosa Only", "Eye", "Fallopian Tube", "Femoral Artery", "Femoral Vein", "Fibroblasts", "Fibula", "Finger", "Floor Of Mouth", "Fluid", "Foot", "Forearm", "Forehead", "Foreskin", "Frontal Cortex", "Fundus Of Stomach", "Gallbladder", "Ganglia", "Gastroesophageal Junction", "Gastrointestinal Tract", "Glottis", "Groin", "Gum", "Hand", "Hard Palate", "Head - Face Or Neck, Nos", "Head & Neck", "Heart", "Hepatic", "Hepatic Duct", "Hepatic Flexure", "Hepatic Vein", "Hip", "Hippocampus", "Hypopharynx", "Ileum", "Ilium", "Index Finger", "Ischium", "Islet Cells", "Jaw", "Jejunum", "Joint", "Knee", "Lacrimal Gland", "Large Bowel", "Laryngopharynx", "Larynx", "Leg", "Leptomeninges", "Ligament", "Lip", "Lumbar Spine", "Lymph Node", "Lymph Node(s) Axilla", "Lymph Node(s) Cervical", "Lymph Node(s) Distant", "Lymph Node(s) Epitrochlear", "Lymph Node(s) Femoral", "Lymph Node(s) Hilar", "Lymph Node(s) Iliac-Common", "Lymph Node(s) Iliac-External", "Lymph Node(s) Inguinal", "Lymph Node(s) Internal Mammary", "Lymph Node(s) Mammary", "Lymph Node(s) Mesenteric", "Lymph Node(s) Occipital", "Lymph Node(s) Paraaortic", "Lymph Node(s) Parotid", "Lymph Node(s) Pelvic", "Lymph Node(s) Popliteal", "Lymph Node(s) Regional", "Lymph Node(s) Retroperitoneal", "Lymph Node(s) Scalene", "Lymph Node(s) Splenic", "Lymph Node(s) Subclavicular", "Lymph Node(s) Submandibular", "Lymph Node(s) Supraclavicular", "Lymph Nodes(s) Mediastinal", "Mandible", "Maxilla", "Mediastinal Soft Tissue", "Mediastinum", "Mesentery", "Mesothelium", "Middle Finger", "Mitochondria", "Muscle", "Nails", "Nasal Cavity", "Nasal Soft Tissue", "Nasopharynx", "Neck", "Nerve", "Nerve(s) Cranial", "Not Allowed To Collect", "Occipital Cortex", "Ocular Orbits", "Omentum", "Oral Cavity", "Oral Cavity - Mucosa Only", "Oropharynx", "Other", "Ovary", "Palate", "Pancreas", "Paranasal Sinuses", "Paraspinal Ganglion", "Parathyroid", "Parotid Gland", "Patella", "Pelvis", "Penis", "Pericardium", "Periorbital Soft Tissue", "Peritoneal Cavity", "Peritoneum", "Pharynx", "Pineal", "Pineal Gland", "Pituitary Gland", "Placenta", "Pleura", "Popliteal Fossa", "Prostate", "Pylorus", "Rectosigmoid Junction", "Rectum", "Retina", "Retro-Orbital Region", "Retroperitoneum", "Rib", "Ring Finger", "Round Ligament", "Sacrum", "Salivary Gland", "Scalp", "Scapula", "Sciatic Nerve", "Scrotum", "Seminal Vesicle", "Sigmoid Colon", "Sinus", "Sinus(es), Maxillary", "Skeletal Muscle", "Skin", "Skull", "Small Bowel", "Small Bowel - Mucosa Only", "Small Finger", "Soft Tissue", "Spinal Column", "Spinal Cord", "Spleen", "Splenic Flexure", "Sternum", "Stomach", "Stomach - Mucosa Only", "Subcutaneous Tissue", "Subglottis", "Sublingual Gland", "Submandibular Gland", "Supraglottis", "Synovium", "Temporal Cortex", "Tendon", "Testis", "Thigh", "Thoracic Spine", "Thorax", "Throat", "Thumb", "Thymus", "Thyroid", "Tongue", "Tonsil", "Tonsil (Pharyngeal)", "Trachea / Major Bronchi", "Trunk", "Umbilical Cord", "Ureter", "Urethra", "Urinary Tract", "Uterus", "Uvula", "Vagina", "Vas Deferens", "Vein", "Venous", "Vertebra", "Vulva", "White Blood Cells", "Wrist", "Unknown", "Not Reported"]}, "sample_age_at_collection": {"name": "sample_age_at_collection", "description": "Number of days to collection, relative to index date", "type": "integer", "required": false}, "derived_from_specimen": {"name": "derived_from_specimen", "description": "Identier of the parent specimen of this sample", "type": "string", "required": false}, "biosample_accession": {"name": "biosample_accession", "description": "NCBI BioSample accession ID (SAMN) for this sample", "type": "string", "required": false}}, "relationships": {"participant": {"dest_node": "participant", "type": "many_to_one", "label": "of_participant"}}}, "file": {"name": "file", "description": "", "id_property": "file_id", "properties": {"file_id": {"name": "file_id", "description": "File identifier", "type": "string", "required": true}, "file_name": {"name": "file_name", "description": "Name of file", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "File type from enumerated list", "type": "string", "required": true, "permissible_values": ["BAI", "BAM", "BW", "CRAI", "CRAM", "FASTQ", "HTML", "IDAT", "JSON", "MAF", "PDF", "TSV", "TXT", "VCF", "XLSX"]}, "file_description": {"name": "file_description", "description": "Human-readable description of file", "type": "string", "required": false}, "file_size": {"name": "file_size", "description": "File size in bytes", "type": "integer", "required": false}, "md5sum": {"name": "md5sum", "description": "MD5 hex digest for this file", "type": "string", "required": true}, "file_url_in_cds": {"name": "file_url_in_cds", "description": "Location of the file on the CDS cloud, using AWS S3 protocol", "type": "string", "required": false}, "experimental_strategy_and_data_subtypes": {"name": "experimental_strategy_and_data_subtypes", "description": "What is the experimental strategy used for the study (or what\ntype of data subtypes exist in the study)?\n", "type": "string", "required": true, "permissible_values": ["Amplicon", "Archer Fusion", "Bisulfite-Seq", "Methylation Array", "OTHER", "RNA-Seq", "Targeted Sequencing", "Targeted-Capture", "WGA", "WGS", "WXS"]}, "submission_version": {"name": "submission_version", "description": "Raw data file submission", "type": "string", "required": true}}, "relationships": {"sample": {"dest_node": "sample", "type": "many_to_many", "label": "from_sample"}}}, "genomic_info": {"name": "genomic_info", "description": "", "id_property": "genomic_info_id", "properties": {"genomic_info_id": {"name": "genomic_info_id", "description": "Genomic info identifier, the ID property for the ndoe genomic_info.", "type": "string", "required": true}, "library_id": {"name": "library_id", "description": "Library identifier as submitted by requestor", "type": "string", "required": false}, "bases": {"name": "bases", "description": "Total number of unique bases read", "type": "integer", "required": false}, "number_of_reads": {"name": "number_of_reads", "description": "Total number of reads performed", "type": "integer", "required": false}, "avg_read_length": {"name": "avg_read_length", "description": "Average sequence read length", "type": "number", "required": false}, "coverage": {"name": "coverage", "description": "Average depth of coverage on reference used", "type": "number", "required": false}, "reference_genome_assembly": {"name": "reference_genome_assembly", "description": "Accession or name of genome reference or assembly used for alignment", "type": "string", "required": false, "permissible_values": ["GRCh37", "GRCh37-lite", "GRCh38"]}, "custom_assembly_fasta_file_for_alignment": {"name": "custom_assembly_fasta_file_for_alignment", "description": "File name of any custom assembly fasta file used during alignment", "type": "string", "required": false}, "design_description": {"name": "design_description", "description": "Human-readable description of methods used to create sequencing library", "type": "string", "required": false}, "library_strategy": {"name": "library_strategy", "description": "Nucleic acid capture or processing strategy for this library", "type": "string", "required": false, "permissible_values": ["AMPLICON", "ATAC-seq", "Bisulfite-Seq", "ChIA-PET", "ChIP-Seq", "CLONE", "CLONEEND", "CTS", "DNase-Hypersensitivity", "EST", "FAIRE-seq", "FINISHING", "FL-cDNA", "Hi-C", "MBD-Seq", "MeDIP-Seq", "miRNA-Seq", "MNase-Seq", "MRE-Seq", "ncRNA-Seq", "OTHER", "POOLCLONE", "RAD-Seq", "RIP-Seq", "RNA-Seq", "SELEX", "ssRNA-seq", "Synthetic-Long-Read", "Targeted-Capture", "Tethered Chromatin Conformation Capture", "Tn-Seq", "WCS", "WGA", "WGS", "WXS"]}, "library_layout": {"name": "library_layout", "description": "Library layout as submitted by requestor", "type": "string", "required": false, "permissible_values": ["Paired-end", "Single-end", "Single-indexed"]}, "library_source": {"name": "library_source", "description": "Source material used to create library", "type": "string", "required": false, "permissible_values": ["Genomic", "Transcriptomic", "Metagenomic", "Metatranscriptomic", "Synthetic", "Viral RNA", "Genomic Single Cell", "Single Nucleus", "Transcriptomic Single Cell", "Other", "Bulk Whole Cell", "Single Cell"]}, "library_selection": {"name": "library_selection", "description": "Library selection method", "type": "string", "required": false, "permissible_values": ["Hybrid Selection", "other", "PCR", "Poly-T Enrichment", "PolyA", "Random", "5-methylcytidine antibody", "CAGE", "cDNA", "cDNA_oligo_dT", "cDNA_randomPriming", "CF-H", "CF-M", "CF-S", "CF-T", "ChIP", "DNAse", "HMPR", "Inverse rRNA", "MBD2 protein methyl-CpG binding domain", "MDA", "MF", "MNase", "MSLL", "Oligo-dT", "Padlock probes capture method", "Race", "Random PCR", "Reduced Representation", "repeat fractionation", "Restriction Digest", "RT-PCR", "size fractionation", "unspecified"]}, "platform": {"name": "platform", "description": "Instrument platform or manufacturer", "type": "string", "required": false, "permissible_values": ["LS454", "ILLUMINA", "HELICOS", "ABI_SOLID", "COMPLETE_GENOMICS", "PACBIO_SMRT", "ION_TORRENT", "CAPILLARY", "OXFORD_NANOPORE", "BGISEQ", "Illumina HiSeq 2500", "Illumina HiSeq X Ten", "Illumina Next Seq 500", "Illumina Next Seq 550", "Illumina NextSeq", "Illumina NovaSeq 6000", "NovaSeqS4"]}, "instrument_model": {"name": "instrument_model", "description": "Instrument model", "type": "string", "required": false, "permissible_values": ["454 GS", "454 GS 20", "454 GS FLX", "454 GS FLX+", "454 GS FLX Titanium", "454 GS Junior", "HiSeq X Five", "HiSeq X Ten", "Illumina Genome Analyzer", "Illumina Genome Analyzer II", "Illumina Genome Analyzer IIx", "Illumina HiScanSQ", "Illumina HiSeq", "Illumina HiSeq 1000", "Illumina HiSeq 1500", "Illumina HiSeq 2000", "Illumina HiSeq 2500", "Illumina HiSeq 3000", "Illumina HiSeq 4000", "Illumina iSeq 100", "Illumina NovaSeq 6000", "llumina NovaSeq", "Illumina MiniSeq", "Illumina MiSeq", "Illumina NextSeq", "NextSeq 500", "NextSeq 550", "Helicos HeliScope", "AB 5500 Genetic Analyzer", "AB 5500xl Genetic Analyzer", "AB 5500x-Wl Genetic Analyzer", "AB SOLiD 3 Plus System", "AB SOLiD 4 System", "AB SOLiD 4hq System", "AB SOLiD PI System", "AB SOLiD System", "AB SOLiD System 2.0", "AB SOLiD System 3.0", "Complete Genomics", "PacBio RS", "PacBio RS II", "PacBio Sequel", "PacBio Sequel II", "Ion Torrent PGM", "Ion Torrent Proton", "Ion Torrent S5 XL", "Ion Torrent S5", "AB 310 Genetic Analyzer", "AB 3130 Genetic Analyzer", "AB 3130xL Genetic Analyzer", "AB 3500 Genetic Analyzer", "AB 3500xL Genetic Analyzer", "AB 3730 Genetic Analyzer", "AB 3730xL Genetic Analyzer", "GridION", "MinION", "PromethION", "BGISEQ-500", "DNBSEQ-G400", "DNBSEQ-T7", "DNBSEQ-G50", "MGISEQ-2000RS"]}, "sequence_alignment_software": {"name": "sequence_alignment_software", "description": "Name of software program used to align nucleotide sequence data", "type": "string", "required": false}}, "relationships": {"file": {"dest_node": "file", "type": "many_to_one", "label": "of_file"}}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "phs_accession"}, {"node": "participant", "key": "study_participant_id"}, {"node": "diagnosis", "key": "study_diagnosis_id"}, {"node": "treatment", "key": "treatment_id"}, {"node": "sample", "key": "sample_id"}, {"node": "file", "key": "file_id"}, {"node": "genomic_info", "key": "genomic_info_id"}]} \ No newline at end of file diff --git a/models/ICDC_1.0.0_model.json b/models/ICDC_1.0.0_model.json index 2ef12d9..fc703ee 100644 --- a/models/ICDC_1.0.0_model.json +++ b/models/ICDC_1.0.0_model.json @@ -1 +1 @@ -{"model": {"data_commons": "ICDC", "version": "1.0.0", "source_files": ["icdc-model.yml", "icdc-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": true}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": true}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "clinical_study_designation", "properties": {"clinical_study_id": {"name": "clinical_study_id", "description": "Where applicable, the ID for the study/trial as generated by the source database.", "type": "string", "required": false}, "clinical_study_designation": {"name": "clinical_study_designation", "description": "A unique, human-friendly, alpha-numeric identifier by which the study/trial will be identified within the UI.
This property is used as the key via which child records, e.g. case records, can be associated with the appropriate study during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "clinical_study_name": {"name": "clinical_study_name", "description": "A succinct, narrative title for the study/trial, exactly as it should be displayed within the application's UI.", "type": "string", "required": true}, "clinical_study_description": {"name": "clinical_study_description", "description": "A multiple sentence summary of what the study/trial was intended to determine and how it was conducted.", "type": "string", "required": true}, "clinical_study_type": {"name": "clinical_study_type", "description": "An arbitrary designation of the study/trial to indicate its underlying. nature, e.g. Clinical Trial, Transcriptomics, Genomics.", "type": "string", "required": true}, "date_of_iacuc_approval": {"name": "date_of_iacuc_approval", "description": "Where applicable, the date upon which the study/trial was approved by the IACUC.", "type": "datetime", "required": false}, "dates_of_conduct": {"name": "dates_of_conduct", "description": "An indication of the general time period during which the study/trial was active, e.g. (from) month and year (to) month and year.", "type": "string", "required": false}, "accession_id": {"name": "accession_id", "description": "A unique, alpha-numeric identifier, in the format of six digits, which is assigned to the study/trial as of it being on-boarded, and which can be resolved by identifiers.org when prefixed with \"icdc:\" to create a compact identifier in the format icdc:xxxxxx.", "type": "string", "required": true}, "study_disposition": {"name": "study_disposition", "description": "An arbitrarily-assigned value used to dictate how the study/trial is displayed via the ICDC Production environment, based upon the degree to which the data has been on-boarded and/or whether the data is subject to any temporary embargo which prevents its public release.", "type": "string", "required": true, "permissible_values": ["Unrestricted", "Pending", "Under Embargo"]}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "member_of"}}}, "study_site": {"name": "study_site", "description": "", "id_property": null, "properties": {"site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "study_arm": {"name": "study_arm", "description": "", "id_property": "arm_id", "properties": {"arm": {"name": "arm", "description": "Where applicable, the nature of each arm into which the study/trial has been divided. For example, in multiple agent clinical trials, the name of the therapeutic agent used in any given study arm.", "type": "string", "required": false}, "ctep_treatment_assignment_code": {"name": "ctep_treatment_assignment_code", "description": "TBD", "type": "string", "required": false}, "arm_description": {"name": "arm_description", "description": "A short description of the study arm.", "type": "string", "required": false}, "arm_id": {"name": "arm_id", "description": "A unique identifier via which study arms can be differentiated from one another across studies/trials.
This property is used as the key via which child records, e.g. cohort records, can be associated with the appropriate study arm during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "agent": {"name": "agent", "description": "", "id_property": null, "properties": {"medication": {"name": "medication", "description": "", "type": "string", "required": false}, "document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}}, "relationships": {"study_arm": {"dest_node": "study_arm", "type": "many_to_many", "label": "of_study_arm"}}}, "cohort": {"name": "cohort", "description": "", "id_property": "cohort_id", "properties": {"cohort_description": {"name": "cohort_description", "description": "Where applicable, the nature of each cohort into which the study/trial has been divided, e.g. in studies examining the effects of multiple doses of a therapeutic agent, the name and dose of the therapeutic agent used in any given cohort.", "type": "string", "required": true}, "cohort_dose": {"name": "cohort_dose", "description": "The intended or protocol dose of the therapeutic agent used in any given cohort.", "type": "string", "required": false}, "cohort_id": {"name": "cohort_id", "description": "A unique identifier via which cohorts can be differentiated from one another across studies/trials.
This property is used as the key via which cases can be associated with the appropriate cohort during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "case": {"name": "case", "description": "", "id_property": "case_id", "properties": {"case_id": {"name": "case_id", "description": "The globally unique ID by which any given patient/subject/donor can be unambiguously identified and displayed across studies/trials; specifically the value of patient_id as supplied by the data submitter, prefixed with the appropriate ICDC study code during data alignment and/or transformation.
This property is used as the key via which child records, e.g. sample records, can be associated with the appropriate case during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "patient_id": {"name": "patient_id", "description": "The preferred ID by which the data submitter uniquely identifies any given patient/subject/donor, at least within a single study/trial, recorded exactly as provided by the data submitter. Once prefixed with the appropriate ICDC study code during data alignment and/or transformation, values of Patient ID become values of Case ID.", "type": "string", "required": true}, "patient_first_name": {"name": "patient_first_name", "description": "Where available, the given name of the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"canine_individual": {"dest_node": "canine_individual", "type": "many_to_one", "label": "represents"}}}, "registration": {"name": "registration", "description": "", "id_property": null, "properties": {"registration_origin": {"name": "registration_origin", "description": "The entity with which each registration ID is directly associated, for example, an ICDC study, as denoted by the appropriate study code, or the biobank or tissue repository from which samples for a study/trial participant were acquired, as denoted by the appropriate acronym.", "type": "string", "required": true}, "registration_id": {"name": "registration_id", "description": "Any ID used by a data submitter to identify a patient/subject/donor, either locally or globally.", "type": "string", "required": true}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_many", "label": "of_case"}}}, "biospecimen_source": {"name": "biospecimen_source", "description": "", "id_property": null, "properties": {"biospecimen_repository_acronym": {"name": "biospecimen_repository_acronym", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in the form of an acronym.", "type": "string", "required": true}, "biospecimen_repository_full_name": {"name": "biospecimen_repository_full_name", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in full text form.", "type": "string", "required": true}}, "relationships": {}}, "canine_individual": {"name": "canine_individual", "description": "", "id_property": "canine_individual_id", "properties": {"canine_individual_id": {"name": "canine_individual_id", "description": "A unique numerical ID, which, based upon the existence of registration-based matches between two or more study-specific cases, is auto-generated by the data loader, and which thereby tethers matching cases to the single underlying multi-study participant.", "type": "string", "required": true}}, "relationships": {}}, "demographic": {"name": "demographic", "description": "", "id_property": "demographic_id", "properties": {"demographic_id": {"name": "demographic_id", "description": "A unique identifier of each demographic record, used to identify the correct demographic records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "breed": {"name": "breed", "description": "The specific breed of the canine patient/subject/donor, per the list of breeds officially recognized by the American Kennel Club.", "type": "string", "required": true, "permissible_values": ["Affenpinscher", "Afghan Hound", "Airedale Terrier", "Akita", "Alaskan Klee Kai", "Alaskan Malamute", "American Bulldog", "American English Coonhound", "American Eskimo Dog", "American Foxhound", "American Hairless Terrier", "American Leopard Hound", "American Staffordshire Terrier", "American Water Spaniel", "Anatolian Shepherd Dog", "Appenzeller Sennenhunde", "Australian Cattle Dog", "Australian Kelpie", "Australian Shepherd", "Australian Stumpy Tail Cattle Dog", "Australian Terrier", "Azawakh", "Barbado da Terceira", "Barbet", "Basenji", "Basset Fauve de Bretagne", "Basset Hound", "Bavarian Mountain Scent Hound", "Beagle", "Bearded Collie", "Beauceron", "Bedlington Terrier", "Belgian Laekenois", "Belgian Malinois", "Belgian Sheepdog", "Belgian Tervuren", "Bergamasco Sheepdog", "Berger Picard", "Bernese Mountain Dog", "Bichon Frise", "Biewer Terrier", "Black Russian Terrier", "Black and Tan Coonhound", "Bloodhound", "Bluetick Coonhound", "Boerboel", "Bohemian Shepherd", "Bolognese", "Border Collie", "Border Terrier", "Borzoi", "Boston Terrier", "Bouvier des Flandres", "Boxer", "Boykin Spaniel", "Bracco Italiano", "Braque Francais Pyrenean", "Braque du Bourbonnais", "Briard", "Brittany", "Broholmer", "Brussels Griffon", "Bull Terrier", "Bulldog", "Bullmastiff", "Cairn Terrier", "Canaan Dog", "Cane Corso", "Cardigan Welsh Corgi", "Carolina Dog", "Catahoula Hound", "Catahoula Leopard Dog", "Caucasian Shepherd Dog", "Cavalier King Charles Spaniel", "Central Asian Shepherd Dog", "Cesky Terrier", "Chesapeake Bay Retriever", "Chihuahua", "Chinese Crested", "Chinese Shar-Pei", "Chinook", "Chow Chow", "Cirneco dell'Etna", "Clumber Spaniel", "Cocker Spaniel", "Collie", "Coton de Tulear", "Croatian Sheepdog", "Curly-Coated Retriever", "Czechoslovakian Vlcak", "Dachshund", "Dalmatian", "Dandie Dinmont Terrier", "Danish-Swedish Farmdog", "Deutscher Wachtelhund", "Doberman Pinscher", "Dogo Argentino", "Dogue de Bordeaux", "Drentsche Patrijshond", "Drever", "Dutch Shepherd", "English Cocker Spaniel", "English Foxhound", "English Setter", "English Springer Spaniel", "English Toy Spaniel", "Entlebucher Mountain Dog", "Estrela Mountain Dog", "Eurasier", "Field Spaniel", "Finnish Lapphund", "Finnish Spitz", "Flat-Coated Retriever", "French Bulldog", "French Spaniel", "German Longhaired Pointer", "German Pinscher", "German Shepherd Dog", "German Shorthaired Pointer", "German Spitz", "German Wirehaired Pointer", "Giant Schnauzer", "Glen of Imaal Terrier", "Golden Retriever", "Gordon Setter", "Grand Basset Griffon Vendeen", "Great Dane", "Great Pyrenees", "Greater Swiss Mountain Dog", "Greyhound", "Hamiltonstovare", "Hanoverian Scenthound", "Harrier", "Havanese", "Hokkaido", "Hovawart", "Ibizan Hound", "Icelandic Sheepdog", "Irish Red and White Setter", "Irish Setter", "Irish Terrier", "Irish Water Spaniel", "Irish Wolfhound", "Italian Greyhound", "Jagdterrier", "Japanese Akitainu", "Japanese Chin", "Japanese Spitz", "Japanese Terrier", "Jindo", "Kai Ken", "Karelian Bear Dog", "Keeshond", "Kerry Blue Terrier", "Kishu Ken", "Komondor", "Kromfohrlander", "Kuvasz", "Labrador Retriever", "Lagotto Romagnolo", "Lakeland Terrier", "Lancashire Heeler", "Lapponian Herder", "Leonberger", "Lhasa Apso", "Lowchen", "Maltese", "Manchester Terrier", "Mastiff", "Miniature American Shepherd", "Miniature Bull Terrier", "Miniature Dachshund", "Miniature Pinscher", "Miniature Schnauzer", "Mixed Breed", "Mountain Cur", "Mudi", "Neapolitan Mastiff", "Nederlandse Kooikerhondje", "Newfoundland", "Norfolk Terrier", "Norrbottenspets", "Norwegian Buhund", "Norwegian Elkhound", "Norwegian Lundehund", "Norwich Terrier", "Nova Scotia Duck Tolling Retriever", "Old English Sheepdog", "Other", "Otterhound", "Papillon", "Parson Russell Terrier", "Pekingese", "Pembroke Welsh Corgi", "Perro de Presa Canario", "Peruvian Inca Orchid", "Petit Basset Griffon Vendeen", "Pharaoh Hound", "Plott Hound", "Pointer", "Polish Lowland Sheepdog", "Pomeranian", "Poodle", "Porcelaine", "Portuguese Podengo", "Portuguese Podengo Pequeno", "Portuguese Pointer", "Portuguese Sheepdog", "Portuguese Water Dog", "Pudelpointer", "Pug", "Puli", "Pumi", "Pyrenean Mastiff", "Pyrenean Shepherd", "Rafeiro do Alentejo", "Rat Terrier", "Redbone Coonhound", "Rhodesian Ridgeback", "Romanian Mioritic Shepherd Dog", "Rottweiler", "Russell Terrier", "Russian Toy", "Russian Tsvetnaya Bolonka", "Saint Bernard", "Saluki", "Samoyed", "Schapendoes", "Schipperke", "Scottish Deerhound", "Scottish Terrier", "Sealyham Terrier", "Segugio Italiano", "Shetland Sheepdog", "Shiba Inu", "Shih Tzu", "Shikoku", "Siberian Husky", "Silky Terrier", "Skye Terrier", "Sloughi", "Slovakian Wirehaired Pointer", "Slovensky Cuvac", "Slovensky Kopov", "Small Munsterlander Pointer", "Smooth Fox Terrier", "Soft Coated Wheaten Terrier", "Spanish Mastiff", "Spanish Water Dog", "Spinone Italiano", "Stabyhoun", "Staffordshire Bull Terrier", "Standard Schnauzer", "Sussex Spaniel", "Swedish Lapphund", "Swedish Vallhund", "Taiwan Dog", "Teddy Roosevelt Terrier", "Thai Ridgeback", "Tibetan Mastiff", "Tibetan Spaniel", "Tibetan Terrier", "Tornjak", "Tosa", "Toy Fox Terrier", "Toy Poodle", "Transylvanian Hound", "Treeing Tennessee Brindle Coonhound", "Treeing Walker Coonhound", "Unknown", "Vizsla", "Weimaraner", "Welsh Springer Spaniel", "Welsh Terrier", "West Highland White Terrier", "Wetterhoun", "Whippet", "Wire Fox Terrier", "Wirehaired Pointing Griffon", "Wirehaired Vizsla", "Working Kelpie", "Xoloitzcuintli", "Yakutian Laika", "Yorkshire Terrier"]}, "additional_breed_detail": {"name": "additional_breed_detail", "description": "For patients/subjects/donors formally designated as either Mixed Breed or Other, any available detail as to the breeds contributing to the overall mix of breeds or clarification of the nature of the Other breed. Values for this field are therefore not relevant to pure-bred patients/subjects/donors, but for those of mixed breed or other origins, values are definitely preferred wherever available.", "type": "string", "required": false}, "patient_age_at_enrollment": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "patient_age_at_enrollment_original": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_original_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "date_of_birth": {"name": "date_of_birth", "description": "The date of birth of the canine patient/subject/donor.", "type": "datetime", "required": false}, "sex": {"name": "sex", "description": "The biological sex of the patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Male", "Female", "Unknown"]}, "weight": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "weight_original": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "neutered_indicator": {"name": "neutered_indicator", "description": "Indicator as to whether the patient/subject/donor has been either spayed (female subjects) or neutered (male subjects).", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown"]}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "cycle": {"name": "cycle", "description": "", "id_property": null, "properties": {"cycle_number": {"name": "cycle_number", "description": "For a patient/subject/donor enrolled in a clinical trial evaluating the effects of therapy administered in multiple cycles, the number of the treatment cycle during which visits occurred such that therapy could be administered and/or clinical observations could be made, with cycles numbered according to their chronological order.", "type": "integer", "required": true}, "date_of_cycle_start": {"name": "date_of_cycle_start", "description": "The date upon which the treament cycle in question began.", "type": "datetime", "required": false}, "date_of_cycle_end": {"name": "date_of_cycle_end", "description": "The date upon which the treatent cycle in question ended.", "type": "datetime", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "visit": {"name": "visit", "description": "", "id_property": "visit_id", "properties": {"visit_date": {"name": "visit_date", "description": "The date upon which the visit occurred.", "type": "datetime", "required": false}, "visit_number": {"name": "visit_number", "description": "The number of the visit during which therapy was administered and/or clinical observations were made, with visits numbered according to their chronological order.", "type": "string", "required": false}, "visit_id": {"name": "visit_id", "description": "A globally unique identifier of each visit record; specifically the value of case_id concatenated with the value of visit_date, the date upon which the visit occurred.
This property is used as the key via which child records, e.g. physical examination records, can be associated with the appropriate visit, and to identify the correct visit records during data updates.", "type": "string", "required": true}}, "relationships": {"visit": {"dest_node": "visit", "type": "one_to_one", "label": "next"}}}, "principal_investigator": {"name": "principal_investigator", "description": "", "id_property": null, "properties": {"pi_first_name": {"name": "pi_first_name", "description": "The first or given name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_last_name": {"name": "pi_last_name", "description": "The last or family name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_middle_initial": {"name": "pi_middle_initial", "description": "Where applicable, the middle initial(s) of each principal investigator of the study/trial.", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "diagnosis_id", "properties": {"diagnosis_id": {"name": "diagnosis_id", "description": "A unique identifier of each diagnosis record, used to associate child records, e.g. pathology reports, with the appropriate parent, and to identify the correct diagnosis records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "disease_term": {"name": "disease_term", "description": "The primary disease condition with which the patient/subject/donor was diagnosed.", "type": "string", "required": true, "permissible_values": ["B Cell Lymphoma", "Bladder Cancer", "Fibrolipoma", "Glioma", "Healthy Control", "Hemangiosarcoma", "Histiocytic Sarcoma", "Lipoma", "Lymphoma", "Mammary Cancer", "Mast Cell Tumor", "Melanoma", "Osteosarcoma", "Pulmonary Neoplasms", "Soft Tissue Sarcoma", "Splenic Hematoma", "Splenic Hyperplasia", "T Cell Leukemia", "T Cell Lymphoma", "Thyroid Cancer", "Unknown", "Urothelial Carcinoma"]}, "primary_disease_site": {"name": "primary_disease_site", "description": "The anatomical location at which the primary disease originated, recorded in relatively general terms at the subject level; the anatomical locations from which tumor samples subject to downstream analysis were acquired is recorded in more detailed terms at the sample level.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder, Prostate", "Bladder, Urethra", "Bladder, Urethra, Prostate", "Bladder, Urethra, Vagina", "Bone", "Bone (Appendicular)", "Bone (Axial)", "Bone Marrow", "Brain", "Carpus", "Chest Wall", "Distal Urethra", "Kidney", "Lung", "Lymph Node", "Mammary Gland", "Mouth", "Not Applicable", "Pleural Cavity", "Shoulder", "Skin", "Spleen", "Subcutis", "Thyroid Gland", "Unknown", "Urethra, Prostate", "Urinary Tract", "Urogenital Tract"]}, "stage_of_disease": {"name": "stage_of_disease", "description": "The formal assessment of the extent to which the primary cancer with which the patient/subject/donor was diagnosed has progressed, according to the TNM staging or cancer stage grouping criteria.", "type": "string", "required": true, "permissible_values": ["I", "Ia", "Ib", "II", "IIa", "IIb", "III", "IIIa", "IIIb", "IV", "IVa", "IVb", "V", "Va", "Vb", "TisN0M0", "TisN1M1", "T1N0M0", "T1NXM0", "T2N0M0", "T2N0M1", "T2N1M0", "T2N1M1", "T2N2M1", "T3N0M0", "T3N0M1", "T3N1M0", "T3N1M1", "T3NXM1", "TXN0M0", "Not Applicable", "Not Determined", "Unknown"]}, "date_of_diagnosis": {"name": "date_of_diagnosis", "description": "The date upon which the patient/subject/donor was diagnosed with the primary disease in question.", "type": "datetime", "required": false}, "histology_cytopathology": {"name": "histology_cytopathology", "description": "A narrative summary of the primary observations from the the evaluation of a tumor sample from a patient/subject/donor, in terms of its histology and/or cytopathology.", "type": "string", "required": false}, "date_of_histology_confirmation": {"name": "date_of_histology_confirmation", "description": "The date upon which the results of a histological evaluation of a sample from the patient/subject/donor were confirmed.", "type": "datetime", "required": false}, "histological_grade": {"name": "histological_grade", "description": "The histological grading of the tumor(s) present in the patient/subject/donor, based upon microscopic evaluation(s), and recorded at the subject level; grading of specific tumor samples subject to downstream analysis is recorded at the sample level.", "type": "string", "required": false}, "best_response": {"name": "best_response", "description": "Where applicable, an indication as to the best overall response to therapeutic intervention observed within an individual patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Complete Response", "Partial Response", "Stable Disease", "Progressive Disease", "Not Determined", "Not Applicable", "Unknown"]}, "pathology_report": {"name": "pathology_report", "description": "An indication as to the existence of any detailed pathology evaluation upon which the primary diagnosis was based, either in the form of a formal, subject-specific pathology report, or as detailed in a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "treatment_data": {"name": "treatment_data", "description": "An indication as to the existence of any treatment data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "follow_up_data": {"name": "follow_up_data", "description": "An indication as to the existence of any follow-up data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "concurrent_disease": {"name": "concurrent_disease", "description": "An indication as to whether the patient/subject/donor suffers from any significant secondary disease condition(s).", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown"]}, "concurrent_disease_type": {"name": "concurrent_disease_type", "description": "The specifics of any notable secondary disease condition(s) observed within the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "enrollment": {"name": "enrollment", "description": "", "id_property": "enrollment_id", "properties": {"enrollment_id": {"name": "enrollment_id", "description": "A unique identifier of each enrollment record, used to associate child records, e.g. prior surgery records, with the appropriate parent, and to identify the correct enrollment records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "date_of_registration": {"name": "date_of_registration", "description": "The date upon which the patient/subject/donor was enrolled in the study/trial.", "type": "datetime", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}, "initials": {"name": "initials", "description": "The initials of the patient/subject/donor based upon the subject's first or given name, and the last or family name of the subject's owner.", "type": "string", "required": false}, "date_of_informed_consent": {"name": "date_of_informed_consent", "description": "The date upon which the owner of the patient/subject/donor signed an informed consent on behalf of the subject.", "type": "datetime", "required": false}, "site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "patient_subgroup": {"name": "patient_subgroup", "description": "A short description as to the reason for the patient/subject/donor being enrolled in any given study/trial arm or cohort, for example, a clinical trial patient having been enrolled in a dose escalation cohort.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "prior_therapy": {"name": "prior_therapy", "description": "", "id_property": null, "properties": {"date_of_first_dose": {"name": "date_of_first_dose", "description": "", "type": "datetime", "required": false}, "date_of_last_dose": {"name": "date_of_last_dose", "description": "", "type": "datetime", "required": false}, "agent_name": {"name": "agent_name", "description": "", "type": "string", "required": false}, "dose_schedule": {"name": "dose_schedule", "description": "Schedule_FUL in form", "type": "string", "required": false}, "total_dose": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "total_dose_original": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_original_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "agent_units_of_measure": {"name": "agent_units_of_measure", "description": "Agent UOM_FUL in form", "type": "string", "required": false}, "best_response_to_prior_therapy": {"name": "best_response_to_prior_therapy", "description": "", "type": "string", "required": false}, "nonresponse_therapy_type": {"name": "nonresponse_therapy_type", "description": "", "type": "string", "required": false}, "prior_therapy_type": {"name": "prior_therapy_type", "description": "", "type": "string", "required": false}, "prior_steroid_exposure": {"name": "prior_steroid_exposure", "description": "Has the patient ever been on steroids? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_steroid": {"name": "number_of_prior_regimens_steroid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_steroid": {"name": "total_number_of_doses_steroid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_steroid": {"name": "date_of_last_dose_steroid", "description": "", "type": "datetime", "required": false}, "prior_nsaid_exposure": {"name": "prior_nsaid_exposure", "description": "Has the patient ever been on NSAIDS? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_nsaid": {"name": "number_of_prior_regimens_nsaid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_nsaid": {"name": "total_number_of_doses_nsaid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_nsaid": {"name": "date_of_last_dose_nsaid", "description": "", "type": "datetime", "required": false}, "tx_loc_geo_loc_ind_nsaid": {"name": "tx_loc_geo_loc_ind_nsaid", "description": "", "type": "string", "required": false}, "min_rsdl_dz_tx_ind_nsaids_treatment_pe": {"name": "min_rsdl_dz_tx_ind_nsaids_treatment_pe", "description": "", "type": "string", "required": false}, "therapy_type": {"name": "therapy_type", "description": "", "type": "string", "required": false}, "any_therapy": {"name": "any_therapy", "description": "", "type": "boolean", "required": false}, "number_of_prior_regimens_any_therapy": {"name": "number_of_prior_regimens_any_therapy", "description": "", "type": "integer", "required": false}, "total_number_of_doses_any_therapy": {"name": "total_number_of_doses_any_therapy", "description": "", "type": "integer", "required": false}, "date_of_last_dose_any_therapy": {"name": "date_of_last_dose_any_therapy", "description": "", "type": "datetime", "required": false}, "treatment_performed_at_site": {"name": "treatment_performed_at_site", "description": "", "type": "boolean", "required": false}, "treatment_performed_in_minimal_residual": {"name": "treatment_performed_in_minimal_residual", "description": "", "type": "boolean", "required": false}}, "relationships": {"prior_therapy": {"dest_node": "prior_therapy", "type": "one_to_one", "label": "next"}}}, "prior_surgery": {"name": "prior_surgery", "description": "", "id_property": null, "properties": {"date_of_surgery": {"name": "date_of_surgery", "description": "The date upon which the prior surgery in question occurred.", "type": "datetime", "required": false}, "procedure": {"name": "procedure", "description": "The type of procedure performed during the prior surgery in question.", "type": "string", "required": true}, "anatomical_site_of_surgery": {"name": "anatomical_site_of_surgery", "description": "The anatomical location at which the prior surgery in question occurred.", "type": "string", "required": true}, "surgical_finding": {"name": "surgical_finding", "description": "A narrative description of any notable observations made during the prior surgery in question.", "type": "string", "required": false}, "residual_disease": {"name": "residual_disease", "description": "TBD", "type": "string", "required": false}, "therapeutic_indicator": {"name": "therapeutic_indicator", "description": "TBD", "type": "string", "required": false}}, "relationships": {"prior_surgery": {"dest_node": "prior_surgery", "type": "one_to_one", "label": "next"}}}, "agent_administration": {"name": "agent_administration", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "medication": {"name": "medication", "description": "", "type": "string", "required": false}, "route_of_administration": {"name": "route_of_administration", "description": "", "type": "string", "required": false}, "medication_lot_number": {"name": "medication_lot_number", "description": "", "type": "string", "required": false}, "medication_vial_id": {"name": "medication_vial_id", "description": "", "type": "string", "required": false}, "medication_actual_units_of_measure": {"name": "medication_actual_units_of_measure", "description": "", "type": "string", "required": false}, "medication_duration": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_unit": {"type": "string", "permissible_values": ["days", "hr", "min"], "default_value": "days"}, "medication_duration_original": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_original_unit": {"type": "string", "permissible_values": ["days", "hr", "min"], "default_value": "days"}, "medication_units_of_measure": {"name": "medication_units_of_measure", "description": "", "type": "string", "required": false}, "medication_actual_dose": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "medication_actual_dose_original": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}, "start_time": {"name": "start_time", "description": "", "type": "datetime", "required": false}, "stop_time": {"name": "stop_time", "description": "", "type": "datetime", "required": false}, "dose_level": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_level_original": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_units_of_measure": {"name": "dose_units_of_measure", "description": "", "type": "string", "required": false}, "date_of_missed_dose": {"name": "date_of_missed_dose", "description": "", "type": "datetime", "required": false}, "medication_missed_dose": {"name": "medication_missed_dose", "description": "Q.- form has \"medication\"", "type": "string", "required": false}, "missed_dose_amount": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_amount_original": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_units_of_measure": {"name": "missed_dose_units_of_measure", "description": "Q.- form has \"dose uom_ful\"", "type": "string", "required": false}, "medication_course_number": {"name": "medication_course_number", "description": "", "type": "string", "required": false}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "The globally unique ID by which any given sample can be unambiguously identified and displayed across studies/trials; specifically the preferred value of the sample identifier used by the data submitter, prefixed with the appropriate ICDC study code during data transformation.
This property is used as the key via which child records, e.g. file records, can be associated with the appropriate sample during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "sample_site": {"name": "sample_site", "description": "The specific anatomical location from which any given sample was acquired.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder Apex", "Bladder Apex-Mid", "Bladder Mid", "Bladder Mid-Trigone", "Bladder Mucosa", "Bladder Trigone", "Bladder Trigone-Urethra", "Blood", "Bone", "Bone Marrow", "Brain", "Carpus", "Cerebellar", "Cutis", "Distal Urethra", "Femur", "Genitourinary Tract", "Hemispheric", "Humerus", "Kidney", "Liver", "Liver, Spleen, Heart", "Lung", "Lung, Caudal Aspect of Left Caudal Lobe", "Lung, Caudal Right Lobe", "Lung, Cranial Left Lobe", "Lymph Node", "Lymph Node, Popliteal", "Mammary Gland", "Mandible, Mucosa", "Midline", "Mouth", "Mouth, Lingual", "Mouth, Mandible, Mucosa", "Mouth, Maxilla, Mucosa", "Muscle", "Pancreas", "Pleural Effusion", "Radius", "Skin", "Spleen", "Subcutaneous Tissue", "Thyroid Gland", "Tibia", "Unknown", "Urethra", "Urethra Mid-distal", "Urinary Bladder", "Urogenital Tract", "Uterus"]}, "physical_sample_type": {"name": "physical_sample_type", "description": "An indication as to the physical nature of any given sample.", "type": "string", "required": true, "permissible_values": ["Tissue", "Blood", "Cell Line", "Organoid", "Urine Sediment", "Whole Blood"]}, "general_sample_pathology": {"name": "general_sample_pathology", "description": "An indication as to whether a sample represents normal tissue versus representing diseased or tumor tissue.", "type": "string", "required": true, "permissible_values": ["Normal", "Malignant", "Benign", "Hyperplastic", "Diseased", "Not Applicable"]}, "tumor_sample_origin": {"name": "tumor_sample_origin", "description": "An indication as to whether a tumor sample was derived from a primary versus a metastatic tumor.", "type": "string", "required": true, "permissible_values": ["Primary", "Metastatic", "Not Applicable", "Unknown"]}, "summarized_sample_type": {"name": "summarized_sample_type", "description": "A summarized representation of a sample's physical nature, normality, and derivation from a primary versus a metastatic tumor, based upon the combination of values in the three independent properties of physical_sample_type, general_sample_pathology and tumor_sample_origin.", "type": "string", "required": true, "permissible_values": ["Metastatic Tumor Tissue", "Normal Cell Line", "Normal Tissue", "Organoid (ASC-derived)", "Primary Malignant Tumor Tissue", "Urine Sediment", "Tumor Cell Line", "Tumor Cell Line (metastasis-derived)", "Tumoroid", "Tumoroid (urine-derived)", "Whole Blood"]}, "molecular_subtype": {"name": "molecular_subtype", "description": "Where applicable, the molecular subtype of the tumor sample in question, for example, the tumor being basal versus lumnial in nature.", "type": "string", "required": false}, "specific_sample_pathology": {"name": "specific_sample_pathology", "description": "The specific histology and/or pathology associated with a sample.", "type": "string", "required": true, "permissible_values": ["Astrocytoma", "B Cell Lymphoma", "Carcinoma", "Carcinoma With Simple And Complex Components", "Chondroblastic Osteosarcoma", "Complex Carcinoma", "Endometrium (organoid)", "Fibroblastic Osteosarcoma", "Giant Cell Osteosarcoma", "Hemangiosarcoma", "Histiocytic Sarcoma", "Induced Endometrium", "Liver (organoid)", "Lung (organoid)", "Lymphoma", "Mast Cell Tumor", "Melanoma", "Not Applicable", "Oligodendroglioma", "Osteoblastic Osteosarcoma", "Osteoblastic and Chondroblastic Osteosarcoma", "Osteosarcoma", "Osteosarcoma; Combined Type", "Pancreas (organoid)", "Primitive T-Cell Leukemia", "Pulmonary Adenocarcinoma", "Pulmonary Carcinoma", "Simple Carcinoma", "Simple Carcinoma,\u00a0 Ductular, Vascular Invasive", "Simple Carcinoma, Ductal", "Simple Carcinoma, Ductular", "Simple Carcinoma, Inflammatory", "Simple Carcinoma, Invasive, Ductal", "Soft Tissue Sarcoma", "T Cell Lymphoma", "Urinary Bladder (organoid)", "Undefined", "Urothelial Carcinoma", "Urothelial Carcinoma (organoid)"]}, "date_of_sample_collection": {"name": "date_of_sample_collection", "description": "The date upon which the sample was acquired from the patient/subject/donor.", "type": "datetime", "required": false}, "sample_chronology": {"name": "sample_chronology", "description": "An indication as to when a sample was acquired relative to any therapeutic intervention and/or key disease outcome observations.", "type": "string", "required": true, "permissible_values": ["Before Treatment", "During Treatment", "After Treatment", "Upon Progression", "Upon Relapse", "Upon Death", "Not Applicable", "Unknown"]}, "necropsy_sample": {"name": "necropsy_sample", "description": "An indication as to whether a sample was acquired as a result of a necropsy examination.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown", "Not Applicable"]}, "tumor_grade": {"name": "tumor_grade", "description": "The grade of the tumor from which the sample was acquired, i.e. the degree of cellular differentiation within the tumor in question, as determined by a pathologist's evaluation.", "type": "string", "required": false, "permissible_values": ["1", "2", "3", "4", "High", "Medium", "Low", "Unknown", "Not Applicable"]}, "length_of_tumor": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "length_of_tumor_original": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor_original": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "volume_of_tumor": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "volume_of_tumor_original": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_original_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "percentage_tumor": {"name": "percentage_tumor", "description": "The purity of a sample of tumor tissue in terms of the percentage of the sample that is represnted by tumor cells, expressed either as a discrete percentage or as a percentage range.", "type": "string", "required": false}, "sample_preservation": {"name": "sample_preservation", "description": "The method by which a sample was preserved.", "type": "string", "required": true, "permissible_values": ["EDTA", "FFPE", "RNAlater", "Snap Frozen", "TRIzol", "Not Applicable", "Unknown"]}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"sample": {"dest_node": "sample", "type": "one_to_one", "label": "next"}}}, "file": {"name": "file", "description": "", "id_property": "uuid", "properties": {"file_name": {"name": "file_name", "description": "The name of the file, maintained exactly as provided by the data submitter.", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "An indication as to the nature of the file in terms of its content, i.e. what type of information the file contains, as opposed to the file's format.", "type": "string", "required": true, "permissible_values": ["Study Protocol", "Supplemental Data File", "Pathology Report", "Image File", "RNA Sequence File", "Whole Genome Sequence File", "Whole Exome Sequence File", "DNA Methylation Analysis File", "Index File", "Array CGH Analysis File", "Variant Call File", "Mutation Annotation File", "Variant Report", "Data Analysis Whitepaper", "Affymetrix GeneChip Analysis File"]}, "file_description": {"name": "file_description", "description": "An optional description of the file and/or its content, as provided by the data submitter, preferably limited to no more than 60 characters in length.", "type": "string", "required": false}, "file_format": {"name": "file_format", "description": "The specific format of the file as determined by the data loader.", "type": "string", "required": true}, "file_size": {"name": "file_size", "description": "The exact size of the file in bytes.", "type": "number", "required": true}, "md5sum": {"name": "md5sum", "description": "The 32-character hexadecimal md5 checksum value of the file, used to confirm the integrity of files submitted to the ICDC.", "type": "string", "required": true}, "file_status": {"name": "file_status", "description": "An enumerated representation of the status of any given file.", "type": "string", "required": true, "permissible_values": ["uploading", "uploaded", "md5summing", "md5summed", "validating", "error", "invalid", "suppressed", "redacted", "live", "validated", "submitted", "released"]}, "uuid": {"name": "uuid", "description": "The universally unique alpha-numeric identifier assigned to each file.", "type": "string", "required": true}, "file_location": {"name": "file_location", "description": "The specific location within the ICDC S3 storage bucket at which the file is stored, expressed in terms of a unique url.", "type": "string", "required": true}}, "relationships": {"diagnosis": {"dest_node": "diagnosis", "type": "many_to_one", "label": "from_diagnosis"}}}, "image_collection": {"name": "image_collection", "description": "", "id_property": null, "properties": {"image_collection_name": {"name": "image_collection_name", "description": "The name of the image collection exactly as it appears at the location where the collection can be viewed and/or accessed.", "type": "string", "required": true}, "image_type_included": {"name": "image_type_included", "description": "A list of the image types included in the image collection, drawn from a list of acceptable values.", "type": "list", "required": true, "item_type": {"type": "string", "permissible_values": ["Ultrasound", "Histopathology", "PET", "X-ray", "MRI", "Optical", "CT"]}}, "image_collection_url": {"name": "image_collection_url", "description": "The external url via which the image collection can be viewed and/or accessed.", "type": "string", "required": true}, "repository_name": {"name": "repository_name", "description": "The name of the image repository within which the image collection can be found, stated in the form of the appropriate acronym.", "type": "string", "required": true}, "collection_access": {"name": "collection_access", "description": "Indicator as to whether the image collection can be accessed via download versus being accessible only via the cloud.", "type": "string", "required": true, "permissible_values": ["Download", "Cloud"]}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "physical_exam": {"name": "physical_exam", "description": "", "id_property": null, "properties": {"date_of_examination": {"name": "date_of_examination", "description": "The date upon which the physical examination in question was conducted.", "type": "datetime", "required": false}, "day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "body_system": {"name": "body_system", "description": "Major organ system or physiological characteristic assessed during the examination of the patient/subject/donor during a follow-up visit. Observations are reported independently on each organ system or physiological characteristic.", "type": "string", "required": false, "permissible_values": ["Attitude", "Eyes, Ears, Nose and Throat", "Respiratory", "Cardiovascular", "Gastrointestinal", "Musculoskeletal", "Integumentary", "Lymphatic", "Endocrine", "Genitourinary", "Neurologic", "Other"]}, "pe_finding": {"name": "pe_finding", "description": "Indication as to the normal versus abnormal function of the major organ system or physiological characteristic assessed.", "type": "string", "required": false, "permissible_values": ["Normal", "Abnormal", "Not examined"]}, "pe_comment": {"name": "pe_comment", "description": "Narrative comment describing any notable observations concerning any given major organ system or physiological status assessed.", "type": "string", "required": false}, "phase_pe": {"name": "phase_pe", "description": "Pending", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "publication": {"name": "publication", "description": "", "id_property": "publication_title", "properties": {"publication_title": {"name": "publication_title", "description": "The full title of the publication stated exactly as it appears on the published work.
This property is used as the key via which to identify the correct records during data updates.", "type": "string", "required": true}, "authorship": {"name": "authorship", "description": "A list of authors for the cited work. More specifically, for publications with no more than three authors, authorship quoted in full; for publications with more than three authors, authorship abbreviated to first author et al.", "type": "string", "required": true}, "year_of_publication": {"name": "year_of_publication", "description": "The year in which the cited work was published.", "type": "number", "required": true}, "journal_citation": {"name": "journal_citation", "description": "The name of the journal in which the cited work was published, inclusive of the citation itself in terms of journal volume number, part number where applicable, and page numbers.", "type": "string", "required": true}, "digital_object_id": {"name": "digital_object_id", "description": "Where applicable, the digital object identifier for the cited work, by which it can be permanently identified, and linked to via the internet.", "type": "string", "required": false}, "pubmed_id": {"name": "pubmed_id", "description": "Where applicable, the unique numerical identifier assigned to the cited work by PubMed, by which it can be linked to via the internet.", "type": "number", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "vital_signs": {"name": "vital_signs", "description": "", "id_property": null, "properties": {"date_of_vital_signs": {"name": "date_of_vital_signs", "description": "The date upon which the vital signs evaluation in question was conducted.", "type": "datetime", "required": false}, "body_temperature": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "body_temperature_original": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_original_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "pulse": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "pulse_original": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_original_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "respiration_rate": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_rate_original": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_original_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_pattern": {"name": "respiration_pattern", "description": "An indication as to the normality of the breathing pattern of the patient/subject/donor at the time of the vital signs evaluation.", "type": "string", "required": false}, "systolic_bp": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "systolic_bp_original": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_original_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "pulse_ox": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "pulse_ox_original": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_original_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "patient_weight": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "patient_weight_original": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "body_surface_area": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "body_surface_area_original": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_original_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "modified_ecog": {"name": "modified_ecog", "description": "The Eastern Cooperative Oncology Group (ECOG) performance status of the patient/subject/donor at the time of the vital signs evaluation. The value of this metric indicates the overall function of the patient/subject/donor and his/her ability to tolerate therapy.", "type": "string", "required": false}, "ecg": {"name": "ecg", "description": "Indication as to the normality of the electrocardiogram conducted during the vital signs evaluation.", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "adverse_event": {"name": "adverse_event", "description": "", "id_property": null, "properties": {"day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "date_of_onset": {"name": "date_of_onset", "description": "The date upon which any given adverse event was first observed.", "type": "datetime", "required": false}, "existing_adverse_event": {"name": "existing_adverse_event", "description": "An indication as to whether any given adverse event occurred prior to the enrollment of a patient/subject into the clinical trial in question, and/or was ongoing at the time of trial enrollment.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "date_of_resolution": {"name": "date_of_resolution", "description": "The date upon which any given adverse event resolved. If an adverse event was ongong at the time of death, the date of death should be used as the value date_of_resolution.", "type": "string", "required": false}, "ongoing_adverse_event": {"name": "ongoing_adverse_event", "description": "An indication as to whether any given adverse event was ongoing as of the end of a treatment cycle, the end of the clinical trial itself, or the patient/subject being taken off study.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "adverse_event_term": {"name": "adverse_event_term", "description": "The specific controlled vocabulary term for any given adverse event, as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true}, "adverse_event_description": {"name": "adverse_event_description", "description": "A narrative description of any given adverse event which provides extra details as to its associated clinical, physical and behavioral observations, and/or mitigations for the adverse event.", "type": "string", "required": false}, "adverse_event_grade": {"name": "adverse_event_grade", "description": "The grade of any given adverse event, reported as an enumerated value corresponding to one of the five distinct grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true, "permissible_values": ["1", "2", "3", "4", "5", "Unknown"]}, "adverse_event_grade_description": {"name": "adverse_event_grade_description", "description": "The grade of any given adverse event, reported in the form of a single descriptive term corresponding to one of the five enumerated grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE). Although numerical values for grade are standard terms for the reporting of adverse events, the narrative form of adverse event grades will be useful to users not already familiar with adverse event grading.", "type": "string", "required": false, "permissible_values": ["Mild", "Moderate", "Severe", "Life-threatening", "Death", "Unknown"]}, "adverse_event_agent_name": {"name": "adverse_event_agent_name", "description": "The name of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "adverse_event_agent_dose": {"name": "adverse_event_agent_dose", "description": "The corresponding dose of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "attribution_to_research": {"name": "attribution_to_research", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the clinical trial/research environment in general, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_ind": {"name": "attribution_to_ind", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by any investigational new drugs being administered as part of the clinical trial, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_disease": {"name": "attribution_to_disease", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the disease for which the patient/subject is being treated, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_commercial": {"name": "attribution_to_commercial", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by a commercially-available, FDA-approved therapeutic agent, used within the confines of the clinical trial either for its FDA-approved indication or in an off-label manner, but not as the investigational new drug or part of the investigational new therapy, versus the adverse event in question being unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_other": {"name": "attribution_to_other", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by some other factor(s), as described by the other_attribution_description property, or is unrelated to such other factors.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "other_attribution_description": {"name": "other_attribution_description", "description": "A description of any other factor or factors to which any given adverse event has been attributed. Where an adverse event is attributed to factors other than the standard factors of research, disease, IND or commercial, a description of the other factor(s) to which the adverse event was attributed is required.", "type": "string", "required": false}, "dose_limiting_toxicity": {"name": "dose_limiting_toxicity", "description": "An indication as to whether any given adverse event observed during the clinical trial is indicative of the dose of the therapeutic agent under test being limiting in terms of its toxicity.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Not Applicable"]}, "unexpected_adverse_event": {"name": "unexpected_adverse_event", "description": "An indication as to whether any given adverse event observed during the clinical trial is completely unanticipated and therefore considered novel.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Undefined"]}}, "relationships": {"adverse_event": {"dest_node": "adverse_event", "type": "one_to_one", "label": "next"}}}, "disease_extent": {"name": "disease_extent", "description": "", "id_property": null, "properties": {"lesion_number": {"name": "lesion_number", "description": "An arbitrary numerical designation for each lesion subject to evaluation, by which that lesion can be unambiguously identified.", "type": "string", "required": false}, "lesion_site": {"name": "lesion_site", "description": "The overall anatomical location of the lesion being assessed in terms of the organ or organ system in which it is located. For example, lung, lymph node, etc.", "type": "string", "required": false}, "lesion_description": {"name": "lesion_description", "description": "Additional detail as to the specific location of the lesion subject to evaluation. For example, in the case of a lymph node lesion, the specific lymph node in which the lesion is located.", "type": "string", "required": false}, "previously_irradiated": {"name": "previously_irradiated", "description": "Pending", "type": "string", "required": false}, "previously_treated": {"name": "previously_treated", "description": "Pending", "type": "string", "required": false}, "measurable_lesion": {"name": "measurable_lesion", "description": "Pending", "type": "string", "required": false}, "target_lesion": {"name": "target_lesion", "description": "Pending", "type": "string", "required": false}, "date_of_evaluation": {"name": "date_of_evaluation", "description": "The date upon which the extent of disease evaluation was conducted.", "type": "datetime", "required": false}, "measured_how": {"name": "measured_how", "description": "The method by which the size of any given lesion was determined.", "type": "string", "required": false}, "longest_measurement": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "longest_measurement_original": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_original_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "evaluation_number": {"name": "evaluation_number", "description": "The number of the evaluation durinhg which any given lesion was examined, with evaluations numbered according to their chronological order.", "type": "string", "required": false}, "evaluation_code": {"name": "evaluation_code", "description": "An indication as to the status of any given lesion being evaluated, in terms of the evaluation establishing a baseline for the lesion, versus the lesion subject to evaluation being new, being stable in size, decreasing in size, increasing in size or having resolved.", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "follow_up": {"name": "follow_up", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_of_last_contact": {"name": "date_of_last_contact", "description": "", "type": "datetime", "required": false}, "patient_status": {"name": "patient_status", "description": "need vocab", "type": "string", "required": false}, "explain_unknown_status": {"name": "explain_unknown_status", "description": "free text?", "type": "string", "required": false}, "contact_type": {"name": "contact_type", "description": "need vocab", "type": "string", "required": false}, "treatment_since_last_contact": {"name": "treatment_since_last_contact", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_performed": {"name": "physical_exam_performed", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_changes": {"name": "physical_exam_changes", "description": "How described? Relative to data already stored in \"physical_exam\" node?", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "off_study": {"name": "off_study", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_study": {"name": "date_off_study", "description": "", "type": "datetime", "required": false}, "reason_off_study": {"name": "reason_off_study", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}, "off_treatment": {"name": "off_treatment", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "reason_off_treatment": {"name": "reason_off_treatment", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "clinical_study_designation"}, {"node": "study_site", "key": null}, {"node": "study_arm", "key": "arm_id"}, {"node": "agent", "key": null}, {"node": "cohort", "key": "cohort_id"}, {"node": "case", "key": "case_id"}, {"node": "registration", "key": null}, {"node": "biospecimen_source", "key": null}, {"node": "canine_individual", "key": "canine_individual_id"}, {"node": "demographic", "key": "demographic_id"}, {"node": "cycle", "key": null}, {"node": "visit", "key": "visit_id"}, {"node": "principal_investigator", "key": null}, {"node": "diagnosis", "key": "diagnosis_id"}, {"node": "enrollment", "key": "enrollment_id"}, {"node": "prior_therapy", "key": null}, {"node": "prior_surgery", "key": null}, {"node": "agent_administration", "key": null}, {"node": "sample", "key": "sample_id"}, {"node": "assay", "key": null}, {"node": "file", "key": "uuid"}, {"node": "image", "key": null}, {"node": "image_collection", "key": null}, {"node": "physical_exam", "key": null}, {"node": "publication", "key": "publication_title"}, {"node": "vital_signs", "key": null}, {"node": "lab_exam", "key": null}, {"node": "adverse_event", "key": null}, {"node": "disease_extent", "key": null}, {"node": "follow_up", "key": null}, {"node": "off_study", "key": null}, {"node": "off_treatment", "key": null}]} \ No newline at end of file +{"model": {"data_commons": "ICDC", "version": "1.0.0", "source_files": ["icdc-model.yml", "icdc-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": true}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": true}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "clinical_study_designation", "properties": {"clinical_study_id": {"name": "clinical_study_id", "description": "Where applicable, the ID for the study/trial as generated by the source database.", "type": "string", "required": false}, "clinical_study_designation": {"name": "clinical_study_designation", "description": "A unique, human-friendly, alpha-numeric identifier by which the study/trial will be identified within the UI.
This property is used as the key via which child records, e.g. case records, can be associated with the appropriate study during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "clinical_study_name": {"name": "clinical_study_name", "description": "A succinct, narrative title for the study/trial, exactly as it should be displayed within the application's UI.", "type": "string", "required": true}, "clinical_study_description": {"name": "clinical_study_description", "description": "A multiple sentence summary of what the study/trial was intended to determine and how it was conducted.", "type": "string", "required": true}, "clinical_study_type": {"name": "clinical_study_type", "description": "An arbitrary designation of the study/trial to indicate its underlying. nature, e.g. Clinical Trial, Transcriptomics, Genomics.", "type": "string", "required": true}, "date_of_iacuc_approval": {"name": "date_of_iacuc_approval", "description": "Where applicable, the date upon which the study/trial was approved by the IACUC.", "type": "datetime", "required": false}, "dates_of_conduct": {"name": "dates_of_conduct", "description": "An indication of the general time period during which the study/trial was active, e.g. (from) month and year (to) month and year.", "type": "string", "required": false}, "accession_id": {"name": "accession_id", "description": "A unique, alpha-numeric identifier, in the format of six digits, which is assigned to the study/trial as of it being on-boarded, and which can be resolved by identifiers.org when prefixed with \"icdc:\" to create a compact identifier in the format icdc:xxxxxx.", "type": "string", "required": true}, "study_disposition": {"name": "study_disposition", "description": "An arbitrarily-assigned value used to dictate how the study/trial is displayed via the ICDC Production environment, based upon the degree to which the data has been on-boarded and/or whether the data is subject to any temporary embargo which prevents its public release.", "type": "string", "required": true, "permissible_values": ["Unrestricted", "Pending", "Under Embargo"]}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "member_of"}}}, "study_site": {"name": "study_site", "description": "", "id_property": null, "properties": {"site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "study_arm": {"name": "study_arm", "description": "", "id_property": "arm_id", "properties": {"arm": {"name": "arm", "description": "Where applicable, the nature of each arm into which the study/trial has been divided. For example, in multiple agent clinical trials, the name of the therapeutic agent used in any given study arm.", "type": "string", "required": false}, "ctep_treatment_assignment_code": {"name": "ctep_treatment_assignment_code", "description": "TBD", "type": "string", "required": false}, "arm_description": {"name": "arm_description", "description": "A short description of the study arm.", "type": "string", "required": false}, "arm_id": {"name": "arm_id", "description": "A unique identifier via which study arms can be differentiated from one another across studies/trials.
This property is used as the key via which child records, e.g. cohort records, can be associated with the appropriate study arm during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "agent": {"name": "agent", "description": "", "id_property": null, "properties": {"medication": {"name": "medication", "description": "", "type": "string", "required": false}, "document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}}, "relationships": {"study_arm": {"dest_node": "study_arm", "type": "many_to_many", "label": "of_study_arm"}}}, "cohort": {"name": "cohort", "description": "", "id_property": "cohort_id", "properties": {"cohort_description": {"name": "cohort_description", "description": "Where applicable, the nature of each cohort into which the study/trial has been divided, e.g. in studies examining the effects of multiple doses of a therapeutic agent, the name and dose of the therapeutic agent used in any given cohort.", "type": "string", "required": true}, "cohort_dose": {"name": "cohort_dose", "description": "The intended or protocol dose of the therapeutic agent used in any given cohort.", "type": "string", "required": false}, "cohort_id": {"name": "cohort_id", "description": "A unique identifier via which cohorts can be differentiated from one another across studies/trials.
This property is used as the key via which cases can be associated with the appropriate cohort during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "case": {"name": "case", "description": "", "id_property": "case_id", "properties": {"case_id": {"name": "case_id", "description": "The globally unique ID by which any given patient/subject/donor can be unambiguously identified and displayed across studies/trials; specifically the value of patient_id as supplied by the data submitter, prefixed with the appropriate ICDC study code during data alignment and/or transformation.
This property is used as the key via which child records, e.g. sample records, can be associated with the appropriate case during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "patient_id": {"name": "patient_id", "description": "The preferred ID by which the data submitter uniquely identifies any given patient/subject/donor, at least within a single study/trial, recorded exactly as provided by the data submitter. Once prefixed with the appropriate ICDC study code during data alignment and/or transformation, values of Patient ID become values of Case ID.", "type": "string", "required": true}, "patient_first_name": {"name": "patient_first_name", "description": "Where available, the given name of the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"canine_individual": {"dest_node": "canine_individual", "type": "many_to_one", "label": "represents"}}}, "registration": {"name": "registration", "description": "", "id_property": null, "properties": {"registration_origin": {"name": "registration_origin", "description": "The entity with which each registration ID is directly associated, for example, an ICDC study, as denoted by the appropriate study code, or the biobank or tissue repository from which samples for a study/trial participant were acquired, as denoted by the appropriate acronym.", "type": "string", "required": true}, "registration_id": {"name": "registration_id", "description": "Any ID used by a data submitter to identify a patient/subject/donor, either locally or globally.", "type": "string", "required": true}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_many", "label": "of_case"}}}, "biospecimen_source": {"name": "biospecimen_source", "description": "", "id_property": null, "properties": {"biospecimen_repository_acronym": {"name": "biospecimen_repository_acronym", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in the form of an acronym.", "type": "string", "required": true}, "biospecimen_repository_full_name": {"name": "biospecimen_repository_full_name", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in full text form.", "type": "string", "required": true}}, "relationships": {}}, "canine_individual": {"name": "canine_individual", "description": "", "id_property": "canine_individual_id", "properties": {"canine_individual_id": {"name": "canine_individual_id", "description": "A unique numerical ID, which, based upon the existence of registration-based matches between two or more study-specific cases, is auto-generated by the data loader, and which thereby tethers matching cases to the single underlying multi-study participant.", "type": "string", "required": true}}, "relationships": {}}, "demographic": {"name": "demographic", "description": "", "id_property": "demographic_id", "properties": {"demographic_id": {"name": "demographic_id", "description": "A unique identifier of each demographic record, used to identify the correct demographic records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "breed": {"name": "breed", "description": "The specific breed of the canine patient/subject/donor, per the list of breeds officially recognized by the American Kennel Club.", "type": "string", "required": true, "permissible_values": ["Affenpinscher", "Afghan Hound", "Airedale Terrier", "Akita", "Alaskan Klee Kai", "Alaskan Malamute", "American Bulldog", "American English Coonhound", "American Eskimo Dog", "American Foxhound", "American Hairless Terrier", "American Leopard Hound", "American Staffordshire Terrier", "American Water Spaniel", "Anatolian Shepherd Dog", "Appenzeller Sennenhunde", "Australian Cattle Dog", "Australian Kelpie", "Australian Shepherd", "Australian Stumpy Tail Cattle Dog", "Australian Terrier", "Azawakh", "Barbado da Terceira", "Barbet", "Basenji", "Basset Fauve de Bretagne", "Basset Hound", "Bavarian Mountain Scent Hound", "Beagle", "Bearded Collie", "Beauceron", "Bedlington Terrier", "Belgian Laekenois", "Belgian Malinois", "Belgian Sheepdog", "Belgian Tervuren", "Bergamasco Sheepdog", "Berger Picard", "Bernese Mountain Dog", "Bichon Frise", "Biewer Terrier", "Black Russian Terrier", "Black and Tan Coonhound", "Bloodhound", "Bluetick Coonhound", "Boerboel", "Bohemian Shepherd", "Bolognese", "Border Collie", "Border Terrier", "Borzoi", "Boston Terrier", "Bouvier des Flandres", "Boxer", "Boykin Spaniel", "Bracco Italiano", "Braque Francais Pyrenean", "Braque du Bourbonnais", "Briard", "Brittany", "Broholmer", "Brussels Griffon", "Bull Terrier", "Bulldog", "Bullmastiff", "Cairn Terrier", "Canaan Dog", "Cane Corso", "Cardigan Welsh Corgi", "Carolina Dog", "Catahoula Hound", "Catahoula Leopard Dog", "Caucasian Shepherd Dog", "Cavalier King Charles Spaniel", "Central Asian Shepherd Dog", "Cesky Terrier", "Chesapeake Bay Retriever", "Chihuahua", "Chinese Crested", "Chinese Shar-Pei", "Chinook", "Chow Chow", "Cirneco dell'Etna", "Clumber Spaniel", "Cocker Spaniel", "Collie", "Coton de Tulear", "Croatian Sheepdog", "Curly-Coated Retriever", "Czechoslovakian Vlcak", "Dachshund", "Dalmatian", "Dandie Dinmont Terrier", "Danish-Swedish Farmdog", "Deutscher Wachtelhund", "Doberman Pinscher", "Dogo Argentino", "Dogue de Bordeaux", "Drentsche Patrijshond", "Drever", "Dutch Shepherd", "English Cocker Spaniel", "English Foxhound", "English Setter", "English Springer Spaniel", "English Toy Spaniel", "Entlebucher Mountain Dog", "Estrela Mountain Dog", "Eurasier", "Field Spaniel", "Finnish Lapphund", "Finnish Spitz", "Flat-Coated Retriever", "French Bulldog", "French Spaniel", "German Longhaired Pointer", "German Pinscher", "German Shepherd Dog", "German Shorthaired Pointer", "German Spitz", "German Wirehaired Pointer", "Giant Schnauzer", "Glen of Imaal Terrier", "Golden Retriever", "Gordon Setter", "Grand Basset Griffon Vendeen", "Great Dane", "Great Pyrenees", "Greater Swiss Mountain Dog", "Greyhound", "Hamiltonstovare", "Hanoverian Scenthound", "Harrier", "Havanese", "Hokkaido", "Hovawart", "Ibizan Hound", "Icelandic Sheepdog", "Irish Red and White Setter", "Irish Setter", "Irish Terrier", "Irish Water Spaniel", "Irish Wolfhound", "Italian Greyhound", "Jagdterrier", "Japanese Akitainu", "Japanese Chin", "Japanese Spitz", "Japanese Terrier", "Jindo", "Kai Ken", "Karelian Bear Dog", "Keeshond", "Kerry Blue Terrier", "Kishu Ken", "Komondor", "Kromfohrlander", "Kuvasz", "Labrador Retriever", "Lagotto Romagnolo", "Lakeland Terrier", "Lancashire Heeler", "Lapponian Herder", "Leonberger", "Lhasa Apso", "Lowchen", "Maltese", "Manchester Terrier", "Mastiff", "Miniature American Shepherd", "Miniature Bull Terrier", "Miniature Dachshund", "Miniature Pinscher", "Miniature Schnauzer", "Mixed Breed", "Mountain Cur", "Mudi", "Neapolitan Mastiff", "Nederlandse Kooikerhondje", "Newfoundland", "Norfolk Terrier", "Norrbottenspets", "Norwegian Buhund", "Norwegian Elkhound", "Norwegian Lundehund", "Norwich Terrier", "Nova Scotia Duck Tolling Retriever", "Old English Sheepdog", "Other", "Otterhound", "Papillon", "Parson Russell Terrier", "Pekingese", "Pembroke Welsh Corgi", "Perro de Presa Canario", "Peruvian Inca Orchid", "Petit Basset Griffon Vendeen", "Pharaoh Hound", "Plott Hound", "Pointer", "Polish Lowland Sheepdog", "Pomeranian", "Poodle", "Porcelaine", "Portuguese Podengo", "Portuguese Podengo Pequeno", "Portuguese Pointer", "Portuguese Sheepdog", "Portuguese Water Dog", "Pudelpointer", "Pug", "Puli", "Pumi", "Pyrenean Mastiff", "Pyrenean Shepherd", "Rafeiro do Alentejo", "Rat Terrier", "Redbone Coonhound", "Rhodesian Ridgeback", "Romanian Mioritic Shepherd Dog", "Rottweiler", "Russell Terrier", "Russian Toy", "Russian Tsvetnaya Bolonka", "Saint Bernard", "Saluki", "Samoyed", "Schapendoes", "Schipperke", "Scottish Deerhound", "Scottish Terrier", "Sealyham Terrier", "Segugio Italiano", "Shetland Sheepdog", "Shiba Inu", "Shih Tzu", "Shikoku", "Siberian Husky", "Silky Terrier", "Skye Terrier", "Sloughi", "Slovakian Wirehaired Pointer", "Slovensky Cuvac", "Slovensky Kopov", "Small Munsterlander Pointer", "Smooth Fox Terrier", "Soft Coated Wheaten Terrier", "Spanish Mastiff", "Spanish Water Dog", "Spinone Italiano", "Stabyhoun", "Staffordshire Bull Terrier", "Standard Schnauzer", "Sussex Spaniel", "Swedish Lapphund", "Swedish Vallhund", "Taiwan Dog", "Teddy Roosevelt Terrier", "Thai Ridgeback", "Tibetan Mastiff", "Tibetan Spaniel", "Tibetan Terrier", "Tornjak", "Tosa", "Toy Fox Terrier", "Toy Poodle", "Transylvanian Hound", "Treeing Tennessee Brindle Coonhound", "Treeing Walker Coonhound", "Unknown", "Vizsla", "Weimaraner", "Welsh Springer Spaniel", "Welsh Terrier", "West Highland White Terrier", "Wetterhoun", "Whippet", "Wire Fox Terrier", "Wirehaired Pointing Griffon", "Wirehaired Vizsla", "Working Kelpie", "Xoloitzcuintli", "Yakutian Laika", "Yorkshire Terrier"]}, "additional_breed_detail": {"name": "additional_breed_detail", "description": "For patients/subjects/donors formally designated as either Mixed Breed or Other, any available detail as to the breeds contributing to the overall mix of breeds or clarification of the nature of the Other breed. Values for this field are therefore not relevant to pure-bred patients/subjects/donors, but for those of mixed breed or other origins, values are definitely preferred wherever available.", "type": "string", "required": false}, "patient_age_at_enrollment": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "patient_age_at_enrollment_original": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_original_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "date_of_birth": {"name": "date_of_birth", "description": "The date of birth of the canine patient/subject/donor.", "type": "datetime", "required": false}, "sex": {"name": "sex", "description": "The biological sex of the patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Male", "Female", "Unknown"]}, "weight": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "weight_original": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "neutered_indicator": {"name": "neutered_indicator", "description": "Indicator as to whether the patient/subject/donor has been either spayed (female subjects) or neutered (male subjects).", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown"]}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "cycle": {"name": "cycle", "description": "", "id_property": null, "properties": {"cycle_number": {"name": "cycle_number", "description": "For a patient/subject/donor enrolled in a clinical trial evaluating the effects of therapy administered in multiple cycles, the number of the treatment cycle during which visits occurred such that therapy could be administered and/or clinical observations could be made, with cycles numbered according to their chronological order.", "type": "integer", "required": true}, "date_of_cycle_start": {"name": "date_of_cycle_start", "description": "The date upon which the treament cycle in question began.", "type": "datetime", "required": false}, "date_of_cycle_end": {"name": "date_of_cycle_end", "description": "The date upon which the treatent cycle in question ended.", "type": "datetime", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "visit": {"name": "visit", "description": "", "id_property": "visit_id", "properties": {"visit_date": {"name": "visit_date", "description": "The date upon which the visit occurred.", "type": "datetime", "required": false}, "visit_number": {"name": "visit_number", "description": "The number of the visit during which therapy was administered and/or clinical observations were made, with visits numbered according to their chronological order.", "type": "string", "required": false}, "visit_id": {"name": "visit_id", "description": "A globally unique identifier of each visit record; specifically the value of case_id concatenated with the value of visit_date, the date upon which the visit occurred.
This property is used as the key via which child records, e.g. physical examination records, can be associated with the appropriate visit, and to identify the correct visit records during data updates.", "type": "string", "required": true}}, "relationships": {"visit": {"dest_node": "visit", "type": "one_to_one", "label": "next"}}}, "principal_investigator": {"name": "principal_investigator", "description": "", "id_property": null, "properties": {"pi_first_name": {"name": "pi_first_name", "description": "The first or given name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_last_name": {"name": "pi_last_name", "description": "The last or family name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_middle_initial": {"name": "pi_middle_initial", "description": "Where applicable, the middle initial(s) of each principal investigator of the study/trial.", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "diagnosis_id", "properties": {"diagnosis_id": {"name": "diagnosis_id", "description": "A unique identifier of each diagnosis record, used to associate child records, e.g. pathology reports, with the appropriate parent, and to identify the correct diagnosis records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "disease_term": {"name": "disease_term", "description": "The primary disease condition with which the patient/subject/donor was diagnosed.", "type": "string", "required": true, "permissible_values": ["B Cell Lymphoma", "Bladder Cancer", "Fibrolipoma", "Glioma", "Healthy Control", "Hemangiosarcoma", "Histiocytic Sarcoma", "Lipoma", "Lymphoma", "Mammary Cancer", "Mast Cell Tumor", "Melanoma", "Osteosarcoma", "Pulmonary Neoplasms", "Soft Tissue Sarcoma", "Splenic Hematoma", "Splenic Hyperplasia", "T Cell Leukemia", "T Cell Lymphoma", "Thyroid Cancer", "Unknown", "Urothelial Carcinoma"]}, "primary_disease_site": {"name": "primary_disease_site", "description": "The anatomical location at which the primary disease originated, recorded in relatively general terms at the subject level; the anatomical locations from which tumor samples subject to downstream analysis were acquired is recorded in more detailed terms at the sample level.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder, Prostate", "Bladder, Urethra", "Bladder, Urethra, Prostate", "Bladder, Urethra, Vagina", "Bone", "Bone (Appendicular)", "Bone (Axial)", "Bone Marrow", "Brain", "Carpus", "Chest Wall", "Distal Urethra", "Kidney", "Lung", "Lymph Node", "Mammary Gland", "Mouth", "Not Applicable", "Pleural Cavity", "Shoulder", "Skin", "Spleen", "Subcutis", "Thyroid Gland", "Unknown", "Urethra, Prostate", "Urinary Tract", "Urogenital Tract"]}, "stage_of_disease": {"name": "stage_of_disease", "description": "The formal assessment of the extent to which the primary cancer with which the patient/subject/donor was diagnosed has progressed, according to the TNM staging or cancer stage grouping criteria.", "type": "string", "required": true, "permissible_values": ["I", "Ia", "Ib", "II", "IIa", "IIb", "III", "IIIa", "IIIb", "IV", "IVa", "IVb", "V", "Va", "Vb", "TisN0M0", "TisN1M1", "T1N0M0", "T1NXM0", "T2N0M0", "T2N0M1", "T2N1M0", "T2N1M1", "T2N2M1", "T3N0M0", "T3N0M1", "T3N1M0", "T3N1M1", "T3NXM1", "TXN0M0", "Not Applicable", "Not Determined", "Unknown"]}, "date_of_diagnosis": {"name": "date_of_diagnosis", "description": "The date upon which the patient/subject/donor was diagnosed with the primary disease in question.", "type": "datetime", "required": false}, "histology_cytopathology": {"name": "histology_cytopathology", "description": "A narrative summary of the primary observations from the the evaluation of a tumor sample from a patient/subject/donor, in terms of its histology and/or cytopathology.", "type": "string", "required": false}, "date_of_histology_confirmation": {"name": "date_of_histology_confirmation", "description": "The date upon which the results of a histological evaluation of a sample from the patient/subject/donor were confirmed.", "type": "datetime", "required": false}, "histological_grade": {"name": "histological_grade", "description": "The histological grading of the tumor(s) present in the patient/subject/donor, based upon microscopic evaluation(s), and recorded at the subject level; grading of specific tumor samples subject to downstream analysis is recorded at the sample level.", "type": "string", "required": false}, "best_response": {"name": "best_response", "description": "Where applicable, an indication as to the best overall response to therapeutic intervention observed within an individual patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Complete Response", "Partial Response", "Stable Disease", "Progressive Disease", "Not Determined", "Not Applicable", "Unknown"]}, "pathology_report": {"name": "pathology_report", "description": "An indication as to the existence of any detailed pathology evaluation upon which the primary diagnosis was based, either in the form of a formal, subject-specific pathology report, or as detailed in a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "treatment_data": {"name": "treatment_data", "description": "An indication as to the existence of any treatment data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "follow_up_data": {"name": "follow_up_data", "description": "An indication as to the existence of any follow-up data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "concurrent_disease": {"name": "concurrent_disease", "description": "An indication as to whether the patient/subject/donor suffers from any significant secondary disease condition(s).", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown"]}, "concurrent_disease_type": {"name": "concurrent_disease_type", "description": "The specifics of any notable secondary disease condition(s) observed within the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "enrollment": {"name": "enrollment", "description": "", "id_property": "enrollment_id", "properties": {"enrollment_id": {"name": "enrollment_id", "description": "A unique identifier of each enrollment record, used to associate child records, e.g. prior surgery records, with the appropriate parent, and to identify the correct enrollment records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "date_of_registration": {"name": "date_of_registration", "description": "The date upon which the patient/subject/donor was enrolled in the study/trial.", "type": "datetime", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}, "initials": {"name": "initials", "description": "The initials of the patient/subject/donor based upon the subject's first or given name, and the last or family name of the subject's owner.", "type": "string", "required": false}, "date_of_informed_consent": {"name": "date_of_informed_consent", "description": "The date upon which the owner of the patient/subject/donor signed an informed consent on behalf of the subject.", "type": "datetime", "required": false}, "site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "patient_subgroup": {"name": "patient_subgroup", "description": "A short description as to the reason for the patient/subject/donor being enrolled in any given study/trial arm or cohort, for example, a clinical trial patient having been enrolled in a dose escalation cohort.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "prior_therapy": {"name": "prior_therapy", "description": "", "id_property": null, "properties": {"date_of_first_dose": {"name": "date_of_first_dose", "description": "", "type": "datetime", "required": false}, "date_of_last_dose": {"name": "date_of_last_dose", "description": "", "type": "datetime", "required": false}, "agent_name": {"name": "agent_name", "description": "", "type": "string", "required": false}, "dose_schedule": {"name": "dose_schedule", "description": "Schedule_FUL in form", "type": "string", "required": false}, "total_dose": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "total_dose_original": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_original_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "agent_units_of_measure": {"name": "agent_units_of_measure", "description": "Agent UOM_FUL in form", "type": "string", "required": false}, "best_response_to_prior_therapy": {"name": "best_response_to_prior_therapy", "description": "", "type": "string", "required": false}, "nonresponse_therapy_type": {"name": "nonresponse_therapy_type", "description": "", "type": "string", "required": false}, "prior_therapy_type": {"name": "prior_therapy_type", "description": "", "type": "string", "required": false}, "prior_steroid_exposure": {"name": "prior_steroid_exposure", "description": "Has the patient ever been on steroids? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_steroid": {"name": "number_of_prior_regimens_steroid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_steroid": {"name": "total_number_of_doses_steroid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_steroid": {"name": "date_of_last_dose_steroid", "description": "", "type": "datetime", "required": false}, "prior_nsaid_exposure": {"name": "prior_nsaid_exposure", "description": "Has the patient ever been on NSAIDS? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_nsaid": {"name": "number_of_prior_regimens_nsaid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_nsaid": {"name": "total_number_of_doses_nsaid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_nsaid": {"name": "date_of_last_dose_nsaid", "description": "", "type": "datetime", "required": false}, "tx_loc_geo_loc_ind_nsaid": {"name": "tx_loc_geo_loc_ind_nsaid", "description": "", "type": "string", "required": false}, "min_rsdl_dz_tx_ind_nsaids_treatment_pe": {"name": "min_rsdl_dz_tx_ind_nsaids_treatment_pe", "description": "", "type": "string", "required": false}, "therapy_type": {"name": "therapy_type", "description": "", "type": "string", "required": false}, "any_therapy": {"name": "any_therapy", "description": "", "type": "boolean", "required": false}, "number_of_prior_regimens_any_therapy": {"name": "number_of_prior_regimens_any_therapy", "description": "", "type": "integer", "required": false}, "total_number_of_doses_any_therapy": {"name": "total_number_of_doses_any_therapy", "description": "", "type": "integer", "required": false}, "date_of_last_dose_any_therapy": {"name": "date_of_last_dose_any_therapy", "description": "", "type": "datetime", "required": false}, "treatment_performed_at_site": {"name": "treatment_performed_at_site", "description": "", "type": "boolean", "required": false}, "treatment_performed_in_minimal_residual": {"name": "treatment_performed_in_minimal_residual", "description": "", "type": "boolean", "required": false}}, "relationships": {"prior_therapy": {"dest_node": "prior_therapy", "type": "one_to_one", "label": "next"}}}, "prior_surgery": {"name": "prior_surgery", "description": "", "id_property": null, "properties": {"date_of_surgery": {"name": "date_of_surgery", "description": "The date upon which the prior surgery in question occurred.", "type": "datetime", "required": false}, "procedure": {"name": "procedure", "description": "The type of procedure performed during the prior surgery in question.", "type": "string", "required": true}, "anatomical_site_of_surgery": {"name": "anatomical_site_of_surgery", "description": "The anatomical location at which the prior surgery in question occurred.", "type": "string", "required": true}, "surgical_finding": {"name": "surgical_finding", "description": "A narrative description of any notable observations made during the prior surgery in question.", "type": "string", "required": false}, "residual_disease": {"name": "residual_disease", "description": "TBD", "type": "string", "required": false}, "therapeutic_indicator": {"name": "therapeutic_indicator", "description": "TBD", "type": "string", "required": false}}, "relationships": {"prior_surgery": {"dest_node": "prior_surgery", "type": "one_to_one", "label": "next"}}}, "agent_administration": {"name": "agent_administration", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "medication": {"name": "medication", "description": "", "type": "string", "required": false}, "route_of_administration": {"name": "route_of_administration", "description": "", "type": "string", "required": false}, "medication_lot_number": {"name": "medication_lot_number", "description": "", "type": "string", "required": false}, "medication_vial_id": {"name": "medication_vial_id", "description": "", "type": "string", "required": false}, "medication_actual_units_of_measure": {"name": "medication_actual_units_of_measure", "description": "", "type": "string", "required": false}, "medication_duration": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_unit": {"type": "string", "permissible_values": ["hr", "days", "min"], "default_value": "days"}, "medication_duration_original": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_original_unit": {"type": "string", "permissible_values": ["hr", "days", "min"], "default_value": "days"}, "medication_units_of_measure": {"name": "medication_units_of_measure", "description": "", "type": "string", "required": false}, "medication_actual_dose": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "medication_actual_dose_original": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}, "start_time": {"name": "start_time", "description": "", "type": "datetime", "required": false}, "stop_time": {"name": "stop_time", "description": "", "type": "datetime", "required": false}, "dose_level": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_level_original": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_units_of_measure": {"name": "dose_units_of_measure", "description": "", "type": "string", "required": false}, "date_of_missed_dose": {"name": "date_of_missed_dose", "description": "", "type": "datetime", "required": false}, "medication_missed_dose": {"name": "medication_missed_dose", "description": "Q.- form has \"medication\"", "type": "string", "required": false}, "missed_dose_amount": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_amount_original": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_units_of_measure": {"name": "missed_dose_units_of_measure", "description": "Q.- form has \"dose uom_ful\"", "type": "string", "required": false}, "medication_course_number": {"name": "medication_course_number", "description": "", "type": "string", "required": false}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "The globally unique ID by which any given sample can be unambiguously identified and displayed across studies/trials; specifically the preferred value of the sample identifier used by the data submitter, prefixed with the appropriate ICDC study code during data transformation.
This property is used as the key via which child records, e.g. file records, can be associated with the appropriate sample during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "sample_site": {"name": "sample_site", "description": "The specific anatomical location from which any given sample was acquired.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder Apex", "Bladder Apex-Mid", "Bladder Mid", "Bladder Mid-Trigone", "Bladder Mucosa", "Bladder Trigone", "Bladder Trigone-Urethra", "Blood", "Bone", "Bone Marrow", "Brain", "Carpus", "Cerebellar", "Cutis", "Distal Urethra", "Femur", "Genitourinary Tract", "Hemispheric", "Humerus", "Kidney", "Liver", "Liver, Spleen, Heart", "Lung", "Lung, Caudal Aspect of Left Caudal Lobe", "Lung, Caudal Right Lobe", "Lung, Cranial Left Lobe", "Lymph Node", "Lymph Node, Popliteal", "Mammary Gland", "Mandible, Mucosa", "Midline", "Mouth", "Mouth, Lingual", "Mouth, Mandible, Mucosa", "Mouth, Maxilla, Mucosa", "Muscle", "Pancreas", "Pleural Effusion", "Radius", "Skin", "Spleen", "Subcutaneous Tissue", "Thyroid Gland", "Tibia", "Unknown", "Urethra", "Urethra Mid-distal", "Urinary Bladder", "Urogenital Tract", "Uterus"]}, "physical_sample_type": {"name": "physical_sample_type", "description": "An indication as to the physical nature of any given sample.", "type": "string", "required": true, "permissible_values": ["Tissue", "Blood", "Cell Line", "Organoid", "Urine Sediment", "Whole Blood"]}, "general_sample_pathology": {"name": "general_sample_pathology", "description": "An indication as to whether a sample represents normal tissue versus representing diseased or tumor tissue.", "type": "string", "required": true, "permissible_values": ["Normal", "Malignant", "Benign", "Hyperplastic", "Diseased", "Not Applicable"]}, "tumor_sample_origin": {"name": "tumor_sample_origin", "description": "An indication as to whether a tumor sample was derived from a primary versus a metastatic tumor.", "type": "string", "required": true, "permissible_values": ["Primary", "Metastatic", "Not Applicable", "Unknown"]}, "summarized_sample_type": {"name": "summarized_sample_type", "description": "A summarized representation of a sample's physical nature, normality, and derivation from a primary versus a metastatic tumor, based upon the combination of values in the three independent properties of physical_sample_type, general_sample_pathology and tumor_sample_origin.", "type": "string", "required": true, "permissible_values": ["Metastatic Tumor Tissue", "Normal Cell Line", "Normal Tissue", "Organoid (ASC-derived)", "Primary Malignant Tumor Tissue", "Urine Sediment", "Tumor Cell Line", "Tumor Cell Line (metastasis-derived)", "Tumoroid", "Tumoroid (urine-derived)", "Whole Blood"]}, "molecular_subtype": {"name": "molecular_subtype", "description": "Where applicable, the molecular subtype of the tumor sample in question, for example, the tumor being basal versus lumnial in nature.", "type": "string", "required": false}, "specific_sample_pathology": {"name": "specific_sample_pathology", "description": "The specific histology and/or pathology associated with a sample.", "type": "string", "required": true, "permissible_values": ["Astrocytoma", "B Cell Lymphoma", "Carcinoma", "Carcinoma With Simple And Complex Components", "Chondroblastic Osteosarcoma", "Complex Carcinoma", "Endometrium (organoid)", "Fibroblastic Osteosarcoma", "Giant Cell Osteosarcoma", "Hemangiosarcoma", "Histiocytic Sarcoma", "Induced Endometrium", "Liver (organoid)", "Lung (organoid)", "Lymphoma", "Mast Cell Tumor", "Melanoma", "Not Applicable", "Oligodendroglioma", "Osteoblastic Osteosarcoma", "Osteoblastic and Chondroblastic Osteosarcoma", "Osteosarcoma", "Osteosarcoma; Combined Type", "Pancreas (organoid)", "Primitive T-Cell Leukemia", "Pulmonary Adenocarcinoma", "Pulmonary Carcinoma", "Simple Carcinoma", "Simple Carcinoma,\u00a0 Ductular, Vascular Invasive", "Simple Carcinoma, Ductal", "Simple Carcinoma, Ductular", "Simple Carcinoma, Inflammatory", "Simple Carcinoma, Invasive, Ductal", "Soft Tissue Sarcoma", "T Cell Lymphoma", "Urinary Bladder (organoid)", "Undefined", "Urothelial Carcinoma", "Urothelial Carcinoma (organoid)"]}, "date_of_sample_collection": {"name": "date_of_sample_collection", "description": "The date upon which the sample was acquired from the patient/subject/donor.", "type": "datetime", "required": false}, "sample_chronology": {"name": "sample_chronology", "description": "An indication as to when a sample was acquired relative to any therapeutic intervention and/or key disease outcome observations.", "type": "string", "required": true, "permissible_values": ["Before Treatment", "During Treatment", "After Treatment", "Upon Progression", "Upon Relapse", "Upon Death", "Not Applicable", "Unknown"]}, "necropsy_sample": {"name": "necropsy_sample", "description": "An indication as to whether a sample was acquired as a result of a necropsy examination.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown", "Not Applicable"]}, "tumor_grade": {"name": "tumor_grade", "description": "The grade of the tumor from which the sample was acquired, i.e. the degree of cellular differentiation within the tumor in question, as determined by a pathologist's evaluation.", "type": "string", "required": false, "permissible_values": ["1", "2", "3", "4", "High", "Medium", "Low", "Unknown", "Not Applicable"]}, "length_of_tumor": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "length_of_tumor_original": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor_original": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "volume_of_tumor": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "volume_of_tumor_original": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_original_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "percentage_tumor": {"name": "percentage_tumor", "description": "The purity of a sample of tumor tissue in terms of the percentage of the sample that is represnted by tumor cells, expressed either as a discrete percentage or as a percentage range.", "type": "string", "required": false}, "sample_preservation": {"name": "sample_preservation", "description": "The method by which a sample was preserved.", "type": "string", "required": true, "permissible_values": ["EDTA", "FFPE", "RNAlater", "Snap Frozen", "TRIzol", "Not Applicable", "Unknown"]}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"sample": {"dest_node": "sample", "type": "one_to_one", "label": "next"}}}, "file": {"name": "file", "description": "", "id_property": "uuid", "properties": {"file_name": {"name": "file_name", "description": "The name of the file, maintained exactly as provided by the data submitter.", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "An indication as to the nature of the file in terms of its content, i.e. what type of information the file contains, as opposed to the file's format.", "type": "string", "required": true, "permissible_values": ["Study Protocol", "Supplemental Data File", "Pathology Report", "Image File", "RNA Sequence File", "Whole Genome Sequence File", "Whole Exome Sequence File", "DNA Methylation Analysis File", "Index File", "Array CGH Analysis File", "Variant Call File", "Mutation Annotation File", "Variant Report", "Data Analysis Whitepaper", "Affymetrix GeneChip Analysis File"]}, "file_description": {"name": "file_description", "description": "An optional description of the file and/or its content, as provided by the data submitter, preferably limited to no more than 60 characters in length.", "type": "string", "required": false}, "file_format": {"name": "file_format", "description": "The specific format of the file as determined by the data loader.", "type": "string", "required": true}, "file_size": {"name": "file_size", "description": "The exact size of the file in bytes.", "type": "number", "required": true}, "md5sum": {"name": "md5sum", "description": "The 32-character hexadecimal md5 checksum value of the file, used to confirm the integrity of files submitted to the ICDC.", "type": "string", "required": true}, "file_status": {"name": "file_status", "description": "An enumerated representation of the status of any given file.", "type": "string", "required": true, "permissible_values": ["uploading", "uploaded", "md5summing", "md5summed", "validating", "error", "invalid", "suppressed", "redacted", "live", "validated", "submitted", "released"]}, "uuid": {"name": "uuid", "description": "The universally unique alpha-numeric identifier assigned to each file.", "type": "string", "required": true}, "file_location": {"name": "file_location", "description": "The specific location within the ICDC S3 storage bucket at which the file is stored, expressed in terms of a unique url.", "type": "string", "required": true}}, "relationships": {"diagnosis": {"dest_node": "diagnosis", "type": "many_to_one", "label": "from_diagnosis"}}}, "image_collection": {"name": "image_collection", "description": "", "id_property": null, "properties": {"image_collection_name": {"name": "image_collection_name", "description": "The name of the image collection exactly as it appears at the location where the collection can be viewed and/or accessed.", "type": "string", "required": true}, "image_type_included": {"name": "image_type_included", "description": "A list of the image types included in the image collection, drawn from a list of acceptable values.", "type": "list", "required": true, "item_type": {"type": "string", "permissible_values": ["PET", "MRI", "Histopathology", "X-ray", "Ultrasound", "CT", "Optical"]}}, "image_collection_url": {"name": "image_collection_url", "description": "The external url via which the image collection can be viewed and/or accessed.", "type": "string", "required": true}, "repository_name": {"name": "repository_name", "description": "The name of the image repository within which the image collection can be found, stated in the form of the appropriate acronym.", "type": "string", "required": true}, "collection_access": {"name": "collection_access", "description": "Indicator as to whether the image collection can be accessed via download versus being accessible only via the cloud.", "type": "string", "required": true, "permissible_values": ["Download", "Cloud"]}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "physical_exam": {"name": "physical_exam", "description": "", "id_property": null, "properties": {"date_of_examination": {"name": "date_of_examination", "description": "The date upon which the physical examination in question was conducted.", "type": "datetime", "required": false}, "day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "body_system": {"name": "body_system", "description": "Major organ system or physiological characteristic assessed during the examination of the patient/subject/donor during a follow-up visit. Observations are reported independently on each organ system or physiological characteristic.", "type": "string", "required": false, "permissible_values": ["Attitude", "Eyes, Ears, Nose and Throat", "Respiratory", "Cardiovascular", "Gastrointestinal", "Musculoskeletal", "Integumentary", "Lymphatic", "Endocrine", "Genitourinary", "Neurologic", "Other"]}, "pe_finding": {"name": "pe_finding", "description": "Indication as to the normal versus abnormal function of the major organ system or physiological characteristic assessed.", "type": "string", "required": false, "permissible_values": ["Normal", "Abnormal", "Not examined"]}, "pe_comment": {"name": "pe_comment", "description": "Narrative comment describing any notable observations concerning any given major organ system or physiological status assessed.", "type": "string", "required": false}, "phase_pe": {"name": "phase_pe", "description": "Pending", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "publication": {"name": "publication", "description": "", "id_property": "publication_title", "properties": {"publication_title": {"name": "publication_title", "description": "The full title of the publication stated exactly as it appears on the published work.
This property is used as the key via which to identify the correct records during data updates.", "type": "string", "required": true}, "authorship": {"name": "authorship", "description": "A list of authors for the cited work. More specifically, for publications with no more than three authors, authorship quoted in full; for publications with more than three authors, authorship abbreviated to first author et al.", "type": "string", "required": true}, "year_of_publication": {"name": "year_of_publication", "description": "The year in which the cited work was published.", "type": "number", "required": true}, "journal_citation": {"name": "journal_citation", "description": "The name of the journal in which the cited work was published, inclusive of the citation itself in terms of journal volume number, part number where applicable, and page numbers.", "type": "string", "required": true}, "digital_object_id": {"name": "digital_object_id", "description": "Where applicable, the digital object identifier for the cited work, by which it can be permanently identified, and linked to via the internet.", "type": "string", "required": false}, "pubmed_id": {"name": "pubmed_id", "description": "Where applicable, the unique numerical identifier assigned to the cited work by PubMed, by which it can be linked to via the internet.", "type": "number", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "vital_signs": {"name": "vital_signs", "description": "", "id_property": null, "properties": {"date_of_vital_signs": {"name": "date_of_vital_signs", "description": "The date upon which the vital signs evaluation in question was conducted.", "type": "datetime", "required": false}, "body_temperature": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "body_temperature_original": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_original_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "pulse": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "pulse_original": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_original_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "respiration_rate": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_rate_original": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_original_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_pattern": {"name": "respiration_pattern", "description": "An indication as to the normality of the breathing pattern of the patient/subject/donor at the time of the vital signs evaluation.", "type": "string", "required": false}, "systolic_bp": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "systolic_bp_original": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_original_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "pulse_ox": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "pulse_ox_original": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_original_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "patient_weight": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "patient_weight_original": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "body_surface_area": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "body_surface_area_original": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_original_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "modified_ecog": {"name": "modified_ecog", "description": "The Eastern Cooperative Oncology Group (ECOG) performance status of the patient/subject/donor at the time of the vital signs evaluation. The value of this metric indicates the overall function of the patient/subject/donor and his/her ability to tolerate therapy.", "type": "string", "required": false}, "ecg": {"name": "ecg", "description": "Indication as to the normality of the electrocardiogram conducted during the vital signs evaluation.", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "adverse_event": {"name": "adverse_event", "description": "", "id_property": null, "properties": {"day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "date_of_onset": {"name": "date_of_onset", "description": "The date upon which any given adverse event was first observed.", "type": "datetime", "required": false}, "existing_adverse_event": {"name": "existing_adverse_event", "description": "An indication as to whether any given adverse event occurred prior to the enrollment of a patient/subject into the clinical trial in question, and/or was ongoing at the time of trial enrollment.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "date_of_resolution": {"name": "date_of_resolution", "description": "The date upon which any given adverse event resolved. If an adverse event was ongong at the time of death, the date of death should be used as the value date_of_resolution.", "type": "string", "required": false}, "ongoing_adverse_event": {"name": "ongoing_adverse_event", "description": "An indication as to whether any given adverse event was ongoing as of the end of a treatment cycle, the end of the clinical trial itself, or the patient/subject being taken off study.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "adverse_event_term": {"name": "adverse_event_term", "description": "The specific controlled vocabulary term for any given adverse event, as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true}, "adverse_event_description": {"name": "adverse_event_description", "description": "A narrative description of any given adverse event which provides extra details as to its associated clinical, physical and behavioral observations, and/or mitigations for the adverse event.", "type": "string", "required": false}, "adverse_event_grade": {"name": "adverse_event_grade", "description": "The grade of any given adverse event, reported as an enumerated value corresponding to one of the five distinct grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true, "permissible_values": ["1", "2", "3", "4", "5", "Unknown"]}, "adverse_event_grade_description": {"name": "adverse_event_grade_description", "description": "The grade of any given adverse event, reported in the form of a single descriptive term corresponding to one of the five enumerated grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE). Although numerical values for grade are standard terms for the reporting of adverse events, the narrative form of adverse event grades will be useful to users not already familiar with adverse event grading.", "type": "string", "required": false, "permissible_values": ["Mild", "Moderate", "Severe", "Life-threatening", "Death", "Unknown"]}, "adverse_event_agent_name": {"name": "adverse_event_agent_name", "description": "The name of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "adverse_event_agent_dose": {"name": "adverse_event_agent_dose", "description": "The corresponding dose of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "attribution_to_research": {"name": "attribution_to_research", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the clinical trial/research environment in general, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_ind": {"name": "attribution_to_ind", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by any investigational new drugs being administered as part of the clinical trial, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_disease": {"name": "attribution_to_disease", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the disease for which the patient/subject is being treated, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_commercial": {"name": "attribution_to_commercial", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by a commercially-available, FDA-approved therapeutic agent, used within the confines of the clinical trial either for its FDA-approved indication or in an off-label manner, but not as the investigational new drug or part of the investigational new therapy, versus the adverse event in question being unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_other": {"name": "attribution_to_other", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by some other factor(s), as described by the other_attribution_description property, or is unrelated to such other factors.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "other_attribution_description": {"name": "other_attribution_description", "description": "A description of any other factor or factors to which any given adverse event has been attributed. Where an adverse event is attributed to factors other than the standard factors of research, disease, IND or commercial, a description of the other factor(s) to which the adverse event was attributed is required.", "type": "string", "required": false}, "dose_limiting_toxicity": {"name": "dose_limiting_toxicity", "description": "An indication as to whether any given adverse event observed during the clinical trial is indicative of the dose of the therapeutic agent under test being limiting in terms of its toxicity.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Not Applicable"]}, "unexpected_adverse_event": {"name": "unexpected_adverse_event", "description": "An indication as to whether any given adverse event observed during the clinical trial is completely unanticipated and therefore considered novel.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Undefined"]}}, "relationships": {"adverse_event": {"dest_node": "adverse_event", "type": "one_to_one", "label": "next"}}}, "disease_extent": {"name": "disease_extent", "description": "", "id_property": null, "properties": {"lesion_number": {"name": "lesion_number", "description": "An arbitrary numerical designation for each lesion subject to evaluation, by which that lesion can be unambiguously identified.", "type": "string", "required": false}, "lesion_site": {"name": "lesion_site", "description": "The overall anatomical location of the lesion being assessed in terms of the organ or organ system in which it is located. For example, lung, lymph node, etc.", "type": "string", "required": false}, "lesion_description": {"name": "lesion_description", "description": "Additional detail as to the specific location of the lesion subject to evaluation. For example, in the case of a lymph node lesion, the specific lymph node in which the lesion is located.", "type": "string", "required": false}, "previously_irradiated": {"name": "previously_irradiated", "description": "Pending", "type": "string", "required": false}, "previously_treated": {"name": "previously_treated", "description": "Pending", "type": "string", "required": false}, "measurable_lesion": {"name": "measurable_lesion", "description": "Pending", "type": "string", "required": false}, "target_lesion": {"name": "target_lesion", "description": "Pending", "type": "string", "required": false}, "date_of_evaluation": {"name": "date_of_evaluation", "description": "The date upon which the extent of disease evaluation was conducted.", "type": "datetime", "required": false}, "measured_how": {"name": "measured_how", "description": "The method by which the size of any given lesion was determined.", "type": "string", "required": false}, "longest_measurement": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "longest_measurement_original": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_original_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "evaluation_number": {"name": "evaluation_number", "description": "The number of the evaluation durinhg which any given lesion was examined, with evaluations numbered according to their chronological order.", "type": "string", "required": false}, "evaluation_code": {"name": "evaluation_code", "description": "An indication as to the status of any given lesion being evaluated, in terms of the evaluation establishing a baseline for the lesion, versus the lesion subject to evaluation being new, being stable in size, decreasing in size, increasing in size or having resolved.", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "follow_up": {"name": "follow_up", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_of_last_contact": {"name": "date_of_last_contact", "description": "", "type": "datetime", "required": false}, "patient_status": {"name": "patient_status", "description": "need vocab", "type": "string", "required": false}, "explain_unknown_status": {"name": "explain_unknown_status", "description": "free text?", "type": "string", "required": false}, "contact_type": {"name": "contact_type", "description": "need vocab", "type": "string", "required": false}, "treatment_since_last_contact": {"name": "treatment_since_last_contact", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_performed": {"name": "physical_exam_performed", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_changes": {"name": "physical_exam_changes", "description": "How described? Relative to data already stored in \"physical_exam\" node?", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "off_study": {"name": "off_study", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_study": {"name": "date_off_study", "description": "", "type": "datetime", "required": false}, "reason_off_study": {"name": "reason_off_study", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}, "off_treatment": {"name": "off_treatment", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "reason_off_treatment": {"name": "reason_off_treatment", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "clinical_study_designation"}, {"node": "study_site", "key": null}, {"node": "study_arm", "key": "arm_id"}, {"node": "agent", "key": null}, {"node": "cohort", "key": "cohort_id"}, {"node": "case", "key": "case_id"}, {"node": "registration", "key": null}, {"node": "biospecimen_source", "key": null}, {"node": "canine_individual", "key": "canine_individual_id"}, {"node": "demographic", "key": "demographic_id"}, {"node": "cycle", "key": null}, {"node": "visit", "key": "visit_id"}, {"node": "principal_investigator", "key": null}, {"node": "diagnosis", "key": "diagnosis_id"}, {"node": "enrollment", "key": "enrollment_id"}, {"node": "prior_therapy", "key": null}, {"node": "prior_surgery", "key": null}, {"node": "agent_administration", "key": null}, {"node": "sample", "key": "sample_id"}, {"node": "assay", "key": null}, {"node": "file", "key": "uuid"}, {"node": "image", "key": null}, {"node": "image_collection", "key": null}, {"node": "physical_exam", "key": null}, {"node": "publication", "key": "publication_title"}, {"node": "vital_signs", "key": null}, {"node": "lab_exam", "key": null}, {"node": "adverse_event", "key": null}, {"node": "disease_extent", "key": null}, {"node": "follow_up", "key": null}, {"node": "off_study", "key": null}, {"node": "off_treatment", "key": null}]} \ No newline at end of file diff --git a/src/common/constants.py b/src/common/constants.py index a8a72f8..5f8faf8 100644 --- a/src/common/constants.py +++ b/src/common/constants.py @@ -83,7 +83,7 @@ PROP_REQUIRED="required" TYPE ="type" MODELS_DEFINITION_FILE = "content.json" -TIER = "DEV_TIER" +TIER = "TIER" TIER_CONFIG = "tier" UPDATED_AT = "updatedAt" FILE_SIZE = "file_size" diff --git a/src/config.py b/src/config.py index 6fa4267..d8e463d 100644 --- a/src/config.py +++ b/src/config.py @@ -12,12 +12,14 @@ def __init__(self): self.log = get_logger('Upload Config') parser = argparse.ArgumentParser(description='Upload files to AWS s3 bucket') parser.add_argument('-s', '--service-type', type=str, choices=["essential", "file", "metadata"], help='validation type, required') - parser.add_argument('-c', '--mongo', help='Mongo database connection string, required') - parser.add_argument('-d', '--db', help='Mongo database with batch collection, required') - parser.add_argument('-p', '--models-loc', help='metadata models local, only required for essential and metadata service types') - parser.add_argument('-t', '--tier', help='current tier, optional') - parser.add_argument('-q', '--sqs', help='aws sqs name, required') - parser.add_argument('-r', '--retries', help='db connection, data loading, default value is 3, optional') + parser.add_argument('-v', '--server', help='Mongo database host, optional, it can be acquired from env.') + parser.add_argument('-p', '--port', help='Mongo database port, optional, it can be acquired from env.') + parser.add_argument('-u', '--user', help='Mongo database user id, optional, it can be acquired from env.') + parser.add_argument('-w', '--pwd', help='Mongo database user password, optional, it can be acquired from env.') + parser.add_argument('-d', '--db', help='Mongo database with batch collection, optional, it can be acquired from env.') + parser.add_argument('-l', '--models-loc', help='metadata models local, only required for essential and metadata service types') + parser.add_argument('-q', '--sqs', help='aws sqs name, optional, it can be acquired from env.') + parser.add_argument('config', help='configuration file path, contains all above parameters, required') @@ -52,15 +54,19 @@ def validate(self): self.log.critical(f'Service type is required and must be "essential", "file" or "metadata"!') return False - mongo = self.data.get(MONGO_DB) - if mongo is None: - self.log.critical(f'Mongo DB connection string is required!') - return False - - db = self.data.get(DB) - if db is None: - self.log.critical(f'Mongo DB for batch is required!') + db_server = self.data.get("server", os.environ.get("MONGO_DB_HOST")) + db_port = self.data.get("port", os.environ.get("MONGO_DB_PORT")) + db_user_id = self.data.get("user", os.environ.get("MONGO_DB_USER")) + db_user_password = self.data.get("pwd", os.environ.get("MONGO_DB_PASSWORD")) + db_name= self.data.get("db", os.environ.get("MONGO_DB_NAME")) + if db_server is None or db_port is None or db_user_id is None or db_user_password is None \ + or db_name is None: + self.log.critical(f'Missing Mongo BD setting(s)!') return False + else: + self.data[DB] = db_name + self.data[MONGO_DB] = f"mongodb://{db_user_id}:{db_user_password}@{db_server}:{db_port}/?authMechanism=DEFAULT" + models_loc= self.data.get(MODEL_FILE_DIR) if models_loc is None and self.data[SERVICE_TYPE] != SERVICE_TYPE_FILE: diff --git a/src/data_loader.py b/src/data_loader.py index 6365e53..05c8fea 100644 --- a/src/data_loader.py +++ b/src/data_loader.py @@ -56,11 +56,13 @@ def load_data(self, file_path_list): prop_names = [name for name in col_names if not name in [TYPE, 'index'] + relation_fields] node_id = self.get_node_id(type, row) exist_node = None if intention == INTENTION_NEW else self.mongo_dao.get_dataRecord_nodeId(node_id) - batchIds = [self.batch[ID]] if intention == INTENTION_NEW or not exist_node else [self.batch[ID]] + exist_node[BATCH_IDS] + batchIds = [self.batch[ID]] if intention == INTENTION_NEW or not exist_node else exist_node[BATCH_IDS] + [self.batch[ID]] dataRecord = { ID: self.get_record_id(intention, exist_node), SUBMISSION_ID: self.batch[SUBMISSION_ID], BATCH_IDS: batchIds, + "latestBatchID": self.batch[ID], + "uploadedDate": current_datetime_str(), FILE_STATUS: STATUS_NEW, ERRORS: [] if intention == INTENTION_NEW or not exist_node else exist_node[ERRORS], WARNINGS: [] if intention == INTENTION_NEW or not exist_node else exist_node[WARNINGS], From e2b71165cec484481a0aaa88e598ec61730ab9d5 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Tue, 12 Dec 2023 15:24:14 -0500 Subject: [PATCH 5/8] update validate prop val --- src/metadata_validator.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/metadata_validator.py b/src/metadata_validator.py index 27e017f..20a0196 100644 --- a/src/metadata_validator.py +++ b/src/metadata_validator.py @@ -194,7 +194,7 @@ def validate_props(self, dataRecord, model): errors.append(f"The property, {k}, is not defined in model!") continue else: - if v == None: + if v is None: continue errs = self.validate_prop_value(v, prop_def) From 4b0f678b0f621cdd7f78b2db1753e9c71d2921a3 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Wed, 13 Dec 2023 13:45:36 -0500 Subject: [PATCH 6/8] cleanup codes and edit readme --- .gitignore | 5 +++- README.md | 50 +++++++++++++++++++----------------- models/CDS_1.3.0_model.json | 1 - models/ICDC_1.0.0_model.json | 1 - src/common/model_store.py | 2 -- src/common/mongo_dao.py | 2 +- src/common/utils.py | 5 ++-- src/config.py | 50 ++++++++++-------------------------- src/essential_validator.py | 4 +-- src/file_validator.py | 3 +-- src/metadata_validator.py | 6 +---- src/validator.py | 4 +-- 12 files changed, 52 insertions(+), 81 deletions(-) delete mode 100644 models/CDS_1.3.0_model.json delete mode 100644 models/ICDC_1.0.0_model.json diff --git a/.gitignore b/.gitignore index 733b106..5d3d59d 100644 --- a/.gitignore +++ b/.gitignore @@ -138,8 +138,11 @@ config/es_loader_* backup/ **/.vscode/ **/.DS_Store -**/s3_download +**/s3_download/* #config files for testing **/configs/models **/configs/*config.yml + +# model dict dumps +#**/model/*.json diff --git a/README.md b/README.md index 441da91..d045a2c 100644 --- a/README.md +++ b/README.md @@ -7,12 +7,12 @@ The application is programmed purely with python v3.11. It depends on bento com The application is consist of multiple python modules/classes to support multiple functions listed below: 1) Linux services that keeps poll crdc databub message in specific AWS SQS queues for different service types, essential, file and metadata validation services respectively. -2) Metadata model factory that stores models in python dict for different data commons after the service started. -3) Metadata model reader that is called by the metadata model factory to parse data model yaml files. -4) Mongo database access layer for the service to retrieve batch detail, loading metadata into DB and update batch or dataRecords after validation and data loading. +2) Metadata model factory that stores models in python dict for different data commons after the service started. It also provides different mode access functions. +3) Metadata model reader that is called by the metadata model factory to parse data model yaml files currently and is expendable for different model sources. +4) Mongo database access layer for services to retrieve batch detail, loading metadata into DB and update batch or dataRecords after validation and data loading. 5) File downloader that get metadata file objects from S3 bucket based on batch. 6) Essential validator, file validator and metadata validator to validate file and/or contents. -7) Data loader that update or insert validated data in tsv file into Mongo database. +7) Data loader thats insert, update or delete validated data in tsv file to Mongo database. 8) Log info, error and exceptions. Major implemented modules/classes in src dir: @@ -21,14 +21,14 @@ Major implemented modules/classes in src dir: This is the entry point of the command line interface. It controls the workflow and dispatches to different service based on configured service type. 2) config.py - This class manages request arguments and configurations. It receives user's arguments, validate these arguments and store them in a dictionary. + This class manages request arguments and configurations. It receives user's arguments, validates these arguments and stores them in a dictionary. 3) essential_validator.py contains: A service that poll messages in a specific sqs queue, loader_queue, and call essential validator class for validation and metadata loading. A class, EssentialValidator, validates 1) if batch object contains all required fields; 2) check if files in the batch are metadata; 3) check if tsv file contents are valid. 4) if the batch matadata intention is new, verify no existing records are matched with ids of the data in the files. 4) data_loader.py - This class loads validated metadata into Mongo DB. + This class loads validated metadata into Mongo DB, updates or deletes records based on the metadataIntention in a batch. 5) common/mongo_dao.py This class is the Mongo DB access object that takes care DB connection, CRUD operations, and handle DB errors. @@ -38,7 +38,7 @@ Major implemented modules/classes in src dir: 7) file_validator.py contains: A service that polls messages in a specific sqs queue, file_queue, and call file validator class for validation and duplication checking. - A class, FileValidator, validates individual file or files uploaded for a submission and check duplications + A class, FileValidator, validates individual file or files uploaded for a submission and check duplications. 8) metadata_validator.py contains: A service that polls messages in a specific sqs queue, metadata_queue, and call metadata validator class for validation. @@ -46,27 +46,31 @@ Major implemented modules/classes in src dir: Environment settings: -1) ECR tier: - key: DEV_TIER. #possible value in ["dev2", "qa"....] -2) STS queues: 1) key: LOADER_QUEUE 2) key: FILE_QUEUE 3) key: METADATA_QUEUE -3) Settings in Configuration file: - 1.1 Mongo DB connection string: - key: connection-str #e.g. value: mongodb://xxx:xxx@localhost:27017/?authMechanism=DEFAULT - 1.2 Database name: - key: db #e.g. crdc-datahub2 - 1.3 Service type: - key: service-type # possible value in ["essential", "file", "metadata"] - 1.4 Data model location: - key: models-loc value: https://raw.githubusercontent.com/CBIIT/crdc-datahub-models/ #only applied for service type of essential and metadata. - 1.5 Mounted S3 bucket dir: - key: s3_bucket_drive value: /s3_bucket #only applied for service type of file. +1) ECR tier: - key: TIER. #possible value in ["dev2", "qa"....] +2) STS queues: + 2-1 key: LOADER_QUEUE, for essential validation requests. + 2-2 key: FILE_QUEUE, for file validation requests. + 2-3 key: METADATA_QUEUE, for metadata validation requests. +3) Mongo database configurations: + 3-1 key: MONGO_DB_HOST, Mongo DB server host. + 3-2 key: MONGO_DB_PORT, Mongo DB server port + 3-3 key: MONGO_DB_USER, Mongo DB server user ID. + 3-4 key: MONGO_DB_PASSWORD, Mongo DB server user password. + 3-5 key: DATABASE_NAME, Mongo database name. +4) Settings in Configuration file and/or arguments: + 4-1 key: service-type # possible value in ["essential", "file", "metadata"] + 4-2 key: key: models-loc, value: https://raw.githubusercontent.com/CBIIT/crdc-datahub-models/ #only required for service type of essential and metadata. Usage of the CLI tool: -1) Get helps command +1) Get helps command: $ python src/uploader.py -h - ##Executing results: - Command line arguments / configuration -2) Start essential validation service command - $ python src/validator.py -c configs/validator-metadata-config.yml +2) Start essential validation service command: + $ python src/validator.py -c configs/validator-essential-config.yml -3) Start file validation service command +3) Start file validation service command: $ python src/validator.py -c configs/validator-file-config.yml -4) Start metadata validation service command (TBD) - +4) Start metadata validation service command: + $ python src/validator.py -c configs/validator-metadata-config.yml diff --git a/models/CDS_1.3.0_model.json b/models/CDS_1.3.0_model.json deleted file mode 100644 index ff58af9..0000000 --- a/models/CDS_1.3.0_model.json +++ /dev/null @@ -1 +0,0 @@ -{"model": {"data_commons": "CDS", "version": "1.3.0", "source_files": ["cds-model.yml", "cds-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": false}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": false}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}, "institution": {"name": "institution", "description": "TBD", "type": "string", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "phs_accession", "properties": {"study_name": {"name": "study_name", "description": "Official name of study", "type": "string", "required": true}, "study_acronym": {"name": "study_acronym", "description": "Short acronym or other study desginator", "type": "string", "required": false}, "study_description": {"name": "study_description", "description": "Human-readable study description", "type": "string", "required": false}, "short_description": {"name": "short_description", "description": "Short description that will identify the dataset on public pages\nA clear and concise formula for the title would be like:\n{methodology} of {organism}: {sample info}\n", "type": "string", "required": false}, "study_external_url": {"name": "study_external_url", "description": "Website or other url relevant to study", "type": "string", "required": false}, "primary_investigator_name": {"name": "primary_investigator_name", "description": "Name of principal investigator", "type": "string", "required": false}, "primary_investigator_email": {"name": "primary_investigator_email", "description": "Email of principal investigator", "type": "string", "required": false}, "co_investigator_name": {"name": "co_investigator_name", "description": "Name of co-principal investigator", "type": "string", "required": false}, "co_investigator_email": {"name": "co_investigator_email", "description": "Email of co-principal investigator", "type": "string", "required": false}, "phs_accession": {"name": "phs_accession", "description": "PHS accession number (a.k.a dbGaP accession)", "type": "string", "required": true}, "bioproject_accession": {"name": "bioproject_accession", "description": "NCBI BioProject accession ID", "type": "string", "required": false}, "index_date": {"name": "index_date", "description": "Index date (Day 0) to which all dates are relative, for this study", "type": "string", "required": false, "permissible_values": ["date_of_diagnosis", "date_of_enrollment", "date_of_collection", "date_of_birth"]}, "cds_requestor": {"name": "cds_requestor", "description": "Identifies the user requesting storage in CDS", "type": "string", "required": false}, "funding_agency": {"name": "funding_agency", "description": "Funding agency of the requestor study", "type": "string", "required": false}, "funding_source_program_name": {"name": "funding_source_program_name", "description": "The funding source organization/sponsor", "type": "string", "required": false}, "grant_id": {"name": "grant_id", "description": "Grant or contract identifier", "type": "string", "required": false}, "clinical_trial_system": {"name": "clinical_trial_system", "description": "Organization that provides clinical trial identifier (if study\nis a clinical trial)\n", "type": "string", "required": false}, "clinical_trial_identifier": {"name": "clinical_trial_identifier", "description": "Study identifier in the given clinical trial system\n", "type": "string", "required": false}, "clinical_trial_arm": {"name": "clinical_trial_arm", "description": "Arm of clinical trial, if appropriate", "type": "string", "required": false}, "organism_species": {"name": "organism_species", "description": "Species binomial of study participants", "type": "string", "required": false}, "adult_or_childhood_study": {"name": "adult_or_childhood_study", "description": "Study participants are adult, pediatric, or other", "type": "string", "required": false, "permissible_values": ["Adult", "Pediatric"]}, "data_types": {"name": "data_types", "description": "Data types for storage", "type": "list", "required": false, "item_type": "string"}, "file_types": {"name": "file_types", "description": "File types for storage", "type": "list", "required": false, "item_type": "string"}, "data_access_level": {"name": "data_access_level", "description": "Is data open, controlled, or mixed?", "type": "string", "required": false, "permissible_values": ["open", "controlled", "mixed"]}, "cds_primary_bucket": {"name": "cds_primary_bucket", "description": "The primary bucket for depositing data", "type": "string", "required": false}, "cds_secondary_bucket": {"name": "cds_secondary_bucket", "description": "Secondary bucket for depositing data (non-sequence files)", "type": "string", "required": false}, "cds_tertiary_bucket": {"name": "cds_tertiary_bucket", "description": "Secondary bucket for depositing data (non-sequence files)", "type": "string", "required": false}, "number_of_participants": {"name": "number_of_participants", "description": "How many participants in the study", "type": "number", "required": true}, "number_of_samples": {"name": "number_of_samples", "description": "How many total samples in the study", "type": "number", "required": true}, "study_data_types": {"name": "study_data_types", "description": "Types of scientific data in the study", "type": "string", "required": true, "permissible_values": ["Genomic", "Proteomic", "Imaging"]}, "file_types_and_format": {"name": "file_types_and_format", "description": "Specific kinds of files in the dataset that will be uploaded to CDS\n", "type": "list", "required": true, "item_type": "string"}, "size_of_data_being_uploaded": {"name": "size_of_data_being_uploaded", "description": "Size of the data being uploaded to CDS", "type": "number", "required": false, "has_unit": true}, "size_of_data_being_uploaded_unit": {"type": "string", "permissible_values": ["GB", "TB", "PB"], "default_value": "GB"}, "size_of_data_being_uploaded_original": {"name": "size_of_data_being_uploaded", "description": "Size of the data being uploaded to CDS", "type": "number", "required": false, "has_unit": true}, "size_of_data_being_uploaded_original_unit": {"type": "string", "permissible_values": ["GB", "TB", "PB"], "default_value": "GB"}, "acl": {"name": "acl", "description": "open or restricted access to data", "type": "string", "required": false}, "study_access": {"name": "study_access", "description": "Study access", "type": "string", "required": true, "permissible_values": ["Open", "Controlled"]}, "authz": {"name": "authz", "description": "multifactor authorization", "type": "string", "required": false}, "study_version": {"name": "study_version", "description": "The version of the phs accession", "type": "string", "required": true}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "of_program"}}}, "participant": {"name": "participant", "description": "", "id_property": "study_participant_id", "properties": {"study_participant_id": {"name": "study_participant_id", "description": "The property study_participant_id is a compound property, combining the property participant_id and the parent property study.phs_accession.\nIt is the ID property for the node participant. The reason why we are doing that is because is some cases, there are same participant id in different studies repersent different participants.\n", "type": "string", "required": true}, "participant_id": {"name": "participant_id", "description": "A number or a string that may contain metadata information, for a participant\nwho has taken part in the investigation or study.\n", "type": "string", "required": true}, "race": {"name": "race", "description": "OMB Race designator", "type": "string", "required": false, "permissible_values": ["White", "American Indian or Alaska Native", "Black or African American", "Asian", "Native Hawaiian or Other Pacific Islander", "Unknown", "Not Reported", "Not Allowed to Collect"]}, "gender": {"name": "gender", "description": "Biological gender at birth", "type": "string", "required": true, "permissible_values": ["Female", "Male", "Unknown", "Unspecified", "Not Reported"]}, "ethnicity": {"name": "ethnicity", "description": "OMB Ethinicity designator", "type": "string", "required": false, "permissible_values": ["Hispanic or Latino", "Not Hispanic or Latino", "Unknown", "Not Reported", "Not Allowed to Collect"]}, "dbGaP_subject_id": {"name": "dbGaP_subject_id", "description": "Identifier for the participant as assigned by dbGaP", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "study_diagnosis_id", "properties": {"study_diagnosis_id": {"name": "study_diagnosis_id", "description": "The property study_diagnosis_id is a compound property, combining the property diagnosis_id and the parent property participant.study_participant_id.\nIt is the ID property for the node diagnosis.\n", "type": "string", "required": true}, "diagnosis_id": {"name": "diagnosis_id", "description": "Internal identifier", "type": "string", "required": false}, "disease_type": {"name": "disease_type", "description": "Type of disease [?]", "type": "string", "required": false, "permissible_values": ["Acinar Cell Neoplasm", "Basal Cell Neoplasm", "Blood Vessel Neoplasm", "Bone Neoplasm", "Complex Epithelial Neoplasm", "Epithelial Neoplasm", "Fibroepithelial Neoplasm", "Germ Cell Tumor", "Giant Cell Tumor", "Glioma", "Hodgkin Lymphoma", "Leukemia", "Lipomatous Neoplasm", "Lymphatic Vessel Neoplasm", "Lymphoblastic Lymphoma", "Lymphoid Leukemia", "Lymphoma", "Mast Cell Neoplasm", "Mature B-Cell Non-Hodgkin Lymphoma", "Mature T-Cell and NK-Cell Non-Hodgkin Lymphoma", "Meningioma", "Mesothelial Neoplasm", "Myelodysplastic Syndrome", "Myeloid Leukemia", "Myeloproliferative Neoplasm", "Myomatous Neoplasm", "Neoplasm", "Nerve Sheath Neoplasm", "Neuroepithelial Neoplasm", "Not Applicable", "Not Reported", "Odontogenic Neoplasm", "Plasma Cell Neoplasm", "Skin Appendage Neoplasm", "Squamous Cell Neoplasm", "Thymoma", "Trophoblastic Tumor", "Unknown", "Wolffian Tumor"]}, "vital_status": {"name": "vital_status", "description": "Vital status as of last known follow up", "type": "string", "required": false, "permissible_values": ["Alive", "Dead", "Unknown", "Not Reported"]}, "primary_diagnosis": {"name": "primary_diagnosis", "description": "Primary disease diagnosed for this diagnosis and subject", "type": "string", "required": true, "permissible_values": ["4th Ventricular Brain Tumor", "Acinar Cell Carcinoma", "Acute megakaryoblastic leukaemia", "Acute Megakaryoblastic Leukemia", "Acute Monoblastic and Monocytic Leukemia", "Acute monoblastic leukemia", "Acute myeloid leukemia with mutated CEBPA", "Acute myeloid leukemia with t(9;11)(p22;q23); MLLT3-MLL", "Acute myeloid leukemia without maturation", "Acute myeloid leukemia, inv(16)(p13;q22)", "Acute myeloid leukemia, minimal differentiation", "Acute Myeloid Leukemia, NOS", "Acute myeloid leukemia, t(16;16)(p 13;q 11)", "Acute Myelomonocytic Leukemia", "Acute promyelocytic leukaemia, t(15;17)(q22;q11-12)", "Acute Promyelocytic Leukemia", "Adamantinomatous Craniopharyngioma", "Adamantinomatous craniopharyngioma with evidence of prior rupture", "Adamantinomatous craniopharyngioma, WHO grade 1", "Adenocarcinoma", "Adrenal Cortical Carcinoma", "Adrenal cortical neoplasm", "Adrenal Cortical Tumor", "Alveolar Rhabdomyosarcoma", "Alveolar Soft Part Sarcoma", "Anaplastic Ependymoma", "Anaplastic Ganglioglioma", "Anaplastic Large Cell Lymphoma, ALK Positive", "Anaplastic Medulloblastoma", "Anaplastic Rhabdomyosarcoma", "Angiocentric Glioma", "Angiomatoid Fibrous Histiocytoma", "Astrocytic Glioma", "Astrocytic Neoplasm", "Astrocytic neoplasm with pilocytic/pilomyxoid features", "Astrocytoma", "Astrocytoma IDH-mutant, Atrocytoma IDH-mutant", "Astroglial neoplasm", "Atypical Cellular Proliferation with Clear Features", "Atypical Central Neurocytoma", "Atypical Choroid Plexus Papilloma", "Atypical Epithelial Neoplasm", "Atypical Spindle Cell Proliferation", "Atypical Teratoid/Rhabdoid Tumor", "Atypical Teratoid/Rhabdoid Tumor (AT/RT)", "Atypical teratoid/rhabdoid tumor, CNS WHO GRADE 4", "Atypical teratoid/rhabdoid tumor; CNS WHO grade 4", "Aytpical teratoid/rhabdoid tumor (AT/RT), WHO grade 4", "B lymphoblastic leukemia/lymphoma with hyperdiploidy", "B lymphoblastic leukemia/lymphoma with hypodiploidy (Hypodiploid ALL)", "B lymphoblastic leukemia/lymphoma with t(12;21)(p13;q22); TEL-AML1 (ETV6-RUNX1)", "B lymphoblastic leukemia/lymphoma with t(1;19)(q23;p13.3); E2A-PBX1 (TCF3-PBX1)", "B lymphoblastic leukemia/lymphoma with t(9;22)(q34;q11.2); BCR-ABL1", "B lymphoblastic leukemia/lymphoma with t(v;11q23); MLL rearranged", "B Lymphoblastic Leukemia/Lymphoma, NOS", "B-lymphoblastic leukemia/lymphoma, NOS", "Biphasic Synovial Sarcoma", "Brain Mass", "Brain parenchyma with mild hypercellularity, gliosis and possible cortical dysplasia", "Brain Tumor", "Brain tumor with features most suggestive of ependymoma", "Brain, High Grade Lesion", "Carcinoma NOS", "Carcinosarcoma NOS", "Cellular Ependymoma", "Cellular Glial Neoplasm", "Cellular Neoplasm", "Cellular neoplasm; favor high grade", "Central Nervous System Tumor with High Grade Histological Features", "Central Neuroblastoma", "Central Neurocytoma", "Cerebellar Mass", "Cerebellar Tumor", "Cerebellar tumor: High-grade, small blue round cell tumor", "Cerebellopontine Angle Tumor", "Cervical; INI1-Deficient Hematological Malignancy", "Chondroblastic Osteosarcoma", "Chondrosarcoma, NOS", "Chordoma", "Choroid Plexus Carcinoma", "Choroid plexus carcinoma, CNS WHO grade 3", "Choroid Plexus Neoplasm", "Choroid Plexus Papillary Tumor", "Choroid Plexus Papilloma", "Choroid plexus papilloma, WHO grade 1", "Chronic Myelogenous Leukemia, BCR-ABL Positive", "Chronic Myeloid Leukemia, BCR-ABL1-Positive", "Classic Ependymoma, Posterior fossa group A by Immunohistochemistry", "Classic Medulloblastoma", "Clear Cell Meningioma", "Clear Cell Sarcoma", "CNS Embryonal Tumor", "CNS primative neuroectodermal tumor (PNET)", "CNS Primitive Neuroectodermal Tumor (PNET)", "Compound melanocytic neoplasm", "Consistent With Oligodendroglioma, IDH Mutant", "Control", "Craniopharyngioma", "Desmoid fibromatosis with CTNNB1 gene mutation", "Desmoid-type Fibromatosis", "Desmoid/fibromatosis", "Desmoplastic Nodular Medulloblastoma", "Desmoplastic/Nodular Medulloblastoma", "Desmoplastic/nodular medulloblastoma, CNS WHO grade 4", "Diffuse astrocytic glioma with mitotic activity and necrosis", "Diffuse Astrocytoma", "Diffuse Glioma", "Diffuse midline glioma, H3 K27-altered", "Diffuse midline glioma, H3 K27-mutant", "Diffuse midline glioma, H3K27-altered (WHO grade 4)", "Diffuse midline glioma, H3K27M altered, CNS WHO grade 4", "Diffusely infiltrating high grade glioma", "Ductal Carcinoma NOS", "Dysembryoplastic Neuroepithelial Tumor", "Embryonal Neoplasm", "Embryonal neoplasm most consistent with Medulloblastoma", "Embryonal Rhabdomyosarcoma", "Embryonal rhabdomyosarcoma, botryoid type", "Embryonal rhabdomyosarcoma, minimal focal anaplasia", "Embryonal Tumor", "Endometrioid Adenocarcinoma, NOS", "Endometrioid carcinoma", "Epdendymoma, Ependymoma", "Ependymoma NOS", "Ependymoma, WHO GRADE III", "Ependymoma-like lesion", "Epitheliod sarcoma", "Epitheloid neoplasm", "Epitheloid Sarcoma", "Ewing Sarcoma", "Extrarenal Malignant Rhabdoid Tumor", "Familial Adenomatous Polyposis", "Fatty neoplasm with myxoid features, no definitive high grade features, favor lipoblastoma", "Favor Infiltrating High-Grade Glioma", "Fibromatosis", "Fibromatosis Colli", "Follicular Hyperplasia/Metastatic Papillary Thyroid Cancer", "Fragments of Schwannoma, CNS WHO GRADE 1, with some mild degenerative changes", "Frontal tumor, favor infant-type hemispheric glioma", "Fundic gastrointestinal stromal tumor", "Fusion negative embryonal rhabdomyosarcoma", "Ganglioglioma", "Ganglioneuroblastoma", "Ganglioneuroma", "Gastrointestinal stromal tumor (GIST)", "Gastrointestinal stromal tumor (GIST) epithelioid type, high grade", "Germinoma", "Giant Cell Glioblastoma", "Glial Neoplasm", "Glial neoplasm favor optic glioma", "Glial Tumor", "Glial-neuronal neoplasm", "Glioblastoma", "Glioma", "Glioma, histologically consistent with pilocytic astrocytoma, CNS WHO grade 1", "Glioma, most consistent with astrocytoma with worrisome features in clinical context", "Glioneuronal Lesion", "Glioneuronal Neoplasm", "Glioneuronal Tumor", "Granulosa cell tumor", "Hemangioblastoma", "Hemangioblastoma, WHO Grade 1", "Hepatoblastoma", "Hepatocellular Carcinoma, Fibrolamellar", "High grade cellular, malignant neoplasm with necrosis and cellular pleomorphism R/O Medulloblastoma", "High Grade Diffuse Glioma", "High Grade Ependymal Tumor", "High Grade Glioma with H3 K27M and BRAF V600E mutations", "High grade glioma, NOS, WHO CNS histologic grade 4", "High Grade Neoplasm", "High Grade Neuroepithelial Tumor", "High grade neuroepithelial tumor with glial and neuronal differentiation and focal embryonal morphology.", "High grade neuroepithelial tumor, favor medulloblastoma", "High Grade Sarcoma", "High grade spindle cell sarcoma", "High Grade Tumor", "High grade tumor consistent with embryonal tumor", "High-grade Angiosarcoma", "High-grade astrocytic neoplasm", "High-grade Astrocytoma", "High-grade blue cell tumor", "High-grade Central Nervous System Neoplasm Favor Embryonal", "High-grade CNS embryonal tissue", "High-grade CNS Neoplasm", "High-grade Ependymal Neoplasm", "High-grade Ependymal Tumor", "High-grade glioma with DICER1 and other mutations", "High-grade glioma, favor ependymoma, WHO GRADE III", "High-grade infiltrating glioma", "High-grade Malignant Neoplasm", "High-grade malignant neoplasm with mesenchymal phenotype", "High-grade malignant neoplasm, small round blue cell category.", "High-grade neoplasm, favor embryonal tumor", "High-grade neoplasm, favor high-grade glioma", "High-grade neuroepithelial neoplasm", "High-grade neuroepithelial tumor", "High-grade neuroepithelial tumor, consistent with supratentorial ependymoma", "High-grade pleomorphic sarcoma", "High-grade primary CNS neoplasia", "High-grade primitive appearing neoplasm", "High-grade rhabdomyosarcoma with pleomorphic features", "High-grade sarcoma with myogenic differentiation", "High-grade serous carcinoma", "High-grade spindle cell sarcoma compatible with high grade malignant peripheral nerve sheath tumor", "High-grade Synovial Sarcoma", "High-grade tumor", "High-grade undifferentiated sarcoma", "High-grade, primitive neuroepithelial neoplasm", "Histiocytic Malignancy", "Histologically low-grade glioneuronal tumor", "Histologically low-grade neuroepithelial tumor", "Hodgkin Lymphoma, NOS", "Infant Hemispheric Glioma", "Infant-type hemispheric glioma", "Infantile Fibrosarcoma", "Infiltrating duct and lobular carcinoma", "Infiltrating duct and mucinous carcinoma", "Infiltrating duct carcinoma NOS", "Infiltrating Duct Carcinoma, NOS", "Infiltrating Glioma", "Infiltrating high grade neoplasm, favor infiltrating high grade glioma", "Infiltrating Lobular Carcinoma, NOS", "Infiltrating Neoplasm", "Infiltrating neuroepithelial neoplasm", "Inflammatory Myofibroblastic Tumor", "INI-Deficient High-grade Malignant Neoplasm", "Intracerebral schwannoma", "Intraductal Carcinoma NOS", "Intraductal papillary carcinoma", "Intradural tumor with marked atypia c/w malignant lesion, Marked atypia c/w malignant lesion, Marked atypia consistent with malignant lesion", "Intraventricular Tumor", "Invasive lobular carcinoma", "Juvenile Granulosa Cell Tumor", "Juvenile Myelomonocytic Leukemia", "Large Cell Medulloblastoma", "Large cell/anaplastic Medulloblastoma", "Laryngeal Papilloma", "Left Biopsy Chest Lesion", "Left Cp Angle Mass; Schwannoma", "Left Temporal Tumor", "Left Thoracic Tumor", "Lobular Adenocarcinoma", "Lobular And Ductal Carcinoma", "Lobular Carcinoma NOS", "Low Cellularity Glioma", "Low Grade Astrocytoma", "Low Grade Fibromyxoid Sarcoma", "Low Grade Glial Neoplasm", "Low Grade Glial Tumor", "Low Grade Glial-Glioneuronal Tumor", "Low Grade Glioma", "Low grade glioma which morphologically aligns best with pilocytic astrocytoma, CNS WHO Grade 1", "Low grade glioma, cannot rule out additional neuronal component", "Low grade glioma, morphologically aligning best with pilocytic astrocytoma", "Low Grade Glioneuronal Neoplasm", "Low Grade Glioneuronal Tumor", "Low grade mixed glial-neuronal tumor, morphology is consistent with/ aligns with/ favors ganglioglioma", "Low Grade Neuroepithelial Tumor", "Low grade neuroepithelial tumor (preliminary path report)", "Low grade neuroepithelial tumor consistent with polymorphous low grade neuro-epithelial tumor of the young", "Low Grade Neuroglial Tumor", "Low Grade Primary CNS Neoplasm", "Low Grade Spindle Cell Neoplasm", "Low Grade Tumor", "Low-cellularity glioma", "Low-grade astrocytoma", "Low-grade circumscribed glial/glioneuronal tumor", "Low-grade fibromyxoid sarcoma", "Low-grade Glial Neoplasm", "Low-grade glial neoplasm, favor pilomyxoid/pilocytic actrocytoma", "Low-grade glial neoplasm, with features most consistent with a pilocytic astrocytoma.", "Low-grade glial-glioneuronal tumor", "Low-grade glial/glioneuronal neoplasm", "Low-grade Glial/Glioneuronal tumor", "Low-grade glial/glioneuronal tumor with adjacent cortical dysplastic changes.", "Low-grade Glioma", "Low-grade glioma, favored to represent a pilocytic astrocytoma", "Low-grade Glioneuronal Neoplasm", "Low-grade glioneuronal tumor", "Low-grade glioneuronal tumor, favor Dysembryoplastic neuroepithelial tumor", "Low-grade spindle cell neoplasm", "Low-grade tumor", "Lymphoma, NOS", "Malignant embryonal tumor, favor medulloblastoma", "Malignant epithelioid neoplasm, Malignant epithelioid neoplasm with EWSR1::KLF5 fusion", "Malignant glioma", "Malignant Melanoma NOS", "Malignant melanoma, spitzoid type", "Malignant myoepithelial of pediatric type", "Malignant Neoplasm", "Malignant neoplasm most consistent with embryonal tumor", "Malignant neoplasm of prostate", "Malignant neuroepithelial tumor", "Malignant Pecoma", "Malignant peripheral nerve sheath tumor", "Malignant primary brain tumor", "Malignant Rhabdoid Tumor", "Malignant small blue cell neoplasm, consistent with rhabdomyosarcoma", "Malignant small round blue cell neoplasm, favor rhabdomyosarcoma", "Malignant small round blue cell tumor, most consistent with desmoplastic small round cell tumor", "Malignant Tumor", "Mast Cell Leukemia", "Medullary Carcinoma", "Medulloblastoma", "Medulloblastoma (CNS WHO grade 4)", "Medulloblastoma, anaplastic histology, WHO grade 4", "Medulloblastoma, anaplastic/large cell histology, Non-WNT NON-SHH (By IHC), WHO grade 4", "Medulloblastoma, classic", "Medulloblastoma, classic histologic type, non-WNT/non-SHH molecular group, CNS WHO grade 4", "Medulloblastoma, classical histology", "Medulloblastoma, CNS WHO Grade 4", "Medulloblastoma, desmoplastic/nodular histology, SHH-activated (WHO grade 4)", "Medulloblastoma, favored", "Medulloblastoma, non-WNT, non-SHH", "Medulloblastoma, SHH-activated and TP53-wild type", "Medulloblastoma, SHH-activated and TP53-wildtype, Medulloblastoma with extensive nodularity (MBEN)", "Medulloblastoma, WHO Grade 4", "Medulloblastoma, WHO Grade IV", "Melanoma", "Meningioma", "Merkel Cell Tumor", "Mesenchymal Chondrosarcoma", "Mesenchymal Neoplasm", "Metastatic Alveolar Rhabdomyosarcoma", "Metastatic Carcinoma", "Metastatic Embryonal Rhabdomyosarcoma", "Metastatic embryonal rhabdomyosarcoma in three nodules", "Metastatic nasopharyngeal carcinoma, nonkeratinizing squamous cell carcinoma subtype", "Metastatic Papillary Thyroid Carcinoma", "Metastatic Polyphenotypic Malignant Neoplasm", "Metastatic Rhabdomyosarcoma", "Mixed Germ Cell Tumor", "Mixed germ cell w/ matrue teratoma", "Mixed malignant germ cell tumor with components of embryonal carcinoma, choriocarcinoma, and mature teratoma", "Mixed malignant germ cell tumor with yolk sac tumor", "Mixed-Phenotype Acute Leukemia, B/Myeloid, Not Otherwise Specified", "Mixed-Phenotype Acute Leukemia, T/Myeloid, Not Otherwise Specified", "Monophasic Synovial Sarcoma, Intermediate-Grade (FNCLCC Grade 2 Of 3)", "Most consistent with atypical teratoid/rhabdoid tumor, most consistent with atypical teratoid/rhabdoid tumor", "Mucinous Carcinoma", "Mucoepidermoid carcinoma", "Myelodysplastic Syndrome With Multilineage Dysplasia", "Myelodysplastic Syndrome With Single Lineage Dysplasia", "Myeloid leukemia associated with Down Syndrome", "Myofibroblastic proliferation suggestive of inflammatory myofibroblastic tumor", "Myofibroma", "Myxoid Glioneuronal Tumor", "Myxoid Liposarcoma", "Myxoid Neoplasm", "Myxopapillary Ependymoma", "Myxopapillary ependymoma, CNS WHO grade 2", "Nasopharyngeal Carcinoma Metastatic", "Nasopharyngeal carcinoma, non-keratinizing squamous cell carcinoma type", "Neoplasm", "Nephroblastoma (Wilms Tumor)", "Neuroblastoma", "Neurocytoma", "Neuroectodermal Tumor", "Neuroectodermal tumor, NTRK1 altered, with low-grade morphologic features", "Neuroendocrine Tumor", "Neuroepithelial Neoplasm", "Neuroepithelial neoplasm, Glioma", "Neuroepithelial Tumor", "Neurofibromatosis; Moderately cellular neoplasm", "Non-WNT/non-SHH medulloblastoma", "Not Reported", "Optic Pathway Glioma", "Osteosarcoma, NOS", "Ovarian Sclerosing Stromal Tumor", "Pancreatobiliary-Type Carcinoma", "Papillary Carcinoma", "Papillary carcinoma of thyroid", "Papillary Neoplasm, Favor Choroid Plexus Tumor", "Papillary Thyroid Carcinoma", "Papillary thyroid carcinoma, classic", "Papillary Tumor of The Pineal Region", "Paraganglioma", "Paratesticular Rhabdomyosarcoma", "Paratesticular rhabdomyosarcoma, favor embryonal", "Paratesticular Spindle Cell/Sclerosing Rhabdomyosarcoma", "Pediatric neuroepithelial tumor with ROS1 fusion", "Pediatric type diffuse low grad astrocytoma, consistent with methylation array finding suggestive of MYB/MYBL1-altered (CNS WHO grade 1)", "PFA Ependymoma", "Pheochromocytoma", "Pilocytic Astrocytoma", "Pilocytic astrocytoma (WHO Grade 1)", "Pilocytic astrocytoma, CNS WHO grade 1", "Pilocytic astrocytoma, CNS WHO GRADE 1, Pilocytic astrocytoma, CNS WHO grade 1", "Pilocytic Astrocytoma, CNS WHO Grade I", "Pilocytic astrocytoma, KIAA1549::BRAF fusion-positive (WHO grade 1)", "Pilocytic astrocytoma, WHO Grade 1", "Pilocytic astrocytoma, WHO grade I", "Piloid Glial Proliferation", "Pilomyxoid Astrocytoma", "Pineal Parenchymal Tumor", "Pineoblastoma", "Pineoblastoma, WHO grade 4", "Pituitary Adenoma", "Pituitary Tumor", "Pleomorphic Sarcoma", "Pleomorphic Xanthoastrocytoma", "Pleuropulmonary Blastoma", "Plexifrom Fibrohistiocytic Tumor", "Polymorphous Low Grade Neuroepithelial Tumor", "Poorly Differentiated Malignant Neoplasm with Sarcomatoid Features", "Poorly Differentiated Pulmonary Adenocarcinoma", "Poorly Differentiated Ring Cell Adenocarcinoma", "Poorly Differentiated Sarcoma", "Poorly Differentiated Sertoli-Leydig Cell Tumor", "Positive for lesional tissue, favor low-grade glioma, additional studies pending.", "Possible Synovial Sarcoma", "Posterior Fossa Ependymoma", "Posterior fossa ependymoma, group A", "Posterior fossa ependymoma, group A (CNS group grade III)", "Posterior fossa ependymoma, group B", "Posterior fossa ependymoma, WHO grade 2, with retained H3 K27 tri-methylation", "Posterior fossa group A (PFA) Ependymoma (WHO GRADE 3)", "Posterior fossa group A ependymoma", "Posterior Fossa Tumor", "Posterior Fossa, Forth Ventricular Tumor, Posterior Fossa, Fourth Ventricular Tumor", "Precursor B-Cell Acute Lymphoblastic Leukemia with Hyperdiploidy", "Primary central nervous system neoplasm consistent with high grade glioma", "Primary mediastinal (thymic) large B-cell lymphoma", "Primitive malignant neoplasm with mesenchymal features", "Primitive Neuroectoderma Tumor", "Primitive Sarcoma", "Primitive/embryonal tumor with high-grade features; compatible with medulloblastoma", "Psammomatous Meningioma", "Pure Germinoma", "PXA Vs Ganglioglioma", "Renal Cell Adenocarcinoma", "Renal cell carcinoma, NOS", "Renal medullary carcinoma", "Residual CIC-Rearranged Sarcoma", "Residual Dermatofibrosarcoma Protuberans", "Residual High Grade Astrocytoma With Piloid Features", "Residual High-Grade Sarcoma", "Residual Malignant Melanoma", "Residual Papillary Tumor of Pineal Region", "Residual Pineoblastoma", "Residual/Recurrent Extraventricular Neurocytoma", "Retinoblastoma", "Retinoblastoma, moderately differentiated", "Rhabdoid Tumor, Malignant", "Rhabdomyoma NOS", "Rhabdomyosarcoma", "Rhabdomyosarcoma strongly suspected", "Rhabdomyosarcoma, favor embryonal subtype pending molecular studies", "Right Thigh Mass", "Round Blue Cell Tumor", "Round Cell Sarcoma", "Round To Spindle Cell Sarcoma", "Sarcoma", "Schwannoma", "Sclerosing Stromal Tumor", "Seroli-leydig cell tumor", "Serous Adenocarcinoma, NOS", "Serous Cystadenocarcinoma NOS", "Serous Surface Papillary Carcinoma", "Sertoli Leydig Cell Tumor", "Sertoli-Leydig cell tumor, moderately differentiated", "Sertoli-Leydig cell tumor, poorly differentiated", "Sertolig Leydig Cell Tumor", "Signet Ring Cell Carcinoma", "Small Blue Cell Tumor", "Small Cell Neuroendocrine Carcinoma", "Small Round Blue Cell Sarcoma", "Small Round Blue Cell Tumor", "Small round blue cell tumor consistent with rhabdomyosarcoma", "Small round blue cell tumor: rhabdomyosarcoma", "SMARCB1-deficient undifferentiated round cell sarcoma", "Spinal Ependymoma Myxopapillary", "Spinal Tumor", "Spindle Cell Lesion", "Spindle Cell Neoplasm", "Spindle Cell Rhabdomyosarcoma", "Spindle Cell Sarcoma", "Squamous Cell Carcinoma NOS", "Subependymal Giant Cell Astrocytoma", "Supertentorial Ependymoma", "Suprasellar Mass", "Supratentorial Choroid Plexus Papilloma", "Supratentorial Ependymoma", "Supratentorial ependymoma, WHO Grade 2", "Synovial Sarcoma", "T Lymphoblastic Leukemia/Lymphoma", "T-lymphoblastic Leukemia", "T-lymphoblastic Lymphoma", "Testicular mass", "Thalamic Brain Tumor", "Therapy Related Myeloid Neoplasm", "Therapy-related myeloid neoplasms", "Unclassified pleomorphic sarcoma", "Undifferential Small Round Blue Cell Tumor", "Undifferentiated leukaemia", "Undifferentiated Leukemia", "Undifferentiated Malignant Neoplasm with Rhabdoid Morphology And INI1 Loss", "Undifferentiated Round Cell Sarcoma", "Undifferentiated sarcoma", "Undifferentiated small round cell sarcoma", "Undifferentiated, high-grade neoplasm/sarcoma", "Unknown", "Well Differentiated Embryonal Rhabdomyosarcoma", "Well Differentiated Neuroendocrine Tumor", "Well To Moderately Differentiated Colonic Adenocarcinoma", "Yolk Sac Tumor"]}, "primary_site": {"name": "primary_site", "description": "Anatomical site of disease in primary diagnosis for this diagnosis", "type": "string", "required": false, "permissible_values": ["Adrenal Gland", "Base of the Tongue", "Bladder", "Brain", "Breast", "Cervix Uteri", "Colon", "Corpus Uteri", "Esophagus", "Floor of Mouth", "Gallbladder", "Gingiva", "Hypopharynx", "Kidney", "Larynx", "Limb Skeletal System", "Lip", "Lung/Bronchus", "Lymph Node", "Meninges", "Nasopharynx", "Not Reported", "Oropharynx", "Other and Ill Defined Digestive Organs ICD-O-3", "Other and Ill-Defined Sites ICD-O-3", "Other and Ill-Defined Sites in Lip, Oral Cavity and Pharynx ICD-O-3", "Other and Ill-Defined Sites within Respiratory System and Intrathoracic Organs ICD-O-3", "Other and Unspecified Female Genital Organs ICD-O-3", "Other and Unspecified Major Salivary Glands ICD-O-3", "Other and Unspecified Male Genital Organs ICD-O-3", "Other and Unspecified Parts of Biliary Tract ICD-O-3", "Other and Unspecified Parts of Mouth ICD-O-3", "Other and Unspecified Parts of Tongue ICD-O-3", "Other and Unspecified Urinary Organs ICD-O-3", "Other Endocrine Glands and Related Structures ICD-O-3", "Ovary", "Palate", "Pancreas", "Paranasal Sinus", "Parotid Gland", "Penis", "Peritoneum and Retroperitoneum", "Placenta", "Prostate Gland", "Pyriform Sinus", "Rectosigmoid Region", "Rectum", "Renal Pelvis", "Skin", "Small Intestine", "Stomach", "Testis", "Thymus Gland", "Thyroid Gland", "Tonsil", "Trachea", "Unknown", "Ureter", "Uterus", "Vagina", "Vulva"]}, "age_at_diagnosis": {"name": "age_at_diagnosis", "description": "Participant age at relevant diagnosis", "type": "integer", "required": false}, "tumor_grade": {"name": "tumor_grade", "description": "Numeric value to express the degree of abnormality of cancer cells, a measure of differentiation and aggressiveness.", "type": "string", "required": false, "permissible_values": ["G1", "G2", "G3", "G4", "GX", "GB", "High Grade", "Intermediate Grade", "Low Grade", "Unknown", "Not Reported"]}, "tumor_stage_clinical_m": {"name": "tumor_stage_clinical_m", "description": "Extent of the distant metastasis for the cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["M0", "M1", "M1a", "M1b", "M1c", "MX", "cM0 (i+)", "Unknown", "Not Reported"]}, "tumor_stage_clinical_n": {"name": "tumor_stage_clinical_n", "description": "Extent of the regional lymph node involvement for the cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["N0", "N0 (i+)", "N0 (i-)", "N0 (mol+)", "N0 (mol-)", "N1", "N1a", "N1b", "N1bI", "N1bII", "N1bIII", "N1bIV", "N1c", "N1mi", "N2", "N2a", "N2b", "N2c", "N3", "N3a", "N3b", "N3c", "N4", "NX", "Unknown", "Not Reported"]}, "tumor_stage_clinical_t": {"name": "tumor_stage_clinical_t", "description": "Extent of the primary cancer based on evidence obtained from clinical assessment parameters determined prior to treatment.", "type": "string", "required": false, "permissible_values": ["T0", "T1", "T1a", "T1a1", "T1a2", "T1b", "T1b1", "T1b2", "T1c", "T1mi", "T2", "T2a", "T2a1", "T2a2", "T2b", "T2c", "T2d", "T3", "T3a", "T3b", "T3c", "T3d", "T4", "T4a", "T4b", "T4c", "T4d", "T4e", "TX", "Ta", "Tis", "Tis (DCIS)", "Tis (LCIS)", "Tis (Paget's)", "Unknown", "Not Reported"]}, "morphology": {"name": "morphology", "description": "ICD-O-3 Morphology term associated with this diagnosis", "type": "string", "required": false, "permissible_values": ["8000/0", "8000/1", "8000/3", "8000/6", "8000/9", "8001/0", "8001/1", "8001/3", "8002/3", "8003/3", "8004/3", "8005/0", "8005/3", "8010/0", "8010/2", "8010/3", "8010/6", "8010/9", "8011/0", "8011/3", "8012/3", "8013/3", "8014/3", "8015/3", "8020/3", "8020/6", "8021/3", "8022/3", "8023/3", "8030/3", "8031/3", "8032/3", "8033/3", "8034/3", "8035/3", "8040/0", "8040/1", "8040/3", "8041/3", "8041/34", "8041/6", "8042/3", "8043/3", "8044/3", "8045/3", "8046/3", "8046/6", "8050/0", "8050/2", "8050/3", "8051/0", "8051/3", "8052/0", "8052/2", "8052/3", "8053/0", "8060/0", "8070/2", "8070/3", "8070/33", "8070/6", "8071/2", "8071/3", "8072/3", "8073/3", "8074/3", "8075/3", "8076/2", "8076/3", "8077/0", "8077/2", "8078/3", "8080/2", "8081/2", "8082/3", "8083/3", "8084/3", "8085/3", "8086/3", "8090/1", "8090/3", "8091/3", "8092/3", "8093/3", "8094/3", "8095/3", "8096/0", "8097/3", "8098/3", "8100/0", "8101/0", "8102/0", "8102/3", "8103/0", "8110/0", "8110/3", "8120/0", "8120/1", "8120/2", "8120/3", "8121/0", "8121/1", "8121/3", "8122/3", "8123/3", "8124/3", "8130/1", "8130/2", "8130/3", "8131/3", "8140/0", "8140/1", "8140/2", "8140/3", "8140/33", "8140/6", "8141/3", "8142/3", "8143/3", "8144/3", "8145/3", "8146/0", "8147/0", "8147/3", "8148/0", "8148/2", "8149/0", "8150/0", "8150/1", "8150/3", "8151/0", "8151/3", "8152/1", "8152/3", "8153/1", "8153/3", "8154/3", "8155/1", "8155/3", "8156/1", "8156/3", "8158/1", "8160/0", "8160/3", "8161/0", "8161/3", "8162/3", "8163/0", "8163/2", "8163/3", "8170/0", "8170/3", "8171/3", "8172/3", "8173/3", "8174/3", "8175/3", "8180/3", "8190/0", "8190/3", "8191/0", "8200/0", "8200/3", "8201/2", "8201/3", "8202/0", "8204/0", "8210/0", "8210/2", "8210/3", "8211/0", "8211/3", "8212/0", "8213/0", "8213/3", "8214/3", "8215/3", "8220/0", "8220/3", "8221/0", "8221/3", "8230/2", "8230/3", "8231/3", "8240/1", "8240/3", "8240/6", "8241/3", "8242/1", "8242/3", "8243/3", "8244/3", "8245/1", "8245/3", "8246/3", "8246/6", "8247/3", "8248/1", "8249/3", "8249/6", "8250/1", "8250/2", "8250/3", "8251/0", "8251/3", "8252/3", "8253/3", "8254/3", "8255/3", "8256/3", "8257/3", "8260/0", "8260/3", "8261/0", "8261/2", "8261/3", "8262/3", "8263/0", "8263/2", "8263/3", "8264/0", "8265/3", "8270/0", "8270/3", "8271/0", "8272/0", "8272/3", "8280/0", "8280/3", "8281/0", "8281/3", "8290/0", "8290/3", "8300/0", "8300/3", "8310/0", "8310/3", "8310/6", "8311/1", "8311/3", "8311/6", "8312/3", "8313/0", "8313/1", "8313/3", "8314/3", "8315/3", "8316/3", "8317/3", "8318/3", "8319/3", "8320/3", "8321/0", "8322/0", "8322/3", "8323/0", "8323/3", "8324/0", "8325/0", "8330/0", "8330/1", "8330/3", "8331/3", "8332/3", "8333/0", "8333/3", "8334/0", "8335/3", "8336/0", "8337/3", "8339/3", "8340/3", "8341/3", "8342/3", "8343/2", "8343/3", "8344/3", "8345/3", "8346/3", "8347/3", "8350/3", "8360/1", "8361/0", "8370/0", "8370/1", "8370/3", "8371/0", "8372/0", "8373/0", "8374/0", "8375/0", "8380/0", "8380/1", "8380/2", "8380/3", "8380/6", "8381/0", "8381/1", "8381/3", "8382/3", "8383/3", "8384/3", "8390/0", "8390/3", "8391/0", "8392/0", "8400/0", "8400/1", "8400/3", "8401/0", "8401/3", "8402/0", "8402/3", "8403/0", "8403/3", "8404/0", "8405/0", "8406/0", "8407/0", "8407/3", "8408/0", "8408/1", "8408/3", "8409/0", "8409/3", "8410/0", "8410/3", "8413/3", "8420/0", "8420/3", "8430/1", "8430/3", "8440/0", "8440/3", "8441/0", "8441/2", "8441/3", "8441/6", "8442/1", "8443/0", "8444/1", "8450/0", "8450/3", "8451/1", "8452/1", "8452/3", "8453/0", "8453/2", "8453/3", "8454/0", "8460/0", "8460/2", "8460/3", "8461/0", "8461/3", "8461/6", "8462/1", "8463/1", "8470/0", "8470/2", "8470/3", "8471/0", "8471/1", "8471/3", "8472/1", "8473/1", "8474/1", "8474/3", "8480/0", "8480/1", "8480/3", "8480/6", "8481/3", "8482/3", "8482/6", "8490/3", "8490/6", "8500/2", "8500/3", "8500/6", "8501/2", "8501/3", "8502/3", "8503/0", "8503/2", "8503/3", "8504/0", "8504/2", "8504/3", "8505/0", "8506/0", "8507/2", "8507/3", "8508/3", "8509/2", "8509/3", "8510/3", "8512/3", "8513/3", "8514/3", "8519/2", "8520/2", "8520/3", "8521/1", "8521/3", "8522/1", "8522/2", "8522/3", "8522/6", "8523/3", "8524/3", "8525/3", "8530/3", "8540/3", "8541/3", "8542/3", "8543/3", "8550/0", "8550/1", "8550/3", "8551/3", "8552/3", "8560/0", "8560/3", "8561/0", "8562/3", "8570/3", "8571/3", "8572/3", "8573/3", "8574/3", "8575/3", "8576/3", "8580/0", "8580/1", "8580/3", "8581/1", "8581/3", "8582/1", "8582/3", "8583/1", "8583/3", "8584/1", "8584/3", "8585/1", "8585/3", "8586/3", "8587/0", "8588/3", "8589/3", "8590/1", "8591/1", "8592/1", "8593/1", "8594/1", "8600/0", "8600/3", "8601/0", "8602/0", "8610/0", "8620/1", "8620/3", "8621/1", "8622/1", "8623/1", "8630/0", "8630/1", "8630/3", "8631/0", "8631/1", "8631/3", "8632/1", "8633/1", "8634/1", "8634/3", "8640/1", "8640/3", "8641/0", "8642/1", "8650/0", "8650/1", "8650/3", "8660/0", "8670/0", "8670/3", "8671/0", "8680/0", "8680/1", "8680/3", "8681/1", "8682/1", "8683/0", "8690/1", "8691/1", "8692/1", "8693/1", "8693/3", "8700/0", "8700/3", "8710/3", "8711/0", "8711/3", "8712/0", "8713/0", "8714/3", "8720/0", "8720/2", "8720/3", "8720/6", "8721/3", "8722/0", "8722/3", "8723/0", "8723/3", "8725/0", "8726/0", "8727/0", "8728/0", "8728/1", "8728/3", "8730/0", "8730/3", "8740/0", "8740/3", "8741/2", "8741/3", "8742/2", "8742/3", "8743/3", "8744/3", "8745/3", "8746/3", "8750/0", "8760/0", "8761/0", "8761/1", "8761/3", "8762/1", "8770/0", "8770/3", "8771/0", "8771/3", "8772/0", "8772/3", "8773/3", "8774/3", "8780/0", "8780/3", "8790/0", "8800/0", "8800/3", "8800/6", "8800/9", "8801/3", "8801/6", "8802/3", "8803/3", "8804/3", "8804/6", "8805/3", "8806/3", "8806/6", "8810/0", "8810/1", "8810/3", "8811/0", "8811/1", "8811/3", "8812/0", "8812/3", "8813/0", "8813/3", "8814/3", "8815/0", "8815/1", "8815/3", "8820/0", "8821/1", "8822/1", "8823/0", "8824/0", "8824/1", "8825/0", "8825/1", "8825/3", "8826/0", "8827/1", "8830/0", "8830/1", "8830/3", "8831/0", "8832/0", "8832/3", "8833/3", "8834/1", "8835/1", "8836/1", "8840/0", "8840/3", "8841/1", "8842/0", "8842/3", "8850/0", "8850/1", "8850/3", "8851/0", "8851/3", "8852/0", "8852/3", "8853/3", "8854/0", "8854/3", "8855/3", "8856/0", "8857/0", "8857/3", "8858/3", "8860/0", "8861/0", "8862/0", "8870/0", "8880/0", "8881/0", "8890/0", "8890/1", "8890/3", "8891/0", "8891/3", "8892/0", "8893/0", "8894/0", "8894/3", "8895/0", "8895/3", "8896/3", "8897/1", "8898/1", "8900/0", "8900/3", "8901/3", "8902/3", "8903/0", "8904/0", "8905/0", "8910/3", "8912/3", "8920/3", "8920/6", "8921/3", "8930/0", "8930/3", "8931/3", "8932/0", "8933/3", "8934/3", "8935/0", "8935/1", "8935/3", "8936/0", "8936/1", "8936/3", "8940/0", "8940/3", "8941/3", "8950/3", "8950/6", "8951/3", "8959/0", "8959/1", "8959/3", "8960/1", "8960/3", "8963/3", "8964/3", "8965/0", "8966/0", "8967/0", "8970/3", "8971/3", "8972/3", "8973/3", "8974/1", "8975/1", "8980/3", "8981/3", "8982/0", "8982/3", "8983/0", "8983/3", "8990/0", "8990/1", "8990/3", "8991/3", "9000/0", "9000/1", "9000/3", "9010/0", "9011/0", "9012/0", "9013/0", "9014/0", "9014/1", "9014/3", "9015/0", "9015/1", "9015/3", "9016/0", "9020/0", "9020/1", "9020/3", "9030/0", "9040/0", "9040/3", "9041/3", "9042/3", "9043/3", "9044/3", "9045/3", "9050/0", "9050/3", "9051/0", "9051/3", "9052/0", "9052/3", "9053/3", "9054/0", "9055/0", "9055/1", "9060/3", "9061/3", "9062/3", "9063/3", "9064/2", "9064/3", "9065/3", "9070/3", "9071/3", "9072/3", "9073/1", "9080/0", "9080/1", "9080/3", "9081/3", "9082/3", "9083/3", "9084/0", "9084/3", "9085/3", "9086/3", "9090/0", "9090/3", "9091/1", "9100/0", "9100/1", "9100/3", "9101/3", "9102/3", "9103/0", "9104/1", "9105/3", "9110/0", "9110/1", "9110/3", "9120/0", "9120/3", "9121/0", "9122/0", "9123/0", "9124/3", "9125/0", "9130/0", "9130/1", "9130/3", "9131/0", "9132/0", "9133/1", "9133/3", "9135/1", "9136/1", "9137/3", "9140/3", "9141/0", "9142/0", "9150/0", "9150/1", "9150/3", "9160/0", "9161/0", "9161/1", "9170/0", "9170/3", "9171/0", "9172/0", "9173/0", "9174/0", "9174/1", "9175/0", "9180/0", "9180/3", "9180/6", "9181/3", "9182/3", "9183/3", "9184/3", "9185/3", "9186/3", "9187/3", "9191/0", "9192/3", "9193/3", "9194/3", "9195/3", "9200/0", "9200/1", "9210/0", "9210/1", "9220/0", "9220/1", "9220/3", "9221/0", "9221/3", "9230/0", "9230/3", "9231/3", "9240/3", "9241/0", "9242/3", "9243/3", "9250/1", "9250/3", "9251/1", "9251/3", "9252/0", "9252/3", "9260/3", "9261/3", "9262/0", "9270/0", "9270/1", "9270/3", "9271/0", "9272/0", "9273/0", "9274/0", "9275/0", "9280/0", "9281/0", "9282/0", "9290/0", "9290/3", "9300/0", "9301/0", "9302/0", "9302/3", "9310/0", "9310/3", "9311/0", "9312/0", "9320/0", "9321/0", "9322/0", "9330/0", "9330/3", "9340/0", "9341/1", "9341/3", "9342/3", "9350/1", "9351/1", "9352/1", "9360/1", "9361/1", "9362/3", "9363/0", "9364/3", "9365/3", "9370/3", "9371/3", "9372/3", "9373/0", "9380/3", "9381/3", "9382/3", "9383/1", "9384/1", "9385/3", "9390/0", "9390/1", "9390/3", "9391/3", "9392/3", "9393/3", "9394/1", "9395/3", "9396/3", "9400/3", "9401/3", "9410/3", "9411/3", "9412/1", "9413/0", "9420/3", "9421/1", "9423/3", "9424/3", "9425/3", "9430/3", "9431/1", "9432/1", "9440/3", "9440/6", "9441/3", "9442/1", "9442/3", "9444/1", "9445/3", "9450/3", "9451/3", "9460/3", "9470/3", "9471/3", "9472/3", "9473/3", "9474/3", "9475/3", "9476/3", "9477/3", "9478/3", "9480/3", "9490/0", "9490/3", "9491/0", "9492/0", "9493/0", "9500/3", "9501/0", "9501/3", "9502/0", "9502/3", "9503/3", "9504/3", "9505/1", "9505/3", "9506/1", "9507/0", "9508/3", "9509/1", "9510/0", "9510/3", "9511/3", "9512/3", "9513/3", "9514/1", "9520/3", "9521/3", "9522/3", "9523/3", "9530/0", "9530/1", "9530/3", "9531/0", "9532/0", "9533/0", "9534/0", "9535/0", "9537/0", "9538/1", "9538/3", "9539/1", "9539/3", "9540/0", "9540/1", "9540/3", "9541/0", "9542/3", "9550/0", "9560/0", "9560/1", "9560/3", "9561/3", "9562/0", "9570/0", "9571/0", "9571/3", "9580/0", "9580/3", "9581/3", "9582/0", "9590/3", "9591/3", "9596/3", "9597/3", "9650/3", "9651/3", "9652/3", "9653/3", "9654/3", "9655/3", "9659/3", "9661/3", "9662/3", "9663/3", "9664/3", "9665/3", "9667/3", "9670/3", "9671/3", "9673/3", "9675/3", "9678/3", "9679/3", "9680/3", "9684/3", "9687/3", "9688/3", "9689/3", "9690/3", "9691/3", "9695/3", "9698/3", "9699/3", "9700/3", "9701/3", "9702/3", "9705/3", "9708/3", "9709/3", "9712/3", "9714/3", "9716/3", "9717/3", "9718/3", "9719/3", "9724/3", "9725/3", "9726/3", "9727/3", "9728/3", "9729/3", "9731/3", "9732/3", "9733/3", "9734/3", "9735/3", "9737/3", "9738/3", "9740/1", "9740/3", "9741/1", "9741/3", "9742/3", "9750/3", "9751/1", "9751/3", "9752/1", "9753/1", "9754/3", "9755/3", "9756/3", "9757/3", "9758/3", "9759/3", "9760/3", "9761/3", "9762/3", "9764/3", "9765/1", "9766/1", "9767/1", "9768/1", "9769/1", "9800/3", "9801/3", "9805/3", "9806/3", "9807/3", "9808/3", "9809/3", "9811/3", "9812/3", "9813/3", "9814/3", "9815/3", "9816/3", "9817/3", "9818/3", "9820/3", "9823/3", "9826/3", "9827/3", "9831/3", "9832/3", "9833/3", "9834/3", "9835/3", "9836/3", "9837/3", "9840/3", "9860/3", "9861/3", "9863/3", "9865/3", "9866/3", "9867/3", "9869/3", "9870/3", "9871/3", "9872/3", "9873/3", "9874/3", "9875/3", "9876/3", "9891/3", "9895/3", "9896/3", "9897/3", "9898/1", "9898/3", "9910/3", "9911/3", "9920/3", "9930/3", "9931/3", "9940/3", "9945/3", "9946/3", "9948/3", "9950/3", "9960/3", "9961/3", "9962/3", "9963/3", "9964/3", "9965/3", "9966/3", "9967/3", "9970/1", "9971/1", "9971/3", "9975/3", "9980/3", "9982/3", "9983/3", "9984/3", "9985/3", "9986/3", "9987/3", "9989/3", "9991/3", "9992/3", "Unknown", "Not Reported"]}, "incidence_type": {"name": "incidence_type", "description": "For this diagnosis, disease incidence relative to prior status of subject", "type": "string", "required": false, "permissible_values": ["primary", "progression", "recurrence", "metastasis", "remission", "no_disease"]}, "progression_or_recurrence": {"name": "progression_or_recurrence", "description": "Yes/No/Unknown indicator to identify whether a patient has had a new tumor event after initial treatment.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown", "Not Reported", "Not Allowed To Collect"]}, "days_to_recurrence": {"name": "days_to_recurrence", "description": "Days to disease recurrence, relative to study index date", "type": "integer", "required": false}, "days_to_last_followup": {"name": "days_to_last_followup", "description": "Days to last participant followup, relative to study index date", "type": "integer", "required": false}, "last_known_disease_status": {"name": "last_known_disease_status", "description": "Last known disease incidence for this subject and diagnosis", "type": "string", "required": false, "permissible_values": ["Primary", "Progression", "Recurrence", "Metastasis", "Remission", "No_disease", "Distant met recurrence/progression", "Loco-regional recurrence/progression", "Biochemical evidence of disease without structural correlate", "Tumor free"]}, "days_to_last_known_status": {"name": "days_to_last_known_status", "description": "Days to last known status of participant, relative to study index date", "type": "integer", "required": false}}, "relationships": {"participant": {"dest_node": "participant", "type": "many_to_one", "label": "of_participant"}}}, "treatment": {"name": "treatment", "description": "", "id_property": "treatment_id", "properties": {"treatment_id": {"name": "treatment_id", "description": "Internal identifier", "type": "string", "required": false}, "treatment_type": {"name": "treatment_type", "description": "Text term that describes the kind of treatment administered", "type": "string", "required": false, "permissible_values": ["Ablation, Cryo", "Ablation, Ethanol Injection", "Ablation, Microwave", "Ablation, NOS", "Ablation, Radiofrequency", "Ablation, Radiosurgical", "Ancillary Treatment", "Antiseizure Treatment", "Bisphosphonate Therapy", "Blinded Study, Treatment Unknown", "Brachytherapy, High Dose", "Brachytherapy, Low Dose", "Brachytherapy, NOS", "Chemoembolization", "Chemoprotectant", "Chemotherapy", "Concurrent Chemoradiation", "Cryoablation", "Embolization", "Ethanol Injection Ablation", "External Beam Radiation", "Hormone Therapy", "I-131 Radiation Therapy", "Immunotherapy (Including Vaccines)", "Internal Radiation", "Isolated Limb Perfusion (ILP)", "Organ Transplantation", "Other", "Pharmaceutical Therapy, NOS", "Pleurodesis", "Pleurodesis, Talc", "Pleurodesis, NOS", "Radiation Therapy, NOS", "Radiation, 2D Conventional", "Radiation, 3D Conformal", "Radiation, Combination", "Radiation, Cyberknife", "Radiation, External Beam", "Radiation, Hypofractionated", "Radiation, Implants", "Radiation, Intensity-Modulated Radiotherapy", "Radiation, Internal", "Radiation, Mixed Photon Beam", "Radiation, Photon Beam", "Radiation, Proton Beam", "Radiation, Radioisotope", "Radiation, Stereotactic/Gamma Knife/SRS", "Radiation, Systemic", "Radioactive Iodine Therapy", "Radioembolization", "Radiosensitizing Agent", "Stem Cell Transplantation, Allogeneic", "Stem Cell Transplantation, Autologous", "Stem Cell Transplantation, Double Autologous", "Stem Cell Transplantation, Haploidentical", "Stem Cell Transplantation, Non-Myeloablative", "Stem Cell Transplantation, NOS", "Stem Cell Transplantation, Syngenic", "Stem Cell Treatment", "Stereotactic Radiosurgery", "Steroid Therapy", "Surgery", "Targeted Molecular Therapy", "Unknown", "Not Reported"]}, "treatment_outcome": {"name": "treatment_outcome", "description": "Text term that describes the patient's final outcome after the treatment was administered", "type": "string", "required": false, "permissible_values": ["Complete Response", "Mixed Response", "No Measurable Disease", "No Response", "Not Reported", "Partial Response", "Persistent Disease", "Progressive Disease", "Stable Disease", "Treatment Ongoing", "Treatment Stopped Due to Toxicity", "Unknown", "Very Good Partial Response"]}, "days_to_treatment": {"name": "days_to_treatment", "description": "Days to start of treatment, relative to index date", "type": "integer", "required": false}, "therapeutic_agents": {"name": "therapeutic_agents", "description": "Text identification of the individual agent(s) used as part of a treatment regimen.", "type": "string", "required": false, "permissible_values": ["10-Deacetyltaxol", "11C Topotecan", "11D10 AluGel Anti-Idiotype Monoclonal Antibody", "12-Allyldeoxoartemisinin", "13-Deoxydoxorubicin", "14C BMS-275183", "17beta-Hydroxysteroid Dehydrogenase Type 5 Inhibitor ASP9521", "2-Deoxy-D-glucose", "2-Ethylhydrazide", "2-Fluoroadenine", "2-Fluorofucose-containing SGN-2FF", "2-Hydroxyestradiol", "2-Hydroxyestrone", "2-Hydroxyflutamide Depot", "2-Hydroxyoleic Acid", "2-Methoxyestradiol", "2-Methoxyestradiol Nanocrystal Colloidal Dispersion", "2-Methoxyestrone", "2-O, 3-O Desulfated Heparin", "2,6-Diaminopurine", "2,6-Dimethoxyquinone", "2'-F-ara-deoxyuridine", "3'-C-ethynylcytidine", "3'-dA Phosphoramidate NUC-7738", "4-Nitroestrone 3-Methyl Ether", "4-Thio-2-deoxycytidine", "4'-Iodo-4'-Deoxydoxorubicin", "5-Aza-4'-thio-2'-deoxycytidine", "5-Fluoro-2-Deoxycytidine", "6-Phosphofructo-2-kinase/fructose-2,6-bisphosphatases Isoform 3 Inhibitor ACT-PFK-158", "7-Cyanoquinocarcinol", "7-Ethyl-10-Hydroxycamptothecin", "7-Hydroxystaurosporine", "8-Azaguanine", "9-Ethyl 6-Mercaptopurine", "9H-Purine-6Thio-98D", "A2A Receptor Antagonist EOS100850", "Abagovomab", "Abarelix", "Abemaciclib", "Abemaciclib Mesylate", "Abexinostat", "Abexinostat Tosylate", "Abiraterone", "Abiraterone Acetate", "Abituzumab", "Acai Berry Juice", "Acalabrutinib", "Acalisib", "Aceglatone", "Acetylcysteine", "Acitretin", "Acivicin", "Aclacinomycin B", "Aclarubicin", "Acodazole", "Acodazole Hydrochloride", "Acolbifene Hydrochloride", "Acridine", "Acridine Carboxamide", "Acronine", "Actinium Ac 225 Lintuzumab", "Actinium Ac 225-FPI-1434", "Actinium Ac-225 Anti-PSMA Monoclonal Antibody J591", "Actinomycin C2", "Actinomycin C3", "Actinomycin F1", "Activin Type 2B Receptor Fc Fusion Protein STM 434", "Acyclic Nucleoside Phosphonate Prodrug ABI-1968", "Ad-RTS-hIL-12", "Adagloxad Simolenin", "Adavosertib", "Adecatumumab", "Adenosine A2A Receptor Antagonist AZD4635", "Adenosine A2A Receptor Antagonist CS3005", "Adenosine A2A Receptor Antagonist NIR178", "Adenosine A2A Receptor Antagonist/Phosphodiesterase 10A PBF-999", "Adenosine A2A/A2B Receptor Antagonist AB928", "Adenosine A2B Receptor Antagonist PBF-1129", "Adenovector-transduced AP1903-inducible MyD88/CD40-expressing Autologous PSMA-specific Prostate Cancer Vaccine BPX-201", "Adenoviral Brachyury Vaccine ETBX-051", "Adenoviral Cancer Vaccine PF-06936308", "Adenoviral MUC1 Vaccine ETBX-061", "Adenoviral PSA Vaccine ETBX-071", "Adenoviral Transduced hIL-12-expressing Autologous Dendritic Cells INXN-3001 Plus Activator Ligand INXN-1001", "Adenoviral Tumor-specific Neoantigen Priming Vaccine GAd-209-FSP", "Adenoviral Tumor-specific Neoantigen Priming Vaccine GRT-C901", "Adenovirus 5/F35-Human Guanylyl Cyclase C-PADRE", "Adenovirus Serotype 26-expressing HPV16 Vaccine JNJ-63682918", "Adenovirus Serotype 26-expressing HPV18 Vaccine JNJ-63682931", "Adenovirus-expressing TLR5/TLR5 Agonist Nanoformulation M-VM3", "Adenovirus-mediated Human Interleukin-12 INXN-2001 Plus Activator Ligand INXN-1001", "Aderbasib", "ADH-1", "AE37 Peptide/GM-CSF Vaccine", "AEE788", "Aerosol Gemcitabine", "Aerosolized Aldesleukin", "Aerosolized Liposomal Rubitecan", "Afatinib", "Afatinib Dimaleate", "Afimoxifene", "Afuresertib", "Agatolimod Sodium", "Agerafenib", "Aglatimagene Besadenovec", "Agonistic Anti-CD40 Monoclonal Antibody ADC-1013", "Agonistic Anti-OX40 Monoclonal Antibody INCAGN01949", "Agonistic Anti-OX40 Monoclonal Antibody MEDI6469", "AKR1C3-activated Prodrug OBI-3424", "AKT 1/2 Inhibitor BAY1125976", "AKT Inhibitor ARQ 092", "Akt Inhibitor LY2780301", "Akt Inhibitor MK2206", "Akt Inhibitor SR13668", "Akt/ERK Inhibitor ONC201", "Alacizumab Pegol", "Alanosine", "Albumin-binding Cisplatin Prodrug BTP-114", "Aldesleukin", "Aldoxorubicin", "Alectinib", "Alefacept", "Alemtuzumab", "Alestramustine", "Alflutinib Mesylate", "Algenpantucel-L", "Alisertib", "Alitretinoin", "ALK Inhibitor", "ALK Inhibitor ASP3026", "ALK Inhibitor PLB 1003", "ALK Inhibitor RO5424802", "ALK Inhibitor TAE684", "ALK Inhibitor WX-0593", "ALK-2 Inhibitor TP-0184", "ALK-FAK Inhibitor CEP-37440", "ALK/c-Met Inhibitor TQ-B3139", "ALK/FAK/Pyk2 Inhibitor CT-707", "ALK/ROS1/Met Inhibitor TQ-B3101", "ALK/TRK Inhibitor TSR-011", "Alkotinib", "Allodepleted T Cell Immunotherapeutic ATIR101", "Allogeneic Anti-BCMA CAR-transduced T-cells ALLO-715", "Allogeneic Anti-BCMA-CAR T-cells PBCAR269A", "Allogeneic Anti-BCMA/CS1 Bispecific CAR-T Cells", "Allogeneic Anti-CD19 CAR T-cells ALLO-501A", "Allogeneic Anti-CD19 Universal CAR-T Cells CTA101", "Allogeneic Anti-CD19-CAR T-cells PBCAR0191", "Allogeneic Anti-CD20 CAR T-cells LUCAR-20S", "Allogeneic Anti-CD20-CAR T-cells PBCAR20A", "Allogeneic CD22-specific Universal CAR-expressing T-lymphocytes UCART22", "Allogeneic CD3- CD19- CD57+ NKG2C+ NK Cells FATE-NK100", "Allogeneic CD56-positive CD3-negative Natural Killer Cells CYNK-001", "Allogeneic CD8+ Leukemia-associated Antigens Specific T Cells NEXI-001", "Allogeneic Cellular Vaccine 1650-G", "Allogeneic CRISPR-Cas9 Engineered Anti-BCMA T Cells CTX120", "Allogeneic CRISPR-Cas9 Engineered Anti-CD70 CAR-T Cells CTX130", "Allogeneic CS1-specific Universal CAR-expressing T-lymphocytes UCARTCS1A", "Allogeneic GM-CSF-secreting Breast Cancer Vaccine SV-BR-1-GM", "Allogeneic GM-CSF-secreting Lethally Irradiated Prostate Cancer Vaccine", "Allogeneic GM-CSF-secreting Lethally Irradiated Whole Melanoma Cell Vaccine", "Allogeneic GM-CSF-secreting Tumor Vaccine PANC 10.05 pcDNA-1/GM-Neo", "Allogeneic GM-CSF-secreting Tumor Vaccine PANC 6.03 pcDNA-1/GM-Neo", "Allogeneic IL13-Zetakine/HyTK-Expressing-Glucocorticoid Resistant Cytotoxic T Lymphocytes GRm13Z40-2", "Allogeneic Irradiated Melanoma Cell Vaccine CSF470", "Allogeneic Large Multivalent Immunogen Melanoma Vaccine LP2307", "Allogeneic Melanoma Vaccine AGI-101H", "Allogeneic Natural Killer Cell Line MG4101", "Allogeneic Natural Killer Cell Line NK-92", "Allogeneic Plasmacytoid Dendritic Cells Expressing Lung Tumor Antigens PDC*lung01", "Allogeneic Renal Cell Carcinoma Vaccine MGN1601", "Allogeneic Third-party Suicide Gene-transduced Anti-HLA-DPB1*0401 CD4+ T-cells CTL 19", "Allosteric ErbB Inhibitor BDTX-189", "Allovectin-7", "Almurtide", "Alobresib", "Alofanib", "Alpelisib", "Alpha Galactosylceramide", "Alpha V Beta 1 Inhibitor ATN-161", "Alpha V Beta 8 Antagonist PF-06940434", "alpha-Folate Receptor-targeting Thymidylate Synthase Inhibitor ONX-0801", "Alpha-Gal AGI-134", "Alpha-lactalbumin-derived Synthetic Peptide-lipid Complex Alpha1H", "Alpha-Thioguanine Deoxyriboside", "Alpha-tocopheryloxyacetic Acid", "Alsevalimab", "Altiratinib", "Altretamine", "Alvespimycin", "Alvespimycin Hydrochloride", "Alvocidib", "Alvocidib Hydrochloride", "Alvocidib Prodrug TP-1287", "Amatuximab", "Ambamustine", "Ambazone", "Amblyomin-X", "Amcasertib", "Ametantrone", "Amifostine", "Amino Acid Injection", "Aminocamptothecin", "Aminocamptothecin Colloidal Dispersion", "Aminoflavone Prodrug AFP464", "Aminopterin", "Aminopterin Sodium", "Amivantamab", "Amolimogene Bepiplasmid", "Amonafide L-Malate", "Amrubicin", "Amrubicin Hydrochloride", "Amsacrine", "Amsacrine Lactate", "Amsilarotene", "Amustaline", "Amustaline Dihydrochloride", "Amuvatinib", "Amuvatinib Hydrochloride", "Anakinra", "Anastrozole", "Anaxirone", "Ancitabine", "Ancitabine Hydrochloride", "Andecaliximab", "Androgen Antagonist APC-100", "Androgen Receptor Antagonist BAY 1161116", "Androgen Receptor Antagonist SHR3680", "Androgen Receptor Antagonist TAS3681", "Androgen Receptor Antagonist TRC253", "Androgen Receptor Antisense Oligonucleotide AZD5312", "Androgen Receptor Antisense Oligonucleotide EZN-4176", "Androgen Receptor Degrader ARV-110", "Androgen Receptor Degrader CC-94676", "Androgen Receptor Downregulator AZD3514", "Androgen Receptor Inhibitor EPI-7386", "Androgen Receptor Ligand-binding Domain-encoding Plasmid DNA Vaccine MVI-118", "Androgen Receptor/Glucocorticoid Receptor Antagonist CB-03-10", "Andrographolide", "Androstane Steroid HE3235", "Anetumab Ravtansine", "Ang2/VEGF-Binding Peptides-Antibody Fusion Protein CVX-241", "Angiogenesis Inhibitor GT-111", "Angiogenesis Inhibitor JI-101", "Angiogenesis/Heparanase Inhibitor PG545", "Angiopoietin-2-specific Fusion Protein PF-04856884", "Anhydrous Enol-oxaloacetate", "Anhydrovinblastine", "Aniline Mustard", "Anlotinib Hydrochloride", "Annamycin", "Annamycin Liposomal", "Annonaceous Acetogenins", "Ansamitomicin P-3", "Anthramycin", "Anthrapyrazole", "Anti c-KIT Antibody-drug Conjugate LOP628", "Anti-5T4 Antibody-drug Conjugate ASN004", "Anti-5T4 Antibody-Drug Conjugate PF-06263507", "Anti-5T4 Antibody-drug Conjugate SYD1875", "Anti-A33 Monoclonal Antibody KRN330", "Anti-A5B1 Integrin Monoclonal Antibody PF-04605412", "Anti-ACTR/4-1BB/CD3zeta-Viral Vector-transduced Autologous T-Lymphocytes ACTR087", "Anti-AG7 Antibody Drug Conjugate AbGn-107", "Anti-AGS-16 Monoclonal Antibody AGS-16M18", "Anti-AGS-5 Antibody-Drug Conjugate ASG-5ME", "Anti-AGS-8 Monoclonal Antibody AGS-8M4", "Anti-alpha BCMA/Anti-alpha CD3 T-cell Engaging Bispecific Antibody TNB-383B", "Anti-alpha5beta1 Integrin Antibody MINT1526A", "Anti-ANG2 Monoclonal Antibody MEDI-3617", "Anti-angiopoietin Monoclonal Antibody AMG 780", "Anti-APRIL Monoclonal Antibody BION-1301", "Anti-AXL Fusion Protein AVB-S6-500", "Anti-AXL/PBD Antibody-drug Conjugate ADCT-601", "Anti-B7-H3 Antibody DS-5573a", "Anti-B7-H3/DXd Antibody-drug Conjugate DS-7300a", "Anti-B7-H4 Monoclonal Antibody FPA150", "Anti-B7H3 Antibody-drug Conjugate MGC018", "Anti-BCMA Antibody SEA-BCMA", "Anti-BCMA Antibody-drug Conjugate AMG 224", "Anti-BCMA Antibody-drug Conjugate CC-99712", "Anti-BCMA Antibody-drug Conjugate GSK2857916", "Anti-BCMA SparX Protein Plus BCMA-directed Anti-TAAG ARC T-cells CART-ddBCMA", "Anti-BCMA/Anti-CD3 Bispecific Antibody REGN5459", "Anti-BCMA/CD3 BiTE Antibody AMG 420", "Anti-BCMA/CD3 BiTE Antibody AMG 701", "Anti-BCMA/CD3 BiTE Antibody REGN5458", "Anti-BCMA/PBD ADC MEDI2228", "Anti-BTLA Monoclonal Antibody TAB004", "Anti-BTN3A Agonistic Monoclonal Antibody ICT01", "Anti-c-fms Monoclonal Antibody AMG 820", "Anti-c-KIT Monoclonal Antibody CDX 0158", "Anti-c-Met Antibody-drug Conjugate HTI-1066", "Anti-c-Met Antibody-drug Conjugate TR1801", "Anti-c-Met Monoclonal Antibody ABT-700", "Anti-c-Met Monoclonal Antibody ARGX-111", "Anti-c-Met Monoclonal Antibody HLX55", "Anti-c-MET Monoclonal Antibody LY2875358", "Anti-C-met Monoclonal Antibody SAIT301", "Anti-C4.4a Antibody-Drug Conjugate BAY1129980", "Anti-C5aR Monoclonal Antibody IPH5401", "Anti-CA19-9 Monoclonal Antibody 5B1", "Anti-CA6-DM4 Immunoconjugate SAR566658", "Anti-CCR7 Antibody-drug Conjugate JBH492", "Anti-CD117 Monoclonal Antibody JSP191", "Anti-CD122 Humanized Monoclonal Antibody Mik-Beta-1", "Anti-CD123 ADC IMGN632", "Anti-CD123 Monoclonal Antibody CSL360", "Anti-CD123 Monoclonal Antibody KHK2823", "Anti-CD123 x Anti-CD3 Bispecific Antibody XmAb1404", "Anti-CD123-Pyrrolobenzodiazepine Dimer Antibody Drug Conjugate SGN-CD123A", "Anti-CD123/CD3 Bispecific Antibody APVO436", "Anti-CD123/CD3 Bispecific Antibody JNJ-63709178", "Anti-CD123/CD3 BiTE Antibody SAR440234", "Anti-CD137 Agonistic Monoclonal Antibody ADG106", "Anti-CD137 Agonistic Monoclonal Antibody AGEN2373", "Anti-CD137 Agonistic Monoclonal Antibody ATOR-1017", "Anti-CD137 Agonistic Monoclonal Antibody CTX-471", "Anti-CD137 Agonistic Monoclonal Antibody LVGN6051", "Anti-CD157 Monoclonal Antibody MEN1112", "Anti-CD166 Probody-drug Conjugate CX-2009", "Anti-CD19 Antibody-drug Conjugate SGN-CD19B", "Anti-CD19 Antibody-T-cell Receptor-expressing T-cells ET019003", "Anti-CD19 iCAR NK Cells", "Anti-CD19 Monoclonal Antibody DI-B4", "Anti-CD19 Monoclonal Antibody MDX-1342", "Anti-CD19 Monoclonal Antibody MEDI-551", "Anti-CD19 Monoclonal Antibody XmAb5574", "Anti-CD19-DM4 Immunoconjugate SAR3419", "Anti-CD19/Anti-CD22 Bispecific Immunotoxin DT2219ARL", "Anti-CD19/CD22 CAR NK Cells", "Anti-CD19/CD3 BiTE Antibody AMG 562", "Anti-CD19/CD3 Tetravalent Antibody AFM11", "Anti-CD20 Monoclonal Antibody B001", "Anti-CD20 Monoclonal Antibody BAT4306F", "Anti-CD20 Monoclonal Antibody MIL62", "Anti-CD20 Monoclonal Antibody PRO131921", "Anti-CD20 Monoclonal Antibody SCT400", "Anti-CD20 Monoclonal Antibody TL011", "Anti-CD20 Monoclonal Antibody-Interferon-alpha Fusion Protein IGN002", "Anti-CD20-engineered Toxin Body MT-3724", "Anti-CD20/Anti-CD3 Bispecific IgM Antibody IGM2323", "Anti-CD20/CD3 Monoclonal Antibody REGN1979", "Anti-CD20/CD3 Monoclonal Antibody XmAb13676", "Anti-CD205 Antibody-drug Conjugate OBT076", "Anti-CD22 ADC TRPH-222", "Anti-CD22 Monoclonal Antibody-MMAE Conjugate DCDT2980S", "Anti-CD228/MMAE Antibody-drug Conjugate SGN-CD228A", "Anti-CD25 Monoclonal Antibody RO7296682", "Anti-CD25-PBD Antibody-drug Conjugate ADCT-301", "Anti-CD26 Monoclonal Antibody YS110", "Anti-CD27 Agonistic Monoclonal Antibody MK-5890", "Anti-CD27L Antibody-Drug Conjugate AMG 172", "Anti-CD3 Immunotoxin A-dmDT390-bisFv(UCHT1)", "Anti-CD3/Anti-5T4 Bispecific Antibody GEN1044", "Anti-CD3/Anti-BCMA Bispecific Monoclonal Antibody JNJ-64007957", "Anti-CD3/Anti-BCMA Bispecific Monoclonal Antibody PF-06863135", "Anti-CD3/Anti-CD20 Trifunctional Bispecific Monoclonal Antibody FBTA05", "Anti-CD3/Anti-GPRC5D Bispecific Monoclonal Antibody JNJ-64407564", "Anti-CD3/Anti-GUCY2C Bispecific Antibody PF-07062119", "Anti-CD3/CD20 Bispecific Antibody GEN3013", "Anti-CD3/CD38 Bispecific Monoclonal Antibody AMG 424", "Anti-CD3/CD7-Ricin Toxin A Immunotoxin", "Anti-CD30 Monoclonal Antibody MDX-1401", "Anti-CD30 Monoclonal Antibody XmAb2513", "Anti-CD30/CD16A Monoclonal Antibody AFM13", "Anti-CD30/DM1 Antibody-drug Conjugate F0002", "Anti-CD32B Monoclonal Antibody BI-1206", "Anti-CD33 Antibody-drug Conjugate IMGN779", "Anti-CD33 Antigen/CD3 Receptor Bispecific Monoclonal Antibody AMV564", "Anti-CD33 Monoclonal Antibody BI 836858", "Anti-CD33 Monoclonal Antibody-DM4 Conjugate AVE9633", "Anti-CD33/CD3 Bispecific Antibody GEM 333", "Anti-CD33/CD3 Bispecific Antibody JNJ-67571244", "Anti-CD33/CD3 BiTE Antibody AMG 330", "Anti-CD33/CD3 BiTE Antibody AMG 673", "Anti-CD352 Antibody-drug Conjugate SGN-CD352A", "Anti-CD37 Antibody-Drug Conjugate IMGN529", "Anti-CD37 Bispecific Monoclonal Antibody GEN3009", "Anti-CD37 MMAE Antibody-drug Conjugate AGS67E", "Anti-CD37 Monoclonal Antibody BI 836826", "Anti-CD38 Antibody-drug Conjugate STI-6129", "Anti-CD38 Monoclonal Antibody MOR03087", "Anti-CD38 Monoclonal Antibody SAR442085", "Anti-CD38 Monoclonal Antibody TAK-079", "Anti-CD38-targeted IgG4-attenuated IFNa TAK-573", "Anti-CD38/CD28xCD3 Tri-specific Monoclonal Antibody SAR442257", "Anti-CD38/CD3 Bispecific Monoclonal Antibody GBR 1342", "Anti-CD39 Monoclonal Antibody SRF617", "Anti-CD39 Monoclonal Antibody TTX-030", "Anti-CD40 Agonist Monoclonal Antibody ABBV-927", "Anti-CD40 Agonist Monoclonal Antibody CDX-1140", "Anti-CD40 Monoclonal Antibody Chi Lob 7/4", "Anti-CD40 Monoclonal Antibody SEA-CD40", "Anti-CD40/Anti-4-1BB Bispecific Agonist Monoclonal Antibody GEN1042", "Anti-CD40/Anti-TAA Bispecific Monoclonal Antibody ABBV-428", "Anti-CD40L Fc-Fusion Protein BMS-986004", "Anti-CD44 Monoclonal Antibody RO5429083", "Anti-CD45 Monoclonal Antibody AHN-12", "Anti-CD46 Antibody-drug Conjugate FOR46", "Anti-CD47 ADC SGN-CD47M", "Anti-CD47 Monoclonal Antibody AO-176", "Anti-CD47 Monoclonal Antibody CC-90002", "Anti-CD47 Monoclonal Antibody Hu5F9-G4", "Anti-CD47 Monoclonal Antibody IBI188", "Anti-CD47 Monoclonal Antibody IMC-002", "Anti-CD47 Monoclonal Antibody SHR-1603", "Anti-CD47 Monoclonal Antibody SRF231", "Anti-CD47 Monoclonal Antibody TJC4", "Anti-CD47/CD19 Bispecific Monoclonal Antibody TG-1801", "Anti-CD48/MMAE Antibody-drug Conjugate SGN-CD48A", "Anti-CD52 Monoclonal Antibody ALLO-647", "Anti-CD70 Antibody-Drug Conjugate MDX-1203", "Anti-CD70 Antibody-drug Conjugate SGN-CD70A", "Anti-CD70 CAR-expressing T Lymphocytes", "Anti-CD70 Monoclonal Antibody MDX-1411", "Anti-CD71/vcMMAE Probody-drug Conjugate CX-2029", "Anti-CD73 Monoclonal Antibody BMS-986179", "Anti-CD73 Monoclonal Antibody CPI-006", "Anti-CD73 Monoclonal Antibody NZV930", "Anti-CD73 Monoclonal Antibody TJ4309", "Anti-CD74 Antibody-drug Conjugate STRO-001", "Anti-CD98 Monoclonal Antibody IGN523", "Anti-CDH6 Antibody-drug Conjugate HKT288", "Anti-CEA BiTE Monoclonal Antibody AMG211", "Anti-CEA/Anti-DTPA-In (F6-734) Bispecific Antibody", "Anti-CEA/Anti-HSG Bispecific Monoclonal Antibody TF2", "Anti-CEACAM1 Monoclonal Antibody CM-24", "Anti-CEACAM5 Antibody-Drug Conjugate SAR408701", "Anti-CEACAM6 AFAIKL2 Antibody Fragment/Jack Bean Urease Immunoconjugate L-DOS47", "Anti-CEACAM6 Antibody BAY1834942", "Anti-claudin18.2 Monoclonal Antibody AB011", "Anti-Claudin18.2 Monoclonal Antibody TST001", "Anti-CLDN6 Monoclonal Antibody ASP1650", "Anti-CLEC12A/CD3 Bispecific Antibody MCLA117", "Anti-CLEVER-1 Monoclonal Antibody FP-1305", "Anti-CSF1 Monoclonal Antibody PD-0360324", "Anti-CSF1R Monoclonal Antibody IMC-CS4", "Anti-CSF1R Monoclonal Antibody SNDX-6352", "Anti-CTGF Monoclonal Antibody FG-3019", "Anti-CTLA-4 Monoclonal Antibody ADG116", "Anti-CTLA-4 Monoclonal Antibody ADU-1604", "Anti-CTLA-4 Monoclonal Antibody AGEN1181", "Anti-CTLA-4 Monoclonal Antibody BCD-145", "Anti-CTLA-4 Monoclonal Antibody HBM4003", "Anti-CTLA-4 Monoclonal Antibody MK-1308", "Anti-CTLA-4 Monoclonal Antibody ONC-392", "Anti-CTLA-4 Monoclonal Antibody REGN4659", "Anti-CTLA-4 Probody BMS-986288", "Anti-CTLA-4/Anti-PD-1 Monoclonal Antibody Combination BCD-217", "Anti-CTLA-4/LAG-3 Bispecific Antibody XmAb22841", "Anti-CTLA-4/OX40 Bispecific Antibody ATOR-1015", "Anti-CTLA4 Antibody Fc Fusion Protein KN044", "Anti-CTLA4 Monoclonal Antibody BMS-986218", "Anti-CXCR4 Monoclonal Antibody PF-06747143", "Anti-Denatured Collagen Monoclonal Antibody TRC093", "Anti-DKK-1 Monoclonal Antibody LY2812176", "Anti-DKK1 Monoclonal Antibody BHQ880", "Anti-DLL3/CD3 BiTE Antibody AMG 757", "Anti-DLL4 Monoclonal Antibody MEDI0639", "Anti-DLL4/VEGF Bispecific Monoclonal Antibody OMP-305B83", "Anti-DR5 Agonist Monoclonal Antibody TRA-8", "Anti-DR5 Agonistic Antibody DS-8273a", "Anti-DR5 Agonistic Monoclonal Antibody INBRX-109", "Anti-EGFR Monoclonal Antibody CPGJ 602", "Anti-EGFR Monoclonal Antibody EMD 55900", "Anti-EGFR Monoclonal Antibody GC1118", "Anti-EGFR Monoclonal Antibody GT-MAB 5.2-GEX", "Anti-EGFR Monoclonal Antibody HLX-07", "Anti-EGFR Monoclonal Antibody Mixture MM-151", "Anti-EGFR Monoclonal Antibody RO5083945", "Anti-EGFR Monoclonal Antibody SCT200", "Anti-EGFR Monoclonal Antibody SYN004", "Anti-EGFR TAP Antibody-drug Conjugate IMGN289", "Anti-EGFR/c-Met Bispecific Antibody EMB-01", "Anti-EGFR/c-Met Bispecific Antibody JNJ-61186372", "Anti-EGFR/CD16A Bispecific Antibody AFM24", "Anti-EGFR/DM1 Antibody-drug Conjugate AVID100", "Anti-EGFR/HER2/HER3 Monoclonal Antibody Mixture Sym013", "Anti-EGFR/PBD Antibody-drug Conjugate ABBV-321", "Anti-EGFRvIII Antibody Drug Conjugate AMG 595", "Anti-EGFRvIII Immunotoxin MR1-1", "Anti-EGFRvIII/CD3 BiTE Antibody AMG 596", "Anti-EGP-2 Immunotoxin MOC31-PE", "Anti-ENPP3 Antibody-Drug Conjugate AGS-16C3F", "Anti-ENPP3/MMAF Antibody-Drug Conjugate AGS-16M8F", "Anti-Ep-CAM Monoclonal Antibody ING-1", "Anti-EphA2 Antibody-directed Liposomal Docetaxel Prodrug MM-310", "Anti-EphA2 Monoclonal Antibody DS-8895a", "Anti-EphA2 Monoclonal Antibody-MMAF Immunoconjugate MEDI-547", "Anti-ErbB2/Anti-ErbB3 Bispecific Monoclonal Antibody MM-111", "Anti-ErbB3 Antibody ISU104", "Anti-ErbB3 Monoclonal Antibody AV-203", "Anti-ErbB3 Monoclonal Antibody CDX-3379", "Anti-ErbB3 Monoclonal Antibody REGN1400", "Anti-ErbB3/Anti-IGF-1R Bispecific Monoclonal Antibody MM-141", "Anti-ETBR/MMAE Antibody-Drug Conjugate DEDN6526A", "Anti-FAP/Interleukin-2 Fusion Protein RO6874281", "Anti-FCRH5/CD3 BiTE Antibody BFCR4350A", "Anti-FGFR2 Antibody BAY1179470", "Anti-FGFR3 Antibody-drug Conjugate LY3076226", "Anti-FGFR4 Monoclonal Antibody U3-1784", "Anti-FLT3 Antibody-drug Conjugate AGS62P1", "Anti-FLT3 Monoclonal Antibody 4G8-SDIEM", "Anti-FLT3 Monoclonal Antibody IMC-EB10", "Anti-FLT3/CD3 BiTE Antibody AMG 427", "Anti-Folate Receptor-alpha Antibody Drug Conjugate STRO-002", "Anti-FRA/Eribulin Antibody-drug Conjugate MORAb-202", "Anti-fucosyl-GM1 Monoclonal Antibody BMS-986012", "Anti-Ganglioside GM2 Monoclonal Antibody BIW-8962", "Anti-GARP Monoclonal Antibody ABBV-151", "Anti-GCC Antibody-Drug Conjugate MLN0264", "Anti-GCC Antibody-Drug Conjugate TAK-164", "Anti-GD2 hu3F8/Anti-CD3 huOKT3 Bispecific Antibody", "Anti-GD2 Monoclonal Antibody hu14.18K322A", "Anti-GD2 Monoclonal Antibody MORAb-028", "Anti-GD3 Antibody-drug Conjugate PF-06688992", "Anti-GITR Agonistic Monoclonal Antibody ASP1951", "Anti-GITR Agonistic Monoclonal Antibody BMS-986156", "Anti-GITR Agonistic Monoclonal Antibody INCAGN01876", "Anti-GITR Monoclonal Antibody GWN 323", "Anti-GITR Monoclonal Antibody MK-4166", "Anti-Globo H Monoclonal Antibody OBI-888", "Anti-Globo H/MMAE Antibody-drug Conjugate OBI 999", "Anti-Glypican 3/CD3 Bispecific Antibody ERY974", "Anti-GnRH Vaccine PEP223", "Anti-gpA33/CD3 Monoclonal Antibody MGD007", "Anti-GPR20/DXd Antibody-drug Conjugate DS-6157a", "Anti-gremlin-1 Monoclonal Antibody UCB6114", "Anti-GRP78 Monoclonal Antibody PAT-SM6", "Anti-HA Epitope Monoclonal Antibody MEDI8852", "Anti-HB-EGF Monoclonal Antibody KHK2866", "Anti-HBEGF Monoclonal Antibody U3-1565", "Anti-hepcidin Monoclonal Antibody LY2787106", "Anti-HER-2 Bispecific Antibody KN026", "Anti-HER2 ADC DS-8201a", "Anti-HER2 Antibody Conjugated Natural Killer Cells ACE1702", "Anti-HER2 Antibody-drug Conjugate A166", "Anti-HER2 Antibody-drug Conjugate ARX788", "Anti-HER2 Antibody-drug Conjugate BAT8001", "Anti-HER2 Antibody-drug Conjugate DP303c", "Anti-HER2 Antibody-drug Conjugate MEDI4276", "Anti-HER2 Antibody-drug Conjugate RC48", "Anti-HER2 Bi-specific Monoclonal Antibody ZW25", "Anti-HER2 Bispecific Antibody-drug Conjugate ZW49", "Anti-HER2 Immune Stimulator-antibody Conjugate NJH395", "Anti-HER2 Monoclonal Antibody B002", "Anti-HER2 Monoclonal Antibody CT-P6", "Anti-HER2 Monoclonal Antibody HLX22", "Anti-HER2 Monoclonal Antibody/Anti-CD137Anticalin Bispecific Fusion Protein PRS-343", "Anti-HER2-DM1 ADC B003", "Anti-HER2-DM1 Antibody-drug Conjugate GQ1001", "Anti-HER2-vc0101 ADC PF-06804103", "Anti-HER2/Anti-CD3 Bispecific Monoclonal Antibody BTRC 4017A", "Anti-HER2/Anti-CD3 Bispecific Monoclonal Antibody GBR 1302", "Anti-HER2/Anti-HER3 Bispecific Monoclonal Antibody MCLA-128", "Anti-HER2/Auristatin Payload Antibody-drug Conjugate XMT-1522", "Anti-HER2/MMAE Antibody-drug Conjugate MRG002", "Anti-HER2/PBD-MA Antibody-drug Conjugate DHES0815A", "Anti-HER3 Antibody-drug Conjugate U3 1402", "Anti-HER3 Monoclonal Antibody GSK2849330", "Anti-HGF Monoclonal Antibody TAK-701", "Anti-HIF-1alpha LNA Antisense Oligonucleotide EZN-2968", "Anti-HIV-1 Lentiviral Vector-expressing sh5/C46 Cal-1", "Anti-HLA-DR Monoclonal Antibody IMMU-114", "Anti-HLA-G Antibody TTX-080", "Anti-human GITR Monoclonal Antibody AMG 228", "Anti-human GITR Monoclonal Antibody TRX518", "Anti-ICAM-1 Monoclonal Antibody BI-505", "Anti-ICOS Agonist Antibody GSK3359609", "Anti-ICOS Agonist Monoclonal Antibody BMS-986226", "Anti-ICOS Monoclonal Antibody KY1044", "Anti-ICOS Monoclonal Antibody MEDI-570", "Anti-IGF-1R Monoclonal Antibody AVE1642", "Anti-IGF-1R Recombinant Monoclonal Antibody BIIB022", "Anti-IL-1 alpha Monoclonal Antibody MABp1", "Anti-IL-13 Humanized Monoclonal Antibody TNX-650", "Anti-IL-15 Monoclonal Antibody AMG 714", "Anti-IL-8 Monoclonal Antibody BMS-986253", "Anti-IL-8 Monoclonal Antibody HuMax-IL8", "Anti-ILDR2 Monoclonal Antibody BAY 1905254", "Anti-ILT4 Monoclonal Antibody MK-4830", "Anti-integrin Beta-6/MMAE Antibody-drug Conjugate SGN-B6A", "Anti-Integrin Monoclonal Antibody-DM4 Immunoconjugate IMGN388", "Anti-IRF4 Antisense Oligonucleotide ION251", "Anti-KIR Monoclonal Antibody IPH 2101", "Anti-KSP/Anti-VEGF siRNAs ALN-VSP02", "Anti-LAG-3 Monoclonal Antibody IBI-110", "Anti-LAG-3 Monoclonal Antibody INCAGN02385", "Anti-LAG-3 Monoclonal Antibody LAG525", "Anti-LAG-3 Monoclonal Antibody REGN3767", "Anti-LAG-3/PD-L1 Bispecific Antibody FS118", "Anti-LAG3 Monoclonal Antibody BI 754111", "Anti-LAG3 Monoclonal Antibody MK-4280", "Anti-LAG3 Monoclonal Antibody TSR-033", "Anti-LAMP1 Antibody-drug Conjugate SAR428926", "Anti-latent TGF-beta 1 Monoclonal Antibody SRK-181", "Anti-Lewis B/Lewis Y Monoclonal Antibody GNX102", "Anti-LGR5 Monoclonal Antibody BNC101", "Anti-LIF Monoclonal Antibody MSC-1", "Anti-LILRB4 Monoclonal Antibody IO-202", "Anti-LIV-1 Monoclonal Antibody-MMAE Conjugate SGN-LIV1A", "Anti-Ly6E Antibody-Drug Conjugate RG 7841", "Anti-MAGE-A4 T-cell Receptor/Anti-CD3 scFv Fusion Protein IMC-C103C", "Anti-Melanin Monoclonal Antibody PTI-6D2", "Anti-mesothelin Antibody-drug Conjugate BMS-986148", "Anti-mesothelin-Pseudomonas Exotoxin 24 Cytolytic Fusion Protein LMB-100", "Anti-mesothelin/MMAE Antibody-Drug Conjugate DMOT4039A", "Anti-mesothelin/MMAE Antibody-drug Conjugate RC88", "Anti-Met Monoclonal Antibody Mixture Sym015", "Anti-Met/EGFR Monoclonal Antibody LY3164530", "Anti-MMP-9 Monoclonal Antibody GS-5745", "Anti-MUC1 Monoclonal Antibody BTH1704", "Anti-MUC16/CD3 Bispecific Antibody REGN4018", "Anti-MUC16/CD3 BiTE Antibody REGN4018", "Anti-MUC16/MMAE Antibody-Drug Conjugate DMUC4064A", "Anti-MUC17/CD3 BiTE Antibody AMG 199", "Anti-Myeloma Monoclonal Antibody-DM4 Immunoconjugate BT-062", "Anti-myostatin Monoclonal Antibody LY2495655", "Anti-NaPi2b Antibody-drug Conjugate XMT-1592", "Anti-NaPi2b Monoclonal Antibody XMT-1535", "Anti-nectin-4 Monoclonal Antibody-Drug Conjugate AGS-22M6E", "Anti-Neuropilin-1 Monoclonal Antibody MNRP1685A", "Anti-nf-P2X7 Antibody Ointment BIL-010t", "Anti-NRP1 Antibody ASP1948", "Anti-Nucleolin Aptamer AS1411", "Anti-NY-ESO-1 Immunotherapeutic GSK-2241658A", "Anti-NY-ESO1/LAGE-1A TCR/scFv Anti-CD3 IMCnyeso", "Anti-OFA Immunotherapeutic BB-MPI-03", "Anti-OX40 Agonist Monoclonal Antibody ABBV-368", "Anti-OX40 Agonist Monoclonal Antibody BGB-A445", "Anti-OX40 Agonist Monoclonal Antibody PF-04518600", "Anti-OX40 Antibody BMS 986178", "Anti-OX40 Hexavalent Agonist Antibody INBRX-106", "Anti-OX40 Monoclonal Antibody GSK3174998", "Anti-OX40 Monoclonal Antibody IBI101", "Anti-PD-1 Antibody-interleukin-21 Mutein Fusion Protein AMG 256", "Anti-PD-1 Checkpoint Inhibitor PF-06801591", "Anti-PD-1 Fusion Protein AMP-224", "Anti-PD-1 Monoclonal Antibody 609A", "Anti-PD-1 Monoclonal Antibody AK105", "Anti-PD-1 Monoclonal Antibody AMG 404", "Anti-PD-1 Monoclonal Antibody BAT1306", "Anti-PD-1 Monoclonal Antibody BCD-100", "Anti-PD-1 Monoclonal Antibody BI 754091", "Anti-PD-1 Monoclonal Antibody CS1003", "Anti-PD-1 Monoclonal Antibody F520", "Anti-PD-1 Monoclonal Antibody GLS-010", "Anti-PD-1 Monoclonal Antibody HLX10", "Anti-PD-1 Monoclonal Antibody HX008", "Anti-PD-1 Monoclonal Antibody JTX-4014", "Anti-PD-1 Monoclonal Antibody LZM009", "Anti-PD-1 Monoclonal Antibody MEDI0680", "Anti-PD-1 Monoclonal Antibody MGA012", "Anti-PD-1 Monoclonal Antibody SCT-I10A", "Anti-PD-1 Monoclonal Antibody Sym021", "Anti-PD-1 Monoclonal Antibody TSR-042", "Anti-PD-1/Anti-CTLA4 DART Protein MGD019", "Anti-PD-1/Anti-HER2 Bispecific Antibody IBI315", "Anti-PD-1/Anti-LAG-3 Bispecific Antibody RO7247669", "Anti-PD-1/Anti-LAG-3 DART Protein MGD013", "Anti-PD-1/Anti-PD-L1 Bispecific Antibody IBI318", "Anti-PD-1/Anti-PD-L1 Bispecific Antibody LY3434172", "Anti-PD-1/CD47 Infusion Protein HX009", "Anti-PD-1/CTLA-4 Bispecific Antibody AK104", "Anti-PD-1/CTLA-4 Bispecific Antibody MEDI5752", "Anti-PD-1/TIM-3 Bispecific Antibody RO7121661", "Anti-PD-1/VEGF Bispecific Antibody AK112", "Anti-PD-L1 Monoclonal Antibody A167", "Anti-PD-L1 Monoclonal Antibody BCD-135", "Anti-PD-L1 Monoclonal Antibody BGB-A333", "Anti-PD-L1 Monoclonal Antibody CBT-502", "Anti-PD-L1 Monoclonal Antibody CK-301", "Anti-PD-L1 Monoclonal Antibody CS1001", "Anti-PD-L1 Monoclonal Antibody FAZ053", "Anti-PD-L1 Monoclonal Antibody GR1405", "Anti-PD-L1 Monoclonal Antibody HLX20", "Anti-PD-L1 Monoclonal Antibody IMC-001", "Anti-PD-L1 Monoclonal Antibody LY3300054", "Anti-PD-L1 Monoclonal Antibody MDX-1105", "Anti-PD-L1 Monoclonal Antibody MSB2311", "Anti-PD-L1 Monoclonal Antibody RC98", "Anti-PD-L1 Monoclonal Antibody SHR-1316", "Anti-PD-L1 Monoclonal Antibody TG-1501", "Anti-PD-L1 Monoclonal Antibody ZKAB001", "Anti-PD-L1/4-1BB Bispecific Antibody INBRX-105", "Anti-PD-L1/Anti-4-1BB Bispecific Monoclonal Antibody GEN1046", "Anti-PD-L1/CD137 Bispecific Antibody MCLA-145", "Anti-PD-L1/IL-15 Fusion Protein KD033", "Anti-PD-L1/TIM-3 Bispecific Antibody LY3415244", "Anti-PD1 Monoclonal Antibody AGEN2034", "Anti-PD1/CTLA4 Bispecific Antibody XmAb20717", "Anti-PGF Monoclonal Antibody RO5323441", "Anti-PKN3 siRNA Atu027", "Anti-PLGF Monoclonal Antibody TB-403", "Anti-PR1/HLA-A2 Monoclonal Antibody Hu8F4", "Anti-PRAME Immunotherapeutic GSK2302032A", "Anti-PRAME T-cell Receptor/Anti-CD3 scFv Fusion Protein IMC-F106C", "Anti-PRL-3 Monoclonal Antibody PRL3-zumab", "Anti-prolactin Receptor Antibody LFA102", "Anti-PSCA Monoclonal Antibody AGS-1C4D4", "Anti-PSMA Monoclonal Antibody MDX1201-A488", "Anti-PSMA Monoclonal Antibody MLN591-DM1 Immunoconjugate MLN2704", "Anti-PSMA Monoclonal Antibody-MMAE Conjugate", "Anti-PSMA/CD28 Bispecific Antibody REGN5678", "Anti-PSMA/CD3 Bispecific Antibody CCW702", "Anti-PSMA/CD3 Bispecific Antibody JNJ-63898081", "Anti-PSMA/CD3 Monoclonal Antibody MOR209/ES414", "Anti-PSMA/PBD ADC MEDI3726", "Anti-PTK7/Auristatin-0101 Antibody-drug Conjugate PF-06647020", "Anti-PVRIG Monoclonal Antibody COM701", "Anti-RANKL Monoclonal Antibody GB-223", "Anti-RANKL Monoclonal Antibody JMT103", "Anti-Ribonucleoprotein Antibody ATRC-101", "Anti-ROR1 ADC VLS-101", "Anti-ROR1/PNU-159682 Derivative Antibody-drug Conjugate NBE-002", "Anti-S15 Monoclonal Antibody NC318", "Anti-sCLU Monoclonal Antibody AB-16B5", "Anti-SIRPa Monoclonal Antibody CC-95251", "Anti-SLITRK6 Monoclonal Antibody-MMAE Conjugate AGS15E", "Anti-TAG-72 Monoclonal Antibody scFV CC-49/218", "Anti-TF Monoclonal Antibody ALT-836", "Anti-TGF-beta Monoclonal Antibody NIS793", "Anti-TGF-beta Monoclonal Antibody SAR-439459", "Anti-TGF-beta RII Monoclonal Antibody IMC-TR1", "Anti-TIGIT Monoclonal Antibody AB154", "Anti-TIGIT Monoclonal Antibody BGB-A1217", "Anti-TIGIT Monoclonal Antibody BMS-986207", "Anti-TIGIT Monoclonal Antibody COM902", "Anti-TIGIT Monoclonal Antibody OMP-313M32", "Anti-TIGIT Monoclonal Antibody SGN-TGT", "Anti-TIM-3 Antibody BMS-986258", "Anti-TIM-3 Monoclonal Antibody BGB-A425", "Anti-TIM-3 Monoclonal Antibody INCAGN02390", "Anti-TIM-3 Monoclonal Antibody MBG453", "Anti-TIM-3 Monoclonal Antibody Sym023", "Anti-TIM-3 Monoclonal Antibody TSR-022", "Anti-TIM3 Monoclonal Antibody LY3321367", "Anti-TIM3 Monoclonal Antibody SHR-1702", "Anti-Tissue Factor Monoclonal Antibody MORAb-066", "Anti-TRAILR2/CDH17 Tetravalent Bispecific Antibody BI 905711", "Anti-TROP2 Antibody-drug Conjugate BAT8003", "Anti-TROP2 Antibody-drug Conjugate SKB264", "Anti-TROP2/DXd Antibody-drug Conjugate DS-1062a", "Anti-TWEAK Monoclonal Antibody RG7212", "Anti-VEGF Anticalin PRS-050-PEG40", "Anti-VEGF Monoclonal Antibody hPV19", "Anti-VEGF/ANG2 Nanobody BI 836880", "Anti-VEGF/TGF-beta 1 Fusion Protein HB-002T", "Anti-VEGFC Monoclonal Antibody VGX-100", "Anti-VEGFR2 Monoclonal Antibody HLX06", "Anti-VEGFR2 Monoclonal Antibody MSB0254", "Anti-VEGFR3 Monoclonal Antibody IMC-3C5", "Anti-VISTA Monoclonal Antibody JNJ 61610588", "Antiangiogenic Drug Combination TL-118", "Antibody-drug Conjugate ABBV-011", "Antibody-drug Conjugate ABBV-085", "Antibody-drug Conjugate ABBV-155", "Antibody-drug Conjugate ABBV-176", "Antibody-drug Conjugate ABBV-838", "Antibody-drug Conjugate ADC XMT-1536", "Antibody-drug Conjugate Anti-TIM-1-vcMMAE CDX-014", "Antibody-Drug Conjugate DFRF4539A", "Antibody-drug Conjugate MEDI7247", "Antibody-drug Conjugate PF-06647263", "Antibody-drug Conjugate PF-06664178", "Antibody-drug Conjugate SC-002", "Antibody-drug Conjugate SC-003", "Antibody-drug Conjugate SC-004", "Antibody-drug Conjugate SC-005", "Antibody-drug Conjugate SC-006", "Antibody-drug Conjugate SC-007", "Antibody-like CD95 Receptor/Fc-fusion Protein CAN-008", "Antigen-presenting Cells-expressing HPV16 E6/E7 SQZ-PBMC-HPV", "Antimetabolite FF-10502", "Antineoplastic Agent Combination SM-88", "Antineoplastic Vaccine", "Antineoplastic Vaccine GV-1301", "Antineoplaston A10", "Antineoplaston AS2-1", "Antisense Oligonucleotide GTI-2040", "Antisense Oligonucleotide QR-313", "Antitumor B Key Active Component-alpha", "Antrodia cinnamomea Supplement", "Antroquinonol Capsule", "Apalutamide", "Apatorsen", "Apaziquone", "APC8015F", "APE1/Ref-1 Redox Inhibitor APX3330", "Aphidicoline Glycinate", "Apilimod Dimesylate Capsule", "Apitolisib", "Apolizumab", "Apomab", "Apomine", "Apoptosis Inducer BZL101", "Apoptosis Inducer GCS-100", "Apoptosis Inducer MPC-2130", "Apricoxib", "Aprinocarsen", "Aprutumab", "Aprutumab Ixadotin", "AR Antagonist BMS-641988", "Arabinoxylan Compound MGN3", "Aranose", "ARC Fusion Protein SL-279252", "Archexin", "Arcitumomab", "Arfolitixorin", "Arginase Inhibitor INCB001158", "Arginine Butyrate", "Arnebia Indigo Jade Pearl Topical Cream", "Arsenic Trioxide", "Arsenic Trioxide Capsule Formulation ORH 2014", "Artemether Sublingual Spray", "Artemisinin Dimer", "Artesunate", "Arugula Seed Powder", "Aryl Hydrocarbon Receptor Antagonist BAY2416964", "Aryl Hydrocarbon Receptor Inhibitor IK-175", "Asaley", "Asciminib", "Ascrinvacumab", "Ashwagandha Root Powder Extract", "ASP4132", "Aspacytarabine", "Asparaginase", "Asparaginase Erwinia chrysanthemi", "Astatine At 211 Anti-CD38 Monoclonal Antibody OKT10-B10", "Astatine At 211 Anti-CD45 Monoclonal Antibody BC8-B10", "Astuprotimut-R", "Asulacrine", "Asulacrine Isethionate", "Asunercept", "At 211 Monoclonal Antibody 81C6", "Atamestane", "Atezolizumab", "Atiprimod", "Atiprimod Dihydrochloride", "Atiprimod Dimaleate", "ATM Inhibitor M 3541", "ATM Kinase Inhibitor AZD0156", "ATM Kinase Inhibitor AZD1390", "Atorvastatin Calcium", "Atorvastatin Sodium", "ATR Inhibitor RP-3500", "ATR Kinase Inhibitor BAY1895344", "ATR Kinase Inhibitor M1774", "ATR Kinase Inhibitor M6620", "ATR Kinase Inhibitor VX-803", "Atrasentan Hydrochloride", "Attenuated Listeria monocytogenes CRS-100", "Attenuated Live Listeria Encoding HPV 16 E7 Vaccine ADXS11-001", "Attenuated Measles Virus Encoding SCD Transgene TMV-018", "Atuveciclib", "Audencel", "Auranofin", "Aurora A Kinase Inhibitor LY3295668", "Aurora A Kinase Inhibitor LY3295668 Erbumine", "Aurora A Kinase Inhibitor MK5108", "Aurora A Kinase Inhibitor TAS-119", "Aurora A Kinase/Tyrosine Kinase Inhibitor ENMD-2076", "Aurora B Serine/Threonine Kinase Inhibitor TAK-901", "Aurora B/C Kinase Inhibitor GSK1070916A", "Aurora kinase A/B inhibitor TT-00420", "Aurora Kinase Inhibitor AMG 900", "Aurora Kinase Inhibitor BI 811283", "Aurora Kinase Inhibitor MLN8054", "Aurora Kinase Inhibitor PF-03814735", "Aurora Kinase Inhibitor SNS-314", "Aurora Kinase Inhibitor TTP607", "Aurora Kinase/VEGFR2 Inhibitor CYC116", "Autologous ACTR-CD16-CD28-expressing T-lymphocytes ACTR707", "Autologous AFP Specific T Cell Receptor Transduced T Cells C-TCR055", "Autologous Anti-BCMA CAR T-cells PHE885", "Autologous Anti-BCMA CAR-transduced T-cells KITE-585", "Autologous Anti-BCMA CD8+ CAR T-cells Descartes-11", "Autologous Anti-BCMA-CAR Expressing Stem Memory T-cells P-BCMA-101", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing CD4+/CD8+ T-lymphocytes JCARH125", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing Memory T-lymphocytes bb21217", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing T-cells C-CAR088", "Autologous Anti-BCMA-CAR-4-1BB-CD3zeta-expressing T-cells CT053", "Autologous Anti-BCMA-CAR-expressing CD4+/CD8+ T-lymphocytes FCARH143", "Autologous Anti-CD123 CAR-T Cells", "Autologous Anti-CD19 CAR T-cells 19(T2)28z1xx", "Autologous Anti-CD19 CAR T-cells IM19", "Autologous Anti-CD19 CAR TCR-zeta/4-1BB-transduced T-lymphocytes huCART19", "Autologous Anti-CD19 CAR-4-1BB-CD3zeta-expressing T-cells CNCT19", "Autologous Anti-CD19 CAR-CD28 T-cells ET019002", "Autologous Anti-CD19 CAR-CD3zeta-4-1BB-expressing T-cells PZ01", "Autologous Anti-CD19 CAR-expressing T-lymphocytes CLIC-1901", "Autologous Anti-CD19 Chimeric Antigen Receptor T-cells AUTO1", "Autologous Anti-CD19 Chimeric Antigen Receptor T-cells SJCAR19", "Autologous Anti-CD19 T-cell Receptor T cells ET190L1", "Autologous Anti-CD19 TAC-T cells TAC01-CD19", "Autologous Anti-CD19/CD20 Bispecific Nanobody-based CAR-T cells", "Autologous Anti-CD19/CD22 CAR T-cells AUTO3", "Autologous Anti-CD19CAR-4-1BB-CD3zeta-EGFRt-expressing CD4+/CD8+ Central Memory T-lymphocytes JCAR014", "Autologous Anti-CD19CAR-HER2t/CD22CAR-EGFRt-expressing T-cells", "Autologous Anti-CD20 CAR Transduced CD4/CD8 Enriched T-cells MB-CART20.1", "Autologous Anti-CD22 CAR-4-1BB-TCRz-transduced T-lymphocytes CART22-65s", "Autologous Anti-EGFR CAR-transduced CXCR 5-modified T-lymphocytes", "Autologous Anti-FLT3 CAR T Cells AMG 553", "Autologous Anti-HLA-A*02/AFP TCRm-expressing T-cells ET140202", "Autologous Anti-HLA-A*0201/AFP CAR T-cells ET1402L1", "Autologous Anti-ICAM-1-CAR-CD28-4-1BB-CD3zeta-expressing T-cells AIC100", "Autologous Anti-kappa Light Chain CAR-CD28-expressing T-lymphocytes", "Autologous Anti-NY-ESO-1/LAGE-1 TCR-transduced c259 T Lymphocytes GSK3377794", "Autologous Anti-PD-1 Antibody-activated Tumor-infiltrating Lymphocytes", "Autologous Anti-PSMA CAR-T Cells P-PSMA-101", "Autologous AXL-targeted CAR T-cells CCT301-38", "Autologous B-cell/Monocyte-presenting HER2/neu Antigen Vaccine BVAC-B", "Autologous BCMA-targeted CAR T Cells CC-98633", "Autologous BCMA-targeted CAR T Cells LCAR-B4822M", "Autologous Bi-epitope BCMA-targeted CAR T-cells JNJ-68284528", "Autologous Bispecific BCMA/CD19-targeted CAR-T Cells GC012F", "Autologous Bispecific CD19/CD22-targeted CAR-T Cells GC022", "Autologous Bone Marrow-derived CD34/CXCR4-positive Stem Cells AMR-001", "Autologous CAR-mbIL15-Safety Switch T-cells PRGN-3005", "Autologous CAR-mbIL15-Safety Switch T-cells PRGN-3006", "Autologous CD123-4SCAR-expressing T-cells 4SCAR123", "Autologous CD19 CAR-expressing CD4+/CD8+ T-cells MB-CART19.1", "Autologous CD19-targeted CAR T Cells CC-97540", "Autologous CD19-targeted CAR T Cells JWCAR029", "Autologous CD19-targeted CAR-T Cells GC007F", "Autologous CD19/PD-1 Bispecific CAR-T Cells", "Autologous CD20-4SCAR-expressing T-cells 4SCAR20", "Autologous CD22-4SCAR-expressing T-cells 4SCAR22", "Autologous CD38-4SCAR-expressing T-cells 4SCAR38", "Autologous Clonal Neoantigen T Cells ATL001", "Autologous CRISPR-edited Anti-CD19 CAR T Cells XYF19", "Autologous Deep IL-15 Primed T-cells TRQ15-01", "Autologous Dendritic Cell Vaccine ACT2001", "Autologous Dendritic Cell-based Immunotherapeutic AV0113", "Autologous FRa-4SCAR-expressing T-cells 4SCAR-FRa", "Autologous Genetically-modified MAGE-A4 C1032 CD8alpha T Cells", "Autologous Genetically-modified MAGE-A4 C1032 T Cells", "Autologous Heat-Shock Protein 70 Peptide Vaccine AG-858", "Autologous HPV16 E7-specific HLA-A*02:01-restricted TCR Gene Engineered Lymphocytes KITE-439", "Autologous LMP1/LMP2/EBNA1-specific HLA-A02:01/24:02/11:01-restricted TCR-expressing T-lymphocytes YT-E001", "Autologous MAGE-A3/A6-specific TCR Gene-engineered Lymphocytes KITE-718", "Autologous MCPyV-specific HLA-A02-restricted TCR-transduced CD4+ and CD8+ T-cells FH-MCVA2TCR", "Autologous Mesenchymal Stem Cells Apceth_101", "Autologous Mesothelin-specific Human mRNA CAR-transfected PBMCs MCY-M11", "Autologous Monocyte-derived Lysate-pulsed Dendritic Cell Vaccine PV-001-DC", "Autologous Multi-lineage Potential Cells", "Autologous Nectin-4/FAP-targeted CAR-T Cells", "Autologous NKG2D CAR T-cells CYAD-02", "Autologous NKG2D CAR-CD3zeta-DAP10-expressing T-Lymphocytes CYAD-01", "Autologous Pancreatic Adenocarcinoma Lysate and mRNA-loaded Dendritic Cell Vaccine", "Autologous Peripheral Blood Lymphocytes from Ibrutinib-treated Chronic Lymphocytic Leukemia Patients IOV-2001", "Autologous Prostate Cancer Antigen-expressing Dendritic Cell Vaccine BPX-101", "Autologous Prostate Stem Cell Antigen-specific CAR T Cells BPX-601", "Autologous Rapamycin-resistant Th1/Tc1 Cells RAPA-201", "Autologous ROR2-targeted CAR T-cells CCT301-59", "Autologous TAAs-loaded Autologous Dendritic Cells AV-GBM-1", "Autologous TCR-engineered T-cells IMA201", "Autologous TCR-engineered T-cells IMA202", "Autologous TCR-engineered T-cells IMA203", "Autologous TCRm-expressing T-cells ET140203", "Autologous Tetravalent Dendritic Cell Vaccine MIDRIX4-LUNG", "Autologous Tumor Infiltrating Lymphocytes LN-144", "Autologous Tumor Infiltrating Lymphocytes LN-145", "Autologous Tumor Infiltrating Lymphocytes LN-145-S1", "Autologous Tumor Infiltrating Lymphocytes MDA-TIL", "Autologous Universal CAR-expressing T-lymphocytes UniCAR02-T", "Avadomide", "Avadomide Hydrochloride", "Avapritinib", "Avdoralimab", "Avelumab", "Aviscumine", "Avitinib Maleate", "Axalimogene Filolisbac", "Axatilimab", "Axicabtagene Ciloleucel", "Axitinib", "AXL Inhibitor DS-1205c", "AXL Inhibitor SLC-391", "AXL Receptor Tyrosine Kinase/cMET Inhibitor BPI-9016M", "AXL/ FLT3/VEGFR2 Inhibitor KC1036", "Axl/Mer Inhibitor INCB081776", "Axl/Mer Inhibitor PF-07265807", "Azacitidine", "Azapicyl", "Azaribine", "Azaserine", "Azathioprine", "Azimexon", "Azintuxizumab Vedotin", "Aziridinylbenzoquinone RH1", "Azotomycin", "Azurin:50-77 Cell Penetrating Peptide p28", "B-Raf/VEGFR-2 Inhibitor RAF265", "Babaodan Capsule", "Bacillus Calmette-Guerin Substrain Connaught Live Antigen", "Bactobolin", "Bafetinib", "Balixafortide", "Balstilimab", "Baltaleucel-T", "Banoxantrone", "Barasertib", "Bardoxolone", "Bardoxolone Methyl", "Baricitinib", "Batabulin", "Batabulin Sodium", "Batimastat", "Bavituximab", "Bazedoxifene", "Bazlitoran", "BC-819 Plasmid/Polyethylenimine Complex", "BCG Solution", "BCG Tokyo-172 Strain Solution", "BCG Vaccine", "Bcl-2 Inhibitor APG 2575", "Bcl-2 Inhibitor BCL201", "Bcl-2 Inhibitor BGB-11417", "Bcl-2 Inhibitor LP-108", "Bcl-2 Inhibitor S65487", "Bcl-Xs Adenovirus Vaccine", "BCMA x CD3 T-cell Engaging Antibody CC-93269", "BCMA-CD19 Compound CAR T Cells", "BCMA/CD3e Tri-specific T-cell Activating Construct HPN217", "Bcr-Abl Kinase Inhibitor K0706", "Bcr-Abl Kinase Inhibitor PF-114", "BCR-ABL/KIT/AKT/ERK Inhibitor HQP1351", "Beauvericin", "Becatecarin", "Belagenpumatucel-L", "Belantamab Mafodotin", "Belapectin", "Belimumab", "Belinostat", "Belotecan Hydrochloride", "Belvarafenib", "Belzutifan", "Bemarituzumab", "Bemcentinib", "Bempegaldesleukin", "Benaxibine", "Bendamustine", "Bendamustine Hydrochloride", "Bendamustine-containing Nanoparticle-based Formulation RXDX-107", "Benzaldehyde Dimethane Sulfonate", "Benzoylphenylurea", "Berberine Chloride", "Bermekimab", "Bersanlimab", "Berubicin Hydrochloride", "Berzosertib", "BET Bromodomain Inhibitor ZEN-3694", "BET Inhibitor ABBV-744", "BET Inhibitor BAY1238097", "BET inhibitor BI 894999", "BET Inhibitor BMS-986158", "BET Inhibitor CC-90010", "BET Inhibitor CPI-0610", "BET Inhibitor FT-1101", "BET Inhibitor GS-5829", "BET Inhibitor GSK2820151", "BET Inhibitor INCB054329", "BET Inhibitor INCB057643", "BET Inhibitor RO6870810", "BET-bromodomain Inhibitor ODM-207", "Beta Alethine", "Beta-Carotene", "Beta-elemene", "Beta-Glucan", "Beta-Glucan MM-10-001", "Beta-lapachone Prodrug ARQ 761", "Beta-Thioguanine Deoxyriboside", "Betaglucin Gel", "Betulinic Acid", "Bevacizumab", "Bexarotene", "Bexmarilimab", "BF-200 Gel Formulation", "BH3 Mimetic ABT-737", "Bi-functional Alkylating Agent VAL-083", "Bicalutamide", "Bimiralisib", "Binetrakin", "Binimetinib", "Bintrafusp Alfa", "Birabresib", "Birinapant", "Bis(choline)tetrathiomolybdate", "Bisantrene", "Bisantrene Hydrochloride", "Bisnafide", "Bisnafide Dimesylate", "Bispecific Antibody 2B1", "Bispecific Antibody AGEN1223", "Bispecific Antibody AMG 509", "Bispecific Antibody GS-1423", "Bispecific Antibody MDX-H210", "Bispecific Antibody MDX447", "Bisthianostat", "BiTE Antibody AMG 910", "Bivalent BRD4 Inhibitor AZD5153", "Bizalimogene Ralaplasmid", "Bizelesin", "BL22 Immunotoxin", "Black Cohosh", "Black Raspberry Nectar", "Bleomycin", "Bleomycin A2", "Bleomycin B2", "Bleomycin Sulfate", "Blinatumomab", "Blueberry Powder Supplement", "BMI1 Inhibitor PTC596", "BMS-184476", "BMS-188797", "BMS-214662", "BMS-275183", "Boanmycin Hydrochloride", "Bomedemstat", "Boronophenylalanine-Fructose Complex", "Bortezomib", "Bosutinib", "Bosutinib Monohydrate", "Botanical Agent BEL-X-HG", "Botanical Agent LEAC-102", "Bovine Cartilage", "Bozitinib", "BP-Cx1-Platinum Complex BP-C1", "BR96-Doxorubicin Immunoconjugate", "Brachyury-expressing Yeast Vaccine GI-6301", "BRAF Inhibitor", "BRAF Inhibitor ARQ 736", "BRAF Inhibitor BGB-3245", "BRAF Inhibitor PLX8394", "BRAF(V600E) Kinase Inhibitor ABM-1310", "BRAF(V600E) Kinase Inhibitor RO5212054", "BRAF/EGFR Inhibitor BGB-283", "BRAFV600/PI3K Inhibitor ASN003", "BRD4 Inhibitor PLX2853", "BRD4 Inhibitor PLX51107", "Breflate", "Brentuximab", "Brentuximab Vedotin", "Brequinar", "Brequinar Sodium", "Briciclib Sodium", "Brigatinib", "Brilanestrant", "Brimonidine Tartrate Nanoemulsion OCU-300", "Brivanib", "Brivanib Alaninate", "Brivudine", "Brivudine Phosphoramidate", "Broad-Spectrum Human Papillomavirus Vaccine V505", "Broccoli Sprout/Broccoli Seed Extract Supplement", "Bromacrylide", "Bromebric Acid", "Bromocriptine Mesylate", "Brontictuzumab", "Brostacillin Hydrochloride", "Brostallicin", "Broxuridine", "Bruceanol A", "Bruceanol B", "Bruceanol C", "Bruceanol D", "Bruceanol E", "Bruceanol F", "Bruceanol G", "Bruceanol H", "Bruceantin", "Bryostatin 1", "BTK Inhibitor ARQ 531", "BTK Inhibitor CT-1530", "BTK Inhibitor DTRMWXHS-12", "BTK Inhibitor HZ-A-018", "BTK Inhibitor ICP-022", "BTK Inhibitor LOXO-305", "BTK Inhibitor M7583", "BTK inhibitor TG-1701", "Budigalimab", "Budotitane", "Bufalin", "Buparlisib", "Burixafor", "Burixafor Hydrobromide", "Burosumab", "Buserelin", "Bushen Culuan Decoction", "Bushen-Jianpi Decoction", "Busulfan", "Buthionine Sulfoximine", "BXQ-350 Nanovesicle Formulation", "c-Kit Inhibitor PLX9486", "c-Met Inhibitor ABN401", "c-Met Inhibitor AL2846", "c-Met Inhibitor AMG 208", "c-Met Inhibitor AMG 337", "c-Met Inhibitor GST-HG161", "c-Met Inhibitor HS-10241", "c-Met Inhibitor JNJ-38877605", "c-Met Inhibitor MK2461", "c-Met Inhibitor MK8033", "c-Met Inhibitor MSC2156119J", "C-myb Antisense Oligonucleotide G4460", "c-raf Antisense Oligonucleotide ISIS 5132", "C-VISA BikDD:Liposome", "C/EBP Beta Antagonist ST101", "CAB-ROR2-ADC BA3021", "Cabazitaxel", "Cabiralizumab", "Cabozantinib", "Cabozantinib S-malate", "Cactinomycin", "Caffeic Acid Phenethyl Ester", "CAIX Inhibitor DTP348", "CAIX Inhibitor SLC-0111", "Calaspargase Pegol-mknl", "Calcitriol", "Calcium Release-activated Channel Inhibitor CM4620", "Calcium Release-activated Channels Inhibitor RP4010", "Calcium Saccharate", "Calculus bovis/Moschus/Olibanum/Myrrha Capsule", "Calicheamicin Gamma 1I", "Camidanlumab Tesirine", "Camptothecin", "Camptothecin Analogue TLC388", "Camptothecin Glycoconjugate BAY 38-3441", "Camptothecin Sodium", "Camptothecin-20(S)-O-Propionate Hydrate", "Camrelizumab", "Camsirubicin", "Cancell", "Cancer Peptide Vaccine S-588410", "Canerpaturev", "Canertinib Dihydrochloride", "Canfosfamide", "Canfosfamide Hydrochloride", "Cannabidiol", "Cantrixil", "Cantuzumab Ravtansine", "Capecitabine", "Capecitabine Rapidly Disintegrating Tablet", "Capivasertib", "Capmatinib", "Captopril", "CAR T-Cells AMG 119", "Caracemide", "Carbendazim", "Carbetimer", "Carbogen", "Carbon C 14-pamiparib", "Carboplatin", "Carboquone", "Carboxyamidotriazole", "Carboxyamidotriazole Orotate", "Carboxyphenyl Retinamide", "Carfilzomib", "Caricotamide/Tretazicar", "Carlumab", "Carmofur", "Carmustine", "Carmustine Implant", "Carmustine in Ethanol", "Carmustine Sustained-Release Implant Wafer", "Carotuximab", "Carubicin", "Carubicin Hydrochloride", "Carzelesin", "Carzinophilin", "Cathelicidin LL-37", "Cationic Liposome-Encapsulated Paclitaxel", "Cationic Peptide Cream Cypep-1", "Catumaxomab", "CBP/beta-catenin Antagonist PRI-724", "CBP/beta-catenin Modulator E7386", "CCR2 Antagonist CCX872-B", "CCR2 Antagonist PF-04136309", "CCR2/CCR5 Antagonist BMS-813160", "CCR4 Inhibitor FLX475", "CD11b Agonist GB1275", "CD123-CD33 Compound CAR T Cells", "CD123-specific Targeting Module TM123", "CD20-CD19 Compound CAR T Cells", "CD28/ICOS Antagonist ALPN-101", "CD4-specific Telomerase Peptide Vaccine UCPVax", "CD40 Agonist Monoclonal Antibody CP-870,893", "CD40 Agonistic Monoclonal Antibody APX005M", "CD44 Targeted Agent SPL-108", "CD44v6-specific CAR T-cells", "CD47 Antagonist ALX148", "CD73 Inhibitor AB680", "CD73 Inhibitor LY3475070", "CD80-Fc Fusion Protein ALPN-202", "CD80-Fc Fusion Protein FPT155", "CDC7 Inhibitor TAK-931", "CDC7 Kinase Inhibitor BMS-863233", "CDC7 Kinase Inhibitor LY3143921 Hydrate", "CDC7 Kinase Inhibitor NMS-1116354", "CDK Inhibitor AT7519", "CDK Inhibitor R547", "CDK Inhibitor SNS-032", "CDK/JAK2/FLT3 Inhibitor TG02 Citrate", "CDK1 Inhibitor BEY1107", "CDK1/2/4 Inhibitor AG-024322", "CDK2 Inhibitor PF-07104091", "CDK2/4/6/FLT3 Inhibitor FN-1501", "CDK2/5/9 Inhibitor CYC065", "CDK4 Inhibitor P1446A-05", "CDK4/6 Inhibitor", "CDK4/6 Inhibitor BPI-16350", "CDK4/6 Inhibitor CS3002", "CDK4/6 Inhibitor FCN-437", "CDK4/6 Inhibitor G1T38", "CDK4/6 Inhibitor HS-10342", "CDK4/6 Inhibitor SHR6390", "CDK4/6 Inhibitor TQB3616", "CDK7 Inhibitor CT7001", "CDK7 Inhibitor SY-1365", "CDK7 Inhibitor SY-5609", "CDK8/19 Inhibitor SEL 120", "CDK9 Inhibitor AZD4573", "CEA-MUC-1-TRICOM Vaccine CV301", "CEA-targeting Agent RG6123", "CEBPA-targeting saRNA MTL-CEBPA Liposome", "Cedazuridine", "Cedazuridine/Azacitidine Combination Agent ASTX030", "Cedazuridine/Decitabine Combination Agent ASTX727", "Cedefingol", "Cediranib", "Cediranib Maleate", "Celecoxib", "Cell Cycle Checkpoint/DNA Repair Antagonist IC83", "Cemadotin", "Cemadotin Hydrochloride", "Cemiplimab", "Cenersen", "Cenisertib", "CENP-E Inhibitor GSK-923295", "Ceralasertib", "Ceramide Nanoliposome", "Cerdulatinib", "Cereblon E3 Ubiquitin Ligase Modulating Agent CC-92480", "Cereblon E3 Ubiquitin Ligase Modulating Agent CC-99282", "Cereblon Modulator CC-90009", "Cergutuzumab Amunaleukin", "Ceritinib", "Cesalin", "cEt KRAS Antisense Oligonucleotide AZD4785", "Cetrelimab", "Cetuximab", "Cetuximab Sarotalocan", "Cetuximab-IR700 Conjugate RM-1929", "Cetuximab-loaded Ethylcellulose Polymeric Nanoparticles Decorated with Octreotide (SY)", "Cevipabulin", "Cevipabulin Fumarate", "Cevipabulin Succinate", "Cevostamab", "cFMS Tyrosine Kinase Inhibitor ARRY-382", "Chaparrin", "Chaparrinone", "Checkpoint Kinase Inhibitor AZD7762", "Checkpoint Kinase Inhibitor XL844", "Chemotherapy", "Chiauranib", "Chimeric Monoclonal Antibody 81C6", "ChiNing Decoction", "Chk1 Inhibitor CCT245737", "Chk1 Inhibitor GDC-0425", "Chk1 Inhibitor GDC-0575", "CHK1 Inhibitor MK-8776", "CHK1 Inhibitor PF-477736", "Chlorambucil", "Chlorodihydropyrimidine", "Chloroquine", "Chloroquinoxaline Sulfonamide", "Chlorotoxin", "Chlorotoxin (EQ)-CD28-CD3zeta-CD19t-expressing CAR T-lymphocytes", "Chlorozotocin", "Choline Kinase Alpha Inhibitor TCD-717", "CHP-NY-ESO-1 Peptide Vaccine IMF-001", "Chromomycin A3", "Chrysanthemum morifolium/Ganoderma lucidum/Glycyrrhiza glabra/Isatis indigotica/Panax pseudoginseng/Rabdosia rubescens/Scutellaria baicalensis/Serona repens Supplement", "Cibisatamab", "Ciclopirox Prodrug CPX-POM", "Cidan Herbal Capsule", "Ciforadenant", "Cilengitide", "Ciltacabtagene Autoleucel", "Cimetidine", "Cinacalcet Hydrochloride", "Cinobufagin", "Cinobufotalin", "Cinrebafusp Alfa", "Cintirorgon", "Cintredekin Besudotox", "Cirmtuzumab", "cis-Urocanic Acid", "Cisplatin", "Cisplatin Liposomal", "Cisplatin-E Therapeutic Implant", "Cisplatin/Vinblastine/Cell Penetration Enhancer Formulation INT230-6", "Citarinostat", "Citatuzumab Bogatox", "Cixutumumab", "CK1alpha/CDK7/CDK9 Inhibitor BTX-A51", "CK2-targeting Synthetic Peptide CIGB-300", "CL 246738", "Cladribine", "Clanfenur", "Clarithromycin", "Class 1/4 Histone Deacetylase Inhibitor OKI-179", "Clinical Trial", "Clinical Trial Agent", "Clioquinol", "Clivatuzumab", "Clodronate Disodium", "Clodronic Acid", "Clofarabine", "Clomesone", "Clomiphene", "Clomiphene Citrate", "Clostridium Novyi-NT Spores", "Cobimetinib", "Cobolimab", "Cobomarsen", "Codrituzumab", "Coenzyme Q10", "Cofetuzumab Pelidotin", "Colchicine-Site Binding Agent ABT-751", "Cold Contaminant-free Iobenguane I-131", "Colloidal Gold-Bound Tumor Necrosis Factor", "Colorectal Cancer Peptide Vaccine PolyPEPI1018", "Colorectal Tumor-Associated Peptides Vaccine IMA910", "Coltuximab Ravtansine", "Combretastatin", "Combretastatin A-1", "Combretastatin A1 Diphosphate", "Commensal Bacterial Strain Formulation VE800", "Compound Kushen Injection", "Conatumumab", "Conbercept", "Concentrated Lingzhi Mushroom Extract", "Conditionally Active Biologic Anti-AXL Antibody-drug Conjugate BA3011", "Copanlisib", "Copanlisib Hydrochloride", "Copper Cu 64-ATSM", "Copper Cu 67 Tyr3-octreotate", "Copper Gluconate", "Cord Blood Derived CAR T-Cells", "Cord Blood-derived Expanded Natural Killer Cells PNK-007", "Cordycepin", "Cordycepin Triphosphate", "Coriolus Versicolor Extract", "Corticorelin Acetate", "Cortisone Acetate", "Cosibelimab", "Cositecan", "Coxsackievirus A21", "Coxsackievirus V937", "CpG Oligodeoxynucleotide GNKG168", "Crenolanib", "Crenolanib Besylate", "Crizotinib", "Crolibulin", "Cryptophycin", "Cryptophycin 52", "Crystalline Genistein Formulation AXP107-11", "CSF-1R Inhibitor BLZ945", "CSF1R Inhibitor ABSK021", "CSF1R Inhibitor DCC-3014", "CSF1R Inhibitor PLX73086", "CT2584 HMS", "CTLA-4-directed Probody BMS-986249", "Curcumin", "Curcumin/Doxorubicin-encapsulating Nanoparticle IMX-110", "Cusatuzumab", "Custirsen Sodium", "CXC Chemokine Receptor 2 Antagonist AZD5069", "CXCR1/2 Inhibitor SX-682", "CXCR2 Antagonist QBM076", "CXCR4 Antagonist BL-8040", "CXCR4 Antagonist USL311", "CXCR4 Inhibitor Q-122", "CXCR4 Peptide Antagonist LY2510924", "CXCR4/E-selectin Antagonist GMI-1359", "Cyclin-dependent Kinase 8/19 Inhibitor BCD 115", "Cyclin-dependent Kinase Inhibitor PF-06873600", "Cyclodextrin-Based Polymer-Camptothecin CRLX101", "Cyclodisone", "Cycloleucine", "Cyclopentenyl Cytosine", "Cyclophosphamide", "Cyclophosphamide Anhydrous", "Cyclosporine", "CYL-02 Plasmid DNA", "CYP11A1 inhibitor ODM-208", "CYP11A1 Inhibitor ODM-209", "CYP17 Inhibitor CFG920", "CYP17 Lyase Inhibitor ASN001", "CYP17/Androgen Receptor Inhibitor ODM 204", "CYP17/CYP11B2 Inhibitor LAE001", "Cyproterone", "Cyproterone Acetate", "Cytarabine", "Cytarabine Monophosphate Prodrug MB07133", "Cytarabine-asparagine Prodrug BST-236", "Cytidine Analog RX-3117", "Cytochlor", "Cytokine-based Biologic Agent IRX-2", "D-methionine Formulation MRX-1024", "DAB389 Epidermal Growth Factor", "Dabrafenib", "Dabrafenib Mesylate", "Dacarbazine", "Dacetuzumab", "DACH Polymer Platinate AP5346", "DACH-Platin Micelle NC-4016", "Daclizumab", "Dacomitinib", "Dacplatinum", "Dactinomycin", "Dactolisib", "Dactolisib Tosylate", "Dalantercept", "Dalotuzumab", "Daniquidone", "Danusertib", "Danvatirsen", "Daporinad", "Daratumumab", "Daratumumab and Hyaluronidase-fihj", "Daratumumab/rHuPH20", "Darinaparsin", "Darleukin", "Darolutamide", "Daromun", "Dasatinib", "Daunorubicin", "Daunorubicin Citrate", "Daunorubicin Hydrochloride", "DEC-205/NY-ESO-1 Fusion Protein CDX-1401", "Decitabine", "Decitabine and Cedazuridine", "Defactinib", "Defactinib Hydrochloride", "Deferoxamine", "Deferoxamine Mesylate", "Degarelix", "Degarelix Acetate", "Delanzomib", "Delolimogene Mupadenorepvec", "Demcizumab", "Demecolcine", "Demplatin Pegraglumer", "Dendrimer-conjugated Bcl-2/Bcl-XL Inhibitor AZD0466", "Dendritic Cell Vaccine", "Dendritic Cell-Autologous Lung Tumor Vaccine", "Dendritic Cell-targeting Lentiviral Vector ID-LV305", "Denenicokin", "Dengue Virus Adjuvant PV-001-DV", "Denibulin", "Denibulin Hydrochloride", "Denileukin Diftitox", "Denintuzumab Mafodotin", "Denosumab", "Deoxycytidine Analogue TAS-109", "Deoxycytidine Analogue TAS-109 Hydrochloride", "Depatuxizumab", "Depatuxizumab Mafodotin", "Derazantinib", "Deslorelin", "Deslorelin Acetate", "Detirelix", "Detorubicin", "Deuteporfin", "Deuterated Enzalutamide", "Devimistat", "Dexamethason", "Dexamethasone", "Dexamethasone Phosphate", "Dexamethasone Sodium Phosphate", "Dexanabinol", "Dexrazoxane", "Dexrazoxane Hydrochloride", "Dezaguanine", "Dezaguanine Mesylate", "Dezapelisib", "DHA-Paclitaxel", "DHEA Mustard", "DI-Leu16-IL2 Immunocytokine", "Dianhydrogalactitol", "Diarylsulfonylurea Compound ILX-295501", "Diazepinomicin", "Diaziquone", "Diazooxonorleucine", "Dibrospidium Chloride", "Dichloroallyl Lawsone", "Dicycloplatin", "Didox", "Dienogest", "Diethylnorspermine", "Digitoxin", "Digoxin", "Dihydro-5-Azacytidine", "Dihydrolenperone", "Dihydroorotate Dehydrogenase Inhibitor AG-636", "Dihydroorotate Dehydrogenase Inhibitor BAY2402234", "Diindolylmethane", "Dilpacimab", "Dimethylmyleran", "Dinaciclib", "Dinutuximab", "Dioscorea nipponica Makino Extract DNE3", "Diphencyprone", "Diphtheria Toxin Fragment-Interleukin-2 Fusion Protein E7777", "Ditiocarb", "DKK1-Neutralizing Monoclonal Antibody DKN-01", "DM-CHOC-PEN", "DM4-Conjugated Anti-Cripto Monoclonal Antibody BIIB015", "DNA Interference Oligonucleotide PNT2258", "DNA Minor Groove Binding Agent SG2000", "DNA Plasmid Encoding Interleukin-12 INO-9012", "DNA Plasmid-encoding Interleukin-12 INO-9012/PSA/PSMA DNA Plasmids INO-5150 Formulation INO-5151", "DNA Plasmid-encoding Interleukin-12/HPV DNA Plasmids Therapeutic Vaccine MEDI0457", "DNA Vaccine VB10.16", "DNA-dependent Protein Kinase Inhibitor VX-984", "DNA-PK inhibitor AZD7648", "DNA-PK/PI3K-delta Inhibitor BR101801", "DNA-PK/TOR Kinase Inhibitor CC-115", "DNMT1 Inhibitor NTX-301", "DNMT1 Mixed-Backbone Antisense Oligonucleotide MG 98", "Docetaxel", "Docetaxel Anhydrous", "Docetaxel Emulsion ANX-514", "Docetaxel Formulation CKD-810", "Docetaxel Lipid Microspheres", "Docetaxel Nanoparticle CPC634", "Docetaxel Polymeric Micelles", "Docetaxel-loaded Nanopharmaceutical CRLX301", "Docetaxel-PNP", "Docetaxel/Ritonavir", "Dociparstat sodium", "Dolastatin 10", "Dolastatin 15", "Domatinostat", "Donafenib", "Dopamine-Somatostatin Chimeric Molecule BIM-23A760", "Dostarlimab", "Double-armed TMZ-CD40L/4-1BBL Oncolytic Ad5/35 Adenovirus LOAd703", "Dovitinib", "Dovitinib Lactate", "Doxazosin", "Doxercalciferol", "Doxifluridine", "Doxorubicin", "Doxorubicin Hydrochloride", "Doxorubicin Prodrug L-377,202", "Doxorubicin Prodrug/Prodrug-activating Biomaterial SQ3370", "Doxorubicin-Eluting Beads", "Doxorubicin-HPMA Conjugate", "Doxorubicin-loaded EGFR-targeting Nanocells", "Doxorubicin-Magnetic Targeted Carrier Complex", "DPT/BCG/Measles/Serratia/Pneumococcus Vaccine", "DPT/Typhoid/Staphylococcus aureus/Paratyphoid A/Paratyphoid B Vaccine", "DPX-E7 HPV Vaccine", "DR5 HexaBody Agonist GEN1029", "DR5-targeting Tetrameric Nanobody Agonist TAS266", "Dromostanolone Propionate", "Drozitumab", "DTRMWXHS-12/Everolimus/Pomalidomide Combination Agent DTRM-555", "Dual IGF-1R/InsR Inhibitor BMS-754807", "Dual Variable Domain Immunoglobulin ABT-165", "Dual-affinity B7-H3/CD3-targeted Protein MGD009", "Dubermatinib", "Duborimycin", "Dulanermin", "Duligotuzumab", "Dupilumab", "Durvalumab", "Dusigitumab", "dUTPase/DPD Inhibitor TAS-114", "Duvelisib", "Duvortuxizumab", "Dynemicin", "Dynemicin A", "E2F1 Pathway Activator ARQ 171", "EBNA-1 inhibitor VK-2019", "Echinomycin", "Ecromeximab", "Edatrexate", "Edelfosine", "Edicotinib", "Edodekin alfa", "Edotecarin", "Edrecolomab", "EED Inhibitor MAK683", "Efatutazone", "Efatutazone Dihydrochloride", "Efizonerimod", "Eflornithine", "Eflornithine Hydrochloride", "Eftilagimod Alpha", "Eftozanermin Alfa", "Eg5 Kinesin-Related Motor Protein Inhibitor 4SC-205", "Eg5 Kinesin-Related Motor Protein Inhibitor ARQ 621", "EGb761", "EGFR Antagonist Hemay022", "EGFR Antisense DNA BB-401", "EGFR Inhibitor AZD3759", "EGFR Inhibitor BIBX 1382", "EGFR Inhibitor DBPR112", "EGFR Inhibitor PD-168393", "EGFR Inhibitor TY-9591", "EGFR Mutant-selective Inhibitor TQB3804", "EGFR Mutant-specific Inhibitor BPI-7711", "EGFR Mutant-specific Inhibitor CK-101", "EGFR Mutant-specific Inhibitor D-0316", "EGFR Mutant-specific Inhibitor ZN-e4", "EGFR T790M Antagonist BPI-15086", "EGFR T790M Inhibitor HS-10296", "EGFR/EGFRvIII Inhibitor WSD0922-FU", "EGFR/FLT3/Abl Inhibitor SKLB1028", "EGFR/HER1/HER2 Inhibitor PKI166", "EGFR/HER2 Inhibitor AP32788", "EGFR/HER2 Inhibitor AV-412", "EGFR/HER2 Inhibitor DZD9008", "EGFR/HER2 Kinase Inhibitor TAK-285", "EGFR/TGFb Fusion Monoclonal Antibody BCA101", "EGFR/VEGFR/RET Inhibitor HA121-28", "Eicosapentaenoic Acid", "eIF4E Antisense Oligonucleotide ISIS 183750", "Elacestrant", "Elacytarabine", "Elagolix", "Elbasvir/Grazoprevir", "Elesclomol", "Elesclomol Sodium", "Elgemtumab", "Elinafide", "Elisidepsin", "Elliptinium", "Elliptinium Acetate", "Elmustine", "Elotuzumab", "Elpamotide", "Elsamitrucin", "Eltanexor", "Emactuzumab", "Emapalumab", "Emepepimut-S", "Emibetuzumab", "Emitefur", "Emofolin Sodium", "Empesertib", "Enadenotucirev", "Enadenotucirev-expressing Anti-CD40 Agonistic Monoclonal Antibody NG-350A", "Enadenotucirev-expressing FAP/CD3 Bispecific FAP-TAc NG-641", "Enasidenib", "Enasidenib Mesylate", "Enavatuzumab", "Encapsulated Rapamycin", "Encelimab", "Enclomiphene", "Enclomiphene Citrate", "Encorafenib", "Endothelin B Receptor Blocker ENB 003", "Endothelin Receptor Type A Antagonist YM598", "Enfortumab Vedotin", "Engineered Human Umbilical Vein Endothelial Cells AB-205", "Engineered Red Blood Cells Co-expressing 4-1BBL and IL-15TP RTX-240", "Engineered Toxin Body Targeting CD38 TAK-169", "Engineered Toxin Body Targeting HER2 MT-5111", "Eniluracil/5-FU Combination Tablet", "Enloplatin", "Enoblituzumab", "Enobosarm", "Enoticumab", "Enpromate", "Ensartinib", "Ensituximab", "Enteric-Coated TRPM8 Agonist D-3263 Hydrochloride", "Enterococcus gallinarum Strain MRx0518", "Entinostat", "Entolimod", "Entospletinib", "Entrectinib", "Envafolimab", "Enzalutamide", "Enzastaurin", "Enzastaurin Hydrochloride", "EP2/EP4 Antagonist TPST-1495", "EP4 Antagonist INV-1120", "EP4 Antagonist ONO-4578", "Epacadostat", "Epcoritamab", "EphA2-targeting Bicycle Toxin Conjugate BT5528", "Epipodophyllotoxin Analog GL331", "Epipropidine", "Epirubicin", "Epirubicin Hydrochloride", "Epitinib Succinate", "Epitiostanol", "Epothilone Analog UTD1", "Epothilone KOS-1584", "Epratuzumab", "Epratuzumab-cys-tesirine", "ER alpha Proteolysis-targeting Chimera Protein Degrader ARV-471", "ERa36 Modulator Icaritin", "Erastin Analogue PRLX 93936", "Erbulozole", "Erdafitinib", "Eribulin", "Eribulin Mesylate", "ERK 1/2 Inhibitor ASTX029", "ERK Inhibitor CC-90003", "ERK Inhibitor GDC-0994", "ERK Inhibitor LTT462", "ERK Inhibitor MK-8353", "ERK1/2 Inhibitor ASN007", "ERK1/2 Inhibitor HH2710", "ERK1/2 Inhibitor JSI-1187", "ERK1/2 Inhibitor KO-947", "ERK1/2 Inhibitor LY3214996", "Erlotinib", "Erlotinib Hydrochloride", "Ertumaxomab", "Erythrocyte-encapsulated L-asparaginase Suspension", "Esorubicin", "Esorubicin Hydrochloride", "Esperamicin A1", "Essiac", "Esterified Estrogens", "Estradiol Valerate", "Estramustine", "Estramustine Phosphate Sodium", "Estrogen Receptor Agonist GTx-758", "Estrogens, Conjugated", "Etalocib", "Etanercept", "Etanidazole", "Etaracizumab", "Etarotene", "Ethaselen", "Ethinyl Estradiol", "Ethyleneimine", "Ethylnitrosourea", "Etidronate-Cytarabine Conjugate MBC-11", "Etigilimab", "Etirinotecan Pegol", "Etoglucid", "Etoposide", "Etoposide Phosphate", "Etoposide Toniribate", "Etoprine", "Etoricoxib", "Ets-family Transcription Factor Inhibitor TK216", "Everolimus", "Everolimus Tablets for Oral Suspension", "Evofosfamide", "Ex Vivo-expanded Autologous T Cells IMA101", "Exatecan Mesylate", "Exatecan Mesylate Anhydrous", "Exemestane", "Exicorilant", "Exisulind", "Extended Release Flucytosine", "Extended Release Metformin Hydrochloride", "Extended-release Onapristone", "Ezabenlimab", "EZH1/2 Inhibitor DS-3201", "EZH1/2 Inhibitor HH2853", "EZH2 inhibitor CPI-0209", "EZH2 Inhibitor CPI-1205", "EZH2 Inhibitor PF-06821497", "EZH2 Inhibitor SHR2554", "F16-IL2 Fusion Protein", "FACT Complex-targeting Curaxin CBL0137", "Factor VII-targeting Immunoconjugate Protein ICON-1", "Factor VIIa Inhibitor PCI-27483", "Fadraciclib", "Fadrozole Hydrochloride", "FAK Inhibitor GSK2256098", "FAK Inhibitor PF-00562271", "FAK Inhibitor VS-4718", "FAK/ALK/ROS1 Inhibitor APG-2449", "Falimarev", "Famitinib", "FAP/4-1BB-targeting DARPin MP0310", "FAP/4-1BB-targeting Fusion Protein RO7122290", "Farletuzumab", "Farnesyltransferase/Geranylgeranyltransferase Inhibitor L-778,123", "Fas Ligand-treated Allogeneic Mobilized Peripheral Blood Cells", "Fas Receptor Agonist APO010", "Fascin Inhibitor NP-G2-044", "FASN Inhibitor TVB-2640", "Favezelimab", "Fazarabine", "Fc-engineered Anti-CD40 Agonist Antibody 2141-V11", "Febuxostat", "Fedratinib", "Fedratinib Hydrochloride", "Feladilimab", "Felzartamab", "Fenebrutinib", "Fenretinide", "Fenretinide Lipid Matrix", "Fenretinide Phospholipid Suspension ST-001", "FGF Receptor Antagonist HGS1036", "FGF/FGFR Pathway Inhibitor E7090", "FGFR Inhibitor ASP5878", "FGFR Inhibitor AZD4547", "FGFR Inhibitor CPL304110", "FGFR Inhibitor Debio 1347", "FGFR Inhibitor TAS-120", "FGFR/CSF-1R Inhibitor 3D185", "FGFR/VEGFR/PDGFR/FLT3/SRC Inhibitor XL999", "FGFR1/2/3 Inhibitor HMPL-453", "FGFR2 Inhibitor RLY-4008", "FGFR4 Antagonist INCB062079", "FGFR4 Inhibitor BLU 9931", "FGFR4 Inhibitor FGF401", "FGFR4 Inhibitor H3B-6527", "FGFR4 Inhibitor ICP-105", "Fianlimab", "Fibromun", "Ficlatuzumab", "Figitumumab", "Filanesib", "Filgotinib", "Filgrastim", "Fimaporfin A", "Fimepinostat", "Firtecan Pegol", "Fisogatinib", "Flanvotumab", "Flotetuzumab", "Floxuridine", "FLT3 Inhibitor FF-10101 Succinate", "FLT3 Inhibitor HM43239", "FLT3 Inhibitor SKI-G-801", "Flt3 Ligand/Anti-CTLA-4 Antibody/IL-12 Engineered Oncolytic Vaccinia Virus RIVAL-01", "FLT3 Tyrosine Kinase Inhibitor TTT-3002", "FLT3/ABL/Aurora Kinase Inhibitor KW-2449", "FLT3/CDK4/6 Inhibitor FLX925", "FLT3/FGFR Dual Kinase Inhibitor MAX-40279", "FLT3/KIT Kinase Inhibitor AKN-028", "FLT3/KIT/CSF1R Inhibitor NMS-03592088", "Flt3/MerTK Inhibitor MRX-2843", "Fludarabine", "Fludarabine Phosphate", "Flumatinib", "Flumatinib Mesylate", "Fluorine F 18 Ara-G", "Fluorodopan", "Fluorouracil", "Fluorouracil Implant", "Fluorouracil-E Therapeutic Implant", "Fluoxymesterone", "Flutamide", "Fluvastatin", "Fluvastatin Sodium", "Fluzoparib", "FMS Inhibitor JNJ-40346527", "Fms/Trk Tyrosine Kinase Inhibitor PLX7486 Tosylate", "Folate Receptor Targeted Epothilone BMS753493", "Folate Receptor-Targeted Tubulysin Conjugate EC1456", "Folate Receptor-Targeted Vinca Alkaloid EC0489", "Folate Receptor-Targeted Vinca Alkaloid/Mitomycin C EC0225", "Folate-FITC", "Folic Acid", "Folitixorin", "Foretinib", "Foritinib Succinate", "Formestane", "Forodesine Hydrochloride", "Fosaprepitant", "Fosbretabulin", "Fosbretabulin Disodium", "Fosbretabulin Tromethamine", "Fosgemcitabine Palabenamide", "Fosifloxuridine Nafalbenamide", "Foslinanib", "Foslinanib Disodium", "Fosquidone", "Fostriecin", "Fotemustine", "Fotretamine", "FPV Vaccine CV301", "FPV-Brachyury-TRICOM Vaccine", "Fresolimumab", "Fruquintinib", "Fulvestrant", "Fumagillin-Derived Polymer Conjugate XMT-1107", "Fursultiamine", "Futibatinib", "Futuximab", "Futuximab/Modotuximab Mixture", "G Protein-coupled Estrogen Receptor Agonist LNS8801", "G-Quadruplex Stabilizer BMVC", "Galamustine", "Galarubicin", "Galectin Inhibitor GR-MD-02", "Galectin-1 Inhibitor OTX008", "Galeterone", "Galiximab", "Gallium-based Bone Resorption Inhibitor AP-002", "Galocitabine", "Galunisertib", "Gamboge Resin Extract TSB-9-W1", "Gamma-delta Tocotrienol", "Gamma-Secretase Inhibitor LY3039478", "Gamma-Secretase Inhibitor RO4929097", "Gandotinib", "Ganetespib", "Ganglioside GD2", "Ganglioside GM2", "Ganitumab", "Ganoderma lucidum Spores Powder Capsule", "Garlic", "Gastrin Immunotoxin", "Gastrin/cholecystokinin Type B Receptor Inhibitor Z-360", "Gataparsen Sodium", "Gatipotuzumab", "GBM Antigens and Alloantigens Immunotherapeutic Vaccine", "Gedatolisib", "Gefitinib", "Geldanamycin", "Gelonin", "Gemcitabine", "Gemcitabine Elaidate", "Gemcitabine Hydrochloride", "Gemcitabine Hydrochloride Emulsion", "Gemcitabine Prodrug LY2334737", "Gemcitabine-Phosphoramidate Hydrochloride NUC-1031", "Gemcitabine-Releasing Intravesical System", "Gemtuzumab Ozogamicin", "Genetically Modified Interleukin-12 Transgene-encoding Bifidobacterium longum", "Genistein", "Gentuximab", "Geranylgeranyltransferase I Inhibitor", "GI-4000 Vaccine", "Giloralimab", "Gilteritinib", "Gilteritinib Fumarate", "Gimatecan", "Gimeracil", "Ginsenoside Rg3 Capsule", "Giredestrant", "Girentuximab", "Girodazole", "GITR Agonist MEDI1873", "Givinostat", "Glasdegib", "Glasdegib Maleate", "Glaucarubolone", "Glecaprevir/Pibrentasvir", "Glembatumumab Vedotin", "Glesatinib", "Glioblastoma Cancer Vaccine ERC1671", "Glioblastoma Multiforme Multipeptide Vaccine IMA950", "Glioma Lysate Vaccine GBM6-AD", "Glioma-associated Peptide-loaded Dendritic Cell Vaccine SL-701", "Globo H-DT Vaccine OBI-833", "Glofitamab", "Glucarpidase", "Glucocorticoid Receptor Antagonist ORIC-101", "Glufosfamide", "Glumetinib", "Glutaminase Inhibitor CB-839", "Glutaminase Inhibitor CB-839 Hydrochloride", "Glutaminase Inhibitor IPN60090", "Glutamine Antagonist DRP-104", "Glutathione Pegylated Liposomal Doxorubicin Hydrochloride Formulation 2B3-101", "Glyco-engineered Anti-CD20 Monoclonal Antibody CHO H01", "Glycooptimized Trastuzumab-GEX", "GM-CSF-encoding Oncolytic Adenovirus CGTG-102", "Gold Sodium Thiomalate", "Golnerminogene Pradenovec", "Golotimod", "Golvatinib", "Gonadotropin-releasing Hormone Analog", "Goserelin", "Goserelin Acetate", "Goserelin Acetate Extended-release Microspheres LY01005", "Gossypol", "Gossypol Acetic Acid", "Grapiprant", "Green Tea Extract-based Antioxidant Supplement", "GS/pan-Notch Inhibitor AL101", "GS/pan-Notch Inhibitor BMS-986115", "GSK-3 Inhibitor 9-ING-41", "GSK-3 Inhibitor LY2090314", "Guadecitabine", "Guanabenz Acetate", "Guselkumab", "Gusperimus Trihydrochloride", "Gutolactone", "H-ras Antisense Oligodeoxynucleotide ISIS 2503", "H1299 Tumor Cell Lysate Vaccine", "HAAH Lambda phage Vaccine SNS-301", "Hafnium Oxide-containing Nanoparticles NBTXR3", "Halichondrin Analogue E7130", "Halichondrin B", "Halofuginone", "Halofuginone Hydrobromide", "HCV DNA Vaccine INO-8000", "HDAC Class I/IIb Inhibitor HG146", "HDAC Inhibitor AR-42", "HDAC inhibitor CG200745", "HDAC Inhibitor CHR-2845", "HDAC Inhibitor CKD-581", "HDAC Inhibitor CXD101", "HDAC Inhibitor MPT0E028", "HDAC Inhibitor OBP-801", "HDAC/EGFR/HER2 Inhibitor CUDC-101", "HDAC6 Inhibitor KA2507", "HDAC8 Inhibitor NBM-BMX", "HDM2 Inhibitor HDM201", "HDM2 Inhibitor MK-8242", "Hedgehog Inhibitor IPI-609", "Hematoporphyrin Derivative", "Hemiasterlin Analog E7974", "Henatinib Maleate", "Heparan Sulfate Glycosaminoglycan Mimetic M402", "Heparin Derivative SST0001", "HER-2-positive B-cell Peptide Antigen P467-DT-CRM197/Montanide Vaccine IMU-131", "HER2 ECD+TM Virus-like Replicon Particles Vaccine AVX901", "HER2 Inhibitor CP-724,714", "HER2 Inhibitor DZD1516", "HER2 Inhibitor TAS0728", "HER2 Tri-specific Natural Killer Cell Engager DF1001", "HER2-directed TLR8 Agonist SBT6050", "HER2-targeted DARPin MP0274", "HER2-targeted Liposomal Doxorubicin Hydrochloride MM-302", "HER2-targeting Antibody Fc Fragment FS102", "Herba Scutellaria Barbata", "Herbimycin", "Heterodimeric Interleukin-15", "Hexamethylene Bisacetamide", "Hexaminolevulinate", "Hexylresorcinol", "HIF-1alpha Inhibitor PX-478", "HIF-2alpha Inhibitor PT2385", "HIF-2alpha Inhibitor PT2977", "HIF2a RNAi ARO-HIF2", "Histone-Lysine N-Methyltransferase EZH2 Inhibitor GSK2816126", "Histrelin Acetate", "HLA-A*0201 Restricted TERT(572Y)/TERT(572) Peptides Vaccine Vx-001", "HLA-A*2402-Restricted Multipeptide Vaccine S-488410", "HLA-A2-restricted Melanoma-specific Peptides Vaccine GRN-1201", "HM2/MMAE Antibody-Drug Conjugate ALT-P7", "Hodgkin's Antigens-GM-CSF-Expressing Cell Vaccine", "Holmium Ho 166 Poly(L-Lactic Acid) Microspheres", "Hormone Therapy", "HPPH", "HPV 16 E6/E7-encoding Arenavirus Vaccine HB-202", "HPV 16 E7 Antigen-expressing Lactobacillis casei Vaccine BLS-ILB-E710c", "HPV DNA Plasmids Therapeutic Vaccine VGX-3100", "HPV E6/E7 DNA Vaccine GX-188E", "HPV E6/E7-encoding Arenavirus Vaccine HB-201", "HPV Types 16/18 E6/E7-Adenoviral Transduced Autologous Lymphocytes/alpha-Galactosylceramide Vaccine BVAC-C", "HPV-16 E6 Peptides Vaccine/Candida albicans Extract", "HPV-6-targeting Immunotherapeutic Vaccine INO-3106", "HPV16 E7-specific HLA-A*02:01-restricted IgG1-Fc Fusion Protein CUE-101", "HPV16 L2/E6/E7 Fusion Protein Vaccine TA-CIN", "HPV6/11-targeted DNA Plasmid Vaccine INO-3107", "Hsp90 Antagonist KW-2478", "Hsp90 Inhibitor AB-010", "Hsp90 Inhibitor BIIB021", "Hsp90 Inhibitor BIIB028", "Hsp90 Inhibitor Debio 0932", "Hsp90 Inhibitor DS-2248", "Hsp90 Inhibitor HSP990", "Hsp90 Inhibitor MPC-3100", "Hsp90 Inhibitor PU-H71", "Hsp90 Inhibitor SNX-5422 Mesylate", "Hsp90 Inhibitor SNX-5542 Mesylate", "Hsp90 Inhibitor TQB3474", "Hsp90 Inhibitor XL888", "Hsp90-targeted Photosensitizer HS-201", "HSP90-targeted SN-38 Conjugate PEN-866", "HSP90alpha/beta Inhibitor TAS-116", "hTERT Multipeptide/Montanide ISA-51 VG/Imiquimod Vaccine GX 301", "hTERT Vaccine V934/V935", "hTERT-encoding DNA Vaccine INVAC-1", "Hu14.18-IL2 Fusion Protein EMD 273063", "HuaChanSu", "Huaier Extract Granule", "Huang Lian", "huBC1-huIL12 Fusion Protein AS1409", "Human Combinatorial Antibody Library-based Monoclonal Antibody VAY736", "Human MHC Non-Restricted Cytotoxic T-Cell Line TALL-104", "Human MOAB LICO 28a32", "Human Monoclonal Antibody 216", "Human Monoclonal Antibody B11-hCG Beta Fusion Protein CDX-1307", "Human Papillomavirus 16 E7 Peptide/Padre 965.10", "Hyaluronidase-zzxf/Pertuzumab/Trastuzumab", "Hycanthone", "Hydralazine Hydrochloride", "Hydrocortisone Sodium Succinate", "Hydroxychloroquine", "Hydroxyprogesterone Caproate", "Hydroxytyrosol", "Hydroxyurea", "Hypericin", "Hypoxia-activated Prodrug TH-4000", "I 131 Antiferritin Immunoglobulin", "I 131 Monoclonal Antibody A33", "I 131 Monoclonal Antibody CC49", "I 131 Monoclonal Antibody F19", "I 131 Monoclonal Antibody Lym-1", "Iadademstat", "Ianalumab", "IAP Inhibitor APG-1387", "IAP Inhibitor AT-406", "IAP Inhibitor HGS1029", "Ibandronate Sodium", "Iberdomide", "Iboctadekin", "Ibritumomab Tiuxetan", "Ibrutinib", "Icotinib Hydrochloride", "Icrucumab", "ICT-121 Dendritic Cell Vaccine", "Idarubicin", "Idarubicin Hydrochloride", "Idarubicin-Eluting Beads", "Idasanutlin", "Idecabtagene Vicleucel", "Idelalisib", "Idetrexed", "IDH1 Mutant Inhibitor LY3410738", "IDH1(R132) Inhibitor IDH305", "IDH1R132H-Specific Peptide Vaccine PEPIDH1M", "Idiotype-Pulsed Autologous Dendritic Cell Vaccine APC8020", "IDO Peptide Vaccine IO102", "IDO-1 Inhibitor LY3381916", "IDO/TDO Inhibitor HTI-1090", "IDO/TDO Inhibitor LY-01013", "IDO1 Inhibitor KHK2455", "IDO1 Inhibitor MK-7162", "IDO1 Inhibitor PF-06840003", "IDO1/TDO2 Inhibitor DN1406131", "IDO1/TDO2 Inhibitor M4112", "Idronoxil", "Idronoxil Suppository NOX66", "Ieramilimab", "Ifabotuzumab", "Ifetroban", "Ifosfamide", "IGF-1R Inhibitor", "IGF-1R Inhibitor PL225B", "IGF-1R/IR Inhibitor KW-2450", "IGF-methotrexate Conjugate", "IL-10 Immunomodulator MK-1966", "IL-12-expressing HSV-1 NSC 733972", "IL-12-expressing Mesenchymal Stem Cell Vaccine GX-051", "IL-12sc, IL-15sushi, IFNa and GM-CSF mRNA-based Immunotherapeutic Agent SAR441000", "IL-2 Recombinant Fusion Protein ALT-801", "IL-2/9/15 Gamma Chain Receptor Inhibitor BNZ-1", "IL4-Pseudomonas Exotoxin Fusion Protein MDNA55", "Ilginatinib", "Ilixadencel", "Iloprost", "Ilorasertib", "Imalumab", "Imaradenant", "Imatinib", "Imatinib Mesylate", "Imetelstat", "Imetelstat Sodium", "Imexon", "Imgatuzumab", "Imidazole Mustard", "Imidazole-Pyrazole", "Imifoplatin", "Imipramine Blue", "Imiquimod", "Immediate-release Onapristone", "Immediate-release Tablet Afuresertib", "Immune Checkpoint Inhibitor ASP8374", "Immunoconjugate RO5479599", "Immunocytokine NHS-IL12", "Immunocytokine NHS-IL2-LT", "Immunomodulator LAM-003", "Immunomodulator OHR/AVR118", "Immunomodulatory Agent CC-11006", "Immunomodulatory Oligonucleotide HYB2055", "Immunotherapeutic Combination Product CMB305", "Immunotherapeutic GSK1572932A", "Immunotherapy Regimen MKC-1106-MT", "Immunotoxin CMD-193", "IMT-1012 Immunotherapeutic Vaccine", "Inactivated Oncolytic Virus Particle GEN0101", "Inalimarev", "Incyclinide", "Indatuximab Ravtansine", "Indibulin", "Indicine-N-Oxide", "Indisulam", "Individualized MVA-based Vaccine TG4050", "Indocyanine Green-labeled Polymeric Micelles ONM-100", "Indole-3-Carbinol", "Indomethacin", "Indoximod", "Indoximod Prodrug NLG802", "Indusatumab Vedotin", "Inebilizumab", "Inecalcitol", "Infigratinib", "Infigratinib Mesylate", "Infliximab", "Ingenol Mebutate", "Ingenol Mebutate Gel", "Iniparib", "iNKT Cell Agonist ABX196", "Innate Immunostimulator rBBX-01", "INO-1001", "Inodiftagene Vixteplasmid", "iNOS Dimerization Inhibitor ASP9853", "Inosine 5'-monophosphate Dehydrogenase Inhibitor FF-10501-01", "Inosine Monophosphate Dehydrogenase Inhibitor AVN944", "Inositol", "Inotuzumab Ozogamicin", "Inproquone", "Integrin alpha-2 Inhibitor E7820", "Integrin Receptor Antagonist GLPG0187", "Interferon", "Interferon Alfa-2B", "Interferon Alfa-N1", "Interferon Alfa-N3", "Interferon Alfacon-1", "Interferon Beta-1A", "Interferon Gamma-1b", "Interferon-gamma-expressing Adenovirus Vaccine ASN-002", "Interleukin Therapy", "Interleukin-12-Fc Fusion Protein DF6002", "Interleukin-15 Agonist Fusion Protein SHR1501", "Interleukin-15 Fusion Protein BJ-001", "Interleukin-15/Interleukin-15 Receptor Alpha Complex-Fc Fusion Protein XmAb24306", "Interleukin-15/Interleukin-15 Receptor Alpha Sushi+ Domain Fusion Protein SO-C101", "Interleukin-2 Liposome", "Intermediate-affinity Interleukin-2 Receptor Agonist ALKS 4230", "Intetumumab", "Intiquinatine", "Intoplicine", "Inulin", "Iobenguane I-131", "Iodine I 124 Monoclonal Antibody A33", "Iodine I 124 Monoclonal Antibody M5A", "Iodine I 125-Anti-EGFR-425 Monoclonal Antibody", "Iodine I 131 Anti-Fibronectin Antibody Fragment L19-SIP", "Iodine I 131 Apamistamab", "Iodine I 131 Derlotuximab Biotin", "Iodine I 131 Ethiodized Oil", "Iodine I 131 IPA", "Iodine I 131 MIP-1095", "Iodine I 131 Monoclonal Antibody 81C6", "Iodine I 131 Monoclonal Antibody BC8", "Iodine I 131 Monoclonal Antibody CC49-deltaCH2", "Iodine I 131 Monoclonal Antibody F16SIP", "Iodine I 131 Monoclonal Antibody G-250", "Iodine I 131 Monoclonal Antibody muJ591", "Iodine I 131 Omburtamab", "Iodine I 131 Rituximab", "Iodine I 131 Tenatumomab", "Iodine I 131 TM-601", "Iodine I 131 Tositumomab", "Iodine I-131", "Ioflubenzamide I-131", "Ionomycin", "Ipafricept", "Ipatasertib", "Ipilimumab", "Ipomeanol", "Iproplatin", "iPSC-derived CD16-expressing Natural Killer Cells FT516", "iPSC-derived CD16/IL-15RF-expressing Anti-CD19 CAR-NK Cells FT596", "iPSC-derived Natural Killer Cells FT500", "IRAK4 Inhibitor CA-4948", "Iratumumab", "Iridium Ir 192", "Irinotecan", "Irinotecan Hydrochloride", "Irinotecan Sucrosofate", "Irinotecan-Eluting Beads", "Irinotecan/P-glycoprotein Inhibitor HM30181AK Combination Tablet", "Irofulven", "Iroplact", "Irosustat", "Irradiated Allogeneic Human Lung Cancer Cells Expressing OX40L-Ig Vaccine HS-130", "Isatuximab", "Iso-fludelone", "Isobrucein B", "Isocoumarin NM-3", "Isotretinoin", "Ispinesib", "Ispinesib Mesylate", "ISS 1018 CpG Oligodeoxynucleotide", "Istiratumab", "Itacitinib", "Itacitinib Adipate", "ITK Inhibitor CPI-818", "Itraconazole", "Itraconazole Dispersion In Polymer Matrix", "Ivaltinostat", "Ivosidenib", "Ivuxolimab", "Ixabepilone", "Ixazomib", "Ixazomib Citrate", "JAK Inhibitor", "JAK Inhibitor INCB047986", "JAK1 Inhibitor AZD4205", "JAK1 Inhibitor INCB052793", "JAK2 Inhibitor AZD1480", "JAK2 Inhibitor BMS-911543", "JAK2 Inhibitor XL019", "JAK2/Src Inhibitor NS-018", "Jin Fu Kang", "JNK Inhibitor CC-401", "Kanglaite", "Kanitinib", "Ketoconazole", "Ketotrexate", "KRAS G12C Inhibitor GDC-6036", "KRAS G12C Inhibitor LY3499446", "KRAS G12C Inhibitor MRTX849", "KRAS Mutant-targeting AMG 510", "KRAS-MAPK Signaling Pathway Inhibitor JAB-3312", "KRASG12C Inhibitor JNJ-74699157", "KRN5500", "KSP Inhibitor AZD4877", "KSP Inhibitor SB-743921", "Kunecatechins Ointment", "L-Gossypol", "L-methylfolate", "Labetuzumab Govitecan", "Lactoferrin-derived Lytic Peptide LTX-315", "Lacutamab", "Ladiratuzumab Vedotin", "Ladirubicin", "Laetrile", "LAIR-2 Fusion Protein NC410", "Landogrozumab", "Laniquidar", "Lanreotide Acetate", "Lapachone", "Lapatinib", "Lapatinib Ditosylate", "Laprituximab Emtansine", "Lapuleucel-T", "Laromustine", "Larotaxel", "Larotinib Mesylate", "Larotrectinib", "Larotrectinib Sulfate", "Lavendustin A", "Lazertinib", "Lead Pb 212 TCMC-trastuzumab", "Lefitolimod", "Leflunomide", "Lenalidomide", "Lenalidomide Analog KPG-121", "Lentinan", "Lenvatinib", "Lenvatinib Mesylate", "Lenzilumab", "Lerociclib", "Lestaurtinib", "Letetresgene Autoleucel", "Letolizumab", "Letrozole", "Leucovorin", "Leucovorin Calcium", "Leuprolide", "Leuprolide Acetate", "Leuprolide Mesylate Injectable Suspension", "Leurubicin", "Levetiracetam", "Levoleucovorin Calcium", "Levothyroxine", "Levothyroxine Sodium", "Lexatumumab", "Lexibulin", "Liarozole", "Liarozole Fumarate", "Liarozole Hydrochloride", "Licartin", "Licorice", "Lifastuzumab Vedotin", "Lifileucel", "Lifirafenib", "Light-activated AU-011", "Light-Emitting Oncolytic Vaccinia Virus GL-ONC1", "Lilotomab", "Limonene, (+)-", "Limonene, (+/-)-", "Linifanib", "Linoleyl Carbonate-Paclitaxel", "Linperlisib", "Linrodostat", "Linsitinib", "Lintuzumab", "Liothyronine I-131", "Liothyronine Sodium", "Lipid Encapsulated Anti-PLK1 siRNA TKM-PLK1", "Lipid Nanoparticle Encapsulated mRNAs Encoding Human IL-12A/IL-12B MEDI-1191", "Lipid Nanoparticle Encapsulated OX40L mRNA-2416", "Lipid Nanoparticle Encapsulating Glutathione S-transferase P siRNA NBF-006", "Lipid Nanoparticle Encapsulating mRNAs Encoding Human OX40L/IL-23/IL-36gamma mRNA-2752", "Liposomal Bcl-2 Antisense Oligonucleotide BP1002", "Liposomal c-raf Antisense Oligonucleotide", "Liposomal Curcumin", "Liposomal Cytarabine", "Liposomal Daunorubicin Citrate", "Liposomal Docetaxel", "Liposomal Eribulin Mesylate", "Liposomal HPV-16 E6/E7 Multipeptide Vaccine PDS0101", "Liposomal Irinotecan", "Liposomal Mitoxantrone Hydrochloride", "Liposomal MUC1/PET-lipid A Vaccine ONT-10", "Liposomal NDDP", "Liposomal Rhenium Re 186", "Liposomal SN-38", "Liposomal Topotecan FF-10850", "Liposomal Vinorelbine", "Liposomal Vinorelbine Tartrate", "Liposome", "Liposome-encapsulated Daunorubicin-Cytarabine", "Liposome-Encapsulated Doxorubicin Citrate", "Liposome-encapsulated miR-34 Mimic MRX34", "Liposome-encapsulated OSI-7904", "Liposome-encapsulated RB94 Plasmid DNA Gene Therapy Agent SGT-94", "Liposome-encapsulated TAAs mRNA Vaccine W_ova1", "Lirilumab", "Lisavanbulin", "Lisocabtagene Maraleucel", "Listeria monocytogenes-LLO-PSA Vaccine ADXS31-142", "Litronesib", "Live-attenuated Double-deleted Listeria monocytogenes Bacteria JNJ-64041809", "Live-Attenuated Listeria Encoding Human Mesothelin Vaccine CRS-207", "Live-attenuated Listeria monocytogenes-encoding EGFRvIII-NY-ESO-1 Vaccine ADU-623", "Liver X Receptor beta Agonist RGX-104", "Lm-tLLO-neoantigens Vaccine ADXS-NEO", "LMB-1 Immunotoxin", "LMB-2 Immunotoxin", "LMB-7 Immunotoxin", "LMB-9 Immunotoxin", "LmddA-LLO-chHER2 Fusion Protein-secreting Live-attenuated Listeria Cancer Vaccine ADXS31-164", "LMP-2:340-349 Peptide Vaccine", "LMP-2:419-427 Peptide Vaccine", "LMP2-specific T Cell Receptor-transduced Autologous T-lymphocytes", "LMP7 Inhibitor M3258", "Lobaplatin", "Lodapolimab", "Lometrexol", "Lometrexol Sodium", "Lomustine", "Lonafarnib", "Loncastuximab Tesirine", "Long Peptide Vaccine 7", "Long-acting Release Pasireotide", "Lontucirev", "Lorlatinib", "Lorukafusp alfa", "Lorvotuzumab Mertansine", "Losatuxizumab Vedotin", "Losoxantrone", "Losoxantrone Hydrochloride", "Lovastatin", "LOXL2 Inhibitor PAT-1251", "LRP5 Antagonist BI 905681", "LRP5/6 Antagonist BI 905677", "LSD1 Inhibitor CC-90011", "LSD1 Inhibitor GSK2879552", "LSD1 Inhibitor IMG-7289", "LSD1 Inhibitor RO7051790", "LSD1 Inhibitor SYHA1807", "Lucanthone", "Lucatumumab", "Lucitanib", "Luminespib", "Luminespib Mesylate", "Lumretuzumab", "Lung-targeted Immunomodulator QBKPN", "Lupartumab Amadotin", "Lurbinectedin", "Lurtotecan", "Lurtotecan Liposome", "Lutetium Lu 177 Anti-CA19-9 Monoclonal Antibody 5B1", "Lutetium Lu 177 DOTA-biotin", "Lutetium Lu 177 DOTA-N3-CTT1403", "Lutetium Lu 177 DOTA-Tetulomab", "Lutetium Lu 177 Dotatate", "Lutetium Lu 177 Lilotomab-satetraxetan", "Lutetium Lu 177 Monoclonal Antibody CC49", "Lutetium Lu 177 Monoclonal Antibody J591", "Lutetium Lu 177 PP-F11N", "Lutetium Lu 177 Satoreotide Tetraxetan", "Lutetium Lu 177-DOTA-EB-TATE", "Lutetium Lu 177-DTPA-omburtamab", "Lutetium Lu 177-Edotreotide", "Lutetium Lu 177-NeoB", "Lutetium Lu 177-PSMA-617", "Lutetium Lu-177 Capromab", "Lutetium Lu-177 Girentuximab", "Lutetium Lu-177 PSMA-R2", "Lutetium Lu-177 Rituximab", "LV.IL-2/B7.1-Transduced AML Blast Vaccine RFUSIN2-AML1", "Lyophilized Black Raspberry Lozenge", "Lyophilized Black Raspberry Saliva Substitute", "Lysine-specific Demethylase 1 Inhibitor INCB059872", "Lyso-Thermosensitive Liposome Doxorubicin", "Maackia amurensis Seed Lectin", "Macimorelin", "Macitentan", "Macrocycle-bridged STING Agonist E7766", "Maekmoondong-tang", "Mafosfamide", "MAGE-10.A2", "MAGE-A1-specific T Cell Receptor-transduced Autologous T-cells", "MAGE-A3 Multipeptide Vaccine GL-0817", "MAGE-A3 Peptide Vaccine", "MAGE-A3-specific Immunotherapeutic GSK 2132231A", "MAGE-A4-specific TCR Gene-transduced Autologous T Lymphocytes TBI-1201", "Magnesium Valproate", "Magrolimab", "MALT1 Inhibitor JNJ-67856633", "Manelimab", "Mannosulfan", "Mannosylerythritol Lipid", "Mapatumumab", "Maraba Oncolytic Virus Expressing Mutant HPV E6/E7", "Marcellomycin", "MARCKS Protein Inhibitor BIO-11006", "Margetuximab", "Marimastat", "Marizomib", "Masitinib Mesylate", "Masoprocol", "MAT2A Inhibitor AG-270", "Matrix Metalloproteinase Inhibitor MMI270", "Matuzumab", "Mavelertinib", "Mavorixafor", "Maytansine", "MCL-1 Inhibitor ABBV-467", "MCL-1 Inhibitor AMG 176", "MCL-1 inhibitor AMG 397", "Mcl-1 Inhibitor AZD5991", "Mcl-1 Inhibitor MIK665", "MDM2 Antagonist ASTX295", "MDM2 Antagonist RO5045337", "MDM2 Antagonist RO6839921", "MDM2 Inhibitor AMG-232", "MDM2 Inhibitor AMGMDS3", "MDM2 Inhibitor BI 907828", "MDM2 Inhibitor KRT-232", "MDM2/MDMX Inhibitor ALRN-6924", "MDR Modulator CBT-1", "Mechlorethamine", "Mechlorethamine Hydrochloride", "Mechlorethamine Hydrochloride Gel", "Medorubicin", "Medroxyprogesterone", "Medroxyprogesterone Acetate", "Megestrol Acetate", "MEK 1/2 Inhibitor AS703988/MSC2015103B", "MEK 1/2 Inhibitor FCN-159", "MEK Inhibitor AZD8330", "MEK Inhibitor CI-1040", "MEK inhibitor CS3006", "MEK Inhibitor GDC-0623", "MEK Inhibitor HL-085", "MEK Inhibitor PD0325901", "MEK Inhibitor RO4987655", "MEK Inhibitor SHR 7390", "MEK Inhibitor TAK-733", "MEK Inhibitor WX-554", "MEK-1/MEKK-1 Inhibitor E6201", "MEK/Aurora Kinase Inhibitor BI 847325", "Melanoma Monoclonal Antibody hIgG2A", "Melanoma TRP2 CTL Epitope Vaccine SCIB1", "Melapuldencel-T", "MELK Inhibitor OTS167", "Melphalan", "Melphalan Flufenamide", "Melphalan Hydrochloride", "Melphalan Hydrochloride/Sulfobutyl Ether Beta-Cyclodextrin Complex", "Membrane-Disrupting Peptide EP-100", "Menatetrenone", "Menin-MLL Interaction Inhibitor SNDX-5613", "Menogaril", "Merbarone", "Mercaptopurine", "Mercaptopurine Anhydrous", "Mercaptopurine Oral Suspension", "Merestinib", "Mesna", "Mesothelin/CD3e Tri-specific T-cell Activating Construct HPN536", "MET Kinase Inhibitor OMO-1", "MET Tyrosine Kinase Inhibitor BMS-777607", "MET Tyrosine Kinase Inhibitor EMD 1204831", "MET Tyrosine Kinase Inhibitor PF-04217903", "MET Tyrosine Kinase Inhibitor SAR125844", "MET Tyrosine Kinase Inhibitor SGX523", "MET x MET Bispecific Antibody REGN5093", "Metamelfalan", "MetAP2 Inhibitor APL-1202", "MetAP2 Inhibitor SDX-7320", "Metarrestin", "Metatinib Tromethamine", "Metformin", "Metformin Hydrochloride", "Methanol Extraction Residue of BCG", "Methazolamide", "Methionine Aminopeptidase 2 Inhibitor M8891", "Methionine Aminopeptidase 2 Inhibitor PPI-2458", "Methotrexate", "Methotrexate Sodium", "Methotrexate-E Therapeutic Implant", "Methotrexate-Encapsulating Autologous Tumor-Derived Microparticles", "Methoxsalen", "Methoxyamine", "Methoxyamine Hydrochloride", "Methyl-5-Aminolevulinate Hydrochloride Cream", "Methylcantharidimide", "Methylmercaptopurine Riboside", "Methylprednisolone", "Methylprednisolone Acetate", "Methylprednisolone Sodium Succinate", "Methylselenocysteine", "Methyltestosterone", "Metoprine", "Mevociclib", "Mezagitamab", "Mibefradil", "Mibefradil Dihydrochloride", "Micellar Nanoparticle-encapsulated Epirubicin", "Micro Needle Array-Doxorubicin", "Microbiome GEN-001", "Microbiome-derived Peptide Vaccine EO2401", "Microparticle-encapsulated CYP1B1-encoding DNA Vaccine ZYC300", "Microtubule Inhibitor SCB01A", "Midostaurin", "Mifamurtide", "Mifepristone", "Milademetan Tosylate", "Milataxel", "Milatuzumab", "Milatuzumab-Doxorubicin Antibody-Drug Conjugate IMMU-110", "Milciclib Maleate", "Milk Thistle", "Miltefosine", "Minretumomab", "Mipsagargin", "Miptenalimab", "Mirabegron", "Miransertib", "Mirdametinib", "Mirvetuximab Soravtansine", "Mirzotamab Clezutoclax", "Misonidazole", "Mistletoe Extract", "Mitazalimab", "Mitindomide", "Mitobronitol", "Mitochondrial Oxidative Phosphorylation Inhibitor ATR-101", "Mitoclomine", "Mitoflaxone", "Mitoguazone", "Mitoguazone Dihydrochloride", "Mitolactol", "Mitomycin", "Mitomycin A", "Mitomycin B", "Mitomycin C Analog KW-2149", "Mitosis Inhibitor T 1101 Tosylate", "Mitotane", "Mitotenamine", "Mitoxantrone", "Mitoxantrone Hydrochloride", "Mitozolomide", "Mivavotinib", "Mivebresib", "Mivobulin", "Mivobulin Isethionate", "Mixed Bacteria Vaccine", "MK0731", "MKC-1", "MKNK1 Inhibitor BAY 1143269", "MMP Inhibitor S-3304", "MNK1/2 Inhibitor ETC-1907206", "Mobocertinib", "Mocetinostat", "Modakafusp Alfa", "Modified Vaccinia Ankara-vectored HPV16/18 Vaccine JNJ-65195208", "Modified Vitamin D Binding Protein Macrophage Activator EF-022", "Modotuximab", "MOF Compound RiMO-301", "Mofarotene", "Mogamulizumab", "Molibresib", "Molibresib Besylate", "Momelotinib", "Monalizumab", "Monocarboxylate Transporter 1 Inhibitor AZD3965", "Monoclonal Antibody 105AD7 Anti-idiotype Vaccine", "Monoclonal Antibody 11D10", "Monoclonal Antibody 11D10 Anti-Idiotype Vaccine", "Monoclonal Antibody 14G2A", "Monoclonal Antibody 1F5", "Monoclonal Antibody 3622W94", "Monoclonal Antibody 3F8", "Monoclonal Antibody 3H1 Anti-Idiotype Vaccine", "Monoclonal Antibody 4B5 Anti-Idiotype Vaccine", "Monoclonal Antibody 7C11", "Monoclonal Antibody 81C6", "Monoclonal Antibody A1G4 Anti-Idiotype Vaccine", "Monoclonal Antibody A27.15", "Monoclonal Antibody A33", "Monoclonal Antibody AbGn-7", "Monoclonal Antibody AK002", "Monoclonal Antibody ASP1948", "Monoclonal Antibody CAL", "Monoclonal Antibody CC49-delta CH2", "Monoclonal Antibody CEP-37250/KHK2804", "Monoclonal Antibody D6.12", "Monoclonal Antibody E2.3", "Monoclonal Antibody F19", "Monoclonal Antibody GD2 Anti-Idiotype Vaccine", "Monoclonal Antibody HeFi-1", "Monoclonal Antibody Hu3S193", "Monoclonal Antibody HuAFP31", "Monoclonal Antibody HuHMFG1", "Monoclonal Antibody huJ591", "Monoclonal Antibody HuPAM4", "Monoclonal Antibody IMMU-14", "Monoclonal Antibody L6", "Monoclonal Antibody Lym-1", "Monoclonal Antibody m170", "Monoclonal Antibody Me1-14 F(ab')2", "Monoclonal Antibody muJ591", "Monoclonal Antibody MX35 F(ab')2", "Monoclonal Antibody NEO-201", "Monoclonal Antibody R24", "Monoclonal Antibody RAV12", "Monoclonal Antibody SGN-14", "Monoclonal Antibody TRK-950", "Monoclonal Microbial EDP1503", "Monoclonal T-cell Receptor Anti-CD3 scFv Fusion Protein IMCgp100", "Monomethyl Auristatin E", "Morinda Citrifolia Fruit Extract", "Morpholinodoxorubicin", "Mosedipimod", "Mosunetuzumab", "Motesanib", "Motesanib Diphosphate", "Motexafin Gadolinium", "Motexafin Lutetium", "Motixafortide", "Motolimod", "MOv-gamma Chimeric Receptor Gene", "Moxetumomab Pasudotox", "Mps1 Inhibitor BAY 1217389", "Mps1 Inhibitor BOS172722", "mRNA-based Personalized Cancer Vaccine mRNA-4157", "mRNA-based Personalized Cancer Vaccine NCI-4650", "mRNA-based TriMix Melanoma Vaccine ECI-006", "mRNA-based Tumor-specific Neoantigen Boosting Vaccine GRT-R902", "mRNA-derived KRAS-targeted Vaccine V941", "mRNA-derived Lung Cancer Vaccine BI 1361849", "mRNA-Derived Prostate Cancer Vaccine CV9103", "mRNA-derived Prostate Cancer Vaccine CV9104", "MTF-1 Inhibitor APTO-253 HCl", "mTOR Inhibitor GDC-0349", "mTOR Kinase Inhibitor AZD8055", "mTOR Kinase Inhibitor CC-223", "mTOR Kinase Inhibitor OSI-027", "mTOR Kinase Inhibitor PP242", "mTOR1/2 Kinase Inhibitor ME-344", "mTORC 1/2 Inhibitor LXI-15029", "mTORC1/2 Kinase Inhibitor BI 860585", "mTORC1/mTORC2/DHFR Inhibitor ABTL0812", "MUC-1/WT1 Peptide-primed Autologous Dendritic Cells", "MUC1-targeted Peptide GO-203-2C", "Mucoadhesive Paclitaxel Formulation", "Multi-AGC Kinase Inhibitor AT13148", "Multi-epitope Anti-folate Receptor Peptide Vaccine TPIV 200", "Multi-epitope HER2 Peptide Vaccine H2NVAC", "Multi-epitope HER2 Peptide Vaccine TPIV100", "Multi-glioblastoma-peptide-targeting Autologous Dendritic Cell Vaccine ICT-107", "Multi-kinase Inhibitor TPX-0022", "Multi-kinase Inhibitor XL092", "Multi-mode Kinase Inhibitor EOC317", "Multi-neo-epitope Vaccine OSE 2101", "Multifunctional/Multitargeted Anticancer Agent OMN54", "Multikinase Inhibitor 4SC-203", "Multikinase Inhibitor AEE788", "Multikinase Inhibitor AT9283", "Multikinase Inhibitor SAR103168", "Multipeptide Vaccine S-588210", "Multitargeted Tyrosine Kinase Inhibitor JNJ-26483327", "Muparfostat", "Mureletecan", "Murizatoclax", "Muscadine Grape Extract", "Mutant IDH1 Inhibitor DS-1001", "Mutant p53 Activator COTI-2", "Mutant-selective EGFR Inhibitor PF-06459988", "MVA Tumor-specific Neoantigen Boosting Vaccine MVA-209-FSP", "MVA-BN Smallpox Vaccine", "MVA-FCU1 TG4023", "MVX-1-loaded Macrocapsule/autologous Tumor Cell Vaccine MVX-ONCO-1", "MYC-targeting siRNA DCR-MYC", "Mycobacterium tuberculosis Arabinomannan Z-100", "Mycobacterium w", "Mycophenolic Acid", "N-(5-tert-butyl-3-isoxazolyl)-N-(4-(4-pyridinyl)oxyphenyl) Urea", "N-dihydrogalactochitosan", "N-Methylformamide", "N,N-Dibenzyl Daunomycin", "NA17-A Antigen", "NA17.A2 Peptide Vaccine", "Nab-paclitaxel", "Nab-paclitaxel/Rituximab-coated Nanoparticle AR160", "Nadofaragene Firadenovec", "Nagrestipen", "Namirotene", "Namodenoson", "NAMPT Inhibitor OT-82", "Nanafrocin", "Nanatinostat", "Nanocell-encapsulated miR-16-based microRNA Mimic", "Nanoparticle Albumin-Bound Docetaxel", "Nanoparticle Albumin-Bound Rapamycin", "Nanoparticle Albumin-bound Thiocolchicine Dimer nab-5404", "Nanoparticle Paclitaxel Ointment SOR007", "Nanoparticle-based Paclitaxel Suspension", "Nanoparticle-encapsulated Doxorubicin Hydrochloride", "Nanoscale Coordination Polymer Nanoparticles CPI-100", "Nanosomal Docetaxel Lipid Suspension", "Napabucasin", "Naphthalimide Analogue UNBS5162", "Naptumomab Estafenatox", "Naquotinib", "Naratuximab Emtansine", "Narnatumab", "Natalizumab", "Natural IFN-alpha OPC-18", "Natural Killer Cells ZRx101", "Navarixin", "Navicixizumab", "Navitoclax", "Navoximod", "Navy Bean Powder", "Naxitamab", "Nazartinib", "ncmtRNA Oligonucleotide Andes-1537", "Necitumumab", "Nedaplatin", "NEDD8 Activating Enzyme E1 Inhibitor TAS4464", "Nedisertib", "Nelarabine", "Nelipepimut-S", "Nelipepimut-S Plus GM-CSF Vaccine", "Nemorubicin", "Nemorubicin Hydrochloride", "Neoantigen Vaccine GEN-009", "Neoantigen-based Glioblastoma Vaccine", "Neoantigen-based Melanoma-Poly-ICLC Vaccine", "Neoantigen-based Renal Cell Carcinoma-Poly-ICLC Vaccine", "Neoantigen-based Therapeutic Cancer Vaccine GRT-C903", "Neoantigen-based Therapeutic Cancer Vaccine GRT-R904", "Neoantigen-HSP70 Peptide Cancer Vaccine AGEN2017", "Neratinib", "Neratinib Maleate", "Nesvacumab", "NG-nitro-L-arginine", "Niacinamide", "Niclosamide", "Nicotinamide Riboside", "Nidanilimab", "Nifurtimox", "Nilotinib", "Nilotinib Hydrochloride Anhydrous", "Nilotinib Hydrochloride Monohydrate", "Nilutamide", "Nimesulide-Hyaluronic Acid Conjugate CA102N", "Nimodipine", "Nimotuzumab", "Nimustine", "Nimustine Hydrochloride", "Ningetinib Tosylate", "Nintedanib", "Niraparib", "Niraparib Tosylate Monohydrate", "Nirogacestat", "Nitric Oxide-Releasing Acetylsalicylic Acid Derivative", "Nitrogen Mustard Prodrug PR-104", "Nitroglycerin Transdermal Patch", "Nivolumab", "NLRP3 Agonist BMS-986299", "Nocodazole", "Nogalamycin", "Nogapendekin Alfa", "Nolatrexed Dihydrochloride", "Non-Small Cell Lung Cancer mRNA-Derived Vaccine CV9201", "Norgestrel", "North American Ginseng Extract AFX-2", "Nortopixantrone", "Noscapine", "Noscapine Hydrochloride", "Not Otherwise Specified", "Notch Signaling Inhibitor PF-06650808", "Notch Signaling Pathway Inhibitor MK0752", "NTRK/ROS1 Inhibitor DS-6051b", "Nucleolin Antagonist IPP-204106N", "Nucleoside Analog DFP-10917", "Nucleotide Analog Prodrug NUC-3373", "Nucleotide Analogue GS 9219", "Numidargistat", "Nurulimab", "Nutlin-3a", "Nutraceutical TBL-12", "NY-ESO-1 Plasmid DNA Cancer Vaccine pPJV7611", "NY-ESO-1-specific TCR Gene-transduced T Lymphocytes TBI-1301", "NY-ESO-1/GLA-SE Vaccine ID-G305", "NY-ESO-B", "O-Chloroacetylcarbamoylfumagillol", "O6-Benzylguanine", "Obatoclax Mesylate", "Obinutuzumab", "Oblimersen Sodium", "Ocaratuzumab", "Ocrelizumab", "Octreotide", "Octreotide Acetate", "Octreotide Pamoate", "Odronextamab", "Ofatumumab", "Ofranergene Obadenovec", "Oglufanide Disodium", "Olaparib", "Olaptesed Pegol", "Olaratumab", "Oleandrin", "Oleclumab", "Oligo-fucoidan", "Oligonucleotide SPC2996", "Olinvacimab", "Olivomycin", "Olmutinib", "Oltipraz", "Olutasidenib", "Olvimulogene Nanivacirepvec", "Omacetaxine Mepesuccinate", "Ombrabulin", "Omipalisib", "Onalespib", "Onalespib Lactate", "Onartuzumab", "Onatasertib", "Oncolytic Adenovirus Ad5-DNX-2401", "Oncolytic Adenovirus ORCA-010", "Oncolytic Herpes Simplex Virus-1 ONCR-177", "Oncolytic HSV-1 C134", "Oncolytic HSV-1 Expressing IL-12 and Anti-PD-1 Antibody T3011", "Oncolytic HSV-1 G207", "Oncolytic HSV-1 NV1020", "Oncolytic HSV-1 rQNestin34.5v.2", "Oncolytic HSV-1 rRp450", "Oncolytic HSV1716", "Oncolytic Measles Virus Encoding Helicobacter pylori Neutrophil-activating Protein", "Oncolytic Newcastle Disease Virus MEDI5395", "Oncolytic Newcastle Disease Virus MTH-68H", "Oncolytic Newcastle Disease Virus Strain PV701", "Oncolytic Virus ASP9801", "Oncolytic Virus RP1", "Ondansetron Hydrochloride", "Ontorpacept", "Ontuxizumab", "Onvansertib", "Onvatilimab", "Opaganib", "OPCs/Green Tea/Spirullina/Curcumin/Antrodia Camphorate/Fermented Soymilk Extract Capsule", "Opioid Growth Factor", "Opolimogene Capmilisbac", "Oportuzumab Monatox", "Oprozomib", "Opucolimab", "Oral Aminolevulinic Acid Hydrochloride", "Oral Azacitidine", "Oral Cancer Vaccine V3-OVA", "Oral Docetaxel", "Oral Fludarabine Phosphate", "Oral Hsp90 Inhibitor IPI-493", "Oral Ixabepilone", "Oral Microencapsulated Diindolylmethane", "Oral Milataxel", "Oral Myoma Vaccine V3-myoma", "Oral Pancreatic Cancer Vaccine V3-P", "Oral Picoplatin", "Oral Sodium Phenylbutyrate", "Oral Topotecan Hydrochloride", "Orantinib", "Oraxol", "Oregovomab", "Orelabrutinib", "Ormaplatin", "Ortataxel", "Orteronel", "Orvacabtagene Autoleucel", "Osilodrostat", "Osimertinib", "Other", "Otlertuzumab", "Ovapuldencel-T", "Ovarian Cancer Stem Cell/hTERT/Survivin mRNAs-loaded Autologous Dendritic Cell Vaccine DC-006", "Ovine Submaxillary Mucin", "OX40L-expressing Oncolytic Adenovirus DNX-2440", "Oxaliplatin", "Oxaliplatin Eluting Beads", "Oxaliplatin-Encapsulated Transferrin-Conjugated N-glutaryl Phosphatidylethanolamine Liposome", "Oxcarbazepine", "Oxeclosporin", "Oxidative Phosphorylation Inhibitor IACS-010759", "Oxidative Phosphorylation Inhibitor IM156", "Oxidopamine", "OxPhos Inhibitor VLX600", "Ozarelix", "P-cadherin Antagonist PF-03732010", "P-cadherin Inhibitor PCA062", "P-cadherin-targeting Agent PF-06671008", "P-p68 Inhibitor RX-5902", "P-TEFb Inhibitor BAY1143572", "p300/CBP Bromodomain Inhibitor CCS1477", "p38 MAPK Inhibitor LY3007113", "p53 Peptide Vaccine MPS-128", "p53-HDM2 Interaction Inhibitor MI-773", "p53-HDM2 Protein-protein Interaction Inhibitor APG-115", "p53/HDM2 Interaction Inhibitor CGM097", "p70S6K Inhibitor LY2584702", "p70S6K/Akt Inhibitor MSC2363318A", "p97 Inhibitor CB-5083", "p97 Inhibitor CB-5339", "p97 Inhibitor CB-5339 Tosylate", "Paclitaxel", "Paclitaxel Ceribate", "Paclitaxel Injection Concentrate for Nanodispersion", "Paclitaxel Liposome", "Paclitaxel Poliglumex", "Paclitaxel Polymeric Micelle Formulation NANT-008", "Paclitaxel PPE Microspheres", "Paclitaxel Trevatide", "Paclitaxel Vitamin E-Based Emulsion", "Paclitaxel-Loaded Polymeric Micelle", "Pacmilimab", "Pacritinib", "Padeliporfin", "Padoporfin", "PAK4 Inhibitor PF-03758309", "PAK4/NAMPT Inhibitor KPT-9274", "Palbociclib", "Palbociclib Isethionate", "Palifosfamide", "Palifosfamide Tromethamine", "Palladium Pd-103", "Palonosetron Hydrochloride", "Pamidronate Disodium", "Pamidronic Acid", "Pamiparib", "Pamrevlumab", "pan FGFR Inhibitor PRN1371", "Pan HER/VEGFR2 Receptor Tyrosine Kinase Inhibitor BMS-690514", "Pan-AKT Inhibitor ARQ751", "Pan-AKT Kinase Inhibitor GSK690693", "Pan-FGFR Inhibitor LY2874455", "Pan-FLT3/Pan-BTK Multi-kinase Inhibitor CG-806", "pan-HER Kinase Inhibitor AC480", "Pan-IDH Mutant Inhibitor AG-881", "Pan-KRAS Inhibitor BI 1701963", "Pan-Mutant-IDH1 Inhibitor Bay-1436032", "Pan-mutation-selective EGFR Inhibitor CLN-081", "pan-PI3K Inhibitor CLR457", "pan-PI3K/mTOR Inhibitor SF1126", "Pan-PIM Inhibitor INCB053914", "pan-PIM Kinase Inhibitor AZD1208", "pan-PIM Kinase Inhibitor NVP-LGB-321", "pan-RAF Inhibitor LXH254", "Pan-RAF Inhibitor LY3009120", "pan-RAF Kinase Inhibitor CCT3833", "pan-RAF Kinase Inhibitor TAK-580", "Pan-RAR Agonist/AP-1 Inhibitor LGD 1550", "Pan-TRK Inhibitor NOV1601", "Pan-TRK Inhibitor ONO-7579", "Pan-VEGFR/TIE2 Tyrosine Kinase Inhibitor CEP-11981", "Pancratistatin", "Panitumumab", "Panobinostat", "Panobinostat Nanoparticle Formulation MTX110", "Panulisib", "Paricalcitol", "PARP 1/2 Inhibitor IMP4297", "PARP 1/2 Inhibitor NOV1401", "PARP Inhibitor AZD2461", "PARP Inhibitor CEP-9722", "PARP Inhibitor E7016", "PARP Inhibitor NMS-03305293", "PARP-1/2 Inhibitor ABT-767", "PARP/Tankyrase Inhibitor 2X-121", "PARP7 Inhibitor RBN-2397", "Parsaclisib", "Parsaclisib Hydrochloride", "Parsatuzumab", "Partially Engineered T-regulatory Cell Donor Graft TRGFT-201", "Parvovirus H-1", "Pasireotide", "Pasotuxizumab", "Patidegib", "Patidegib Topical Gel", "Patritumab", "Patritumab Deruxtecan", "Patupilone", "Paxalisib", "Pazopanib", "Pazopanib Hydrochloride", "pbi-shRNA STMN1 Lipoplex", "PBN Derivative OKN-007", "PCNU", "PD-1 Directed Probody CX-188", "PD-1 Inhibitor", "PD-L1 Inhibitor GS-4224", "PD-L1 Inhibitor INCB086550", "PD-L1/4-1BB/HSA Trispecific Fusion Protein NM21-1480", "PD-L1/PD-L2/VISTA Antagonist CA-170", "PDK1 Inhibitor AR-12", "pDNA-encoding Emm55 Autologous Cancer Cell Vaccine IFx-Hu2.0", "PE/HPV16 E7/KDEL Fusion Protein/GPI-0100 TVGV-1", "PEG-interleukin-2", "PEG-PEI-cholesterol Lipopolymer-encased IL-12 DNA Plasmid Vector GEN-1", "PEG-Proline-Interferon Alfa-2b", "Pegargiminase", "Pegaspargase", "Pegdinetanib", "Pegfilgrastim", "Pegilodecakin", "Peginterferon Alfa-2a", "Peginterferon Alfa-2b", "Pegvisomant", "Pegvorhyaluronidase Alfa", "Pegylated Deoxycytidine Analogue DFP-14927", "Pegylated Interferon Alfa", "Pegylated Liposomal Belotecan", "Pegylated Liposomal Doxorubicin Hydrochloride", "Pegylated Liposomal Irinotecan", "Pegylated Liposomal Mitomycin C Lipid-based Prodrug", "Pegylated Liposomal Mitoxantrone Hydrochloride", "Pegylated Liposomal Nanoparticle-based Docetaxel Prodrug MNK-010", "Pegylated Paclitaxel", "Pegylated Recombinant Human Arginase I BCT-100", "Pegylated Recombinant Human Hyaluronidase PH20", "Pegylated Recombinant Interleukin-2 THOR-707", "Pegylated Recombinant L-asparaginase Erwinia chrysanthemi", "Pegylated SN-38 Conjugate PLX038", "Pegzilarginase", "Pelabresib", "Pelareorep", "Peldesine", "Pelitinib", "Pelitrexol", "Pembrolizumab", "Pemetrexed", "Pemetrexed Disodium", "Pemigatinib", "Pemlimogene Merolisbac", "Penberol", "Penclomedine", "Penicillamine", "Pentamethylmelamine", "Pentamustine", "Pentostatin", "Pentoxifylline", "PEOX-based Polymer Encapsulated Paclitaxel FID-007", "PEP-3-KLH Conjugate Vaccine", "Pepinemab", "Peplomycin", "Peplomycin Sulfate", "Peposertib", "Peptichemio", "Peptide 946 Melanoma Vaccine", "Peptide 946-Tetanus Peptide Conjugate Melanoma Vaccine", "Peretinoin", "Perflenapent Emulsion", "Perfosfamide", "Perifosine", "Perillyl Alcohol", "Personalized ALL-specific Multi-HLA-binding Peptide Vaccine", "Personalized and Adjusted Neoantigen Peptide Vaccine PANDA-VAC", "Personalized Cancer Vaccine RO7198457", "Personalized Neoantigen DNA Vaccine GNOS-PV01", "Personalized Neoantigen DNA Vaccine GNOS-PVO2", "Personalized Neoantigen Peptide Vaccine iNeo-Vac-P01", "Personalized Neoepitope Yeast Vaccine YE-NEO-001", "Personalized Peptide Cancer Vaccine NEO-PV-01", "Pertuzumab", "Pevonedistat", "Pexastimogene Devacirepvec", "Pexidartinib", "Pexmetinib", "PGG Beta-Glucan", "PGLA/PEG Copolymer-Based Paclitaxel", "PH20 Hyaluronidase-expressing Adenovirus VCN-01", "Phaleria macrocarpa Extract DLBS-1425", "Pharmacological Ascorbate", "Phellodendron amurense Bark Extract", "Phenesterin", "Phenethyl Isothiocyanate", "Phenethyl Isothiocyanate-containing Watercress Juice", "Phenyl Acetate", "Phenytoin Sodium", "Phosphaplatin PT-112", "Phosphatidylcholine-Bound Silybin", "Phospholipid Ether-drug Conjugate CLR 131", "Phosphoramide Mustard", "Phosphorodiamidate Morpholino Oligomer AVI-4126", "Phosphorus P-32", "Photodynamic Compound TLD-1433", "Photosensitizer LUZ 11", "Phytochlorin Sodium-Polyvinylpyrrolidone Complex", "PI3K Alpha/Beta Inhibitor BAY1082439", "PI3K Alpha/mTOR Inhibitor PWT33597 Mesylate", "PI3K Inhibitor ACP-319", "PI3K Inhibitor BGT226", "PI3K Inhibitor GDC-0084", "PI3K Inhibitor GDC0077", "PI3K Inhibitor GSK1059615", "PI3K Inhibitor WX-037", "PI3K Inhibitor ZSTK474", "PI3K p110beta/delta Inhibitor KA2237", "PI3K-alpha Inhibitor MEN1611", "PI3K-beta Inhibitor GSK2636771", "PI3K-beta Inhibitor SAR260301", "PI3K-delta Inhibitor AMG 319", "PI3K-delta Inhibitor HMPL 689", "PI3K-delta Inhibitor INCB050465", "PI3K-delta Inhibitor PWT143", "PI3K-delta Inhibitor SHC014748M", "PI3K-delta Inhibitor YY-20394", "PI3K-gamma Inhibitor IPI-549", "PI3K/BET Inhibitor LY294002", "PI3K/mTOR Kinase Inhibitor DS-7423", "PI3K/mTOR Kinase Inhibitor PF-04691502", "PI3K/mTOR Kinase Inhibitor VS-5584", "PI3K/mTOR Kinase Inhibitor WXFL10030390", "PI3K/mTOR/ALK-1/DNA-PK Inhibitor P7170", "PI3K/mTORC1/mTORC2 Inhibitor DCBCI0901", "PI3Ka/mTOR Inhibitor PKI-179", "PI3Kalpha Inhibitor AZD8835", "PI3Kbeta Inhibitor AZD8186", "PI3Kdelta Inhibitor GS-9901", "Pibenzimol", "Pibrozelesin", "Pibrozelesin Hydrobromide", "Picibanil", "Picoplatin", "Picrasinoside H", "Picropodophyllin", "Pictilisib", "Pictilisib Bismesylate", "Pidilizumab", "Pilaralisib", "PIM Kinase Inhibitor LGH447", "PIM Kinase Inhibitor SGI-1776", "PIM Kinase Inhibitor TP-3654", "PIM/FLT3 Kinase Inhibitor SEL24", "Pimasertib", "Pimitespib", "Pimurutamab", "Pinatuzumab Vedotin", "Pingyangmycin", "Pinometostat", "Pioglitazone", "Pioglitazone Hydrochloride", "Pipendoxifene", "Piperazinedione", "Piperine Extract (Standardized)", "Pipobroman", "Piposulfan", "Pirarubicin", "Pirarubicin Hydrochloride", "Pirfenidone", "Piritrexim", "Piritrexim Isethionate", "Pirotinib", "Piroxantrone", "Piroxantrone Hydrochloride", "Pixantrone", "Pixantrone Dimaleate", "Pixatimod", "PKA Regulatory Subunit RIalpha Mixed-Backbone Antisense Oligonucleotide GEM 231", "PKC-alpha Antisense Oligodeoxynucleotide ISIS 3521", "PKC-beta Inhibitor MS-553", "Placebo", "Pladienolide Derivative E7107", "Plamotamab", "Plasmid DNA Vaccine pING-hHER3FL", "Platinum", "Platinum Acetylacetonate-Titanium Dioxide Nanoparticles", "Platinum Compound", "Plevitrexed", "Plicamycin", "Plinabulin", "Plitidepsin", "Plk1 Inhibitor BI 2536", "PLK1 Inhibitor CYC140", "PLK1 Inhibitor TAK-960", "Plocabulin", "Plozalizumab", "pNGVL4a-CRT-E6E7L2 DNA Vaccine", "pNGVL4a-Sig/E7(detox)/HSP70 DNA and HPV16 L2/E6/E7 Fusion Protein TA-CIN Vaccine PVX-2", "Pol I Inhibitor CX5461", "Polatuzumab Vedotin", "Polidocanol", "Poliglusam", "Polo-like Kinase 1 Inhibitor GSK461364", "Polo-like Kinase 1 Inhibitor MK1496", "Polo-like Kinase 1 Inhibitor NMS-1286937", "Polo-like Kinase 4 Inhibitor CFI-400945 Fumarate", "Poly-alendronate Dextran-Guanidine Conjugate", "Poly-gamma Glutamic Acid", "Polyamine Analog SL11093", "Polyamine Analogue PG11047", "Polyamine Analogue SBP-101", "Polyamine Transport Inhibitor AMXT-1501 Dicaprate", "Polyandrol", "Polyethylene Glycol Recombinant Endostatin", "Polyethyleneglycol-7-ethyl-10-hydroxycamptothecin DFP-13318", "Polymer-conjugated IL-15 Receptor Agonist NKTR-255", "Polymer-encapsulated Luteolin Nanoparticle", "Polymeric Camptothecin Prodrug XMT-1001", "Polypodium leucotomos Extract", "Polysaccharide-K", "Polysialic Acid", "Polyunsaturated Fatty Acid", "Polyvalent Melanoma Vaccine", "Pomalidomide", "Pomegranate Juice", "Pomegranate Liquid Extract", "Ponatinib", "Ponatinib Hydrochloride", "Porcupine Inhibitor CGX1321", "Porcupine Inhibitor ETC-1922159", "Porcupine Inhibitor RXC004", "Porcupine Inhibitor WNT974", "Porcupine Inhibitor XNW7201", "Porfimer Sodium", "Porfiromycin", "Poziotinib", "PPAR Alpha Antagonist TPST-1120", "PR1 Leukemia Peptide Vaccine", "Pracinostat", "Pralatrexate", "Pralsetinib", "Praluzatamab Ravtansine", "PRAME-targeting T-cell Receptor/Inducible Caspase 9 BPX-701", "Pravastatin Sodium", "Prednimustine", "Prednisolone", "Prednisolone Acetate", "Prednisolone Sodium Phosphate", "Prednisone", "Prexasertib", "Prexigebersen", "PRIMA-1 Analog APR-246", "Prime Cancer Vaccine MVA-BN-CV301", "Prinomastat", "PRMT1 Inhibitor GSK3368715", "PRMT5 Inhibitor JNJ-64619178", "PRMT5 Inhibitor PRT811", "Proapoptotic Sulindac Analog CP-461", "Procarbazine", "Procarbazine Hydrochloride", "Procaspase Activating Compound-1 VO-100", "Progestational IUD", "Prohibitin-Targeting Peptide 1", "Prolgolimab", "Prostaglandin E2 EP4 Receptor Inhibitor AN0025", "Prostaglandin E2 EP4 Receptor Inhibitor E7046", "Prostate Cancer Vaccine ONY-P1", "Prostate Health Cocktail Dietary Supplement", "Prostatic Acid Phosphatase-Sargramostim Fusion Protein PA2024", "Protease-activated Anti-PD-L1 Antibody Prodrug CX-072", "Protein Arginine Methyltransferase 5 Inhibitor GSK3326595", "Protein Arginine Methyltransferase 5 Inhibitor PF-06939999", "Protein Arginine Methyltransferase 5 Inhibitor PRT543", "Protein Kinase C Inhibitor IDE196", "Protein Phosphatase 2A Inhibitor LB-100", "Protein Stabilized Liposomal Docetaxel Nanoparticles", "Protein Tyrosine Kinase 2 Inhibitor IN10018", "Proxalutamide", "PSA/IL-2/GM-CSF Vaccine", "PSA/PSMA DNA Plasmid INO-5150", "Pseudoisocytidine", "PSMA-targeted Docetaxel Nanoparticles BIND-014", "PSMA-targeted Tubulysin B-containing Conjugate EC1169", "PSMA/CD3 Tri-specific T-cell Activating Construct HPN424", "PTEF-b/CDK9 Inhibitor BAY1251152", "Pterostilbene", "Pumitepa", "Puquitinib", "Puquitinib Mesylate", "Puromycin", "Puromycin Hydrochloride", "PV-10", "PVA Microporous Hydrospheres/Doxorubicin Hydrochloride", "Pyrazinamide", "Pyrazoloacridine", "Pyridyl Cyanoguanidine CHS 828", "Pyrotinib", "Pyrotinib Dimaleate", "Pyroxamide", "Pyruvate Kinase Inhibitor TLN-232", "Pyruvate Kinase M2 Isoform Activator TP-1454", "Qilisheng Immunoregulatory Oral Solution", "Quadrivalent Human Papillomavirus (types 6, 11, 16, 18) Recombinant Vaccine", "Quarfloxin", "Quinacrine Hydrochloride", "Quinine", "Quisinostat", "Quizartinib", "R-(-)-Gossypol Acetic Acid", "Rabusertib", "Racemetyrosine/Methoxsalen/Phenytoin/Sirolimus SM-88", "Racotumomab", "RAD51 Inhibitor CYT-0851", "Radgocitabine", "Radgocitabine Hydrochloride", "Radioactive Iodine", "Radiolabeled CC49", "Radium Ra 223 Dichloride", "Radium Ra 224-labeled Calcium Carbonate Microparticles", "Radix Angelicae Sinensis/Radix Astragali Herbal Supplement", "Radotinib Hydrochloride", "Raf Kinase Inhibitor HM95573", "RAF Kinase Inhibitor L-779450", "RAF Kinase Inhibitor XL281", "Ragifilimab", "Ralaniten Acetate", "Ralimetinib Mesylate", "Raloxifene", "Raloxifene Hydrochloride", "Raltitrexed", "Ramucirumab", "Ranibizumab", "Ranimustine", "Ranolazine", "Ranpirnase", "RARalpha Agonist IRX5183", "Ras Inhibitor", "Ras Peptide ASP", "Ras Peptide CYS", "Ras Peptide VAL", "Razoxane", "Realgar-Indigo naturalis Formulation", "Rebastinib Tosylate", "Rebeccamycin", "Rebimastat", "Receptor Tyrosine Kinase Inhibitor R1530", "Recombinant Adenovirus-p53 SCH-58500", "Recombinant Anti-WT1 Immunotherapeutic GSK2302024A", "Recombinant Bacterial Minicells VAX014", "Recombinant Bispecific Single-Chain Antibody rM28", "Recombinant CD40-Ligand", "Recombinant Erwinia asparaginase JZP-458", "Recombinant Erythropoietin", "Recombinant Fas Ligand", "Recombinant Fractalkine", "Recombinant Granulocyte-Macrophage Colony-Stimulating Factor", "Recombinant Human 6Ckine", "Recombinant Human Adenovirus Type 5 H101", "Recombinant Human Angiotensin Converting Enzyme 2 APN01", "Recombinant Human Apolipoprotein(a) Kringle V MG1102", "Recombinant Human EGF-rP64K/Montanide ISA 51 Vaccine", "Recombinant Human Endostatin", "Recombinant Human Hsp110-gp100 Chaperone Complex Vaccine", "Recombinant Human Papillomavirus 11-valent Vaccine", "Recombinant Human Papillomavirus Bivalent Vaccine", "Recombinant Human Papillomavirus Nonavalent Vaccine", "Recombinant Human Plasminogen Kringle 5 Domain ABT 828", "Recombinant Human TRAIL-Trimer Fusion Protein SCB-313", "Recombinant Humanized Anti-HER-2 Bispecific Monoclonal Antibody MBS301", "Recombinant Interferon", "Recombinant Interferon Alfa", "Recombinant Interferon Alfa-1b", "Recombinant Interferon Alfa-2a", "Recombinant Interferon Alfa-2b", "Recombinant Interferon Alpha 2b-like Protein", "Recombinant Interferon Beta", "Recombinant Interferon Gamma", "Recombinant Interleukin-12", "Recombinant Interleukin-13", "Recombinant Interleukin-18", "Recombinant Interleukin-2", "Recombinant Interleukin-6", "Recombinant KSA Glycoprotein CO17-1A", "Recombinant Leukocyte Interleukin", "Recombinant Leukoregulin", "Recombinant Luteinizing Hormone", "Recombinant Macrophage Colony-Stimulating Factor", "Recombinant MAGE-3.1 Antigen", "Recombinant MIP1-alpha Variant ECI301", "Recombinant Modified Vaccinia Ankara-5T4 Vaccine", "Recombinant Oncolytic Poliovirus PVS-RIPO", "Recombinant Platelet Factor 4", "Recombinant PRAME Protein Plus AS15 Adjuvant GSK2302025A", "Recombinant Saccharomyces Cerevisia-CEA(610D)-Expressing Vaccine GI-6207", "Recombinant Super-compound Interferon", "Recombinant Thyroglobulin", "Recombinant Thyrotropin Alfa", "Recombinant Transforming Growth Factor-Beta", "Recombinant Transforming Growth Factor-Beta-2", "Recombinant Tumor Necrosis Factor-Alpha", "Recombinant Tyrosinase-Related Protein-2", "Recombinant Vesicular Stomatitis Virus-expressing Human Interferon Beta and Sodium-Iodide Symporter", "Redaporfin", "Refametinib", "Regorafenib", "Relacorilant", "Relatlimab", "Relugolix", "Remetinostat", "Renal Cell Carcinoma Peptides Vaccine IMA901", "Reparixin", "Repotrectinib", "Resiquimod", "Resiquimod Topical Gel", "Resistant Starch", "Resminostat", "Resveratrol", "Resveratrol Formulation SRT501", "RET Inhibitor DS-5010", "RET Mutation/Fusion Inhibitor BLU-667", "RET/SRC Inhibitor TPX-0046", "Retaspimycin", "Retaspimycin Hydrochloride", "Retelliptine", "Retifanlimab", "Retinoic Acid Agent Ro 16-9100", "Retinoid 9cUAB30", "Retinol", "Retinyl Acetate", "Retinyl Palmitate", "Retrovector Encoding Mutant Anti-Cyclin G1", "Revdofilimab", "Rexinoid NRX 194204", "Rezivertinib", "RFT5-dgA Immunotoxin IMTOX25", "Rhenium Re 188 BMEDA-labeled Liposomes", "Rhenium Re-186 Hydroxyethylidene Diphosphonate", "Rhenium Re-188 Ethiodized Oil", "Rhenium Re-188 Etidronate", "Rhizoxin", "RhoC Peptide Vaccine RV001V", "Ribociclib", "Ribociclib/Letrozole", "Ribonuclease QBI-139", "Ribosome-Inactivating Protein CY503", "Ribozyme RPI.4610", "Rice Bran", "Ricolinostat", "Ridaforolimus", "Rigosertib", "Rigosertib Sodium", "Rilimogene Galvacirepvec", "Rilimogene Galvacirepvec/Rilimogene Glafolivec", "Rilimogene Glafolivec", "Rilotumumab", "Rindopepimut", "Ripertamab", "RIPK1 Inhibitor GSK3145095", "Ripretinib", "Risperidone Formulation in Rumenic Acid", "Ritrosulfan", "Rituximab", "Rituximab and Hyaluronidase Human", "Rituximab Conjugate CON-4619", "Riviciclib", "Rivoceranib", "Rivoceranib Mesylate", "RNR Inhibitor COH29", "Robatumumab", "Roblitinib", "ROBO1-targeted BiCAR-NKT Cells", "Rocakinogene Sifuplasmid", "Rocapuldencel-T", "Rociletinib", "Rodorubicin", "Roducitabine", "Rofecoxib", "Roflumilast", "Rogaratinib", "Rogletimide", "Rolinsatamab Talirine", "Romidepsin", "Roneparstat", "Roniciclib", "Ropeginterferon Alfa-2B", "Ropidoxuridine", "Ropocamptide", "Roquinimex", "RORgamma Agonist LYC-55716", "Rosabulin", "Rose Bengal Solution PV-10", "Rosiglitazone Maleate", "Rosmantuzumab", "Rosopatamab", "Rosuvastatin", "Rovalpituzumab Tesirine", "RSK1-4 Inhibitor PMD-026", "Rubitecan", "Rucaparib", "Rucaparib Camsylate", "Rucaparib Phosphate", "Ruthenium Ru-106", "Ruthenium-based Small Molecule Therapeutic BOLD-100", "Ruthenium-based Transferrin Targeting Agent NKP-1339", "Ruxolitinib", "Ruxolitinib Phosphate", "Ruxotemitide", "S-Adenosylmethionine", "S-equol", "S1P Receptor Agonist KRP203", "Sabarubicin", "Sabatolimab", "Sacituzumab Govitecan", "Sacubitril/Valsartan", "Safingol", "Sagopilone", "Salirasib", "Salmonella VNP20009", "Sam68 Modulator CWP232291", "Samalizumab", "Samarium Sm 153-DOTMP", "Samotolisib", "Samrotamab Vedotin", "Samuraciclib", "Sapacitabine", "Sapanisertib", "Sapitinib", "Saracatinib", "Saracatinib Difumarate", "SarCNU", "Sardomozide", "Sargramostim", "Sasanlimab", "Satraplatin", "Savolitinib", "SBIL-2", "Scopoletin", "SDF-1 Receptor Antagonist PTX-9908", "Seclidemstat", "Sedoxantrone Trihydrochloride", "Selatinib Ditosilate", "Selective Androgen Receptor Modulator RAD140", "Selective Cytokine Inhibitory Drug CC-1088", "Selective Estrogen Receptor Degrader AZD9496", "Selective Estrogen Receptor Degrader AZD9833", "Selective Estrogen Receptor Degrader LSZ102", "Selective Estrogen Receptor Degrader LX-039", "Selective Estrogen Receptor Degrader LY3484356", "Selective Estrogen Receptor Degrader SRN-927", "Selective Estrogen Receptor Modulator CC-8490", "Selective Estrogen Receptor Modulator TAS-108", "Selective Glucocorticoid Receptor Antagonist CORT125281", "Selective Human Estrogen-receptor Alpha Partial Agonist TTC-352", "Seliciclib", "Selicrelumab", "Selinexor", "Selitrectinib", "Selonsertib", "Selpercatinib", "Selumetinib", "Selumetinib Sulfate", "Semaxanib", "Semuloparin", "Semustine", "Seneca Valley Virus-001", "Seocalcitol", "Sepantronium Bromide", "Serabelisib", "Serclutamab Talirine", "SERD D-0502", "SERD G1T48", "SERD GDC-9545", "SERD SAR439859", "SERD SHR9549", "SERD ZN-c5", "Serdemetan", "Sergiolide", "Seribantumab", "Serine/Threonine Kinase Inhibitor CBP501", "Serine/Threonine Kinase Inhibitor XL418", "Serplulimab", "Sevacizumab", "Seviteronel", "Shared Anti-Idiotype-AB-S006", "Shared Anti-Idiotype-AB-S024A", "Shark Cartilage", "Shark Cartilage Extract AE-941", "Shenqi Fuzheng Injection SQ001", "Sho-Saiko-To", "Short Chain Fatty Acid HQK-1004", "SHP-1 Agonist SC-43", "SHP2 Inhibitor JAB-3068", "SHP2 Inhibitor RLY-1971", "SHP2 Inhibitor RMC-4630", "SHP2 Inhibitor TNO155", "Shu Yu Wan Formula", "Sialyl Tn Antigen", "Sialyl Tn-KLH Vaccine", "Sibrotuzumab", "siG12D LODER", "Silatecan AR-67", "Silibinin", "Silicon Phthalocyanine 4", "Silmitasertib Sodium", "Siltuximab", "Simalikalactone D", "Simeprevir", "Simlukafusp Alfa", "Simmitinib", "Simotaxel", "Simtuzumab", "Simurosertib", "Sintilimab", "Siplizumab", "Sipuleucel-T", "Siremadlin", "siRNA-transfected Peripheral Blood Mononuclear Cells APN401", "Sirolimus", "SIRPa-4-1BBL Fusion Protein DSP107", "SIRPa-Fc Fusion Protein TTI-621", "SIRPa-Fc-CD40L Fusion Protein SL-172154", "SIRPa-IgG4-Fc Fusion Protein TTI-622", "Sitimagene Ceradenovec", "Sitravatinib", "Sivifene", "Sizofiran", "SLC6A8 Inhibitor RGX-202", "SLCT Inhibitor GNS561", "SMAC Mimetic BI 891065", "Smac Mimetic GDC-0152", "Smac Mimetic GDC-0917", "Smac Mimetic LCL161", "SMO Protein Inhibitor ZSP1602", "Smoothened Antagonist BMS-833923", "Smoothened Antagonist LDE225 Topical", "Smoothened Antagonist LEQ506", "Smoothened Antagonist TAK-441", "SN-38-Loaded Polymeric Micelles NK012", "SNS01-T Nanoparticles", "Sobuzoxane", "Sodium Borocaptate", "Sodium Butyrate", "Sodium Dichloroacetate", "Sodium Iodide I-131", "Sodium Metaarsenite", "Sodium Phenylbutyrate", "Sodium Salicylate", "Sodium Selenite", "Sodium Stibogluconate", "Sodium-Potassium Adenosine Triphosphatase Inhibitor RX108", "Sofituzumab Vedotin", "Solitomab", "Sonepcizumab", "Sonidegib", "Sonolisib", "Sorafenib", "Sorafenib Tosylate", "Sorghum bicolor Supplement", "Sotigalimab", "Sotorasib", "Sotrastaurin", "Sotrastaurin Acetate", "Soy Isoflavones", "Soy Protein Isolate", "Spanlecortemlocel", "Sparfosate Sodium", "Sparfosic Acid", "Spartalizumab", "Spebrutinib", "Spherical Nucleic Acid Nanoparticle NU-0129", "Spirogermanium", "Spiromustine", "Spiroplatin", "Splicing Inhibitor H3B-8800", "Spongistatin", "Squalamine Lactate", "SR-BP1/HSI Inhibitor SR31747A", "SR-T100 Gel", "Src Kinase Inhibitor AP 23846", "Src Kinase Inhibitor KX2-391", "Src Kinase Inhibitor KX2-391 Ointment", "Src Kinase Inhibitor M475271", "Src/Abl Kinase Inhibitor AZD0424", "Src/tubulin Inhibitor KX02", "SRPK1/ABCG2 Inhibitor SCO-101", "ssRNA-based Immunomodulator CV8102", "SSTR2-targeting Protein/DM1 Conjugate PEN-221", "St. John's Wort", "Stallimycin", "Staphylococcal Enterotoxin A", "Staphylococcal Enterotoxin B", "STAT Inhibitor OPB-111077", "STAT3 Inhibitor DSP-0337", "STAT3 Inhibitor OPB-31121", "STAT3 Inhibitor OPB-51602", "STAT3 Inhibitor TTI-101", "STAT3 Inhibitor WP1066", "Staurosporine", "STING Agonist BMS-986301", "STING Agonist GSK3745417", "STING Agonist IMSA101", "STING Agonist MK-1454", "STING Agonist SB 11285", "STING Agonist TAK-676", "STING-activating Cyclic Dinucleotide Agonist MIW815", "STING-expressing E. coli SYNB1891", "Streptonigrin", "Streptozocin", "Strontium Chloride Sr-89", "Submicron Particle Paclitaxel Sterile Suspension", "Sugemalimab", "Sulfatinib", "Sulforaphane", "Sulindac", "Sulofenur", "Sumoylation Inhibitor TAK-981", "Sunitinib", "Sunitinib Malate", "Super Enhancer Inhibitor GZ17-6.02", "Superagonist Interleukin-15:Interleukin-15 Receptor alphaSu/Fc Fusion Complex ALT-803", "Superoxide Dismutase Mimetic GC4711", "Suramin", "Suramin Sodium", "Survivin Antigen", "Survivin Antigen Vaccine DPX-Survivac", "Survivin mRNA Antagonist EZN-3042", "Survivin-expressing CVD908ssb-TXSVN Vaccine", "Sustained-release Lipid Inhaled Cisplatin", "Sustained-release Mitomycin C Hydrogel Formulation UGN-101", "Sustained-release Mitomycin C Hydrogel Formulation UGN-102", "Syk Inhibitor HMPL-523", "Synchrotope TA2M Plasmid DNA Vaccine", "Synchrovax SEM Plasmid DNA Vaccine", "Synthetic Alkaloid PM00104", "Synthetic Glioblastoma Mutated Tumor-specific Peptides Vaccine Therapy APVAC2", "Synthetic Glioblastoma Tumor-associated Peptides Vaccine Therapy APVAC1", "Synthetic hTERT DNA Vaccine INO-1400", "Synthetic hTERT DNA Vaccine INO-1401", "Synthetic Hypericin", "Synthetic Long E6 Peptide-Toll-like Receptor Ligand Conjugate Vaccine ISA201", "Synthetic Long E6/E7 Peptides Vaccine HPV-01", "Synthetic Long HPV16 E6/E7 Peptides Vaccine ISA101b", "Synthetic Plumbagin PCUR-101", "T900607", "Tabalumab", "Tabelecleucel", "Tacedinaline", "Tafasitamab", "Tagraxofusp-erzs", "Talabostat", "Talabostat Mesylate", "Talacotuzumab", "Talactoferrin Alfa", "Taladegib", "Talampanel", "Talaporfin Sodium", "Talazoparib", "Taletrectinib", "Talimogene Laherparepvec", "Tallimustine", "Talmapimod", "Talotrexin", "Talotrexin Ammonium", "Taltobulin", "TAM/c-Met Inhibitor RXDX-106", "Tamibarotene", "Taminadenant", "Tamoxifen", "Tamoxifen Citrate", "Tamrintamab Pamozirine", "Tandutinib", "Tanespimycin", "Tanibirumab", "Tankyrase Inhibitor STP1002", "Tanomastat", "Tapotoclax", "Tarenflurbil", "Tarextumab", "Tariquidar", "Tasadenoturev", "Taselisib", "Tasidotin", "Tasisulam", "Tasisulam Sodium", "Tasquinimod", "Taurolidine", "Tauromustine", "Taurultam", "Taurultam Analogue GP-2250", "Tavokinogene Telseplasmid", "Tavolimab", "Taxane Analogue TPI 287", "Taxane Compound", "Taxol Analogue SID 530", "Tazarotene", "Tazemetostat", "Tebentafusp", "Teclistamab", "Tecogalan Sodium", "Tefinostat", "Tegafur", "Tegafur-gimeracil-oteracil Potassium", "Tegafur-Gimeracil-Oteracil Potassium-Leucovorin Calcium Oral Formulation", "Tegafur-Uracil", "Tegavivint", "Teglarinad", "Teglarinad Chloride", "Telaglenastat", "Telaglenastat Hydrochloride", "Telapristone", "Telapristone Acetate", "Telatinib Mesylate", "Telisotuzumab", "Telisotuzumab Vedotin", "Telomerase Inhibitor FJ5002", "Telomerase-specific Type 5 Adenovirus OBP-301", "Teloxantrone", "Teloxantrone Hydrochloride", "Telratolimod", "Temarotene", "Temoporfin", "Temozolomide", "Temsirolimus", "Tenalisib", "Tenifatecan", "Teniposide", "Tepoditamab", "Tepotinib", "Teprotumumab", "Terameprocol", "Terfluranol", "Tergenpumatucel-L", "Teroxirone", "Tertomotide", "Tesetaxel", "Tesevatinib", "Tesidolumab", "Testolactone", "Testosterone Enanthate", "Tetanus Toxoid Vaccine", "Tetradecanoylphorbol Acetate", "Tetrahydrouridine", "Tetraphenyl Chlorin Disulfonate", "Tetrathiomolybdate", "Tezacitabine", "Tezacitabine Anhydrous", "TGF-beta Receptor 1 Inhibitor PF-06952229", "TGF-beta Receptor 1 Kinase Inhibitor SH3051", "TGF-beta Receptor 1 Kinase Inhibitor YL-13027", "TGFa-PE38 Immunotoxin", "TGFbeta Inhibitor LY3200882", "TGFbeta Receptor Ectodomain-IgG Fc Fusion Protein AVID200", "Thalicarpine", "Thalidomide", "Theliatinib", "Theramide", "Therapeutic Angiotensin-(1-7)", "Therapeutic Breast/Ovarian/Prostate Peptide Cancer Vaccine DPX-0907", "Therapeutic Cancer Vaccine ATP128", "Therapeutic Estradiol", "Therapeutic Hydrocortisone", "Therapeutic Liver Cancer Peptide Vaccine IMA970A", "Thiarabine", "Thiodiglycol", "Thioguanine", "Thioguanine Anhydrous", "Thioinosine", "Thioredoxin-1 Inhibitor PX-12", "Thiotepa", "Thioureidobutyronitrile", "THL-P", "Thorium Th 227 Anetumab", "Thorium Th 227 Anetumab Corixetan", "Thorium Th 227 Anti-HER2 Monoclonal Antibody BAY2701439", "Thorium Th 227 Anti-PSMA Monoclonal Antibody BAY 2315497", "Threonine Tyrosine Kinase Inhibitor CFI-402257", "Thymidylate Synthase Inhibitor CX1106", "Thymidylate Synthase Inhibitor DFP-11207", "Thymopentin", "Thyroid Extract", "Tiazofurin", "Tidutamab", "Tigapotide", "Tigatuzumab", "TIGIT Inhibitor M6223", "TIGIT-targeting Agent MK-7684", "Tilarginine", "Tilogotamab", "Tilsotolimod Sodium", "Timonacic", "Tin Ethyl Etiopurpurin", "Tinostamustine", "Tinzaparin Sodium", "Tiomolibdate Choline", "Tiomolibdate Diammonium", "Tipapkinogene Sovacivec", "Tipifarnib", "Tipiracil", "Tipiracil Hydrochloride", "Tirabrutinib", "Tiragolumab", "Tirapazamine", "Tirbanibulin", "Tisagenlecleucel", "Tislelizumab", "Tisotumab Vedotin", "Tivantinib", "Tivozanib", "TLC ELL-12", "TLR Agonist BDB001", "TLR Agonist BSG-001", "TLR Agonist CADI-05", "TLR-Directed Cationic Lipid-DNA Complex JVRS-100", "TLR7 Agonist 852A", "TLR7 agonist BNT411", "TLR7 Agonist LHC165", "TLR7/8/9 Antagonist IMO-8400", "TLR8 Agonist DN1508052", "TLR9 Agonist AST-008", "TM4SF1-CAR/EpCAM-CAR-expressing Autologous T Cells", "Tocilizumab", "Tocladesine", "Tocotrienol", "Tocotrienol-rich Fraction", "Tolebrutinib", "Toll-like Receptor 7 Agonist DSP-0509", "Tolnidamine", "Tomaralimab", "Tomato-Soy Juice", "Tomivosertib", "Topical Betulinic Acid", "Topical Celecoxib", "Topical Fluorouracil", "Topical Gemcitabine Hydrochloride", "Topical Potassium Dobesilate", "Topical Trichloroacetic Acid", "Topixantrone", "Topoisomerase I Inhibitor Genz-644282", "Topoisomerase I Inhibitor LMP400", "Topoisomerase I Inhibitor LMP776", "Topoisomerase I/II Inhibitor NEV-801", "Topoisomerase-1 Inhibitor LMP744", "Topoisomerase-II Inhibitor Racemic XK469", "Topoisomerase-II-beta Inhibitor Racemic XK469", "Topotecan", "Topotecan Hydrochloride", "Topotecan Hydrochloride Liposomes", "Topotecan Sustained-release Episcleral Plaque", "Topsalysin", "TORC1/2 Kinase Inhibitor DS-3078a", "Toremifene", "Toremifene Citrate", "Toripalimab", "Tosedostat", "Tositumomab", "Total Androgen Blockade", "Tovetumab", "Tozasertib Lactate", "TP40 Immunotoxin", "Trabectedin", "Trabedersen", "TRAIL Receptor Agonist ABBV-621", "Trametinib", "Trametinib Dimethyl Sulfoxide", "Trans Sodium Crocetinate", "Transdermal 17beta-Estradiol Gel BHR-200", "Transdermal 4-Hydroxytestosterone", "Transferrin Receptor-Targeted Anti-RRM2 siRNA CALAA-01", "Transferrin Receptor-Targeted Liposomal p53 cDNA", "Transferrin-CRM107", "Tranylcypromine Sulfate", "Trapoxin", "Trastuzumab", "Trastuzumab Conjugate BI-CON-02", "Trastuzumab Deruxtecan", "Trastuzumab Duocarmazine", "Trastuzumab Emtansine", "Trastuzumab Monomethyl Auristatin F", "Trastuzumab-TLR 7/8 Agonist BDC-1001", "Trastuzumab/Hyaluronidase-oysk", "Trastuzumab/Tesirine Antibody-drug Conjugate ADCT-502", "Trebananib", "Tremelimumab", "Treosulfan", "Tretazicar", "Tretinoin", "Tretinoin Liposome", "Triamcinolone Acetonide", "Triamcinolone Hexacetonide", "Triapine", "Triazene Derivative CB10-277", "Triazene Derivative TriN2755", "Triazinate", "Triaziquone", "Tributyrin", "Triciribine Phosphate", "Trientine Hydrochloride", "Triethylenemelamine", "Trifluridine", "Trifluridine and Tipiracil Hydrochloride", "Trigriluzole", "Trilaciclib", "Trimelamol", "Trimeric GITRL-Fc OMP-336B11", "Trimethylcolchicinic Acid", "Trimetrexate", "Trimetrexate Glucuronate", "Trioxifene", "Triplatin Tetranitrate", "Triptolide Analog", "Triptorelin", "Triptorelin Pamoate", "Tris-acryl Gelatin Microspheres", "Tritylcysteine", "TRK Inhibitor AZD6918", "TRK Inhibitor TQB3558", "TrkA Inhibitor VMD-928", "Trodusquemine", "Trofosfamide", "Troglitazone", "Tropomyosin Receptor Kinase Inhibitor AZD7451", "Troriluzole", "Troxacitabine", "Troxacitabine Nucleotide Prodrug MIV-818", "TRPM8 Agonist D-3263", "TRPV6 Calcium Channel Inhibitor SOR-C13", "TSP-1 Mimetic ABT-510", "TSP-1 Mimetic Fusion Protein CVX-045", "Tubercidin", "Tubulin Binding Agent TTI-237", "Tubulin Inhibitor ALB 109564 Dihydrochloride", "Tubulin Inhibitor ALB-109564", "Tubulin Polymerization Inhibitor AEZS 112", "Tubulin Polymerization Inhibitor CKD-516", "Tubulin Polymerization Inhibitor VERU-111", "Tubulin-Binding Agent SSR97225", "Tucatinib", "Tucidinostat", "Tucotuzumab Celmoleukin", "Tyroserleutide", "Tyrosinase Peptide", "Tyrosinase-KLH", "Tyrosinase:146-156 Peptide", "Tyrosine Kinase Inhibitor", "Tyrosine Kinase Inhibitor OSI-930", "Tyrosine Kinase Inhibitor SU5402", "Tyrosine Kinase Inhibitor TL-895", "Tyrosine Kinase Inhibitor XL228", "UAE Inhibitor TAK-243", "Ubenimex", "Ubidecarenone Nanodispersion BPM31510n", "Ublituximab", "Ulinastatin", "Ulixertinib", "Ulocuplumab", "Umbralisib", "Uncaria tomentosa Extract", "Upamostat", "Upifitamab", "Uproleselan", "Uprosertib", "Urabrelimab", "Uracil Ointment", "Urelumab", "Uroacitides", "Urokinase-Derived Peptide A6", "Ursolic Acid", "USP14/UCHL5 Inhibitor VLX1570", "Utomilumab", "Uzansertib", "V930 Vaccine", "Vaccine-Sensitized Draining Lymph Node Cells", "Vaccinium myrtillus/Macleaya cordata/Echinacea angustifolia Extract Granules", "Vactosertib", "Vadacabtagene Leraleucel", "Vadastuximab Talirine", "Vadimezan", "Valecobulin", "Valemetostat", "Valproic Acid", "Valrubicin", "Valspodar", "Vandetanib", "Vandetanib-eluting Radiopaque Bead BTG-002814", "Vandortuzumab Vedotin", "Vantictumab", "Vanucizumab", "Vapreotide", "Varlilumab", "Varlitinib", "Varlitinib Tosylate", "Vascular Disrupting Agent BNC105", "Vascular Disrupting Agent BNC105P", "Vascular Disrupting Agent ZD6126", "Vatalanib", "Vatalanib Succinate", "Vecabrutinib", "Vector-peptide Conjugated Paclitaxel", "Vedolizumab", "VEGF Inhibitor PTC299", "VEGF/HGF-targeting DARPin MP0250", "VEGFR Inhibitor KRN951", "VEGFR-2 DNA Vaccine VXM01", "VEGFR/FGFR Inhibitor ODM-203", "VEGFR/PDGFR Tyrosine Kinase Inhibitor TAK-593", "VEGFR2 Tyrosine Kinase Inhibitor PF-00337210", "VEGFR2/PDGFR/c-Kit/Flt-3 Inhibitor SU014813", "Veliparib", "Veltuzumab", "Vemurafenib", "Venetoclax", "Verapamil", "Verpasep Caltespen", "Verubulin", "Verubulin Hydrochloride", "Vesencumab", "Vesigenurtucel-L", "VGEF Mixed-Backbone Antisense Oligonucleotide GEM 220", "VGEFR/c-kit/PDGFR Tyrosine Kinase Inhibitor XL820", "Viagenpumatucel-L", "Vibecotamab", "Vibostolimab", "Vilaprisan", "Vinblastine", "Vinblastine Sulfate", "Vincristine", "Vincristine Liposomal", "Vincristine Sulfate", "Vincristine Sulfate Liposome", "Vindesine", "Vinepidine", "Vinflunine", "Vinflunine Ditartrate", "Vinfosiltine", "Vinorelbine", "Vinorelbine Tartrate", "Vinorelbine Tartrate Emulsion", "Vinorelbine Tartrate Oral", "Vintafolide", "Vinzolidine", "Vinzolidine Sulfate", "Virulizin", "Vismodegib", "Vistusertib", "Vitamin D3 Analogue ILX23-7553", "Vitamin E Compound", "Vitespen", "VLP-encapsulated TLR9 Agonist CMP-001", "Vocimagene Amiretrorepvec", "Vofatamab", "Volasertib", "Volociximab", "Vonlerolizumab", "Vopratelimab", "Vorasidenib", "Vorinostat", "Vorolanib", "Vorsetzumab Mafodotin", "Vosaroxin", "Vosilasarm", "Voxtalisib", "Vulinacimab", "Warfarin Sodium", "Wee1 Inhibitor ZN-c3", "Wee1 Kinase Inhibitor Debio 0123", "White Carrot", "Wnt Signaling Inhibitor SM04755", "Wnt Signaling Pathway Inhibitor SM08502", "Wnt-5a Mimic Hexapeptide Foxy-5", "Wobe-Mugos E", "WT1 Peptide Vaccine OCV-501", "WT1 Peptide Vaccine WT2725", "WT1 Protein-derived Peptide Vaccine DSP-7888", "WT1-A10/AS01B Immunotherapeutic GSK2130579A", "WT1/PSMA/hTERT-encoding Plasmid DNA INO-5401", "Xanthohumol", "XBP1-US/XBP1-SP/CD138/CS1 Multipeptide Vaccine PVX-410", "Xeloda", "Xentuzumab", "Xevinapant", "Xiaoai Jiedu Decoction", "XIAP Antisense Oligonucleotide AEG35156", "XIAP/cIAP1 Antagonist ASTX660", "Xiliertinib", "Xisomab 3G3", "XPO1 Inhibitor SL-801", "Y 90 Monoclonal Antibody CC49", "Y 90 Monoclonal Antibody HMFG1", "Y 90 Monoclonal Antibody Lym-1", "Y 90 Monoclonal Antibody m170", "Y 90 Monoclonal Antibody M195", "Yang Yin Fu Zheng", "Yangzheng Xiaoji Extract", "Yiqi-yangyin-jiedu Herbal Decoction", "Yttrium Y 90 Anti-CD19 Monoclonal Antibody BU12", "Yttrium Y 90 Anti-CD45 Monoclonal Antibody AHN-12", "Yttrium Y 90 Anti-CD45 Monoclonal Antibody BC8", "Yttrium Y 90 Anti-CDH3 Monoclonal Antibody FF-21101", "Yttrium Y 90 Anti-CEA Monoclonal Antibody cT84.66", "Yttrium Y 90 Basiliximab", "Yttrium Y 90 Colloid", "Yttrium Y 90 Daclizumab", "Yttrium Y 90 DOTA Anti-CEA Monoclonal Antibody M5A", "Yttrium Y 90 Glass Microspheres", "Yttrium Y 90 Monoclonal Antibody B3", "Yttrium Y 90 Monoclonal Antibody BrE-3", "Yttrium Y 90 Monoclonal Antibody Hu3S193", "Yttrium Y 90 Monoclonal Antibody MN-14", "Yttrium Y 90 Resin Microspheres", "Yttrium Y 90 Tabituximab Barzuxetan", "Yttrium Y 90-DOTA-Biotin", "Yttrium Y 90-DOTA-di-HSG Peptide IMP-288", "Yttrium Y 90-Edotreotide", "Yttrium Y 90-labeled Anti-FZD10 Monoclonal Antibody OTSA101", "Yttrium Y-90 Clivatuzumab Tetraxetan", "Yttrium Y-90 Epratuzumab Tetraxetan", "Yttrium Y-90 Ibritumomab Tiuxetan", "Yttrium Y-90 Tacatuzumab Tetraxetan", "Yttrium-90 Polycarbonate Brachytherapy Plaque", "Z-Endoxifen Hydrochloride", "Zalcitabine", "Zalifrelimab", "Zalutumumab", "Zandelisib", "Zanidatamab", "Zanolimumab", "Zanubrutinib", "Zebularine", "Zelavespib", "Zibotentan", "Zinc Finger Nuclease ZFN-603", "Zinc Finger Nuclease ZFN-758", "Zinostatin", "Zinostatin Stimalamer", "Zirconium Zr 89 Panitumumab", "Ziv-Aflibercept", "Zolbetuximab", "Zoledronic Acid", "Zoptarelin Doxorubicin", "Zorifertinib", "Zorubicin", "Zorubicin Hydrochloride", "Zotatifin", "Zotiraciclib Citrate", "Zuclomiphene Citrate", "Unknown", "Not Reported"]}}, "relationships": {}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "Sample identifier as submitted by requestor", "type": "string", "required": true}, "sample_type": {"name": "sample_type", "description": "Tissue type of this sample", "type": "string", "required": true, "permissible_values": ["Ascites", "Blood", "Blood Derived Normal", "Bone Marrow", "Buccal Mucosa", "Buffy Coat", "Cell Line Derived Xenograft Tissue", "DNA", "Fluids", "Metastatic", "Mouthwash", "Normal", "Not specified in data", "Pleural Fluid", "Primary Tumor", "Primary Xenograft Tissue", "RNA", "Saliva", "Skin", "Solid Tissue Normal", "Tissue", "Tumor", "Tumor Adjacent Normal", "Unknown", "Unspecified", "Xenograft Tissue", "Additional - New Primary", "Additional Metastatic", "Benign Neoplasms", "Blood Derived Cancer - Bone Marrow", "Blood Derived Cancer - Bone Marrow, Post-treatment", "Blood Derived Cancer - Peripheral Blood", "Blood Derived Cancer - Peripheral Blood, Post-treatment", "Blood Derived Liquid Biopsy", "Bone Marrow Normal", "Buccal Cell Normal", "Cell Lines", "Control Analyte", "EBV Immortalized Normal", "Expanded Next Generation Cancer Model", "FFPE Recurrent", "FFPE Scrolls", "Fibroblasts from Bone Marrow Normal", "GenomePlex (Rubicon) Amplified DNA", "Granulocytes", "Human Tumor Original Cells", "In Situ Neoplasms", "Lymphoid Normal", "Mixed Adherent Suspension", "Mononuclear Cells from Bone Marrow Normal", "Neoplasms of Uncertain and Unknown Behavior", "Next Generation Cancer Model", "Next Generation Cancer Model Expanded Under Non-conforming Conditions", "Not Allowed To Collect", "Pleural Effusion", "Post neo-adjuvant therapy", "Primary Blood Derived Cancer - Bone Marrow", "Primary Blood Derived Cancer - Peripheral Blood", "Recurrent Blood Derived Cancer - Bone Marrow", "Recurrent Blood Derived Cancer - Peripheral Blood", "Recurrent Tumor", "Repli-G (Qiagen) DNA", "Repli-G X (Qiagen) DNA", "Slides", "Total RNA", "Tumor Adjacent Normal - Post Neo-adjuvant Therapy", "Not Reported"]}, "sample_tumor_status": {"name": "sample_tumor_status", "description": "Tumor or normal status", "type": "string", "required": true, "permissible_values": ["Tumor", "Normal", "Abnormal", "Peritumoral", "Unknown"]}, "sample_anatomic_site": {"name": "sample_anatomic_site", "description": "Anatomic site from which sample was collected", "type": "string", "required": false, "permissible_values": ["Bone marrow", "post mortem blood", "post mortem liver", "Frontal Lobe", "Peripheral blood", "Lung", "tumor", "post mortem liver tumor", "Left Bone marrow", "Right Bone marrow", "Left thigh", "Lung/pleura", "R. femur/rib/verebra", "Femur", "Paraspinal mass", "Abdominal mass", "Kidney", "Brain stem", "Cerebrum", "Cerebellum", "R. Buttock", "Shoulder", "L. Kidney", "R. Kidney", "Ventricular mass", "Bilateral", "Retroperitoneal mass", "Adrenal mass", "R. Breast metastasis", "Paracaval Lymph Node metastasis", "Transverse Colon", "Lymph Node met", "Orbit", "Lung met", "Liver", "4th ventricle", "L. Occipital mass", "Posterior mediastil mass (mediastinum)", "R. Proximal Ulna", "R. Sylvian Fissure", "Lung metastasis", "Liver metastasis", "R. Parietal Lobe", "Tibia", "Humerus", "Lung mass", "R. Distal Femur", "R. Humerus", "L. Femur", "Distal femur", "L. Distal Femur", "Os frontalis", "L. Proximal Tibia", "Arm", "Perineum", "Bone Marrow metastasis", "Paratesticular", "Cervical node", "R. Neck mass", "Pleural effusion met", "not reported", "Abdomen", "Abdominal Wall", "Acetabulum", "Adenoid", "Adipose", "Adrenal", "Alveolar Ridge", "Amniotic Fluid", "Ampulla Of Vater", "Anal Sphincter", "Ankle", "Anorectum", "Antecubital Fossa", "Antrum", "Anus", "Aorta", "Aortic Body", "Appendix", "Aqueous Fluid", "Artery", "Ascending Colon", "Ascending Colon Hepatic Flexure", "Auditory Canal", "Autonomic Nervous System", "Axilla", "Back", "Bile Duct", "Bladder", "Blood", "Blood Vessel", "Bone", "Bone Marrow", "Bowel", "Brain", "Brain Stem", "Breast", "Broad Ligament", "Bronchiole", "Bronchus", "Brow", "Buccal Cavity", "Buccal Mucosa", "Buttock", "Calf", "Capillary", "Cardia", "Carina", "Carotid Artery", "Carotid Body", "Cartilage", "Cecum", "Cell-Line", "Central Nervous System", "Cerebral Cortex", "Cerebrospinal Fluid", "Cervical Spine", "Cervix", "Chest", "Chest Wall", "Chin", "Clavicle", "Clitoris", "Colon", "Colon - Mucosa Only", "Common Duct", "Conjunctiva", "Connective Tissue", "Dermal", "Descending Colon", "Diaphragm", "Duodenum", "Ear", "Ear Canal", "Ear, Pinna (External)", "Effusion", "Elbow", "Endocrine Gland", "Epididymis", "Epidural Space", "Esophageal; Distal", "Esophageal; Mid", "Esophageal; Proximal", "Esophagogastric Junction", "Esophagus", "Esophagus - Mucosa Only", "Eye", "Fallopian Tube", "Femoral Artery", "Femoral Vein", "Fibroblasts", "Fibula", "Finger", "Floor Of Mouth", "Fluid", "Foot", "Forearm", "Forehead", "Foreskin", "Frontal Cortex", "Fundus Of Stomach", "Gallbladder", "Ganglia", "Gastroesophageal Junction", "Gastrointestinal Tract", "Glottis", "Groin", "Gum", "Hand", "Hard Palate", "Head - Face Or Neck, Nos", "Head & Neck", "Heart", "Hepatic", "Hepatic Duct", "Hepatic Flexure", "Hepatic Vein", "Hip", "Hippocampus", "Hypopharynx", "Ileum", "Ilium", "Index Finger", "Ischium", "Islet Cells", "Jaw", "Jejunum", "Joint", "Knee", "Lacrimal Gland", "Large Bowel", "Laryngopharynx", "Larynx", "Leg", "Leptomeninges", "Ligament", "Lip", "Lumbar Spine", "Lymph Node", "Lymph Node(s) Axilla", "Lymph Node(s) Cervical", "Lymph Node(s) Distant", "Lymph Node(s) Epitrochlear", "Lymph Node(s) Femoral", "Lymph Node(s) Hilar", "Lymph Node(s) Iliac-Common", "Lymph Node(s) Iliac-External", "Lymph Node(s) Inguinal", "Lymph Node(s) Internal Mammary", "Lymph Node(s) Mammary", "Lymph Node(s) Mesenteric", "Lymph Node(s) Occipital", "Lymph Node(s) Paraaortic", "Lymph Node(s) Parotid", "Lymph Node(s) Pelvic", "Lymph Node(s) Popliteal", "Lymph Node(s) Regional", "Lymph Node(s) Retroperitoneal", "Lymph Node(s) Scalene", "Lymph Node(s) Splenic", "Lymph Node(s) Subclavicular", "Lymph Node(s) Submandibular", "Lymph Node(s) Supraclavicular", "Lymph Nodes(s) Mediastinal", "Mandible", "Maxilla", "Mediastinal Soft Tissue", "Mediastinum", "Mesentery", "Mesothelium", "Middle Finger", "Mitochondria", "Muscle", "Nails", "Nasal Cavity", "Nasal Soft Tissue", "Nasopharynx", "Neck", "Nerve", "Nerve(s) Cranial", "Not Allowed To Collect", "Occipital Cortex", "Ocular Orbits", "Omentum", "Oral Cavity", "Oral Cavity - Mucosa Only", "Oropharynx", "Other", "Ovary", "Palate", "Pancreas", "Paranasal Sinuses", "Paraspinal Ganglion", "Parathyroid", "Parotid Gland", "Patella", "Pelvis", "Penis", "Pericardium", "Periorbital Soft Tissue", "Peritoneal Cavity", "Peritoneum", "Pharynx", "Pineal", "Pineal Gland", "Pituitary Gland", "Placenta", "Pleura", "Popliteal Fossa", "Prostate", "Pylorus", "Rectosigmoid Junction", "Rectum", "Retina", "Retro-Orbital Region", "Retroperitoneum", "Rib", "Ring Finger", "Round Ligament", "Sacrum", "Salivary Gland", "Scalp", "Scapula", "Sciatic Nerve", "Scrotum", "Seminal Vesicle", "Sigmoid Colon", "Sinus", "Sinus(es), Maxillary", "Skeletal Muscle", "Skin", "Skull", "Small Bowel", "Small Bowel - Mucosa Only", "Small Finger", "Soft Tissue", "Spinal Column", "Spinal Cord", "Spleen", "Splenic Flexure", "Sternum", "Stomach", "Stomach - Mucosa Only", "Subcutaneous Tissue", "Subglottis", "Sublingual Gland", "Submandibular Gland", "Supraglottis", "Synovium", "Temporal Cortex", "Tendon", "Testis", "Thigh", "Thoracic Spine", "Thorax", "Throat", "Thumb", "Thymus", "Thyroid", "Tongue", "Tonsil", "Tonsil (Pharyngeal)", "Trachea / Major Bronchi", "Trunk", "Umbilical Cord", "Ureter", "Urethra", "Urinary Tract", "Uterus", "Uvula", "Vagina", "Vas Deferens", "Vein", "Venous", "Vertebra", "Vulva", "White Blood Cells", "Wrist", "Unknown", "Not Reported"]}, "sample_age_at_collection": {"name": "sample_age_at_collection", "description": "Number of days to collection, relative to index date", "type": "integer", "required": false}, "derived_from_specimen": {"name": "derived_from_specimen", "description": "Identier of the parent specimen of this sample", "type": "string", "required": false}, "biosample_accession": {"name": "biosample_accession", "description": "NCBI BioSample accession ID (SAMN) for this sample", "type": "string", "required": false}}, "relationships": {"participant": {"dest_node": "participant", "type": "many_to_one", "label": "of_participant"}}}, "file": {"name": "file", "description": "", "id_property": "file_id", "properties": {"file_id": {"name": "file_id", "description": "File identifier", "type": "string", "required": true}, "file_name": {"name": "file_name", "description": "Name of file", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "File type from enumerated list", "type": "string", "required": true, "permissible_values": ["BAI", "BAM", "BW", "CRAI", "CRAM", "FASTQ", "HTML", "IDAT", "JSON", "MAF", "PDF", "TSV", "TXT", "VCF", "XLSX"]}, "file_description": {"name": "file_description", "description": "Human-readable description of file", "type": "string", "required": false}, "file_size": {"name": "file_size", "description": "File size in bytes", "type": "integer", "required": false}, "md5sum": {"name": "md5sum", "description": "MD5 hex digest for this file", "type": "string", "required": true}, "file_url_in_cds": {"name": "file_url_in_cds", "description": "Location of the file on the CDS cloud, using AWS S3 protocol", "type": "string", "required": false}, "experimental_strategy_and_data_subtypes": {"name": "experimental_strategy_and_data_subtypes", "description": "What is the experimental strategy used for the study (or what\ntype of data subtypes exist in the study)?\n", "type": "string", "required": true, "permissible_values": ["Amplicon", "Archer Fusion", "Bisulfite-Seq", "Methylation Array", "OTHER", "RNA-Seq", "Targeted Sequencing", "Targeted-Capture", "WGA", "WGS", "WXS"]}, "submission_version": {"name": "submission_version", "description": "Raw data file submission", "type": "string", "required": true}}, "relationships": {"sample": {"dest_node": "sample", "type": "many_to_many", "label": "from_sample"}}}, "genomic_info": {"name": "genomic_info", "description": "", "id_property": "genomic_info_id", "properties": {"genomic_info_id": {"name": "genomic_info_id", "description": "Genomic info identifier, the ID property for the ndoe genomic_info.", "type": "string", "required": true}, "library_id": {"name": "library_id", "description": "Library identifier as submitted by requestor", "type": "string", "required": false}, "bases": {"name": "bases", "description": "Total number of unique bases read", "type": "integer", "required": false}, "number_of_reads": {"name": "number_of_reads", "description": "Total number of reads performed", "type": "integer", "required": false}, "avg_read_length": {"name": "avg_read_length", "description": "Average sequence read length", "type": "number", "required": false}, "coverage": {"name": "coverage", "description": "Average depth of coverage on reference used", "type": "number", "required": false}, "reference_genome_assembly": {"name": "reference_genome_assembly", "description": "Accession or name of genome reference or assembly used for alignment", "type": "string", "required": false, "permissible_values": ["GRCh37", "GRCh37-lite", "GRCh38"]}, "custom_assembly_fasta_file_for_alignment": {"name": "custom_assembly_fasta_file_for_alignment", "description": "File name of any custom assembly fasta file used during alignment", "type": "string", "required": false}, "design_description": {"name": "design_description", "description": "Human-readable description of methods used to create sequencing library", "type": "string", "required": false}, "library_strategy": {"name": "library_strategy", "description": "Nucleic acid capture or processing strategy for this library", "type": "string", "required": false, "permissible_values": ["AMPLICON", "ATAC-seq", "Bisulfite-Seq", "ChIA-PET", "ChIP-Seq", "CLONE", "CLONEEND", "CTS", "DNase-Hypersensitivity", "EST", "FAIRE-seq", "FINISHING", "FL-cDNA", "Hi-C", "MBD-Seq", "MeDIP-Seq", "miRNA-Seq", "MNase-Seq", "MRE-Seq", "ncRNA-Seq", "OTHER", "POOLCLONE", "RAD-Seq", "RIP-Seq", "RNA-Seq", "SELEX", "ssRNA-seq", "Synthetic-Long-Read", "Targeted-Capture", "Tethered Chromatin Conformation Capture", "Tn-Seq", "WCS", "WGA", "WGS", "WXS"]}, "library_layout": {"name": "library_layout", "description": "Library layout as submitted by requestor", "type": "string", "required": false, "permissible_values": ["Paired-end", "Single-end", "Single-indexed"]}, "library_source": {"name": "library_source", "description": "Source material used to create library", "type": "string", "required": false, "permissible_values": ["Genomic", "Transcriptomic", "Metagenomic", "Metatranscriptomic", "Synthetic", "Viral RNA", "Genomic Single Cell", "Single Nucleus", "Transcriptomic Single Cell", "Other", "Bulk Whole Cell", "Single Cell"]}, "library_selection": {"name": "library_selection", "description": "Library selection method", "type": "string", "required": false, "permissible_values": ["Hybrid Selection", "other", "PCR", "Poly-T Enrichment", "PolyA", "Random", "5-methylcytidine antibody", "CAGE", "cDNA", "cDNA_oligo_dT", "cDNA_randomPriming", "CF-H", "CF-M", "CF-S", "CF-T", "ChIP", "DNAse", "HMPR", "Inverse rRNA", "MBD2 protein methyl-CpG binding domain", "MDA", "MF", "MNase", "MSLL", "Oligo-dT", "Padlock probes capture method", "Race", "Random PCR", "Reduced Representation", "repeat fractionation", "Restriction Digest", "RT-PCR", "size fractionation", "unspecified"]}, "platform": {"name": "platform", "description": "Instrument platform or manufacturer", "type": "string", "required": false, "permissible_values": ["LS454", "ILLUMINA", "HELICOS", "ABI_SOLID", "COMPLETE_GENOMICS", "PACBIO_SMRT", "ION_TORRENT", "CAPILLARY", "OXFORD_NANOPORE", "BGISEQ", "Illumina HiSeq 2500", "Illumina HiSeq X Ten", "Illumina Next Seq 500", "Illumina Next Seq 550", "Illumina NextSeq", "Illumina NovaSeq 6000", "NovaSeqS4"]}, "instrument_model": {"name": "instrument_model", "description": "Instrument model", "type": "string", "required": false, "permissible_values": ["454 GS", "454 GS 20", "454 GS FLX", "454 GS FLX+", "454 GS FLX Titanium", "454 GS Junior", "HiSeq X Five", "HiSeq X Ten", "Illumina Genome Analyzer", "Illumina Genome Analyzer II", "Illumina Genome Analyzer IIx", "Illumina HiScanSQ", "Illumina HiSeq", "Illumina HiSeq 1000", "Illumina HiSeq 1500", "Illumina HiSeq 2000", "Illumina HiSeq 2500", "Illumina HiSeq 3000", "Illumina HiSeq 4000", "Illumina iSeq 100", "Illumina NovaSeq 6000", "llumina NovaSeq", "Illumina MiniSeq", "Illumina MiSeq", "Illumina NextSeq", "NextSeq 500", "NextSeq 550", "Helicos HeliScope", "AB 5500 Genetic Analyzer", "AB 5500xl Genetic Analyzer", "AB 5500x-Wl Genetic Analyzer", "AB SOLiD 3 Plus System", "AB SOLiD 4 System", "AB SOLiD 4hq System", "AB SOLiD PI System", "AB SOLiD System", "AB SOLiD System 2.0", "AB SOLiD System 3.0", "Complete Genomics", "PacBio RS", "PacBio RS II", "PacBio Sequel", "PacBio Sequel II", "Ion Torrent PGM", "Ion Torrent Proton", "Ion Torrent S5 XL", "Ion Torrent S5", "AB 310 Genetic Analyzer", "AB 3130 Genetic Analyzer", "AB 3130xL Genetic Analyzer", "AB 3500 Genetic Analyzer", "AB 3500xL Genetic Analyzer", "AB 3730 Genetic Analyzer", "AB 3730xL Genetic Analyzer", "GridION", "MinION", "PromethION", "BGISEQ-500", "DNBSEQ-G400", "DNBSEQ-T7", "DNBSEQ-G50", "MGISEQ-2000RS"]}, "sequence_alignment_software": {"name": "sequence_alignment_software", "description": "Name of software program used to align nucleotide sequence data", "type": "string", "required": false}}, "relationships": {"file": {"dest_node": "file", "type": "many_to_one", "label": "of_file"}}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "phs_accession"}, {"node": "participant", "key": "study_participant_id"}, {"node": "diagnosis", "key": "study_diagnosis_id"}, {"node": "treatment", "key": "treatment_id"}, {"node": "sample", "key": "sample_id"}, {"node": "file", "key": "file_id"}, {"node": "genomic_info", "key": "genomic_info_id"}]} \ No newline at end of file diff --git a/models/ICDC_1.0.0_model.json b/models/ICDC_1.0.0_model.json deleted file mode 100644 index fc703ee..0000000 --- a/models/ICDC_1.0.0_model.json +++ /dev/null @@ -1 +0,0 @@ -{"model": {"data_commons": "ICDC", "version": "1.0.0", "source_files": ["icdc-model.yml", "icdc-model-props.yml"], "nodes": {"program": {"name": "program", "description": "", "id_property": "program_acronym", "properties": {"program_name": {"name": "program_name", "description": "The name of the program under which related studies will be grouped, in full text and unabbreviated form, exactly as it will be displayed within the UI.", "type": "string", "required": true}, "program_acronym": {"name": "program_acronym", "description": "The name of the program under which related studies will be grouped, expressed in the form of the acronym by which it will identified within the UI.
This property is used as the key via which study records can be associated with the appropriate program during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "program_short_description": {"name": "program_short_description", "description": "An abbreviated, single sentence description of the program.", "type": "string", "required": true}, "program_full_description": {"name": "program_full_description", "description": "A more detailed, multiple sentence description of the program.", "type": "string", "required": true}, "program_external_url": {"name": "program_external_url", "description": "The external url to which users should be directed in order to learn more about the program.", "type": "string", "required": false}, "program_sort_order": {"name": "program_sort_order", "description": "An arbitrarily-assigned value used to dictate the order in which programs are displayed within the application's UI.", "type": "integer", "required": false}}, "relationships": {}}, "study": {"name": "study", "description": "", "id_property": "clinical_study_designation", "properties": {"clinical_study_id": {"name": "clinical_study_id", "description": "Where applicable, the ID for the study/trial as generated by the source database.", "type": "string", "required": false}, "clinical_study_designation": {"name": "clinical_study_designation", "description": "A unique, human-friendly, alpha-numeric identifier by which the study/trial will be identified within the UI.
This property is used as the key via which child records, e.g. case records, can be associated with the appropriate study during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "clinical_study_name": {"name": "clinical_study_name", "description": "A succinct, narrative title for the study/trial, exactly as it should be displayed within the application's UI.", "type": "string", "required": true}, "clinical_study_description": {"name": "clinical_study_description", "description": "A multiple sentence summary of what the study/trial was intended to determine and how it was conducted.", "type": "string", "required": true}, "clinical_study_type": {"name": "clinical_study_type", "description": "An arbitrary designation of the study/trial to indicate its underlying. nature, e.g. Clinical Trial, Transcriptomics, Genomics.", "type": "string", "required": true}, "date_of_iacuc_approval": {"name": "date_of_iacuc_approval", "description": "Where applicable, the date upon which the study/trial was approved by the IACUC.", "type": "datetime", "required": false}, "dates_of_conduct": {"name": "dates_of_conduct", "description": "An indication of the general time period during which the study/trial was active, e.g. (from) month and year (to) month and year.", "type": "string", "required": false}, "accession_id": {"name": "accession_id", "description": "A unique, alpha-numeric identifier, in the format of six digits, which is assigned to the study/trial as of it being on-boarded, and which can be resolved by identifiers.org when prefixed with \"icdc:\" to create a compact identifier in the format icdc:xxxxxx.", "type": "string", "required": true}, "study_disposition": {"name": "study_disposition", "description": "An arbitrarily-assigned value used to dictate how the study/trial is displayed via the ICDC Production environment, based upon the degree to which the data has been on-boarded and/or whether the data is subject to any temporary embargo which prevents its public release.", "type": "string", "required": true, "permissible_values": ["Unrestricted", "Pending", "Under Embargo"]}}, "relationships": {"program": {"dest_node": "program", "type": "many_to_one", "label": "member_of"}}}, "study_site": {"name": "study_site", "description": "", "id_property": null, "properties": {"site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "study_arm": {"name": "study_arm", "description": "", "id_property": "arm_id", "properties": {"arm": {"name": "arm", "description": "Where applicable, the nature of each arm into which the study/trial has been divided. For example, in multiple agent clinical trials, the name of the therapeutic agent used in any given study arm.", "type": "string", "required": false}, "ctep_treatment_assignment_code": {"name": "ctep_treatment_assignment_code", "description": "TBD", "type": "string", "required": false}, "arm_description": {"name": "arm_description", "description": "A short description of the study arm.", "type": "string", "required": false}, "arm_id": {"name": "arm_id", "description": "A unique identifier via which study arms can be differentiated from one another across studies/trials.
This property is used as the key via which child records, e.g. cohort records, can be associated with the appropriate study arm during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "agent": {"name": "agent", "description": "", "id_property": null, "properties": {"medication": {"name": "medication", "description": "", "type": "string", "required": false}, "document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}}, "relationships": {"study_arm": {"dest_node": "study_arm", "type": "many_to_many", "label": "of_study_arm"}}}, "cohort": {"name": "cohort", "description": "", "id_property": "cohort_id", "properties": {"cohort_description": {"name": "cohort_description", "description": "Where applicable, the nature of each cohort into which the study/trial has been divided, e.g. in studies examining the effects of multiple doses of a therapeutic agent, the name and dose of the therapeutic agent used in any given cohort.", "type": "string", "required": true}, "cohort_dose": {"name": "cohort_dose", "description": "The intended or protocol dose of the therapeutic agent used in any given cohort.", "type": "string", "required": false}, "cohort_id": {"name": "cohort_id", "description": "A unique identifier via which cohorts can be differentiated from one another across studies/trials.
This property is used as the key via which cases can be associated with the appropriate cohort during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "member_of"}}}, "case": {"name": "case", "description": "", "id_property": "case_id", "properties": {"case_id": {"name": "case_id", "description": "The globally unique ID by which any given patient/subject/donor can be unambiguously identified and displayed across studies/trials; specifically the value of patient_id as supplied by the data submitter, prefixed with the appropriate ICDC study code during data alignment and/or transformation.
This property is used as the key via which child records, e.g. sample records, can be associated with the appropriate case during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "patient_id": {"name": "patient_id", "description": "The preferred ID by which the data submitter uniquely identifies any given patient/subject/donor, at least within a single study/trial, recorded exactly as provided by the data submitter. Once prefixed with the appropriate ICDC study code during data alignment and/or transformation, values of Patient ID become values of Case ID.", "type": "string", "required": true}, "patient_first_name": {"name": "patient_first_name", "description": "Where available, the given name of the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"canine_individual": {"dest_node": "canine_individual", "type": "many_to_one", "label": "represents"}}}, "registration": {"name": "registration", "description": "", "id_property": null, "properties": {"registration_origin": {"name": "registration_origin", "description": "The entity with which each registration ID is directly associated, for example, an ICDC study, as denoted by the appropriate study code, or the biobank or tissue repository from which samples for a study/trial participant were acquired, as denoted by the appropriate acronym.", "type": "string", "required": true}, "registration_id": {"name": "registration_id", "description": "Any ID used by a data submitter to identify a patient/subject/donor, either locally or globally.", "type": "string", "required": true}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_many", "label": "of_case"}}}, "biospecimen_source": {"name": "biospecimen_source", "description": "", "id_property": null, "properties": {"biospecimen_repository_acronym": {"name": "biospecimen_repository_acronym", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in the form of an acronym.", "type": "string", "required": true}, "biospecimen_repository_full_name": {"name": "biospecimen_repository_full_name", "description": "The name of the biobank or tissue repository from which or to which samples for any given patient/subject/donor were acquired or submitted, expressed in full text form.", "type": "string", "required": true}}, "relationships": {}}, "canine_individual": {"name": "canine_individual", "description": "", "id_property": "canine_individual_id", "properties": {"canine_individual_id": {"name": "canine_individual_id", "description": "A unique numerical ID, which, based upon the existence of registration-based matches between two or more study-specific cases, is auto-generated by the data loader, and which thereby tethers matching cases to the single underlying multi-study participant.", "type": "string", "required": true}}, "relationships": {}}, "demographic": {"name": "demographic", "description": "", "id_property": "demographic_id", "properties": {"demographic_id": {"name": "demographic_id", "description": "A unique identifier of each demographic record, used to identify the correct demographic records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "breed": {"name": "breed", "description": "The specific breed of the canine patient/subject/donor, per the list of breeds officially recognized by the American Kennel Club.", "type": "string", "required": true, "permissible_values": ["Affenpinscher", "Afghan Hound", "Airedale Terrier", "Akita", "Alaskan Klee Kai", "Alaskan Malamute", "American Bulldog", "American English Coonhound", "American Eskimo Dog", "American Foxhound", "American Hairless Terrier", "American Leopard Hound", "American Staffordshire Terrier", "American Water Spaniel", "Anatolian Shepherd Dog", "Appenzeller Sennenhunde", "Australian Cattle Dog", "Australian Kelpie", "Australian Shepherd", "Australian Stumpy Tail Cattle Dog", "Australian Terrier", "Azawakh", "Barbado da Terceira", "Barbet", "Basenji", "Basset Fauve de Bretagne", "Basset Hound", "Bavarian Mountain Scent Hound", "Beagle", "Bearded Collie", "Beauceron", "Bedlington Terrier", "Belgian Laekenois", "Belgian Malinois", "Belgian Sheepdog", "Belgian Tervuren", "Bergamasco Sheepdog", "Berger Picard", "Bernese Mountain Dog", "Bichon Frise", "Biewer Terrier", "Black Russian Terrier", "Black and Tan Coonhound", "Bloodhound", "Bluetick Coonhound", "Boerboel", "Bohemian Shepherd", "Bolognese", "Border Collie", "Border Terrier", "Borzoi", "Boston Terrier", "Bouvier des Flandres", "Boxer", "Boykin Spaniel", "Bracco Italiano", "Braque Francais Pyrenean", "Braque du Bourbonnais", "Briard", "Brittany", "Broholmer", "Brussels Griffon", "Bull Terrier", "Bulldog", "Bullmastiff", "Cairn Terrier", "Canaan Dog", "Cane Corso", "Cardigan Welsh Corgi", "Carolina Dog", "Catahoula Hound", "Catahoula Leopard Dog", "Caucasian Shepherd Dog", "Cavalier King Charles Spaniel", "Central Asian Shepherd Dog", "Cesky Terrier", "Chesapeake Bay Retriever", "Chihuahua", "Chinese Crested", "Chinese Shar-Pei", "Chinook", "Chow Chow", "Cirneco dell'Etna", "Clumber Spaniel", "Cocker Spaniel", "Collie", "Coton de Tulear", "Croatian Sheepdog", "Curly-Coated Retriever", "Czechoslovakian Vlcak", "Dachshund", "Dalmatian", "Dandie Dinmont Terrier", "Danish-Swedish Farmdog", "Deutscher Wachtelhund", "Doberman Pinscher", "Dogo Argentino", "Dogue de Bordeaux", "Drentsche Patrijshond", "Drever", "Dutch Shepherd", "English Cocker Spaniel", "English Foxhound", "English Setter", "English Springer Spaniel", "English Toy Spaniel", "Entlebucher Mountain Dog", "Estrela Mountain Dog", "Eurasier", "Field Spaniel", "Finnish Lapphund", "Finnish Spitz", "Flat-Coated Retriever", "French Bulldog", "French Spaniel", "German Longhaired Pointer", "German Pinscher", "German Shepherd Dog", "German Shorthaired Pointer", "German Spitz", "German Wirehaired Pointer", "Giant Schnauzer", "Glen of Imaal Terrier", "Golden Retriever", "Gordon Setter", "Grand Basset Griffon Vendeen", "Great Dane", "Great Pyrenees", "Greater Swiss Mountain Dog", "Greyhound", "Hamiltonstovare", "Hanoverian Scenthound", "Harrier", "Havanese", "Hokkaido", "Hovawart", "Ibizan Hound", "Icelandic Sheepdog", "Irish Red and White Setter", "Irish Setter", "Irish Terrier", "Irish Water Spaniel", "Irish Wolfhound", "Italian Greyhound", "Jagdterrier", "Japanese Akitainu", "Japanese Chin", "Japanese Spitz", "Japanese Terrier", "Jindo", "Kai Ken", "Karelian Bear Dog", "Keeshond", "Kerry Blue Terrier", "Kishu Ken", "Komondor", "Kromfohrlander", "Kuvasz", "Labrador Retriever", "Lagotto Romagnolo", "Lakeland Terrier", "Lancashire Heeler", "Lapponian Herder", "Leonberger", "Lhasa Apso", "Lowchen", "Maltese", "Manchester Terrier", "Mastiff", "Miniature American Shepherd", "Miniature Bull Terrier", "Miniature Dachshund", "Miniature Pinscher", "Miniature Schnauzer", "Mixed Breed", "Mountain Cur", "Mudi", "Neapolitan Mastiff", "Nederlandse Kooikerhondje", "Newfoundland", "Norfolk Terrier", "Norrbottenspets", "Norwegian Buhund", "Norwegian Elkhound", "Norwegian Lundehund", "Norwich Terrier", "Nova Scotia Duck Tolling Retriever", "Old English Sheepdog", "Other", "Otterhound", "Papillon", "Parson Russell Terrier", "Pekingese", "Pembroke Welsh Corgi", "Perro de Presa Canario", "Peruvian Inca Orchid", "Petit Basset Griffon Vendeen", "Pharaoh Hound", "Plott Hound", "Pointer", "Polish Lowland Sheepdog", "Pomeranian", "Poodle", "Porcelaine", "Portuguese Podengo", "Portuguese Podengo Pequeno", "Portuguese Pointer", "Portuguese Sheepdog", "Portuguese Water Dog", "Pudelpointer", "Pug", "Puli", "Pumi", "Pyrenean Mastiff", "Pyrenean Shepherd", "Rafeiro do Alentejo", "Rat Terrier", "Redbone Coonhound", "Rhodesian Ridgeback", "Romanian Mioritic Shepherd Dog", "Rottweiler", "Russell Terrier", "Russian Toy", "Russian Tsvetnaya Bolonka", "Saint Bernard", "Saluki", "Samoyed", "Schapendoes", "Schipperke", "Scottish Deerhound", "Scottish Terrier", "Sealyham Terrier", "Segugio Italiano", "Shetland Sheepdog", "Shiba Inu", "Shih Tzu", "Shikoku", "Siberian Husky", "Silky Terrier", "Skye Terrier", "Sloughi", "Slovakian Wirehaired Pointer", "Slovensky Cuvac", "Slovensky Kopov", "Small Munsterlander Pointer", "Smooth Fox Terrier", "Soft Coated Wheaten Terrier", "Spanish Mastiff", "Spanish Water Dog", "Spinone Italiano", "Stabyhoun", "Staffordshire Bull Terrier", "Standard Schnauzer", "Sussex Spaniel", "Swedish Lapphund", "Swedish Vallhund", "Taiwan Dog", "Teddy Roosevelt Terrier", "Thai Ridgeback", "Tibetan Mastiff", "Tibetan Spaniel", "Tibetan Terrier", "Tornjak", "Tosa", "Toy Fox Terrier", "Toy Poodle", "Transylvanian Hound", "Treeing Tennessee Brindle Coonhound", "Treeing Walker Coonhound", "Unknown", "Vizsla", "Weimaraner", "Welsh Springer Spaniel", "Welsh Terrier", "West Highland White Terrier", "Wetterhoun", "Whippet", "Wire Fox Terrier", "Wirehaired Pointing Griffon", "Wirehaired Vizsla", "Working Kelpie", "Xoloitzcuintli", "Yakutian Laika", "Yorkshire Terrier"]}, "additional_breed_detail": {"name": "additional_breed_detail", "description": "For patients/subjects/donors formally designated as either Mixed Breed or Other, any available detail as to the breeds contributing to the overall mix of breeds or clarification of the nature of the Other breed. Values for this field are therefore not relevant to pure-bred patients/subjects/donors, but for those of mixed breed or other origins, values are definitely preferred wherever available.", "type": "string", "required": false}, "patient_age_at_enrollment": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "patient_age_at_enrollment_original": {"name": "patient_age_at_enrollment", "description": "The age of the canine patient/subject/donor as of study/trial enrollment, expressed in standard human years, as opposed to dog years.", "type": "number", "required": false, "has_unit": true}, "patient_age_at_enrollment_original_unit": {"type": "string", "permissible_values": ["years"], "default_value": "years"}, "date_of_birth": {"name": "date_of_birth", "description": "The date of birth of the canine patient/subject/donor.", "type": "datetime", "required": false}, "sex": {"name": "sex", "description": "The biological sex of the patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Male", "Female", "Unknown"]}, "weight": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "weight_original": {"name": "weight", "description": "The weight of the patient/subject/donor at the time of study/trial enrollment and/or biospecimens being acquired, at least in the case of studies that are not longitudinal in nature.", "type": "number", "required": false, "has_unit": true}, "weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "neutered_indicator": {"name": "neutered_indicator", "description": "Indicator as to whether the patient/subject/donor has been either spayed (female subjects) or neutered (male subjects).", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown"]}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "cycle": {"name": "cycle", "description": "", "id_property": null, "properties": {"cycle_number": {"name": "cycle_number", "description": "For a patient/subject/donor enrolled in a clinical trial evaluating the effects of therapy administered in multiple cycles, the number of the treatment cycle during which visits occurred such that therapy could be administered and/or clinical observations could be made, with cycles numbered according to their chronological order.", "type": "integer", "required": true}, "date_of_cycle_start": {"name": "date_of_cycle_start", "description": "The date upon which the treament cycle in question began.", "type": "datetime", "required": false}, "date_of_cycle_end": {"name": "date_of_cycle_end", "description": "The date upon which the treatent cycle in question ended.", "type": "datetime", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "visit": {"name": "visit", "description": "", "id_property": "visit_id", "properties": {"visit_date": {"name": "visit_date", "description": "The date upon which the visit occurred.", "type": "datetime", "required": false}, "visit_number": {"name": "visit_number", "description": "The number of the visit during which therapy was administered and/or clinical observations were made, with visits numbered according to their chronological order.", "type": "string", "required": false}, "visit_id": {"name": "visit_id", "description": "A globally unique identifier of each visit record; specifically the value of case_id concatenated with the value of visit_date, the date upon which the visit occurred.
This property is used as the key via which child records, e.g. physical examination records, can be associated with the appropriate visit, and to identify the correct visit records during data updates.", "type": "string", "required": true}}, "relationships": {"visit": {"dest_node": "visit", "type": "one_to_one", "label": "next"}}}, "principal_investigator": {"name": "principal_investigator", "description": "", "id_property": null, "properties": {"pi_first_name": {"name": "pi_first_name", "description": "The first or given name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_last_name": {"name": "pi_last_name", "description": "The last or family name of each principal investigator of the study/trial.", "type": "string", "required": true}, "pi_middle_initial": {"name": "pi_middle_initial", "description": "Where applicable, the middle initial(s) of each principal investigator of the study/trial.", "type": "string", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_many", "label": "of_study"}}}, "diagnosis": {"name": "diagnosis", "description": "", "id_property": "diagnosis_id", "properties": {"diagnosis_id": {"name": "diagnosis_id", "description": "A unique identifier of each diagnosis record, used to associate child records, e.g. pathology reports, with the appropriate parent, and to identify the correct diagnosis records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "disease_term": {"name": "disease_term", "description": "The primary disease condition with which the patient/subject/donor was diagnosed.", "type": "string", "required": true, "permissible_values": ["B Cell Lymphoma", "Bladder Cancer", "Fibrolipoma", "Glioma", "Healthy Control", "Hemangiosarcoma", "Histiocytic Sarcoma", "Lipoma", "Lymphoma", "Mammary Cancer", "Mast Cell Tumor", "Melanoma", "Osteosarcoma", "Pulmonary Neoplasms", "Soft Tissue Sarcoma", "Splenic Hematoma", "Splenic Hyperplasia", "T Cell Leukemia", "T Cell Lymphoma", "Thyroid Cancer", "Unknown", "Urothelial Carcinoma"]}, "primary_disease_site": {"name": "primary_disease_site", "description": "The anatomical location at which the primary disease originated, recorded in relatively general terms at the subject level; the anatomical locations from which tumor samples subject to downstream analysis were acquired is recorded in more detailed terms at the sample level.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder, Prostate", "Bladder, Urethra", "Bladder, Urethra, Prostate", "Bladder, Urethra, Vagina", "Bone", "Bone (Appendicular)", "Bone (Axial)", "Bone Marrow", "Brain", "Carpus", "Chest Wall", "Distal Urethra", "Kidney", "Lung", "Lymph Node", "Mammary Gland", "Mouth", "Not Applicable", "Pleural Cavity", "Shoulder", "Skin", "Spleen", "Subcutis", "Thyroid Gland", "Unknown", "Urethra, Prostate", "Urinary Tract", "Urogenital Tract"]}, "stage_of_disease": {"name": "stage_of_disease", "description": "The formal assessment of the extent to which the primary cancer with which the patient/subject/donor was diagnosed has progressed, according to the TNM staging or cancer stage grouping criteria.", "type": "string", "required": true, "permissible_values": ["I", "Ia", "Ib", "II", "IIa", "IIb", "III", "IIIa", "IIIb", "IV", "IVa", "IVb", "V", "Va", "Vb", "TisN0M0", "TisN1M1", "T1N0M0", "T1NXM0", "T2N0M0", "T2N0M1", "T2N1M0", "T2N1M1", "T2N2M1", "T3N0M0", "T3N0M1", "T3N1M0", "T3N1M1", "T3NXM1", "TXN0M0", "Not Applicable", "Not Determined", "Unknown"]}, "date_of_diagnosis": {"name": "date_of_diagnosis", "description": "The date upon which the patient/subject/donor was diagnosed with the primary disease in question.", "type": "datetime", "required": false}, "histology_cytopathology": {"name": "histology_cytopathology", "description": "A narrative summary of the primary observations from the the evaluation of a tumor sample from a patient/subject/donor, in terms of its histology and/or cytopathology.", "type": "string", "required": false}, "date_of_histology_confirmation": {"name": "date_of_histology_confirmation", "description": "The date upon which the results of a histological evaluation of a sample from the patient/subject/donor were confirmed.", "type": "datetime", "required": false}, "histological_grade": {"name": "histological_grade", "description": "The histological grading of the tumor(s) present in the patient/subject/donor, based upon microscopic evaluation(s), and recorded at the subject level; grading of specific tumor samples subject to downstream analysis is recorded at the sample level.", "type": "string", "required": false}, "best_response": {"name": "best_response", "description": "Where applicable, an indication as to the best overall response to therapeutic intervention observed within an individual patient/subject/donor.", "type": "string", "required": true, "permissible_values": ["Complete Response", "Partial Response", "Stable Disease", "Progressive Disease", "Not Determined", "Not Applicable", "Unknown"]}, "pathology_report": {"name": "pathology_report", "description": "An indication as to the existence of any detailed pathology evaluation upon which the primary diagnosis was based, either in the form of a formal, subject-specific pathology report, or as detailed in a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "treatment_data": {"name": "treatment_data", "description": "An indication as to the existence of any treatment data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "follow_up_data": {"name": "follow_up_data", "description": "An indication as to the existence of any follow-up data for the patient/subject/donor, typically in the form of a study-level supplemental data file.", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Not Applicable"]}, "concurrent_disease": {"name": "concurrent_disease", "description": "An indication as to whether the patient/subject/donor suffers from any significant secondary disease condition(s).", "type": "string", "required": false, "permissible_values": ["Yes", "No", "Unknown"]}, "concurrent_disease_type": {"name": "concurrent_disease_type", "description": "The specifics of any notable secondary disease condition(s) observed within the patient/subject/donor.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "enrollment": {"name": "enrollment", "description": "", "id_property": "enrollment_id", "properties": {"enrollment_id": {"name": "enrollment_id", "description": "A unique identifier of each enrollment record, used to associate child records, e.g. prior surgery records, with the appropriate parent, and to identify the correct enrollment records during data updates. The value of this property will generally be the same as the value of the case_id property.", "type": "string", "required": true}, "date_of_registration": {"name": "date_of_registration", "description": "The date upon which the patient/subject/donor was enrolled in the study/trial.", "type": "datetime", "required": false}, "registering_institution": {"name": "registering_institution", "description": "Pending", "type": "string", "required": false}, "initials": {"name": "initials", "description": "The initials of the patient/subject/donor based upon the subject's first or given name, and the last or family name of the subject's owner.", "type": "string", "required": false}, "date_of_informed_consent": {"name": "date_of_informed_consent", "description": "The date upon which the owner of the patient/subject/donor signed an informed consent on behalf of the subject.", "type": "datetime", "required": false}, "site_short_name": {"name": "site_short_name", "description": "The widely-accepted acronym for the institution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program.", "type": "string", "required": false}, "veterinary_medical_center": {"name": "veterinary_medical_center", "description": "The full name of the insitution at which the patient/subject/donor was enrolled into the study/trial, and then treated under the appropriate veterinary medicine program, together with the site's city and state.", "type": "string", "required": false}, "patient_subgroup": {"name": "patient_subgroup", "description": "A short description as to the reason for the patient/subject/donor being enrolled in any given study/trial arm or cohort, for example, a clinical trial patient having been enrolled in a dose escalation cohort.", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "one_to_one", "label": "of_case"}}}, "prior_therapy": {"name": "prior_therapy", "description": "", "id_property": null, "properties": {"date_of_first_dose": {"name": "date_of_first_dose", "description": "", "type": "datetime", "required": false}, "date_of_last_dose": {"name": "date_of_last_dose", "description": "", "type": "datetime", "required": false}, "agent_name": {"name": "agent_name", "description": "", "type": "string", "required": false}, "dose_schedule": {"name": "dose_schedule", "description": "Schedule_FUL in form", "type": "string", "required": false}, "total_dose": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "total_dose_original": {"name": "total_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "total_dose_original_unit": {"type": "string", "permissible_values": ["mg"], "default_value": "mg"}, "agent_units_of_measure": {"name": "agent_units_of_measure", "description": "Agent UOM_FUL in form", "type": "string", "required": false}, "best_response_to_prior_therapy": {"name": "best_response_to_prior_therapy", "description": "", "type": "string", "required": false}, "nonresponse_therapy_type": {"name": "nonresponse_therapy_type", "description": "", "type": "string", "required": false}, "prior_therapy_type": {"name": "prior_therapy_type", "description": "", "type": "string", "required": false}, "prior_steroid_exposure": {"name": "prior_steroid_exposure", "description": "Has the patient ever been on steroids? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_steroid": {"name": "number_of_prior_regimens_steroid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_steroid": {"name": "total_number_of_doses_steroid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_steroid": {"name": "date_of_last_dose_steroid", "description": "", "type": "datetime", "required": false}, "prior_nsaid_exposure": {"name": "prior_nsaid_exposure", "description": "Has the patient ever been on NSAIDS? in form", "type": "boolean", "required": false}, "number_of_prior_regimens_nsaid": {"name": "number_of_prior_regimens_nsaid", "description": "", "type": "integer", "required": false}, "total_number_of_doses_nsaid": {"name": "total_number_of_doses_nsaid", "description": "", "type": "integer", "required": false}, "date_of_last_dose_nsaid": {"name": "date_of_last_dose_nsaid", "description": "", "type": "datetime", "required": false}, "tx_loc_geo_loc_ind_nsaid": {"name": "tx_loc_geo_loc_ind_nsaid", "description": "", "type": "string", "required": false}, "min_rsdl_dz_tx_ind_nsaids_treatment_pe": {"name": "min_rsdl_dz_tx_ind_nsaids_treatment_pe", "description": "", "type": "string", "required": false}, "therapy_type": {"name": "therapy_type", "description": "", "type": "string", "required": false}, "any_therapy": {"name": "any_therapy", "description": "", "type": "boolean", "required": false}, "number_of_prior_regimens_any_therapy": {"name": "number_of_prior_regimens_any_therapy", "description": "", "type": "integer", "required": false}, "total_number_of_doses_any_therapy": {"name": "total_number_of_doses_any_therapy", "description": "", "type": "integer", "required": false}, "date_of_last_dose_any_therapy": {"name": "date_of_last_dose_any_therapy", "description": "", "type": "datetime", "required": false}, "treatment_performed_at_site": {"name": "treatment_performed_at_site", "description": "", "type": "boolean", "required": false}, "treatment_performed_in_minimal_residual": {"name": "treatment_performed_in_minimal_residual", "description": "", "type": "boolean", "required": false}}, "relationships": {"prior_therapy": {"dest_node": "prior_therapy", "type": "one_to_one", "label": "next"}}}, "prior_surgery": {"name": "prior_surgery", "description": "", "id_property": null, "properties": {"date_of_surgery": {"name": "date_of_surgery", "description": "The date upon which the prior surgery in question occurred.", "type": "datetime", "required": false}, "procedure": {"name": "procedure", "description": "The type of procedure performed during the prior surgery in question.", "type": "string", "required": true}, "anatomical_site_of_surgery": {"name": "anatomical_site_of_surgery", "description": "The anatomical location at which the prior surgery in question occurred.", "type": "string", "required": true}, "surgical_finding": {"name": "surgical_finding", "description": "A narrative description of any notable observations made during the prior surgery in question.", "type": "string", "required": false}, "residual_disease": {"name": "residual_disease", "description": "TBD", "type": "string", "required": false}, "therapeutic_indicator": {"name": "therapeutic_indicator", "description": "TBD", "type": "string", "required": false}}, "relationships": {"prior_surgery": {"dest_node": "prior_surgery", "type": "one_to_one", "label": "next"}}}, "agent_administration": {"name": "agent_administration", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "medication": {"name": "medication", "description": "", "type": "string", "required": false}, "route_of_administration": {"name": "route_of_administration", "description": "", "type": "string", "required": false}, "medication_lot_number": {"name": "medication_lot_number", "description": "", "type": "string", "required": false}, "medication_vial_id": {"name": "medication_vial_id", "description": "", "type": "string", "required": false}, "medication_actual_units_of_measure": {"name": "medication_actual_units_of_measure", "description": "", "type": "string", "required": false}, "medication_duration": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_unit": {"type": "string", "permissible_values": ["hr", "days", "min"], "default_value": "days"}, "medication_duration_original": {"name": "medication_duration", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_duration_original_unit": {"type": "string", "permissible_values": ["hr", "days", "min"], "default_value": "days"}, "medication_units_of_measure": {"name": "medication_units_of_measure", "description": "", "type": "string", "required": false}, "medication_actual_dose": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "medication_actual_dose_original": {"name": "medication_actual_dose", "description": "", "type": "number", "required": false, "has_unit": true}, "medication_actual_dose_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}, "start_time": {"name": "start_time", "description": "", "type": "datetime", "required": false}, "stop_time": {"name": "stop_time", "description": "", "type": "datetime", "required": false}, "dose_level": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_level_original": {"name": "dose_level", "description": "", "type": "number", "required": false, "has_unit": true}, "dose_level_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "dose_units_of_measure": {"name": "dose_units_of_measure", "description": "", "type": "string", "required": false}, "date_of_missed_dose": {"name": "date_of_missed_dose", "description": "", "type": "datetime", "required": false}, "medication_missed_dose": {"name": "medication_missed_dose", "description": "Q.- form has \"medication\"", "type": "string", "required": false}, "missed_dose_amount": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_amount_original": {"name": "missed_dose_amount", "description": "", "type": "number", "required": false, "has_unit": true}, "missed_dose_amount_original_unit": {"type": "string", "permissible_values": ["mg/kg"], "default_value": "mg/kg"}, "missed_dose_units_of_measure": {"name": "missed_dose_units_of_measure", "description": "Q.- form has \"dose uom_ful\"", "type": "string", "required": false}, "medication_course_number": {"name": "medication_course_number", "description": "", "type": "string", "required": false}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "sample": {"name": "sample", "description": "", "id_property": "sample_id", "properties": {"sample_id": {"name": "sample_id", "description": "The globally unique ID by which any given sample can be unambiguously identified and displayed across studies/trials; specifically the preferred value of the sample identifier used by the data submitter, prefixed with the appropriate ICDC study code during data transformation.
This property is used as the key via which child records, e.g. file records, can be associated with the appropriate sample during data loading, and to identify the correct records during data updates.", "type": "string", "required": true}, "sample_site": {"name": "sample_site", "description": "The specific anatomical location from which any given sample was acquired.", "type": "string", "required": true, "permissible_values": ["Bladder", "Bladder Apex", "Bladder Apex-Mid", "Bladder Mid", "Bladder Mid-Trigone", "Bladder Mucosa", "Bladder Trigone", "Bladder Trigone-Urethra", "Blood", "Bone", "Bone Marrow", "Brain", "Carpus", "Cerebellar", "Cutis", "Distal Urethra", "Femur", "Genitourinary Tract", "Hemispheric", "Humerus", "Kidney", "Liver", "Liver, Spleen, Heart", "Lung", "Lung, Caudal Aspect of Left Caudal Lobe", "Lung, Caudal Right Lobe", "Lung, Cranial Left Lobe", "Lymph Node", "Lymph Node, Popliteal", "Mammary Gland", "Mandible, Mucosa", "Midline", "Mouth", "Mouth, Lingual", "Mouth, Mandible, Mucosa", "Mouth, Maxilla, Mucosa", "Muscle", "Pancreas", "Pleural Effusion", "Radius", "Skin", "Spleen", "Subcutaneous Tissue", "Thyroid Gland", "Tibia", "Unknown", "Urethra", "Urethra Mid-distal", "Urinary Bladder", "Urogenital Tract", "Uterus"]}, "physical_sample_type": {"name": "physical_sample_type", "description": "An indication as to the physical nature of any given sample.", "type": "string", "required": true, "permissible_values": ["Tissue", "Blood", "Cell Line", "Organoid", "Urine Sediment", "Whole Blood"]}, "general_sample_pathology": {"name": "general_sample_pathology", "description": "An indication as to whether a sample represents normal tissue versus representing diseased or tumor tissue.", "type": "string", "required": true, "permissible_values": ["Normal", "Malignant", "Benign", "Hyperplastic", "Diseased", "Not Applicable"]}, "tumor_sample_origin": {"name": "tumor_sample_origin", "description": "An indication as to whether a tumor sample was derived from a primary versus a metastatic tumor.", "type": "string", "required": true, "permissible_values": ["Primary", "Metastatic", "Not Applicable", "Unknown"]}, "summarized_sample_type": {"name": "summarized_sample_type", "description": "A summarized representation of a sample's physical nature, normality, and derivation from a primary versus a metastatic tumor, based upon the combination of values in the three independent properties of physical_sample_type, general_sample_pathology and tumor_sample_origin.", "type": "string", "required": true, "permissible_values": ["Metastatic Tumor Tissue", "Normal Cell Line", "Normal Tissue", "Organoid (ASC-derived)", "Primary Malignant Tumor Tissue", "Urine Sediment", "Tumor Cell Line", "Tumor Cell Line (metastasis-derived)", "Tumoroid", "Tumoroid (urine-derived)", "Whole Blood"]}, "molecular_subtype": {"name": "molecular_subtype", "description": "Where applicable, the molecular subtype of the tumor sample in question, for example, the tumor being basal versus lumnial in nature.", "type": "string", "required": false}, "specific_sample_pathology": {"name": "specific_sample_pathology", "description": "The specific histology and/or pathology associated with a sample.", "type": "string", "required": true, "permissible_values": ["Astrocytoma", "B Cell Lymphoma", "Carcinoma", "Carcinoma With Simple And Complex Components", "Chondroblastic Osteosarcoma", "Complex Carcinoma", "Endometrium (organoid)", "Fibroblastic Osteosarcoma", "Giant Cell Osteosarcoma", "Hemangiosarcoma", "Histiocytic Sarcoma", "Induced Endometrium", "Liver (organoid)", "Lung (organoid)", "Lymphoma", "Mast Cell Tumor", "Melanoma", "Not Applicable", "Oligodendroglioma", "Osteoblastic Osteosarcoma", "Osteoblastic and Chondroblastic Osteosarcoma", "Osteosarcoma", "Osteosarcoma; Combined Type", "Pancreas (organoid)", "Primitive T-Cell Leukemia", "Pulmonary Adenocarcinoma", "Pulmonary Carcinoma", "Simple Carcinoma", "Simple Carcinoma,\u00a0 Ductular, Vascular Invasive", "Simple Carcinoma, Ductal", "Simple Carcinoma, Ductular", "Simple Carcinoma, Inflammatory", "Simple Carcinoma, Invasive, Ductal", "Soft Tissue Sarcoma", "T Cell Lymphoma", "Urinary Bladder (organoid)", "Undefined", "Urothelial Carcinoma", "Urothelial Carcinoma (organoid)"]}, "date_of_sample_collection": {"name": "date_of_sample_collection", "description": "The date upon which the sample was acquired from the patient/subject/donor.", "type": "datetime", "required": false}, "sample_chronology": {"name": "sample_chronology", "description": "An indication as to when a sample was acquired relative to any therapeutic intervention and/or key disease outcome observations.", "type": "string", "required": true, "permissible_values": ["Before Treatment", "During Treatment", "After Treatment", "Upon Progression", "Upon Relapse", "Upon Death", "Not Applicable", "Unknown"]}, "necropsy_sample": {"name": "necropsy_sample", "description": "An indication as to whether a sample was acquired as a result of a necropsy examination.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Unknown", "Not Applicable"]}, "tumor_grade": {"name": "tumor_grade", "description": "The grade of the tumor from which the sample was acquired, i.e. the degree of cellular differentiation within the tumor in question, as determined by a pathologist's evaluation.", "type": "string", "required": false, "permissible_values": ["1", "2", "3", "4", "High", "Medium", "Low", "Unknown", "Not Applicable"]}, "length_of_tumor": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "length_of_tumor_original": {"name": "length_of_tumor", "description": "The length of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "length_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "width_of_tumor_original": {"name": "width_of_tumor", "description": "The width of the tumor from which a tumor sample was derived, as measured in mm.", "type": "number", "required": false, "has_unit": true}, "width_of_tumor_original_unit": {"type": "string", "permissible_values": ["mm"], "default_value": "mm"}, "volume_of_tumor": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "volume_of_tumor_original": {"name": "volume_of_tumor", "description": "The volume of the tumor from which a tumor sample was derived, as measured in cubic centimeters.", "type": "number", "required": false, "has_unit": true}, "volume_of_tumor_original_unit": {"type": "string", "permissible_values": ["cm3"], "default_value": "cm3"}, "percentage_tumor": {"name": "percentage_tumor", "description": "The purity of a sample of tumor tissue in terms of the percentage of the sample that is represnted by tumor cells, expressed either as a discrete percentage or as a percentage range.", "type": "string", "required": false}, "sample_preservation": {"name": "sample_preservation", "description": "The method by which a sample was preserved.", "type": "string", "required": true, "permissible_values": ["EDTA", "FFPE", "RNAlater", "Snap Frozen", "TRIzol", "Not Applicable", "Unknown"]}, "comment": {"name": "comment", "description": "generic comment", "type": "string", "required": false}}, "relationships": {"sample": {"dest_node": "sample", "type": "one_to_one", "label": "next"}}}, "file": {"name": "file", "description": "", "id_property": "uuid", "properties": {"file_name": {"name": "file_name", "description": "The name of the file, maintained exactly as provided by the data submitter.", "type": "string", "required": true}, "file_type": {"name": "file_type", "description": "An indication as to the nature of the file in terms of its content, i.e. what type of information the file contains, as opposed to the file's format.", "type": "string", "required": true, "permissible_values": ["Study Protocol", "Supplemental Data File", "Pathology Report", "Image File", "RNA Sequence File", "Whole Genome Sequence File", "Whole Exome Sequence File", "DNA Methylation Analysis File", "Index File", "Array CGH Analysis File", "Variant Call File", "Mutation Annotation File", "Variant Report", "Data Analysis Whitepaper", "Affymetrix GeneChip Analysis File"]}, "file_description": {"name": "file_description", "description": "An optional description of the file and/or its content, as provided by the data submitter, preferably limited to no more than 60 characters in length.", "type": "string", "required": false}, "file_format": {"name": "file_format", "description": "The specific format of the file as determined by the data loader.", "type": "string", "required": true}, "file_size": {"name": "file_size", "description": "The exact size of the file in bytes.", "type": "number", "required": true}, "md5sum": {"name": "md5sum", "description": "The 32-character hexadecimal md5 checksum value of the file, used to confirm the integrity of files submitted to the ICDC.", "type": "string", "required": true}, "file_status": {"name": "file_status", "description": "An enumerated representation of the status of any given file.", "type": "string", "required": true, "permissible_values": ["uploading", "uploaded", "md5summing", "md5summed", "validating", "error", "invalid", "suppressed", "redacted", "live", "validated", "submitted", "released"]}, "uuid": {"name": "uuid", "description": "The universally unique alpha-numeric identifier assigned to each file.", "type": "string", "required": true}, "file_location": {"name": "file_location", "description": "The specific location within the ICDC S3 storage bucket at which the file is stored, expressed in terms of a unique url.", "type": "string", "required": true}}, "relationships": {"diagnosis": {"dest_node": "diagnosis", "type": "many_to_one", "label": "from_diagnosis"}}}, "image_collection": {"name": "image_collection", "description": "", "id_property": null, "properties": {"image_collection_name": {"name": "image_collection_name", "description": "The name of the image collection exactly as it appears at the location where the collection can be viewed and/or accessed.", "type": "string", "required": true}, "image_type_included": {"name": "image_type_included", "description": "A list of the image types included in the image collection, drawn from a list of acceptable values.", "type": "list", "required": true, "item_type": {"type": "string", "permissible_values": ["PET", "MRI", "Histopathology", "X-ray", "Ultrasound", "CT", "Optical"]}}, "image_collection_url": {"name": "image_collection_url", "description": "The external url via which the image collection can be viewed and/or accessed.", "type": "string", "required": true}, "repository_name": {"name": "repository_name", "description": "The name of the image repository within which the image collection can be found, stated in the form of the appropriate acronym.", "type": "string", "required": true}, "collection_access": {"name": "collection_access", "description": "Indicator as to whether the image collection can be accessed via download versus being accessible only via the cloud.", "type": "string", "required": true, "permissible_values": ["Download", "Cloud"]}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "physical_exam": {"name": "physical_exam", "description": "", "id_property": null, "properties": {"date_of_examination": {"name": "date_of_examination", "description": "The date upon which the physical examination in question was conducted.", "type": "datetime", "required": false}, "day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "body_system": {"name": "body_system", "description": "Major organ system or physiological characteristic assessed during the examination of the patient/subject/donor during a follow-up visit. Observations are reported independently on each organ system or physiological characteristic.", "type": "string", "required": false, "permissible_values": ["Attitude", "Eyes, Ears, Nose and Throat", "Respiratory", "Cardiovascular", "Gastrointestinal", "Musculoskeletal", "Integumentary", "Lymphatic", "Endocrine", "Genitourinary", "Neurologic", "Other"]}, "pe_finding": {"name": "pe_finding", "description": "Indication as to the normal versus abnormal function of the major organ system or physiological characteristic assessed.", "type": "string", "required": false, "permissible_values": ["Normal", "Abnormal", "Not examined"]}, "pe_comment": {"name": "pe_comment", "description": "Narrative comment describing any notable observations concerning any given major organ system or physiological status assessed.", "type": "string", "required": false}, "phase_pe": {"name": "phase_pe", "description": "Pending", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "publication": {"name": "publication", "description": "", "id_property": "publication_title", "properties": {"publication_title": {"name": "publication_title", "description": "The full title of the publication stated exactly as it appears on the published work.
This property is used as the key via which to identify the correct records during data updates.", "type": "string", "required": true}, "authorship": {"name": "authorship", "description": "A list of authors for the cited work. More specifically, for publications with no more than three authors, authorship quoted in full; for publications with more than three authors, authorship abbreviated to first author et al.", "type": "string", "required": true}, "year_of_publication": {"name": "year_of_publication", "description": "The year in which the cited work was published.", "type": "number", "required": true}, "journal_citation": {"name": "journal_citation", "description": "The name of the journal in which the cited work was published, inclusive of the citation itself in terms of journal volume number, part number where applicable, and page numbers.", "type": "string", "required": true}, "digital_object_id": {"name": "digital_object_id", "description": "Where applicable, the digital object identifier for the cited work, by which it can be permanently identified, and linked to via the internet.", "type": "string", "required": false}, "pubmed_id": {"name": "pubmed_id", "description": "Where applicable, the unique numerical identifier assigned to the cited work by PubMed, by which it can be linked to via the internet.", "type": "number", "required": false}}, "relationships": {"study": {"dest_node": "study", "type": "many_to_one", "label": "of_study"}}}, "vital_signs": {"name": "vital_signs", "description": "", "id_property": null, "properties": {"date_of_vital_signs": {"name": "date_of_vital_signs", "description": "The date upon which the vital signs evaluation in question was conducted.", "type": "datetime", "required": false}, "body_temperature": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "body_temperature_original": {"name": "body_temperature", "description": "The temperature of the patient/subject/donor at the time of the vital signs evaluation.", "type": "number", "required": false, "has_unit": true}, "body_temperature_original_unit": {"type": "string", "permissible_values": ["degrees C", "degrees F"], "default_value": "degrees F"}, "pulse": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "pulse_original": {"name": "pulse", "description": "The heart rate of the patient/subject/donor at the time of the vital signs evaluation, measured in beats per minute.", "type": "integer", "required": false, "has_unit": true}, "pulse_original_unit": {"type": "string", "permissible_values": ["bpm"], "default_value": "bpm"}, "respiration_rate": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_rate_original": {"name": "respiration_rate", "description": "The rate of respiration of the patient/subject/donor at the time of the vital signs evaluation, measured in the number of breaths taken per minute.", "type": "integer", "required": false, "has_unit": true}, "respiration_rate_original_unit": {"type": "string", "permissible_values": ["breaths/min"], "default_value": "breaths/min"}, "respiration_pattern": {"name": "respiration_pattern", "description": "An indication as to the normality of the breathing pattern of the patient/subject/donor at the time of the vital signs evaluation.", "type": "string", "required": false}, "systolic_bp": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "systolic_bp_original": {"name": "systolic_bp", "description": "The systolic blood pressure of the patient/subject/donor at the time of the vital signs evaluation, measured in mm of mercury.", "type": "integer", "required": false, "has_unit": true}, "systolic_bp_original_unit": {"type": "string", "permissible_values": ["mm Hg"], "default_value": "mm Hg"}, "pulse_ox": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "pulse_ox_original": {"name": "pulse_ox", "description": "The level of oxygen saturation in the blood of the patient/subject/donor at the time of the vital signs evaluation, expressed in terms of the percentage saturation.", "type": "number", "required": false, "has_unit": true}, "pulse_ox_original_unit": {"type": "string", "permissible_values": ["%"], "default_value": "%"}, "patient_weight": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "patient_weight_original": {"name": "patient_weight", "description": "The weight of the patient/subject/donor at the time of the vital signs evaluation, measured in kilograms.", "type": "number", "required": false, "has_unit": true}, "patient_weight_original_unit": {"type": "string", "permissible_values": ["kg"], "default_value": "kg"}, "body_surface_area": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "body_surface_area_original": {"name": "body_surface_area", "description": "The body surface area of the patient/subject/donor at the time of the vital signs evaluation, expressed in square meters.", "type": "number", "required": false, "has_unit": true}, "body_surface_area_original_unit": {"type": "string", "permissible_values": ["sq meters"], "default_value": "sq meters"}, "modified_ecog": {"name": "modified_ecog", "description": "The Eastern Cooperative Oncology Group (ECOG) performance status of the patient/subject/donor at the time of the vital signs evaluation. The value of this metric indicates the overall function of the patient/subject/donor and his/her ability to tolerate therapy.", "type": "string", "required": false}, "ecg": {"name": "ecg", "description": "Indication as to the normality of the electrocardiogram conducted during the vital signs evaluation.", "type": "string", "required": false}, "assessment_timepoint": {"name": "assessment_timepoint", "description": "Pending", "type": "integer", "required": false}, "phase": {"name": "phase", "description": "Where should this live?/What is?", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "adverse_event": {"name": "adverse_event", "description": "", "id_property": null, "properties": {"day_in_cycle": {"name": "day_in_cycle", "description": "Numerically, the day in the treatment cycle upon which any given adverse event was first observed, where Day 1 is the first day of the treatment cycle within which the adverse event was observed. Some patients/subjects may undergo multiple treatment cycles, such that two or more adverse events may be observed on the same day in cycle, but actually be observed on different dates, because they occur in different treatment cycles.", "type": "integer", "required": false}, "date_of_onset": {"name": "date_of_onset", "description": "The date upon which any given adverse event was first observed.", "type": "datetime", "required": false}, "existing_adverse_event": {"name": "existing_adverse_event", "description": "An indication as to whether any given adverse event occurred prior to the enrollment of a patient/subject into the clinical trial in question, and/or was ongoing at the time of trial enrollment.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "date_of_resolution": {"name": "date_of_resolution", "description": "The date upon which any given adverse event resolved. If an adverse event was ongong at the time of death, the date of death should be used as the value date_of_resolution.", "type": "string", "required": false}, "ongoing_adverse_event": {"name": "ongoing_adverse_event", "description": "An indication as to whether any given adverse event was ongoing as of the end of a treatment cycle, the end of the clinical trial itself, or the patient/subject being taken off study.", "type": "string", "required": false, "permissible_values": ["Yes", "No"]}, "adverse_event_term": {"name": "adverse_event_term", "description": "The specific controlled vocabulary term for any given adverse event, as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true}, "adverse_event_description": {"name": "adverse_event_description", "description": "A narrative description of any given adverse event which provides extra details as to its associated clinical, physical and behavioral observations, and/or mitigations for the adverse event.", "type": "string", "required": false}, "adverse_event_grade": {"name": "adverse_event_grade", "description": "The grade of any given adverse event, reported as an enumerated value corresponding to one of the five distinct grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE).", "type": "string", "required": true, "permissible_values": ["1", "2", "3", "4", "5", "Unknown"]}, "adverse_event_grade_description": {"name": "adverse_event_grade_description", "description": "The grade of any given adverse event, reported in the form of a single descriptive term corresponding to one of the five enumerated grades as defined by the Veterinary Comparative Oncology Group's Common Terminology Criteria for Adverse Events (VCOG-CTCAE). Although numerical values for grade are standard terms for the reporting of adverse events, the narrative form of adverse event grades will be useful to users not already familiar with adverse event grading.", "type": "string", "required": false, "permissible_values": ["Mild", "Moderate", "Severe", "Life-threatening", "Death", "Unknown"]}, "adverse_event_agent_name": {"name": "adverse_event_agent_name", "description": "The name of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "adverse_event_agent_dose": {"name": "adverse_event_agent_dose", "description": "The corresponding dose of any investigational new drug being administered at the time of any given adverse event being observed.", "type": "string", "required": false}, "attribution_to_research": {"name": "attribution_to_research", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the clinical trial/research environment in general, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_ind": {"name": "attribution_to_ind", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by any investigational new drugs being administered as part of the clinical trial, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_disease": {"name": "attribution_to_disease", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by the disease for which the patient/subject is being treated, or is unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "attribution_to_commercial": {"name": "attribution_to_commercial", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by a commercially-available, FDA-approved therapeutic agent, used within the confines of the clinical trial either for its FDA-approved indication or in an off-label manner, but not as the investigational new drug or part of the investigational new therapy, versus the adverse event in question being unrelated to it.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Not Applicable"]}, "attribution_to_other": {"name": "attribution_to_other", "description": "A qualitative indication as to whether any given adverse event is likely, possibly, probably or definitely caused by some other factor(s), as described by the other_attribution_description property, or is unrelated to such other factors.", "type": "string", "required": true, "permissible_values": ["Unrelated", "Unlikely", "Possible", "Probable", "Definite", "Undefined"]}, "other_attribution_description": {"name": "other_attribution_description", "description": "A description of any other factor or factors to which any given adverse event has been attributed. Where an adverse event is attributed to factors other than the standard factors of research, disease, IND or commercial, a description of the other factor(s) to which the adverse event was attributed is required.", "type": "string", "required": false}, "dose_limiting_toxicity": {"name": "dose_limiting_toxicity", "description": "An indication as to whether any given adverse event observed during the clinical trial is indicative of the dose of the therapeutic agent under test being limiting in terms of its toxicity.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Not Applicable"]}, "unexpected_adverse_event": {"name": "unexpected_adverse_event", "description": "An indication as to whether any given adverse event observed during the clinical trial is completely unanticipated and therefore considered novel.", "type": "string", "required": true, "permissible_values": ["Yes", "No", "Undefined"]}}, "relationships": {"adverse_event": {"dest_node": "adverse_event", "type": "one_to_one", "label": "next"}}}, "disease_extent": {"name": "disease_extent", "description": "", "id_property": null, "properties": {"lesion_number": {"name": "lesion_number", "description": "An arbitrary numerical designation for each lesion subject to evaluation, by which that lesion can be unambiguously identified.", "type": "string", "required": false}, "lesion_site": {"name": "lesion_site", "description": "The overall anatomical location of the lesion being assessed in terms of the organ or organ system in which it is located. For example, lung, lymph node, etc.", "type": "string", "required": false}, "lesion_description": {"name": "lesion_description", "description": "Additional detail as to the specific location of the lesion subject to evaluation. For example, in the case of a lymph node lesion, the specific lymph node in which the lesion is located.", "type": "string", "required": false}, "previously_irradiated": {"name": "previously_irradiated", "description": "Pending", "type": "string", "required": false}, "previously_treated": {"name": "previously_treated", "description": "Pending", "type": "string", "required": false}, "measurable_lesion": {"name": "measurable_lesion", "description": "Pending", "type": "string", "required": false}, "target_lesion": {"name": "target_lesion", "description": "Pending", "type": "string", "required": false}, "date_of_evaluation": {"name": "date_of_evaluation", "description": "The date upon which the extent of disease evaluation was conducted.", "type": "datetime", "required": false}, "measured_how": {"name": "measured_how", "description": "The method by which the size of any given lesion was determined.", "type": "string", "required": false}, "longest_measurement": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "longest_measurement_original": {"name": "longest_measurement", "description": "The longest dimension of the lesion subject to evaluation, as measured in (units TBD)", "type": "number", "required": false, "has_unit": true}, "longest_measurement_original_unit": {"type": "string", "permissible_values": ["TBD"], "default_value": "TBD"}, "evaluation_number": {"name": "evaluation_number", "description": "The number of the evaluation durinhg which any given lesion was examined, with evaluations numbered according to their chronological order.", "type": "string", "required": false}, "evaluation_code": {"name": "evaluation_code", "description": "An indication as to the status of any given lesion being evaluated, in terms of the evaluation establishing a baseline for the lesion, versus the lesion subject to evaluation being new, being stable in size, decreasing in size, increasing in size or having resolved.", "type": "string", "required": false}}, "relationships": {"visit": {"dest_node": "visit", "type": "many_to_one", "label": "on_visit"}}}, "follow_up": {"name": "follow_up", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_of_last_contact": {"name": "date_of_last_contact", "description": "", "type": "datetime", "required": false}, "patient_status": {"name": "patient_status", "description": "need vocab", "type": "string", "required": false}, "explain_unknown_status": {"name": "explain_unknown_status", "description": "free text?", "type": "string", "required": false}, "contact_type": {"name": "contact_type", "description": "need vocab", "type": "string", "required": false}, "treatment_since_last_contact": {"name": "treatment_since_last_contact", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_performed": {"name": "physical_exam_performed", "description": "y/n", "type": "boolean", "required": false}, "physical_exam_changes": {"name": "physical_exam_changes", "description": "How described? Relative to data already stored in \"physical_exam\" node?", "type": "string", "required": false}}, "relationships": {"case": {"dest_node": "case", "type": "many_to_one", "label": "of_case"}}}, "off_study": {"name": "off_study", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_study": {"name": "date_off_study", "description": "", "type": "datetime", "required": false}, "reason_off_study": {"name": "reason_off_study", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}, "off_treatment": {"name": "off_treatment", "description": "", "id_property": null, "properties": {"document_number": {"name": "document_number", "description": "S/N of the executed CRF", "type": "string", "required": false}, "date_off_treatment": {"name": "date_off_treatment", "description": "", "type": "datetime", "required": false}, "reason_off_treatment": {"name": "reason_off_treatment", "description": "", "type": "string", "required": false}, "date_of_disease_progression": {"name": "date_of_disease_progression", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_secondary_response": {"name": "best_resp_vet_tx_tp_secondary_response", "description": "", "type": "string", "required": false}, "date_last_medication_administration": {"name": "date_last_medication_administration", "description": "", "type": "datetime", "required": false}, "best_resp_vet_tx_tp_best_response": {"name": "best_resp_vet_tx_tp_best_response", "description": "", "type": "string", "required": false}, "date_of_best_response": {"name": "date_of_best_response", "description": "", "type": "datetime", "required": false}}, "relationships": {}}}, "file-nodes": {"file": {"name-field": "file_name", "size-field": "file_size", "md5-field": "md5sum"}}}, "id_fields": [{"node": "program", "key": "program_acronym"}, {"node": "study", "key": "clinical_study_designation"}, {"node": "study_site", "key": null}, {"node": "study_arm", "key": "arm_id"}, {"node": "agent", "key": null}, {"node": "cohort", "key": "cohort_id"}, {"node": "case", "key": "case_id"}, {"node": "registration", "key": null}, {"node": "biospecimen_source", "key": null}, {"node": "canine_individual", "key": "canine_individual_id"}, {"node": "demographic", "key": "demographic_id"}, {"node": "cycle", "key": null}, {"node": "visit", "key": "visit_id"}, {"node": "principal_investigator", "key": null}, {"node": "diagnosis", "key": "diagnosis_id"}, {"node": "enrollment", "key": "enrollment_id"}, {"node": "prior_therapy", "key": null}, {"node": "prior_surgery", "key": null}, {"node": "agent_administration", "key": null}, {"node": "sample", "key": "sample_id"}, {"node": "assay", "key": null}, {"node": "file", "key": "uuid"}, {"node": "image", "key": null}, {"node": "image_collection", "key": null}, {"node": "physical_exam", "key": null}, {"node": "publication", "key": "publication_title"}, {"node": "vital_signs", "key": null}, {"node": "lab_exam", "key": null}, {"node": "adverse_event", "key": null}, {"node": "disease_extent", "key": null}, {"node": "follow_up", "key": null}, {"node": "off_study", "key": null}, {"node": "off_treatment", "key": null}]} \ No newline at end of file diff --git a/src/common/model_store.py b/src/common/model_store.py index 8cd6093..1803fb3 100644 --- a/src/common/model_store.py +++ b/src/common/model_store.py @@ -1,6 +1,4 @@ import os -import json -import glob from bento.common.utils import get_logger from common.model_reader import YamlModelParser from common.constants import DATA_COMMON, IDS, NODES_LABEL, MODELS_DEFINITION_FILE, MODEL diff --git a/src/common/mongo_dao.py b/src/common/mongo_dao.py index f84d63c..e42d5e1 100644 --- a/src/common/mongo_dao.py +++ b/src/common/mongo_dao.py @@ -1,6 +1,6 @@ from pymongo import MongoClient, errors, ReplaceOne, DeleteOne from bento.common.utils import get_logger -from common.constants import MONGO_DB, BATCH_COLLECTION, SUBMISSION_COLLECTION, DATA_COLlECTION, ID, UPDATED_AT, \ +from common.constants import BATCH_COLLECTION, SUBMISSION_COLLECTION, DATA_COLlECTION, ID, UPDATED_AT, \ SUBMISSION_ID, NODE_ID, NODE_TYPE, S3_FILE_INFO, ERRORS, INTENTION_NEW, FILE_STATUS, FILE_ERRORS from common.utils import get_exception_msg, current_datetime_str diff --git a/src/common/utils.py b/src/common/utils.py index 631b6ab..a8a4edc 100644 --- a/src/common/utils.py +++ b/src/common/utils.py @@ -7,9 +7,8 @@ import requests import yaml import boto3 -from bento.common.utils import get_md5, get_stream_md5 +from bento.common.utils import get_stream_md5 from datetime import datetime -#from bento.common.utils import get_uuid import uuid from common.constants import DATA_COMMON, VERSION @@ -124,7 +123,7 @@ def current_datetime_str(): """ -get uuid v5 +get uuid v4 """ def get_uuid_str(): return str(uuid.uuid4()) diff --git a/src/config.py b/src/config.py index d8e463d..5285bb3 100644 --- a/src/config.py +++ b/src/config.py @@ -1,9 +1,9 @@ import argparse import os import yaml -from common.constants import MONGO_DB, SQS_NAME, RETRIES, DB, MODEL_FILE_DIR, \ +from common.constants import MONGO_DB, SQS_NAME, DB, MODEL_FILE_DIR, \ LOADER_QUEUE, SERVICE_TYPE, SERVICE_TYPE_ESSENTIAL, SERVICE_TYPE_FILE, SERVICE_TYPE_METADATA, \ - SERVICE_TYPES, DB, FILE_QUEUE, METADATA_QUEUE, TIER, S3_BUCKET_DIR, TIER_CONFIG + SERVICE_TYPES, DB, FILE_QUEUE, METADATA_QUEUE, TIER, TIER_CONFIG from bento.common.utils import get_logger from common.utils import clean_up_key_value @@ -11,16 +11,14 @@ class Config(): def __init__(self): self.log = get_logger('Upload Config') parser = argparse.ArgumentParser(description='Upload files to AWS s3 bucket') - parser.add_argument('-s', '--service-type', type=str, choices=["essential", "file", "metadata"], help='validation type, required') - parser.add_argument('-v', '--server', help='Mongo database host, optional, it can be acquired from env.') - parser.add_argument('-p', '--port', help='Mongo database port, optional, it can be acquired from env.') + parser.add_argument('-t', '--service-type', type=str, choices=["essential", "file", "metadata"], help='validation type, required') + parser.add_argument('-s', '--server', help='Mongo database host, optional, it can be acquired from env.') + parser.add_argument('-o', '--port', help='Mongo database port, optional, it can be acquired from env.') parser.add_argument('-u', '--user', help='Mongo database user id, optional, it can be acquired from env.') - parser.add_argument('-w', '--pwd', help='Mongo database user password, optional, it can be acquired from env.') + parser.add_argument('-p', '--pwd', help='Mongo database user password, optional, it can be acquired from env.') parser.add_argument('-d', '--db', help='Mongo database with batch collection, optional, it can be acquired from env.') - parser.add_argument('-l', '--models-loc', help='metadata models local, only required for essential and metadata service types') + parser.add_argument('-m', '--models-loc', help='metadata models local, only required for essential and metadata service types') parser.add_argument('-q', '--sqs', help='aws sqs name, optional, it can be acquired from env.') - - parser.add_argument('config', help='configuration file path, contains all above parameters, required') args = parser.parse_args() @@ -67,7 +65,6 @@ def validate(self): self.data[DB] = db_name self.data[MONGO_DB] = f"mongodb://{db_user_id}:{db_user_password}@{db_server}:{db_port}/?authMechanism=DEFAULT" - models_loc= self.data.get(MODEL_FILE_DIR) if models_loc is None and self.data[SERVICE_TYPE] != SERVICE_TYPE_FILE: self.log.critical(f'Metadata models location is required!') @@ -75,21 +72,19 @@ def validate(self): # try to get sqs setting from env. if self.data[SERVICE_TYPE] == SERVICE_TYPE_ESSENTIAL: - sqs = os.environ.get(LOADER_QUEUE) + sqs = os.environ.get(LOADER_QUEUE, self.data.get(SQS_NAME)) elif self.data[SERVICE_TYPE] == SERVICE_TYPE_FILE: - sqs = os.environ.get(FILE_QUEUE) + sqs = os.environ.get(FILE_QUEUE, self.data.get(SQS_NAME)) elif self.data[SERVICE_TYPE] == SERVICE_TYPE_METADATA: - sqs = os.environ.get(METADATA_QUEUE) + sqs = os.environ.get(METADATA_QUEUE, self.data.get(SQS_NAME)) else: sqs = None # if no env set got sqs, check config/arg if not sqs: - sqs = self.data.get(SQS_NAME) - if not sqs: - self.log.critical(f'AWS sqs name is required!') - return False - else: + self.log.critical(f'AWS sqs name is required!') + return False + else: self.data[SQS_NAME] = sqs tier = os.environ.get(TIER, self.data.get(TIER_CONFIG)) @@ -99,24 +94,5 @@ def validate(self): else: self.data[TIER_CONFIG] = tier - # s3_bucket_drive = self.data.get(S3_BUCKET_DIR) - # if not s3_bucket_drive and self.data[SERVICE_TYPE] == SERVICE_TYPE_FILE: - # self.log.critical(f'No s3 bucket drive configured!') - # return False - # else: - # self.data[S3_BUCKET_DIR] = s3_bucket_drive - - - retry = self.data.get(RETRIES, 3) #default value is 3 - if isinstance(retry, str): - if not retry.isdigit(): - self.log.critical(f'retries is not integer!') - return False - else: - self.data[RETRIES] =int(retry) - else: - self.data[RETRIES] =int(retry) - - return True diff --git a/src/essential_validator.py b/src/essential_validator.py index a72233b..539609a 100644 --- a/src/essential_validator.py +++ b/src/essential_validator.py @@ -6,8 +6,8 @@ from bento.common.sqs import VisibilityExtender from bento.common.utils import get_logger from bento.common.s3 import S3Bucket -from common.constants import BATCH_STATUS, BATCH_TYPE_METADATA, DATA_COMMON_NAME, ERRORS, DB, \ - ERRORS, S3_DOWNLOAD_DIR, SQS_NAME, BATCH_ID, BATCH_STATUS_LOADED, INTENTION_NEW, IDS, SQS_TYPE, TYPE_LOAD,\ +from common.constants import BATCH_STATUS, BATCH_TYPE_METADATA, DATA_COMMON_NAME, ERRORS, \ + ERRORS, S3_DOWNLOAD_DIR, SQS_NAME, BATCH_ID, BATCH_STATUS_LOADED, INTENTION_NEW, SQS_TYPE, TYPE_LOAD,\ BATCH_STATUS_REJECTED, ID, FILE_NAME, TYPE, FILE_PREFIX, BATCH_INTENTION, NODE_LABEL, MODEL_FILE_DIR, TIER_CONFIG from common.utils import cleanup_s3_download_dir, get_exception_msg, dump_dict_to_json from common.model_store import ModelFactory diff --git a/src/file_validator.py b/src/file_validator.py index d35b70a..865235d 100644 --- a/src/file_validator.py +++ b/src/file_validator.py @@ -5,7 +5,7 @@ from bento.common.sqs import VisibilityExtender from bento.common.utils import get_logger, get_md5 from bento.common.s3 import S3Bucket -from common.constants import ERRORS, WARNINGS, DB, FILE_STATUS, STATUS_NEW, S3_FILE_INFO, ID, SIZE, MD5, UPDATED_AT, \ +from common.constants import ERRORS, WARNINGS, FILE_STATUS, STATUS_NEW, S3_FILE_INFO, ID, SIZE, MD5, UPDATED_AT, \ FILE_NAME, SQS_TYPE, SQS_NAME, FILE_ID, STATUS_ERROR, STATUS_WARNING, STATUS_PASSED, SUBMISSION_ID, BATCH_BUCKET from common.utils import cleanup_s3_download_dir, get_exception_msg, current_datetime_str, get_file_md5_size @@ -82,7 +82,6 @@ def fileValidate(configs, job_queue, mongo_dao): log.info('Good bye!') return - """ Requirement for the ticket crdcdh-539 1. Missing File, validate if a file specified in a manifest exist in files folder of the submission (error) diff --git a/src/metadata_validator.py b/src/metadata_validator.py index 20a0196..4200c7c 100644 --- a/src/metadata_validator.py +++ b/src/metadata_validator.py @@ -4,17 +4,13 @@ import json import os from datetime import datetime -from botocore.exceptions import ClientError from bento.common.sqs import VisibilityExtender from bento.common.utils import get_logger -from bento.common.s3 import S3Bucket from common.constants import SQS_NAME, SQS_TYPE, SCOPE, MODEL, SUBMISSION_ID, ERRORS, WARNINGS, STATUS_ERROR, \ STATUS_WARNING, STATUS_PASSED, FILE_STATUS, UPDATED_AT, MODEL_FILE_DIR, TIER_CONFIG, DATA_COMMON_NAME, \ - NODE_TYPE, PROPERTIES, TYPE, MIN, MAX, VALID_PROP_TYPE_LIST, VALIDATION_RESULT - + NODE_TYPE, PROPERTIES, TYPE, MIN, MAX, VALID_PROP_TYPE_LIST, VALIDATION_RESULT from common.utils import current_datetime_str, get_exception_msg, dump_dict_to_json from common.model_store import ModelFactory -from data_loader import DataLoader VISIBILITY_TIMEOUT = 20 diff --git a/src/validator.py b/src/validator.py index 9f6bc9d..5a7f846 100644 --- a/src/validator.py +++ b/src/validator.py @@ -6,7 +6,7 @@ import json from collections import deque from bento.common.utils import get_logger, LOG_PREFIX, get_time_stamp -from bento.common.sqs import Queue, VisibilityExtender +from bento.common.sqs import Queue from common.constants import SQS_NAME, MONGO_DB, DB, SERVICE_TYPE, SERVICE_TYPE_ESSENTIAL,\ SERVICE_TYPE_FILE, SERVICE_TYPE_METADATA from common.utils import dump_dict_to_json, get_exception_msg, cleanup_s3_download_dir @@ -16,8 +16,6 @@ from file_validator import fileValidate from metadata_validator import metadataValidate -if LOG_PREFIX not in os.environ: - os.environ[LOG_PREFIX] = 'Validator Main' log = get_logger('Validator') # public function to received args and dispatch to different modules for different uploading types, file or metadata def controller(): From f3325463d11d475abb5e77522da168f348c84471 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Wed, 13 Dec 2023 13:46:19 -0500 Subject: [PATCH 7/8] update git ignore --- .gitignore | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitignore b/.gitignore index 5d3d59d..71a19b4 100644 --- a/.gitignore +++ b/.gitignore @@ -145,4 +145,4 @@ backup/ **/configs/*config.yml # model dict dumps -#**/model/*.json +**/model/*.json From d68779aec1d08ee7190ac4210b0a4a05bfa9a6c0 Mon Sep 17 00:00:00 2001 From: vshand11 <105606628+vshand11@users.noreply.github.com> Date: Wed, 13 Dec 2023 14:17:38 -0500 Subject: [PATCH 8/8] update ignore --- .gitignore | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitignore b/.gitignore index 71a19b4..3506a20 100644 --- a/.gitignore +++ b/.gitignore @@ -145,4 +145,4 @@ backup/ **/configs/*config.yml # model dict dumps -**/model/*.json +**/models/*.json