From 1e5445a3c1cb53e3876ce60169273ef0dfdf4034 Mon Sep 17 00:00:00 2001 From: h9b Date: Thu, 26 Mar 2020 19:34:24 +0100 Subject: [PATCH 01/20] use gsheets #38 --- python/covid_worker.py | 210 ++++++++++++++++++++++++++++++++++++++++ python/requirements.txt | 5 +- 2 files changed, 214 insertions(+), 1 deletion(-) create mode 100644 python/covid_worker.py diff --git a/python/covid_worker.py b/python/covid_worker.py new file mode 100644 index 0000000..4f93863 --- /dev/null +++ b/python/covid_worker.py @@ -0,0 +1,210 @@ +from datetime import date +import gspread +import oauth2client.service_account as service_account +from df2gspread import df2gspread as d2g +import pandas as pd +import urllib +import numpy as np +import geojson +import random + + +def get_trials_df_from_url() -> pd.DataFrame: + """Download trials, save as csv and return data frame.""" + # TODO: this is currently not working, we need to handle this error: + # TODO: UnicodeDecodeError: 'charmap' codec can't decode byte 0x9d in position 158: + # TODO: character maps to + """ + # download excel spreadsheet from url and save to disk + url = 'https://www.who.int/docs/default-source/coronaviruse/covid-19-trials.xls?ua=1' + outfile = f'dat/covid-19-trials_{date.today()}.xls' + urllib.request.urlretrieve(url, outfile) + df = pd.read_excel(outfile) + """ + + # due to the error above we need to manually download the file and convert to csv + outfile = "dat/covid-19-trials_2020-03-26.csv" + df = pd.read_csv(outfile) + print(f"There are {len(df)} entries in {outfile}") + + return df + + +def auth_gspread(config_file: str): + """Connect to google drive.""" + scope = ["https://spreadsheets.google.com/feeds"] + credentials = service_account.ServiceAccountCredentials.from_json_keyfile_name( + config_file, scope + ) + + return credentials + + +def get_df_from_gsheet(credentials, doc_id: str, sheet_name: str) -> pd.DataFrame: + """Download data from google spreadsheet.""" + client = gspread.authorize(credentials) + spreadsheet = client.open_by_key(doc_id) + worksheet = spreadsheet.worksheet(sheet_name) + sheet_data = worksheet.get_all_values() + header = sheet_data.pop(0) + + df = pd.DataFrame(sheet_data, columns=header) + return df + + +def upload_df_to_gsheet( + credentials, doc_id: str, sheet_name: str, df: pd.DataFrame +) -> None: + """Upload data to google spreadsheet.""" + d2g.upload( + df, doc_id, sheet_name, credentials=credentials, col_names=True, row_names=False + ) + + +def addNoiseToDuplicatedCoords(df): + # are the duplicated coordinates? + noiseFactor = 10 ** -2 + # round X and Y to ensure that close locations are considered as dubplicates as well + df["Xround"] = df["X"].round(2) + df["Yround"] = df["Y"].round(2) + isDuplicate = df.duplicated( + subset=("Xround", "Yround"), keep="first" + ) # mark all but the first occurrence of a duplicate + # add uniformly distributed random noise to x and y coordinates + # draw -1 or 1 for the sign and when a random float and scale it to the desired level + # add 1 to ensure that we always have some offset + # by the specified noiseFactor + df["X"] = np.where( + isDuplicate, + df["X"] + random.choice((-1, 1)) * (1 + random.uniform(0.5, 1)) * noiseFactor, + df["X"], + ) + df["Y"] = np.where( + isDuplicate, + df["Y"] + random.choice((-1, 1)) * (1 + random.uniform(0.5, 1)) * noiseFactor, + df["Y"], + ) + return df + + +def df_to_geojson(df): + """Save dataframe to geojson file.""" + + # drop all columns with no coordinates + df = df.dropna(subset=["X", "Y"]) + df = df.fillna("") + + df = addNoiseToDuplicatedCoords(df) + print(f"There are {len(df)} clinical trials with coordinates.") + + features = [] + insert_features = lambda X: features.append( + geojson.Feature( + geometry=geojson.Point((X["X"], X["Y"])), + properties=dict( + name=X["TrialID"], + description=X["Public title"], + study_type=X["Study type"], + time=X["Date registration"], + weburl=X["web address"], + primaryOutcome=X["Primary outcome"], + dateEnrollment=X["Date enrollement"], + contactEmail=X["Contact Email"], + contactPhone=X["Contact Tel"], + classification=X["Category"], + ), + ) + ) + df.apply(insert_features, axis=1) + + columns = ["TrialID", "X", "Y"] + df[columns].to_csv("dat/benni_test_df.csv") + + fname = "../nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson" + with open(fname, "w", encoding="utf8") as fp: + geojson.dump( + geojson.FeatureCollection(features), fp, sort_keys=True, ensure_ascii=False + ) + print(f"saved df to '{fname}'.") + + fname = "dat/covid-19_clinical_trials_points.geojson" + with open(fname, "w", encoding="utf8") as fp: + geojson.dump( + geojson.FeatureCollection(features), fp, sort_keys=True, ensure_ascii=False + ) + print(f"saved df to '{fname}'.") + + +def run(): + """Run entire workflow.""" + # Make sure to provide access to gdrive + config_file = "config/gdrive_api_service_account.json" + doc_id = "11H6QGuGgEl2uYX5zZC1lvPNRx0274eoNX1Ow3HTlu_0" + credentials = auth_gspread(config_file) + + # get "fresh" trials data from url + # TODO: this is currently broken! You need to provide as csv file manually. + new_data_df = get_trials_df_from_url() + + # get categories from "old" trials data in gsheet + sheet_name = "trial_categories" + categories_df = get_df_from_gsheet(credentials, doc_id, sheet_name) + categories_df = categories_df[["TrialID", "Category"]].set_index("TrialID") + categories_df.loc[categories_df["Category"] == "nan"] = np.nan + + # join categories and update trial categories in gsheet + new_data_df = new_data_df.join(categories_df, on="TrialID", how="left") + sheet_name = "trial_categories" + columns = [ + "TrialID", + "Date registration", + "Category", + "web address", + "Public title", + ] + upload_df_to_gsheet( + credentials, + doc_id, + sheet_name, + new_data_df[columns].sort_values(by="Category", na_position="first"), + ) + + # get locations from "old" trial locations in gsheet + sheet_name = "trial_locations" + locations_df = get_df_from_gsheet(credentials, doc_id, sheet_name) + locations_df = locations_df[["TrialID", "X", "Y"]].set_index("TrialID") + locations_df["X"] = locations_df["X"].replace("nan", np.NaN) + locations_df["Y"] = locations_df["Y"].replace("nan", np.NaN) + locations_df["X"] = locations_df["X"].astype(float) + locations_df["Y"] = locations_df["Y"].astype(float) + + # join locations and update trial locations in gsheet + new_data_df = new_data_df.join(locations_df, on="TrialID", how="left") + + # update trial locations in gsheet + sheet_name = "trial_locations" + columns = [ + "TrialID", + "Date registration", + "web address", + "Contact Address", + "X", + "Y", + ] + upload_df_to_gsheet( + credentials, + doc_id, + sheet_name, + new_data_df[columns].sort_values(by="X", na_position="first"), + ) + + # export dataframe as geojson + df_to_geojson(new_data_df) + + # dump df to file + outfile = "dat/covid-19-trials_dataframe.csv" + new_data_df.to_csv() + + +if __name__ == "__main__": + run() diff --git a/python/requirements.txt b/python/requirements.txt index dfb60cb..452244f 100644 --- a/python/requirements.txt +++ b/python/requirements.txt @@ -1,2 +1,5 @@ pandas==1.0.2 -geojson==2.5.0 \ No newline at end of file +geojson==2.5.0 +gspread==3.1.0 +oauth2client==4.1.3 +xlrd==1.2.0 \ No newline at end of file -- GitLab From ad1a022b0a0159237538481eee0f793bea77c8c4 Mon Sep 17 00:00:00 2001 From: h9b Date: Thu, 26 Mar 2020 20:25:51 +0100 Subject: [PATCH 02/20] add structure --- README.md | 34 + .../assets/data/covid-19-trials.geojson | 1 + .../covid-19_clinical_trials_points.geojson | 1 - nginx/covid_website/assets/js/map.js | 2 +- python/address_from_sven.py | 14 - python/config/gdrive_api_service_account.json | 12 + python/covid_worker.py | 13 +- python/csv_to_geojson.py | 131 - python/dat/IctrpResults.csv | 6172 ----------------- python/dat/README.md | 19 - python/dat/address_locations.csv | 334 - python/dat/address_locations_input.csv | 363 - python/dat/classification.csv | 523 -- python/dat/covid-19-trials.csv | 3113 +++++++++ python/dat/covid-19-trials.geojson | 1 + .../covid-19-trials_2020-03-26_dataframe.csv | 3113 +++++++++ .../covid-19_clinical_trials_points.geojson | 1 - 17 files changed, 6280 insertions(+), 7567 deletions(-) create mode 100644 nginx/covid_website/assets/data/covid-19-trials.geojson delete mode 100644 nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson delete mode 100644 python/address_from_sven.py create mode 100644 python/config/gdrive_api_service_account.json delete mode 100644 python/csv_to_geojson.py delete mode 100644 python/dat/IctrpResults.csv delete mode 100644 python/dat/README.md delete mode 100644 python/dat/address_locations.csv delete mode 100644 python/dat/address_locations_input.csv delete mode 100644 python/dat/classification.csv create mode 100644 python/dat/covid-19-trials.csv create mode 100644 python/dat/covid-19-trials.geojson create mode 100644 python/dat/covid-19-trials_2020-03-26_dataframe.csv delete mode 100644 python/dat/covid-19_clinical_trials_points.geojson diff --git a/README.md b/README.md index 5f1d374..7782c6c 100644 --- a/README.md +++ b/README.md @@ -1 +1,35 @@ # COVID-19 Research Map +Many informative maps are available to follow the spread of COVID-19. This is important information but only part of the story. The global scientific and medical communities have immediately responded to the new threat with focused research activities which in turn have led to clinical trials and scientific publications worldwide. With this project we aim at providing an up to date overview about these activities with links to the underlying sources. + +## Update Clinical Trials Data + +### Download data from WHO +Data on clinical trials is provided by [WHO](https://www.who.int/ictrp/en/). However, their International Clinical Trials Registry Platform (ICTRP) is facing some challenges at the moment. They still provide a excel-spreadsheet we can download. + +1. Download spreadsheet using [this link](https://www.who.int/docs/default-source/coronaviruse/covid-19-trials.xls?ua=1) +2. Open file and save as csv to `python/dat/covid-19-trials.csv` + + +### Add Study Categories +We use a google spreadsheet to categorize the clinical trials. You can take a look at it [here](https://docs.google.com/spreadsheets/d/11H6QGuGgEl2uYX5zZC1lvPNRx0274eoNX1Ow3HTlu_0/edit#gid=848613024). Request permission from Sven or Benni, if you don't have access. + +Studies that need input have `nan` as their value and will be displayed at the top of the sheet. + + +### Add Study Locations +We use a google spreadsheet to categorize the clinical trials. You can take a look at it [here](https://docs.google.com/spreadsheets/d/11H6QGuGgEl2uYX5zZC1lvPNRx0274eoNX1Ow3HTlu_0/edit#gid=1425083001). Request permission from Sven or Benni, if you don't have access. + +Studies that need input have `nan` as their X and Y values and will be displayed at the top of the sheet. If studies are updated: keep the already assigned coordinates in here. Only modify/check/validate the new studies. + + +## Data +covid-19-trials.csv: +* spreadsheet downloaded from WHO's International Clinical Trials Registry Platform (ICTRP) + +covid-19-trials.geojson: +* file that holds the coordinates, category and some of the trial attributes +* this file only contains trials with location information +* this file is the input for map and graphs on the website + +covid-19-trials_2020-03-_dataframe.csv: +* file that holds all information available from WHO, coordinates and category per trial diff --git a/nginx/covid_website/assets/data/covid-19-trials.geojson b/nginx/covid_website/assets/data/covid-19-trials.geojson new file mode 100644 index 0000000..d24f729 --- /dev/null +++ b/nginx/covid_website/assets/data/covid-19-trials.geojson @@ -0,0 +1 @@ +{"features": [{"geometry": {"coordinates": [114.129895, 30.340085], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2/16/2020", "description": "A Medical Records Based Study for the Effectiveness of Extracorporeal Membrane Oxygenation in Patients with Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029949", "primaryOutcome": "inhospital length;inhospital mortality;ECMO treatment length;28th day mortality after admission;", "study_type": "Observational study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49181"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2/1/2020", "description": "Construction and Analysis of Prognostic Predictive Model of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029953", "primaryOutcome": "duration of in hospital;in hospital mortality;the 28s day' mortality after admission;duration of ICU stay;", "study_type": "Observational study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49217"}, "type": "Feature"}, {"geometry": {"coordinates": [121.55358, 29.866086], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "caiting@ucas.ac.cn", "contactPhone": "+86 13738498188", "dateEnrollment": "2/6/2020", "description": "A Single-arm Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19)", "name": "ChiCTR2000029935", "primaryOutcome": "Length of hospital stay;", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49607"}, "type": "Feature"}, {"geometry": {"coordinates": [121.430329, 31.187514], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "tcmdoctorlu@163.com", "contactPhone": "+86 13817729859", "dateEnrollment": "3/1/2020", "description": "A Randomized Controlled Trial for Qingyi No. 4 Compound in the treatment of Convalescence Patients of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029947", "primaryOutcome": "Lung function;", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49599"}, "type": "Feature"}, {"geometry": {"coordinates": [125.302998, 43.860391], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "Wangtan215@sina.com", "contactPhone": "+86 13756858523", "dateEnrollment": "1/31/2020", "description": "Evaluate the effectiveness of Traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029896", "primaryOutcome": "Conversion rate of mild and common type patients to severe type;Mortality Rate;", "study_type": "Observational study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49432"}, "type": "Feature"}, {"geometry": {"coordinates": [113.289942, 23.113511], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2/20/2020", "description": "Clinical Study for Anti-aging Active Freeze-dried Powder Granules in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029811", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49355"}, "type": "Feature"}, {"geometry": {"coordinates": [114.242065, 22.649365], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "pony8980@163.com", "contactPhone": "+86 13923781386", "dateEnrollment": "2/16/2020", "description": "Clinical study of a novel high sensitivity nucleic acid assay for novel coronavirus pneumonia (COVID-19) based on CRISPR-cas protein", "name": "ChiCTR2000029810", "primaryOutcome": "SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49407"}, "type": "Feature"}, {"geometry": {"coordinates": [121.191675, 30.163335], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xxw69@126.com", "contactPhone": "+86 13605708066", "dateEnrollment": "2/15/2020", "description": "Study on convalescent plasma treatment for severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029850", "primaryOutcome": "Fatality rate;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49533"}, "type": "Feature"}, {"geometry": {"coordinates": [121.558226, 31.090574], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zhaixiaowendy@163.com", "contactPhone": "+86 64931902", "dateEnrollment": "2/14/2020", "description": "Clinical Trial for Integrated Chinese and Western Medicine in the Treatment of Children with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029814", "primaryOutcome": "Time fo fever reduction;Time of nucleic acid negative;Severe conversion rate;Improvement time of respiratory symptoms;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49387"}, "type": "Feature"}, {"geometry": {"coordinates": [120.298751, 31.55958], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xiangming_fang@njmu.edu.cn", "contactPhone": "+86 13861779030", "dateEnrollment": "2/14/2020", "description": "Study for the key issues of the diagnosis and treatment of novel coronavirus pneumonia (COVID-19) based on the medical imaging", "name": "ChiCTR2000029779", "primaryOutcome": "Chest CT findings;Epidemiological history;Laboratory examination;Pulmonary function test;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49378"}, "type": "Feature"}, {"geometry": {"coordinates": [121.483669, 31.246879], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zhangw1190@sina.com", "contactPhone": "+86 13601733045", "dateEnrollment": "2/14/2020", "description": "Clinical Study for Traditional Chinese Medicine Combined With Western Medicine in Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029778", "primaryOutcome": "Length of hospital stay;fever clearance time;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49422"}, "type": "Feature"}, {"geometry": {"coordinates": [114.13166, 30.61702], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "88071718@qq.com", "contactPhone": "+86 13397192695", "dateEnrollment": "2/12/2020", "description": "Analysis of clinical characteristics of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029805", "primaryOutcome": "28-day mortality and 90-day mortality.;", "study_type": "Observational study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49188"}, "type": "Feature"}, {"geometry": {"coordinates": [113.785639, 34.675497], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "li_js8@163.com", "contactPhone": "+86 371-65676568", "dateEnrollment": "2/15/2020", "description": "Randomized controlled trial for TCM syndrome differentiation treatment impacting quality of life of post-discharge patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029789", "primaryOutcome": "St. George's Respiratory Questionnaire;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49348"}, "type": "Feature"}, {"geometry": {"coordinates": [115.160743, 30.134317], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "fangbji@163.com", "contactPhone": "+86 0714-6224162", "dateEnrollment": "2/5/2020", "description": "A multicenter, randomized, controlled trial for integrated chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19) based on the 'Truncated Torsion' strategy", "name": "ChiCTR2000029777", "primaryOutcome": "14 day outcome of the subjects, including: recovery, improvement, turning critical, death.;lung CT;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49380"}, "type": "Feature"}, {"geometry": {"coordinates": [120.696115, 27.939977], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zjwzhxy@126.com", "contactPhone": "+86 13819711719", "dateEnrollment": "2/11/2020", "description": "A randomized, open-label, blank-controlled, multicenter trial for Polyinosinic-Polycytidylic Acid Injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029776", "primaryOutcome": "Time to Clinical recovery;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49342"}, "type": "Feature"}, {"geometry": {"coordinates": [118.93172, 28.73485], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "jiayongshi@medmail.com.cn", "contactPhone": "+86 13605813177", "dateEnrollment": "1/30/2020", "description": "Clinical study for the changes in mental state of medical staff in the department of radiotherapy in a comprehensive tertiary hospital in Zhejiang Province during the epidemic of novel coronavirus infection (COVID-19)", "name": "ChiCTR2000029782", "primaryOutcome": "PSQI;", "study_type": "Observational study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49445"}, "type": "Feature"}, {"geometry": {"coordinates": [106.616718, 33.150074], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "songlab_radiology@163.com", "contactPhone": "86 28 85423680", "dateEnrollment": "2/16/2020", "description": "Imaging Features and Mechanisms of Novel Coronavirus Pneumonia (COVID-19): a Multicenter Study", "name": "ChiCTR2000029764", "primaryOutcome": "imaging feature;", "study_type": "Observational study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49388"}, "type": "Feature"}, {"geometry": {"coordinates": [114.475845, 29.531025], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "31531955@qq.com", "contactPhone": "+86 27 83662688", "dateEnrollment": "2/10/2020", "description": "A randomized, parallel controlled trial for the efficacy and safety of Sodium Aescinate Injection in the treatment of patients with pneumonia (COVID-19)", "name": "ChiCTR2000029742", "primaryOutcome": "Chest imaging (CT);", "study_type": "Interventional study", "time": "2/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49297"}, "type": "Feature"}, {"geometry": {"coordinates": [113.25266, 23.120313], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "doctorzzd99@163.com", "contactPhone": "+86 13903076359", "dateEnrollment": "2/7/2020", "description": "An observational study for Xin-Guan-1 formula in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029637", "primaryOutcome": "Completely antipyretic time: completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Time to remission/disappearance of primary symptoms: defined as the number of days when the three main symptoms of fever, cough, an", "study_type": "Observational study", "time": "2/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49127"}, "type": "Feature"}, {"geometry": {"coordinates": [114.433339, 30.431406], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "hubo@mail.hust.edu.cn", "contactPhone": "+86 13707114863", "dateEnrollment": "2/9/2020", "description": "Efficacy and safety of aerosol inhalation of vMIP in the treatment of novel coronavirus pneumonia (COVID-19): a single arm clinical trial", "name": "ChiCTR2000029636", "primaryOutcome": "2019-nCoV nucleic acid turning negative time (from respiratory secretion), or the time to release isolation;", "study_type": "Interventional study", "time": "2/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49215"}, "type": "Feature"}, {"geometry": {"coordinates": [114.26326, 22.72289], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "jxxk1035@yeah.net", "contactPhone": "+86 13530027001", "dateEnrollment": "3/1/2020", "description": "Early Detection of Novel Coronavirus Pneumonia (COVID-19) Based on a Novel High-Throughput Mass Spectrometry Analysis With Exhaled Breath", "name": "ChiCTR2000029695", "primaryOutcome": "Sensitivity of detection of NCP;Specificity of detection of NCP;", "study_type": "Diagnostic test", "time": "2/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49219"}, "type": "Feature"}, {"geometry": {"coordinates": [114.460277, 29.513556], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "bluesearh006@sina.com", "contactPhone": "+86 15337110926", "dateEnrollment": "2/14/2020", "description": "A randomized, open-label study to evaluate the efficacy and safety of low-dose corticosteroids in hospitalized patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029656", "primaryOutcome": "ECG;Chest imaging;Complications;vital signs;NEWS2 score;", "study_type": "Interventional study", "time": "2/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49086"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "sxu@hust.edu.cn", "contactPhone": "+86 13517248539", "dateEnrollment": "2/17/2020", "description": "A comparative study on the sensitivity of nasopharyngeal and oropharyngeal swabbing for the detection of SARS-CoV-2 by real-time PCR", "name": "ChiCTR2000029883", "primaryOutcome": "detection of SARS-CoV-2 nucleic acid;SEN;", "study_type": "Diagnostic test", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49549"}, "type": "Feature"}, {"geometry": {"coordinates": [115.054184, 30.244847], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "fangbji@163.com", "contactPhone": "+86 0714-6224162", "dateEnrollment": "2/10/2020", "description": "A multicenter, randomized, controlled trial for integrated Chinese and western medicine in the treatment of ordinary novel coronavirus pneumonia (COVID-19) based on the ' Internal and External Relieving -Truncated Torsion' strategy", "name": "ChiCTR2000029869", "primaryOutcome": "14 day outcome of the subjects, including: recovery, improvement, turning critical, death.;lung CT;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49486"}, "type": "Feature"}, {"geometry": {"coordinates": [121.414478, 31.169186], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "tcmdoctorlu@163.com", "contactPhone": "+86 13817729859", "dateEnrollment": "3/1/2020", "description": "A randomized controlled trial for Traditional Chinese Medicine in the treatment for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029941", "primaryOutcome": " Number of worsening events;", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49596"}, "type": "Feature"}, {"geometry": {"coordinates": [121.537729, 29.847758], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "caiting@ucas.ac.cn", "contactPhone": "+86 13738498188", "dateEnrollment": "2/10/2020", "description": "A Single-blind, Randomized, Controlled Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19)", "name": "ChiCTR2000029939", "primaryOutcome": "Length of hospital stay;", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49612"}, "type": "Feature"}, {"geometry": {"coordinates": [104.068396, 30.653616], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "1037070596@qq.com", "contactPhone": "+86 18980601415", "dateEnrollment": "2/16/2020", "description": "Study for construction and assessment of early warning score of the clinical risk of novel coronavirus (COVID-19) infected patients", "name": "ChiCTR2000029907", "primaryOutcome": "clinical features and risk factors;validity and reliability of the model;", "study_type": "Observational study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49587"}, "type": "Feature"}, {"geometry": {"coordinates": [114.328715, 30.540558], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2/10/2020", "description": "A medical records based study of novel coronavirus pneumonia (COVID-19) and influenza virus co-infection", "name": "ChiCTR2000029905", "primaryOutcome": "Incidence of co-infection;", "study_type": "Observational study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49595"}, "type": "Feature"}, {"geometry": {"coordinates": [116.417592, 39.937967], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Liuqingquan2003@126.com", "contactPhone": "+86 010-52176520", "dateEnrollment": "2/6/2020", "description": "An open, prospective, multicenter clinical study for the efficacy and safety of Reduning injection in the treatment of ovel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029589", "primaryOutcome": "Antipyretic time;", "study_type": "Interventional study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49104"}, "type": "Feature"}, {"geometry": {"coordinates": [120.144338, 30.178144], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wengcp@163.com", "contactPhone": "+86 571 86613587", "dateEnrollment": "2/6/2020", "description": "Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19): a perspective, sing-arm trial", "name": "ChiCTR2000029578", "primaryOutcome": "Cure rate;The cure time;The rate and time at which the normal type progresses to the heavy type;Rate and time of progression from heavy to critical type and even death;", "study_type": "Interventional study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49080"}, "type": "Feature"}, {"geometry": {"coordinates": [116.28263, 39.874805], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "dinghuiguo@medmail.com.cn", "contactPhone": "+86 13811611118", "dateEnrollment": "2/15/2020", "description": "The efficacy and safety of carrimycin treatment in patients with novel coronavirus pneumonia (COVID-19): a multicenter, randomized, open-label, controlled trial", "name": "ChiCTR2000029867", "primaryOutcome": "Body temperature returns to normal time;Pulmonary inflammation resolution time (HRCT);Mouthwash (pharyngeal swab) at the end of treatment COVID-19 RNA negative rate;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49514"}, "type": "Feature"}, {"geometry": {"coordinates": [113.67907, 34.786016], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "wanghuaqi2004@126.com", "contactPhone": "+86 15890689220", "dateEnrollment": "2/1/2020", "description": "Application of Regulating Intestinal Flora in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029849", "primaryOutcome": "Length of admission;mortality rate;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49530"}, "type": "Feature"}, {"geometry": {"coordinates": [120.161675, 30.260665], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "13588867114@163.com", "contactPhone": "+86 13588867114", "dateEnrollment": "2/17/2020", "description": "Immune Repertoire (TCR & BCR) Evaluation and Immunotherapy Research in Peripheral Blood of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029626", "primaryOutcome": "TCR sequencing;BCR sequencing;HLA sequencing;", "study_type": "Basic Science", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49170"}, "type": "Feature"}, {"geometry": {"coordinates": [121.018659, 31.839091], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Luhongzhou@shphc.org.cn", "contactPhone": "+86 18930810088", "dateEnrollment": "2/8/2020", "description": "A real world study for traditional Chinese Medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029624", "primaryOutcome": "Time for body temperature recovery;Chest CT absorption;Time of nucleic acid test turning negative;", "study_type": "Observational study", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49132"}, "type": "Feature"}, {"geometry": {"coordinates": [120.250896, 30.067613], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wengcp@163.com", "contactPhone": "+86 13906514781", "dateEnrollment": "2/4/2020", "description": "Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19): a perspective, double-blind, placebo, randomised controlled trial", "name": "ChiCTR2000029518", "primaryOutcome": "Recovery time;Ratio and time for the general type to progress to heavy;Ratio and time of severe progression to critical or even death;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48860"}, "type": "Feature"}, {"geometry": {"coordinates": [120.128487, 30.159815], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wengcp@163.com", "contactPhone": "+86 13601331063", "dateEnrollment": "2/4/2020", "description": "Chinese medicine prevention and treatment program for suspected novel coronavirus pneumonia (COVID-19): a perspective, double-blind, placebo, randomised controlled trial", "name": "ChiCTR2000029517", "primaryOutcome": "Relief of clinical symptoms and duration;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48861"}, "type": "Feature"}, {"geometry": {"coordinates": [120.282065, 31.550428], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "caojuncn@hotmail.com", "contactPhone": "+86 0510-68781007", "dateEnrollment": "2/15/2020", "description": "Evaluation of Rapid Diagnostic Kit (IgM/IgG) for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029870", "primaryOutcome": "Positive/Negtive;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49563"}, "type": "Feature"}, {"geometry": {"coordinates": [121.175824, 30.145007], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "wuguolin28@163.com", "contactPhone": "+86 13136150848", "dateEnrollment": "2/15/2020", "description": "A randomized, open and controlled clinical trial for traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029855", "primaryOutcome": "TCM symptom score;Antifebrile time;The time and rate of transition of new coronavirus to Yin;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49543"}, "type": "Feature"}, {"geometry": {"coordinates": [118.6031, 31.86612], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "ian0126@126.com", "contactPhone": "+86 13338628626", "dateEnrollment": "2/7/2020", "description": "A randomized controlled trial for honeysuckle decoction in the treatment of patients with novel coronavirus (COVID-19) infection", "name": "ChiCTR2000029822", "primaryOutcome": "rate of cure;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49502"}, "type": "Feature"}, {"geometry": {"coordinates": [113.236809, 23.101984], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zhanjie34@126.com", "contactPhone": "+86 15818136908", "dateEnrollment": "2/1/2020", "description": "Psychological survey of frontline medical staff in various regions of China during the epidemic of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029815", "primaryOutcome": "Self-rating depression scale, SDS;Self-Rating Anxiety Scale, SAS;", "study_type": "Observational study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49346"}, "type": "Feature"}, {"geometry": {"coordinates": [115.650098, 30.770064], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "252417083@qq.com", "contactPhone": "+86 18908628577", "dateEnrollment": "2/1/2020", "description": "Community based prevention and control for Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population", "name": "ChiCTR2000029601", "primaryOutcome": "the negative conversion ratio;the proportion of general patients with advanced severe disease;confirmed rate of suspected cases;", "study_type": "Interventional study", "time": "2/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48988"}, "type": "Feature"}, {"geometry": {"coordinates": [112.146577, 32.040674], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xyxzyxzh@163.com", "contactPhone": "+86 18995678520", "dateEnrollment": "2/5/2020", "description": "Safety and efficacy of umbilical cord blood mononuclear cells conditioned medium in the treatment of severe and critically novel coronavirus pneumonia (COVID-19): a randomized controlled trial", "name": "ChiCTR2000029569", "primaryOutcome": "PSI;", "study_type": "Interventional study", "time": "2/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49062"}, "type": "Feature"}, {"geometry": {"coordinates": [114.418007, 30.413829], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "1025823309@qq.com", "contactPhone": "+86 13307161995", "dateEnrollment": "2/3/2020", "description": "Traditional Chinese Medicine, Psychological Intervention and Investigation of Mental Health for Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period", "name": "ChiCTR2000029495", "primaryOutcome": "Self-rating depression scale, SDS;Self-Rating Anxiety Scale, SAS;ocial support rate scale, SSRS;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48971"}, "type": "Feature"}, {"geometry": {"coordinates": [114.435246, 30.433338], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "jxzhang1607@163.com", "contactPhone": "+86 13377897297", "dateEnrollment": "2/3/2020", "description": "Traditional Chinese Medicine for Pulmonary Fibrosis, Pulmonary Function and Quality of Life in Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period: a Randomized Controlled Trial", "name": "ChiCTR2000029493", "primaryOutcome": "pulmonary function;St Georges respiratory questionnaire, SGRQ;Modified Barthel Index, MBI;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48931"}, "type": "Feature"}, {"geometry": {"coordinates": [120.91209, 31.94961], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "luhongzhou@fudan.edu.cn", "contactPhone": "+86 18930810088", "dateEnrollment": "2/14/2020", "description": "Clinical Trial for Tanreqing Capsules in the Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029813", "primaryOutcome": "Time of viral nucleic acid turns negative;Antipyretic time;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49425"}, "type": "Feature"}, {"geometry": {"coordinates": [114.115809, 30.598691], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "3131862959@qq.com", "contactPhone": "+86 13871120171", "dateEnrollment": "2/12/2020", "description": "Immunomodulatory Therapy for Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029806", "primaryOutcome": "Proportion of patients with a lung injury score reduction of 1-point or more 7 days after randomization;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49161"}, "type": "Feature"}, {"geometry": {"coordinates": [114.906648, 32.014973], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "503818505@qq.com", "contactPhone": "+86 13839708181", "dateEnrollment": "2/16/2020", "description": "A randomized, open-label, controlled clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029853", "primaryOutcome": "time and rate of temperature return to normal;;time and rate of improvement of respiratory symptoms and signs (lung rhones, cough, sputum, sore throat, etc.);time and rate of improvement of diarrhea, myalgia, fatigue and other symptoms;time and rate of pu", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49532"}, "type": "Feature"}, {"geometry": {"coordinates": [121.538008, 29.848604], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "caocdoctor@163.com", "contactPhone": "+86 574-87089878", "dateEnrollment": "2/10/2020", "description": "An observational study on the clinical characteristics, treatment and outcome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029839", "primaryOutcome": "Time to clinical recovery;", "study_type": "Observational study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49439"}, "type": "Feature"}, {"geometry": {"coordinates": [113.396554, 23.00306], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shanpingjiang@126.com", "contactPhone": "+86 13922738892", "dateEnrollment": "2/3/2020", "description": "Study for the efficacy of chloroquine in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029542", "primaryOutcome": "viral negative-transforming time;30-day cause-specific mortality;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48968"}, "type": "Feature"}, {"geometry": {"coordinates": [114.416265, 30.415041], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaojp@tjh.tjmu.edu.cn", "contactPhone": "+86 13507138234", "dateEnrollment": "2/4/2020", "description": "A randomized, open-label study to evaluate the efficacy and safety of Lopinavir-Ritonavir in patients with mild novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029539", "primaryOutcome": "The incidence of adverse outcome within 14 days after admission: Patients with conscious dyspnea, SpO2 = 94% or respiratory frequency = 24 times / min in the state of resting without oxygen inhalation;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48991"}, "type": "Feature"}, {"geometry": {"coordinates": [121.505543, 31.305357], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "wlx1126@hotmail.com", "contactPhone": "+86 18917962300", "dateEnrollment": "2/17/2020", "description": "Clinical study for the integration of traditional Chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029790", "primaryOutcome": "TCM symptoms efficacy;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49453"}, "type": "Feature"}, {"geometry": {"coordinates": [116.418388, 39.932714], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zysjsgzs@163.com", "contactPhone": "+86 18134048843", "dateEnrollment": "3/1/2020", "description": "Traditional Chinese medicine cooperative therapy for patients with novel coronavirus pneumonia (COVID-19): a randomized controlled trial", "name": "ChiCTR2000029788", "primaryOutcome": "Antipyretic time;Pharyngeal swab nucleic acid negative time;Blood gas analysis;Traditional Chinese medicine syndrome score;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49452"}, "type": "Feature"}, {"geometry": {"coordinates": [113.364747, 23.048858], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yang_zhongqi@163.com", "contactPhone": "+86 13688867618", "dateEnrollment": "2/1/2020", "description": "A Real World Study for the Efficacy and Safety of Large Dose Tanreqing Injection in the Treatment of Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029432", "primaryOutcome": "Time for body temperature recovery;Chest X-ray absorption;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48881"}, "type": "Feature"}, {"geometry": {"coordinates": [121.641576, 38.917483], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaodewei2016@163.com", "contactPhone": "+86 0411-62893509", "dateEnrollment": "1/29/2020", "description": "Clinical study for the remedy of M1 macrophages target in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029431", "primaryOutcome": "CT of lung;CT and MRI of hip;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48907"}, "type": "Feature"}, {"geometry": {"coordinates": [104.40212, 31.13469], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "973007530@qq.com", "contactPhone": "+86 13881070630", "dateEnrollment": "2/14/2020", "description": "Based on Delphi Method to Preliminarily Construct a Recommended Protocol for the Prevention of Novel Coronavirus Pneumonia (COVID-19) in Deyang Area by Using Chinese Medicine Technology and its Clinical Application Evaluation", "name": "ChiCTR2000029821", "primaryOutcome": "CD4+;CD3+;HAMA;HAMD;STAI;", "study_type": "Prevention", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49306"}, "type": "Feature"}, {"geometry": {"coordinates": [120.213994, 30.255631], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "yingsrrsh@163.com", "contactPhone": "+86 13588706900", "dateEnrollment": "2/11/2020", "description": "Ba-Bao-Dan in the adjuvant therapy of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000029819", "primaryOutcome": "Clinical and laboratory indicators;Viral load;chest CT;serum cell factor;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49490"}, "type": "Feature"}, {"geometry": {"coordinates": [113.804557, 34.777628], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "li_js8@163.com", "contactPhone": "+86 371 65676568", "dateEnrollment": "2/1/2020", "description": "Study for clinical characteristics and distribution of TCM syndrome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029462", "primaryOutcome": "Clinical characteristics;TCM syndrome;", "study_type": "Observational study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48922"}, "type": "Feature"}, {"geometry": {"coordinates": [116.524161, 39.827448], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ZJHTCM@FOXMAIL.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2/4/2020", "description": "A randomized controlled trial of integrated TCM and Western Medicine in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029438", "primaryOutcome": "CURB-65;PSI score;Mechanical ventilation time;Length of stay in hospital;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48911"}, "type": "Feature"}, {"geometry": {"coordinates": [115.53393, 30.52833], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xxlahh08@163.com", "contactPhone": "+86 18963789002", "dateEnrollment": "2/10/2020", "description": "A multicenter, randomized controlled trial for the efficacy and safety of tocilizumab in the treatment of new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029765", "primaryOutcome": "cure rate;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49409"}, "type": "Feature"}, {"geometry": {"coordinates": [116.524909, 39.822121], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "huangluqi01@126.com", "contactPhone": "+86 010-64089801", "dateEnrollment": "2/13/2020", "description": "The efficacy of traditional chinese medicine on Novel Coronavirus Pneumonia (COVID-19) patients treated in square cabin hospital: a prospective, randomized controlled trial", "name": "ChiCTR2000029763", "primaryOutcome": "Rate of conversion to severe or critical illness;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49408"}, "type": "Feature"}, {"geometry": {"coordinates": [114.115809, 30.598691], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "1346801465@qq.com", "contactPhone": "+86 13397192695", "dateEnrollment": "2/12/2020", "description": "Clinical Application of ECMO in the Treatment of Patients with Very Serious Respiratory Failure due to novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029804", "primaryOutcome": "Inpatient mortality;", "study_type": "Prognosis study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49178"}, "type": "Feature"}, {"geometry": {"coordinates": [121.250615, 28.656856], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "lvdq@enzemed.com", "contactPhone": "+86 13867622009", "dateEnrollment": "2/15/2020", "description": "Babaodan Capsule used for the adjuvant treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029769", "primaryOutcome": "28-day survival;Inflammatory factor levels;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49415"}, "type": "Feature"}, {"geometry": {"coordinates": [113.663503, 34.768539], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "lisuyun2000@126.com", "contactPhone": "+86 371 66248624", "dateEnrollment": "2/1/2020", "description": "A single arm study for evaluation of integrated traditional Chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029436", "primaryOutcome": "Duration of PCR normalization;Clinical symptom score;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48884"}, "type": "Feature"}, {"geometry": {"coordinates": [116.402773, 39.915163], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shanghongcai@126.com", "contactPhone": "+86 010 84012510", "dateEnrollment": "2/3/2020", "description": "Chinese Herbal medicine for Severe nevel coronavirus pneumonia (COVID-19): a Randomized Controlled Trial", "name": "ChiCTR2000029418", "primaryOutcome": "Critically ill patients (%);", "study_type": "Interventional study", "time": "1/30/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48886"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "Kangyan@scu.edu.cn", "contactPhone": "+86 18980601566", "dateEnrollment": "2/3/2020", "description": "Cohort Study of Novel Coronavirus Pneumonia (COVID-19) Critical Ill Patients", "name": "ChiCTR2000029758", "primaryOutcome": "length of stay;length of stay in ICU;Antibiotic use;Hospital costs;Organ function support measures;Organ function;", "study_type": "Observational study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49295"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114345, 30.322602], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "doctorzhang2003@163.com", "contactPhone": "+86 18062567610", "dateEnrollment": "2/15/2020", "description": "Clinical study of nebulized Xiyanping injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029756", "primaryOutcome": "vital signs (Body temperature, blood pressure, heart rate, breathing rate);Respiratory symptoms and signs (Lung sounds, cough, sputum);Etiology and laboratory testing;PaO2/SPO2;Liquid balance;Ventilator condition;Imaging changes;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49222"}, "type": "Feature"}, {"geometry": {"coordinates": [114.236454, 30.229555], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "wdznyy@126.com", "contactPhone": "+86 13971156723", "dateEnrollment": "2/12/2020", "description": "A randomized, open, controlled trial for diammonium glycyrrhizinate enteric-coated capsules combined with vitamin C tablets in the treatment of common novel coronavirus pneumonia (COVID-19) in the basic of clinical standard antiviral treatment to evaluate", "name": "ChiCTR2000029768", "primaryOutcome": "Time to Clinical recovery;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49131"}, "type": "Feature"}, {"geometry": {"coordinates": [104.061699, 30.641376], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "leilei_25@126.com", "contactPhone": "+86 18980605819", "dateEnrollment": "2/10/2020", "description": "Study for the Effect of Novel Coronavirus Pneumonia (COVID-19) on the Health of Different People", "name": "ChiCTR2000029754", "primaryOutcome": "Physical and mental health;", "study_type": "Observational study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49370"}, "type": "Feature"}, {"geometry": {"coordinates": [112.973378, 28.186618], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xuezg@tongji.edu.cn", "contactPhone": "+86 15000285942", "dateEnrollment": "2/17/2020", "description": "Key techniques of umbilical cord mesenchymal stem cells for the treatment of novel coronavirus pneumonia (COVID-19) and clinical application demonstration", "name": "ChiCTR2000030173", "primaryOutcome": "pulmonary function;Novel coronavirus pneumonic nucleic acid test;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49229"}, "type": "Feature"}, {"geometry": {"coordinates": [116.389189, 39.764275], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaoyl2855@126.com", "contactPhone": "+86 13681208998", "dateEnrollment": "2/25/2020", "description": "Randomized, parallel control, open trial for Qing-Wen Bai-Du-Yin combined with antiviral therapy in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030166", "primaryOutcome": "CT scan of the lungs;Nucleic acid detection of throat secretion;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49696"}, "type": "Feature"}, {"geometry": {"coordinates": [121.298234, 30.052805], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "maoweilw@163.com", "contactPhone": "+86 0571-87068001", "dateEnrollment": "2/1/2020", "description": "Clinical Study for Traditional Chinese Medicine in the Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029751", "primaryOutcome": "blood routine examination;CRP;PCT;Chest CT;Liver and kidney function;Etiology test;", "study_type": "Observational study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49354"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "xie_m@126.com", "contactPhone": "+86 18602724678", "dateEnrollment": "1/26/2020", "description": "Risks of Death and Severe cases in Patients with 2019 Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029735", "primaryOutcome": "incidence;mortality;", "study_type": "Observational study", "time": "2/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49279"}, "type": "Feature"}, {"geometry": {"coordinates": [117.256275, 31.855782], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "13505615645@163.com", "contactPhone": "+86 13505615645", "dateEnrollment": "2/11/2020", "description": "Effect evaluation and prognosis of Chinese medicine based on Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029747", "primaryOutcome": "Chest CT;Routine blood test;liver and renal function;TCM syndrome;", "study_type": "Interventional study", "time": "2/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49287"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380943, 22.985516], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "zheng862080@139.com", "contactPhone": "+86 18928868242", "dateEnrollment": "2/12/2020", "description": "A Multicenter, Randomized, Parallel Controlled Clinical Study of Hydrogen-Oxygen Nebulizer to Improve the Symptoms of Patients With Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029739", "primaryOutcome": "the condition worsens and develops into severe or critical condition;the condition improves significantly and reaches the discharge standard;The overall treatment time is no longer than 14 days;", "study_type": "Interventional study", "time": "2/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49283"}, "type": "Feature"}, {"geometry": {"coordinates": [114.04575, 22.544759], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "64699629@qq.com", "contactPhone": "+86 18664556429", "dateEnrollment": "2/24/2020", "description": "A clinical study for ''Huo-Shen'' particles in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030118", "primaryOutcome": "Chest CT scan;Nucleic acid of novel coronavirus;Routine blood test;Routine urine test;Stool routine test;", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49594"}, "type": "Feature"}, {"geometry": {"coordinates": [115.3602, 27.7153], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhangweiliuxin@163.com", "contactPhone": "+86 13707089183", "dateEnrollment": "2/1/2020", "description": "Safety and effectiveness of human umbilical cord mesenchymal stem cells in the treatment of acute respiratory distress syndrome of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030116", "primaryOutcome": "Time to leave ventilator on day 28 after receiving MSCs infusion;", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49901"}, "type": "Feature"}, {"geometry": {"coordinates": [106.601103, 33.132523], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "guojun@wchscu.cn", "contactPhone": "+86 15388178461", "dateEnrollment": "2/10/2020", "description": "Impact of vitamin D deficiency on prognosis of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029732", "primaryOutcome": "ROX index;", "study_type": "Observational study", "time": "2/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49302"}, "type": "Feature"}, {"geometry": {"coordinates": [113.57316, 22.297336], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "wenshl@mail.sysu.edu.cn", "contactPhone": "+86 13312883618", "dateEnrollment": "2/10/2020", "description": "Study for Mental health and psychological status of doctors, nurses and patients in novel coronavirus pneumonia (COVID-19) designated hospital and effect of interventions", "name": "ChiCTR2000029639", "primaryOutcome": "Physical examination;Nucleic acid;Oxygenation index;GAD-7;PHQ-9;SASRQ;PSQI;Lymphocyte subsets;", "study_type": "Interventional study", "time": "2/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49187"}, "type": "Feature"}, {"geometry": {"coordinates": [109.95917, 27.54944], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "qiuchengfeng0721@163.com", "contactPhone": "+86 14786531725", "dateEnrollment": "2/8/2020", "description": "Epidemiological investigation and clinical characteristics analysis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029734", "primaryOutcome": "Epidemiological history;haematological;First symptom;blood glucose;blood glucose;prognosis;Blood gas analysis;complication;", "study_type": "Observational study", "time": "2/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48868"}, "type": "Feature"}, {"geometry": {"coordinates": [121.474855, 31.232517], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "jmqu0906@163.com", "contactPhone": "+86 21 64370045", "dateEnrollment": "2/7/2020", "description": "Clinical study of arbidol hydrochloride tablets in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029621", "primaryOutcome": "Virus negative conversion rate in the first week;", "study_type": "Interventional study", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49165"}, "type": "Feature"}, {"geometry": {"coordinates": [113.236809, 23.101984], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "doctorzzd99@163.com", "contactPhone": "+86 13903076359", "dateEnrollment": "2/7/2020", "description": "A clinical observational study for Xin-Guan-2 formula in the treatment of suspected novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029628", "primaryOutcome": "Time to completely antipyretic time:completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Main symptom relief/disappearance time: defined as the days when the three main symptoms of fever, cough and shortness of br", "study_type": "Observational study", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49155"}, "type": "Feature"}, {"geometry": {"coordinates": [120.268257, 30.150132], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "caiicu@163.com", "contactPhone": "+86 13505811696", "dateEnrollment": "2/17/2020", "description": "Construction of Early Warning and Prediction System for Patients with Severe / Critical Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029625", "primaryOutcome": "Lymphocyte subpopulation analysis;Cytokine detection;Single cell sequencing of bronchial lavage fluid cells;", "study_type": "Diagnostic test", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49177"}, "type": "Feature"}, {"geometry": {"coordinates": [115.634247, 30.751736], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Xiaolintong66@sina.com", "contactPhone": "+86 13910662116", "dateEnrollment": "2/1/2020", "description": "Clinical study for community based prevention and control strategy of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population", "name": "ChiCTR2000029602", "primaryOutcome": "Incidence of onset at home / designated isolation population who progressed to designated isolation treatment or were diagnosed with novel coronavirus-infected pneumonia;days of onset at home / designated isolation population who progressed to designated ", "study_type": "Interventional study", "time": "2/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48985"}, "type": "Feature"}, {"geometry": {"coordinates": [114.247409, 22.704561], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yingxialiu@hotmail.com", "contactPhone": "+86 755 61238922", "dateEnrollment": "1/30/2020", "description": "Clinical study for safety and efficacy of Favipiravir in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029600", "primaryOutcome": "Declining speed of Novel Coronavirus by PCR;Negative Time of Novel Coronavirus by PCR;Incidentce rate of chest imaging;Incidence rate of liver enzymes;Incidence rate of kidney damage;", "study_type": "Interventional study", "time": "2/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49042"}, "type": "Feature"}, {"geometry": {"coordinates": [112.567202, 37.862844], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "tflook@163.com", "contactPhone": "+86 13934570253", "dateEnrollment": "3/1/2020", "description": "Study for application of simplified cognitive-behavioral therapy for related emergency psychological stress reaction of medical providers working in the position of treatment and control of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030093", "primaryOutcome": "State anxiety;", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49932"}, "type": "Feature"}, {"geometry": {"coordinates": [112.673771, 37.752325], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xuyongsmu@vip.163.com", "contactPhone": "+86 18234016125", "dateEnrollment": "2/24/2020", "description": "A multicenter study for efficacy of intelligent psychosomatic adjustment system intervention in the treatment of novel coronavirus pneumonia (COVID-19) patients with mild to moderate anxiety and depression", "name": "ChiCTR2000030084", "primaryOutcome": "the score of Hamilton depression scale;the score of Hamilton anxiety scale;the score of Self-Rating Depression Scale;the score of Self-Rating Anxiety Scale;the score of Athens Insomnia Scale;", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49952"}, "type": "Feature"}, {"geometry": {"coordinates": [112.130726, 32.022346], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xyxzyxzh@163.com", "contactPhone": "+86 18995678520", "dateEnrollment": "2/5/2020", "description": "Safety and efficacy of umbilical cord blood mononuclear cells in the treatment of severe and critically novel coronavirus pneumonia(COVID-19): a randomized controlled clinical trial", "name": "ChiCTR2000029572", "primaryOutcome": "PSI;", "study_type": "Interventional study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=41760"}, "type": "Feature"}, {"geometry": {"coordinates": [114.220887, 30.212079], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctorzhang2003@163.com", "contactPhone": "+86 18962567610", "dateEnrollment": "1/31/2020", "description": "Therapeutic effect of hydroxychloroquine on novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029559", "primaryOutcome": "The time when the nucleic acid of the novel coronavirus turns negative;T cell recovery time;", "study_type": "Interventional study", "time": "2/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48880"}, "type": "Feature"}, {"geometry": {"coordinates": [120.252406, 30.131804], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qiuyq@zju.edu.cn", "contactPhone": "+86 13588189339", "dateEnrollment": "2/4/2020", "description": "A randomized controlled trial for the efficacy and safety of Baloxavir Marboxil, Favipiravir tablets in novel coronavirus pneumonia (COVID-19) patients who are still positive on virus detection under the current antiviral therapy", "name": "ChiCTR2000029544", "primaryOutcome": "Time to viral negativity by RT-PCR;Time to clinical improvement;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49013"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wangxinghuan@whu.edu.cn", "contactPhone": "+86 18971387168/+86 15729577635", "dateEnrollment": "2/10/2020", "description": "A randomised, open, controlled trial for darunavir/cobicistat or Lopinavir/ritonavir combined with thymosin a1 in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029541", "primaryOutcome": "Time to conversion of 2019-nCoV RNA result from RI sample;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48992"}, "type": "Feature"}, {"geometry": {"coordinates": [115.900712, 28.677222], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "leaiping@126.com", "contactPhone": "+86 13707089009", "dateEnrollment": "2/24/2020", "description": "Experimental study of novel coronavirus pneumonia rehabilitation plasma therapy severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030179", "primaryOutcome": "Cure rate;Mortality;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50059"}, "type": "Feature"}, {"geometry": {"coordinates": [114.582692, 29.421354], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "784404524@qq.com", "contactPhone": "+86 13659897175", "dateEnrollment": "2/10/2020", "description": "Clinical Study for Gu-Biao Jie-Du-Ling in Preventing of Novel Coronavirus Pneumonia (COVID-19) in Children", "name": "ChiCTR2000029487", "primaryOutcome": "body temperature;Whole blood count and five classifications;C-reactive protein;", "study_type": "Prevention", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48965"}, "type": "Feature"}, {"geometry": {"coordinates": [104.052305, 30.634497], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "cdjianghua@qq.com", "contactPhone": "+86 028 87393881", "dateEnrollment": "2/1/2020", "description": "A real-world study for lopinavir/ritonavir (LPV/r) and emtritabine (FTC) / Tenofovir alafenamide Fumarate tablets (TAF) regimen in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029468", "primaryOutcome": "Patient survival rate;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48919"}, "type": "Feature"}, {"geometry": {"coordinates": [113.557309, 22.279007], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shanhong@mail.sysu.edu.cn", "contactPhone": "+86 0756 2528573", "dateEnrollment": "2/10/2020", "description": "A prospective, open-label, multiple-center study for the efficacy of chloroquine phosphate in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029609", "primaryOutcome": "virus nucleic acid negative-transforming time;", "study_type": "Interventional study", "time": "2/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49145"}, "type": "Feature"}, {"geometry": {"coordinates": [120.252406, 30.131804], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ljli@zju.edu.cn", "contactPhone": "+86 0571-87236426", "dateEnrollment": "1/25/2020", "description": "Clinical Study for Human Menstrual Blood-Derived Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029606", "primaryOutcome": "Mortality in patients;", "study_type": "Interventional study", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49146"}, "type": "Feature"}, {"geometry": {"coordinates": [116.39855, 39.859247], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "mapenglin1@163.com", "contactPhone": "+86 13810339898", "dateEnrollment": "2/21/2020", "description": "Shen-Fu injection in the treatment of severe novel coronavirus pneumonia (COVID-19): a multicenter, randomized, open-label, controlled trial", "name": "ChiCTR2000030043", "primaryOutcome": "pneumonia severity index (PSI);Incidence of new organ dysfunction;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49866"}, "type": "Feature"}, {"geometry": {"coordinates": [114.312975, 30.522107], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "chzs1990@163.com", "contactPhone": "+86 02767812787", "dateEnrollment": "2/25/2020", "description": "A single-arm, single-center clinical trial for Azivudine tablets in the treatment of adult novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030041", "primaryOutcome": "The novel coronavirus nucleic acid negative rate;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49891"}, "type": "Feature"}, {"geometry": {"coordinates": [114.418007, 30.413829], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "DOCXWG@16.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2/3/2020", "description": "A single arm study for combination of traditional Chinese and Western Medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029437", "primaryOutcome": "all available outcome;", "study_type": "Observational study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48913"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566841, 29.403025], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "whsdyyykjc@126.com", "contactPhone": "+86 13163283819", "dateEnrollment": "2/1/2020", "description": "Randomized controlled trial for traditional Chinese medicine in the prevention of novel coronavirus pneumonia (COVID-19) in high risk population", "name": "ChiCTR2000029435", "primaryOutcome": "Viral nucleic acid detection;CT Scan of the Lungs;Blood routine examination;Temperature;Height;Weight;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48827"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "dwwang@tjh.tjmu.edu.cn", "contactPhone": "+86 13971301060", "dateEnrollment": "2/6/2020", "description": "A randomized, open-label, blank-controlled, multicenter trial for Shuang-Huang-Lian oral solution in the treatment of ovel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029605", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49051"}, "type": "Feature"}, {"geometry": {"coordinates": [120.252406, 30.131804], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qiuyq@zju.edu.cn", "contactPhone": "+86 13588189339", "dateEnrollment": "2/6/2020", "description": "A Randomized, Open-Label, Multi-Centre Clinical Trial Evaluating and Comparing the Safety and Efficiency of ASC09/Ritonavir and Lopinavir/Ritonavir for Confirmed Cases of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029603", "primaryOutcome": "The incidence of composite adverse outcome within 14 days after admission: Defined as (one of them) SPO2<= 93% without oxygen supplementation, PaO2/FiO2 <= 300mmHg or RR <=30 breaths per minute.;", "study_type": "Interventional study", "time": "2/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49075"}, "type": "Feature"}, {"geometry": {"coordinates": [116.92699, 38.93373], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ZJHTCM@FOXMAIL.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2/3/2020", "description": "Study for the TCM syndrome characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029430", "primaryOutcome": "TCM syndroms;", "study_type": "Observational study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48902"}, "type": "Feature"}, {"geometry": {"coordinates": [116.509058, 39.803792], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "huangluqi01@126.com", "contactPhone": "+86 010-64089801", "dateEnrollment": "1/29/2020", "description": "Clinical Controlled Trial for Traditional Chinese Medicine in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029400", "primaryOutcome": "the rate of remission;", "study_type": "Interventional study", "time": "1/29/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48824"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417488, 30.413077], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "you_shang@126.com", "contactPhone": "+86 15972127819", "dateEnrollment": "2/24/2020", "description": "A cross-sectional study of novel coronavirus pneumonia (COVID-19) patients in ICU", "name": "ChiCTR2000030164", "primaryOutcome": "the daily treatment intensity;", "study_type": "Observational study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49983"}, "type": "Feature"}, {"geometry": {"coordinates": [113.930539, 22.551224], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yingxialiu@hotmail.com", "contactPhone": "+86 755 61238922", "dateEnrollment": "2/22/2020", "description": "Randomized controlled trial for safety and efficacy of Favipiravir in the treatment of novel coronavirus pneumonia (COVID-19) with poorly responsive ritonavir/ritonavir", "name": "ChiCTR2000030113", "primaryOutcome": "Blood routine tests, Liver function examination, Renal function examination, Blood gas analysis, Chest CT examination;", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49988"}, "type": "Feature"}, {"geometry": {"coordinates": [104.008005, 30.725905], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xcg718@aliyun.com", "contactPhone": "+86 18980880132", "dateEnrollment": "1/29/2020", "description": "Recommendations of Integrated Traditional Chinese and Western Medicine for Diagnosis and Treatment of Novel Coronavirus Pneumonia (COVID-19) in Sichuan Province", "name": "ChiCTR2000029558", "primaryOutcome": "blood routine;urine routines;CRP;PCT;ESR;creatase;troponin;myoglobin;D-Dimer;arterial blood gas analysis;Nucleic acid test for 2019-nCoV ;chest CT;Biochemical complete set;", "study_type": "Interventional study", "time": "2/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48792"}, "type": "Feature"}, {"geometry": {"coordinates": [120.252406, 30.131804], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qiuyq@zju.edu.cn", "contactPhone": "+86 13588189339", "dateEnrollment": "2/4/2020", "description": "Randomized, open-label, controlled trial for evaluating of the efficacy and safety of Baloxavir Marboxil, Favipiravir, and Lopinavir-Ritonavir in the treatment of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000029548", "primaryOutcome": "Time to viral negativityby RT-PCR;Time to clinical improvement: Time from start of study drug to hospital discharge or to NEWS2<2 for 24 hours.;", "study_type": "Interventional study", "time": "2/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49015"}, "type": "Feature"}, {"geometry": {"coordinates": [116.347211, 39.914978], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaohong_pufh@bjmu.edu.cn", "contactPhone": "+86 13810765943", "dateEnrollment": "2/17/2020", "description": "Study for establishment of correlation between virological dynamics and clinical features in noveal coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030096", "primaryOutcome": "SARS-CoV2 Nucleic Acid Quantification;", "study_type": "Observational study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49794"}, "type": "Feature"}, {"geometry": {"coordinates": [104.114564, 30.615375], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "1924238034@qq.com", "contactPhone": "+86 18980880525", "dateEnrollment": "3/1/2020", "description": "Effects of novel coronavirus pneumonia (COVID-19) on menstruation, TCM body construction and psychological state for female at different ages", "name": "ChiCTR2000030094", "primaryOutcome": "menstruation changes;TCM body constitution score;", "study_type": "Observational study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49970"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419396, 30.41501], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "docxwg@163.com", "contactPhone": "+86 13377897278", "dateEnrollment": "2/3/2020", "description": "A Randomized Controlled Trial for Integrated Traditional Chinese Medicine and Western Medicine in the Treatment of Common Type Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029461", "primaryOutcome": "pulmonary function;Antipyretic time;Time of virus turning negative;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48927"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419396, 30.41501], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "chanjuanzheng@163.com", "contactPhone": "+86 18971317115", "dateEnrollment": "2/2/2020", "description": "The effect of shadowboxing for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period", "name": "ChiCTR2000029460", "primaryOutcome": "pulmonary function;St Georges respiratory questionnaire, SGRQ;Modified Barthel Index, MBI;Incidence of adverse events;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48930"}, "type": "Feature"}, {"geometry": {"coordinates": [120.118875, 30.241645], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ckqmzygzs@163.com", "contactPhone": "+86 13906503739", "dateEnrollment": "2/7/2020", "description": "Traditional Chinese Medicine in the treatment of novel coronavirus pneumonia (COVID-19): a multicentre, randomized controlled trial", "name": "ChiCTR2000030034", "primaryOutcome": "Body temperature;TCM syndrome integral;Murray lung injury score;The transition time of novel coronavirus nucleic acid;MuLBSTA score;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49647"}, "type": "Feature"}, {"geometry": {"coordinates": [108.630496, 34.040526], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "huang-yi-1980@163.com", "contactPhone": "+86 13319184133", "dateEnrollment": "2/10/2020", "description": "Study on ultrasonographic manifestations of new type of novel coronavirus pneumonia (covid-19) in non-critical stage of pulmonary lesions", "name": "ChiCTR2000030032", "primaryOutcome": "Distribution of 'B' line around lungs of both lungs;Whether there is peripulmonary focus;", "study_type": "Observational study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49816"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctorwhy@126.com", "contactPhone": "+86 13518106758", "dateEnrollment": "2/24/2020", "description": "The Value of Critical Care Ultrasound in Rapid Screening, Diagnosis, Evaluation of Effectiveness and Intensive Prevention of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030185", "primaryOutcome": "28day mortality;", "study_type": "Diagnostic test", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50058"}, "type": "Feature"}, {"geometry": {"coordinates": [114.312575, 30.52137], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "liubende99@outlook.com", "contactPhone": "+86 13907191851", "dateEnrollment": "2/7/2020", "description": "A single arm trial to evaluate the efficacy and safety of anti-2019-nCoV inactivated convalescent plasma in the treatment of novel coronavirus pneumonia patient (COVID-19)", "name": "ChiCTR2000030046", "primaryOutcome": "The changes of clinical symptom, laboratory and radiological data ;Oxyhemoglobin saturation.;dyspnea;Body temperature;Radiological characteristic sign;Blood routine;C-reaction protein;lymphocyte count;Liver function: TBIL(total bilirubin), AST(alanine ami", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49861"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xugang@tjh.tjmu.edu.cn", "contactPhone": "+86 13507181312", "dateEnrollment": "2/20/2020", "description": "A medical records based study for acute kidney injury in novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030030", "primaryOutcome": "Acute kidney injury;", "study_type": "Observational study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49841"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419396, 30.41501], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "docxwg@163.com", "contactPhone": "+86 13377897278", "dateEnrollment": "2/3/2020", "description": "The effect of pulmonary rehabilitation for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period", "name": "ChiCTR2000029459", "primaryOutcome": "pulmonary function;St Georges respiratory questionnaire, SGRQ;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48929"}, "type": "Feature"}, {"geometry": {"coordinates": [116.410039, 39.926901], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ZJHTCM@FOXMAIL.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2/2/2020", "description": "Combination of traditional Chinese medicine and western medicine in the treatment of common type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029439", "primaryOutcome": "Antipyretic time;Time of virus turning negative;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48904"}, "type": "Feature"}, {"geometry": {"coordinates": [120.252113, 30.132235], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "stjz@zju.edu.cn", "contactPhone": "13957111817", "dateEnrollment": "2/20/2020", "description": "A multi-center study on the efficacy and safety of suramin sodium in adult patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030029", "primaryOutcome": "clinical cure rate;Incidence of mechanical ventilation by day28;All-cause mortality by day28;Incidence of ICU admission by day28;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49824"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "kangyan_hx@163.com", "contactPhone": "+86 18980601556", "dateEnrollment": "2/24/2020", "description": "Clinical comparative study of PD-1 mAb in the treatment of severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030028", "primaryOutcome": "Neutrophil count;Lymphocyte count;Monocyte / macrophage count;Monocyte / macrophage function test;NK cell count;DC cell count;PD-1( immunosuppressive biomarker );PD-L1(immunosuppressive biomarker );CTLA4 (immunosuppressive biomarker );CD79;Blnk;Il7r;T lym", "study_type": "Interventional study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49840"}, "type": "Feature"}, {"geometry": {"coordinates": [108.316216, 22.81669], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "2534776680@qq.com", "contactPhone": "+86 13807887867", "dateEnrollment": "2/4/2020", "description": "Basic and clinical study of inhalation of inactivated mycobacterium vaccine in the treatment of Novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030016", "primaryOutcome": "viral negative-transforming time;30-day cause-specific mortality;30-day cause-adverse events;30-day all-cause mortality;co-infections;Time from severe and critical patients to clinical improvement;Others (liver function, kidney function, myocardial enzyme", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49799"}, "type": "Feature"}, {"geometry": {"coordinates": [113.411051, 22.926355], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "linling@gird.cn", "contactPhone": "+86 13902233092", "dateEnrollment": "2/3/2020", "description": "Multicenter randomized controlled trial for rhG-CSF in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030007", "primaryOutcome": "Clinical symptoms;Blood routine;the viral load of 2019-nCOV of throat swab;TBNK cell subsets;TH1/TH2 Cytokine;Chest CT;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49619"}, "type": "Feature"}, {"geometry": {"coordinates": [114.22077, 30.212249], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "chenqx666@whu.edu.cn", "contactPhone": "+86 027-88041911-82237", "dateEnrollment": "3/2/2020", "description": "Clinical Trial for Recombinant Human Interleukin-2 in the Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030167", "primaryOutcome": "CD8+ T cells numbers;CD4+ T cell numbers;NK cell numbers;Fatality rate;Clinical recovery time;Critical (severe or critical) conversion rate;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49567"}, "type": "Feature"}, {"geometry": {"coordinates": [117.18523, 39.107429], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ykb@tju.edu.cn", "contactPhone": "+86 22 58830026", "dateEnrollment": "2/24/2020", "description": "Clinical study for ozonated autohemotherapy in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030165", "primaryOutcome": "Chest CT;Whole blood cell analysis;Recovery rate;Oxygenation index;Inflammatory response index;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49947"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ylsong70@163.com", "contactPhone": "+86 020 34294311", "dateEnrollment": "1/24/2020", "description": "A prospective comparative study for Xue-Bi-Jing injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029381", "primaryOutcome": "pneumonia severity index (PSI);", "study_type": "Interventional study", "time": "1/27/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48768"}, "type": "Feature"}, {"geometry": {"coordinates": [116.402537, 39.914386], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ysz3129@163.com", "contactPhone": "+86 18610329658", "dateEnrollment": "2/20/2020", "description": "Traditional Chinese medicine cooperative therapy for patients with Novel coronavirus pneumonia (COVID-19) and its effect on spermatogenesis: a randomized controlled trial", "name": "ChiCTR2000030027", "primaryOutcome": "Release rate of discharge standards for isolation;Change in Critical Illness;Traditional Chinese medicine syndrome score;", "study_type": "Interventional study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49852"}, "type": "Feature"}, {"geometry": {"coordinates": [112.590446, 26.89909], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "quxiaowang@163.com", "contactPhone": "+86 15526272595", "dateEnrollment": "2/19/2020", "description": "Development of anti-2019-nCoV therapeutic antibody from the recovered novel coronavirus pneumonia patients (COVID-19)", "name": "ChiCTR2000030012", "primaryOutcome": "NA;", "study_type": "Treatment study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49718"}, "type": "Feature"}, {"geometry": {"coordinates": [116.508353, 39.809188], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "luhongzhou@shphc.org.cn", "contactPhone": "+86 21-37990333", "dateEnrollment": "2/15/2020", "description": "A multicenter, randomized, open, parallel controlled trial for the evaluation of the effectiveness and safety of Xiyanping injection in the treatment of common type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030117", "primaryOutcome": "Clinical recovery time;", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49762"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "lingqing1985@163.com", "contactPhone": "+86 15827257012", "dateEnrollment": "2/27/2020", "description": "A clinical research for the changes of Blood cortisol ACTH level and adrenal morphology in blood cortisol to guide the application of individualized hormone in severe novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030115", "primaryOutcome": "Cortisol;ACTH;Form of Adrenal tissue;", "study_type": "Observational study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49964"}, "type": "Feature"}, {"geometry": {"coordinates": [113.573787, 22.247427], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "13600001163@139.com", "contactPhone": "+86 0756-3325892", "dateEnrollment": "2/15/2020", "description": "Clinical Study on Syndrome Differentiation of TCM in Treating Severe and Critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030188", "primaryOutcome": "TCM symptom score;Becomes negative time of COVID-19;Cure / mortality rate;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50025"}, "type": "Feature"}, {"geometry": {"coordinates": [121.002808, 31.820762], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "luhongzhou@shphc.org.cn", "contactPhone": "+86 18930810088", "dateEnrollment": "2/15/2020", "description": "Study for safety and efficacy of Jakotinib hydrochloride tablets in the treatment severe and acute exacerbation patients of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030170", "primaryOutcome": "Severe NCP group: Time to clinical improvement (TTCI) [time window: 28 days];Acute exacerbation NCP group: Time to clinical recovery [time window: 28 days] and the ratio of common to severe and critically severe.;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50017"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417488, 30.413077], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xiemx@hust.edu.cn", "contactPhone": "+86 13607108938", "dateEnrollment": "2/12/2020", "description": "Assessment of cardiac function in patients with Novel Coronavirus Pneumonia (COVID-19) by echocardiography and its new techniques", "name": "ChiCTR2000030092", "primaryOutcome": "M mode echocardiography;two-dimensional echocardiography;Doppler ultrasound;two-dimensional speckle tracking;three-dimensional echocardiography;", "study_type": "Observational study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49880"}, "type": "Feature"}, {"geometry": {"coordinates": [104.174977, 30.54307], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "luyibingli@163.com", "contactPhone": "+86 18328737998", "dateEnrollment": "2/22/2020", "description": "A Prospective Randomized Controlled Trial for Home Exercise Prescription Intervention During Epidemic of Novel Coronary Pneumonia (COVID-19) in College Students", "name": "ChiCTR2000030090", "primaryOutcome": "Mood index;", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49910"}, "type": "Feature"}, {"geometry": {"coordinates": [114.115809, 30.598691], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "1813886398@qq.com", "contactPhone": "+86 13507117929", "dateEnrollment": "2/19/2020", "description": "A randomized, double-blind, parallel-controlled, trial to evaluate the efficacy and safety of anti-SARS-CoV-2 virus inactivated plasma in the treatment of severe novel coronavirus pneumonia patients (COVID-19)", "name": "ChiCTR2000030010", "primaryOutcome": "Improvement of clinical symptoms (Clinical improvement is defined as a reduction of 2 points on the 6-point scale of the patient's admission status or discharge from the hospital);", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49777"}, "type": "Feature"}, {"geometry": {"coordinates": [116.453539, 39.911452], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "13910930309@163.com", "contactPhone": "+86 13910930309", "dateEnrollment": "2/20/2020", "description": "A randomized, open-label, controlled trial for the efficacy and safety of Farpiravir Tablets in the treatment of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029996", "primaryOutcome": "Time to Clinical Recovery;", "study_type": "Interventional study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49510"}, "type": "Feature"}, {"geometry": {"coordinates": [116.007228, 28.566623], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Chenhongyi8660@163.com", "contactPhone": "+86 13807088660", "dateEnrollment": "2/16/2020", "description": "An open, controlled clinical trial for evaluation of ganovo combined with ritonavir and integrated traditional Chinese and Western medicine in the treatment of novel coronavirus infection (COVID-19)", "name": "ChiCTR2000030000", "primaryOutcome": "Rate of composite advers outcomes:SpO2,PaO2/FiO2, respiratory rate;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49748"}, "type": "Feature"}, {"geometry": {"coordinates": [103.992154, 30.707577], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "tangjianyuan163@163.com", "contactPhone": "+86 13910768464", "dateEnrollment": "2/18/2020", "description": "Chinese Medicine Promotes Rehabilitation Recommendations after 2019 Novel Coronavirus Infection (COVID-19)", "name": "ChiCTR2000029956", "primaryOutcome": "Quality of life;Anxiety assessment;Depression assessment;Major symptoms improved;", "study_type": "Interventional study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49618"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114345, 30.322602], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "hukejx@163.com", "contactPhone": "+86 18971035988", "dateEnrollment": "3/10/2020", "description": "A multicenter, randomized, double-blind, controlled clinical trial for leflunomide in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030058", "primaryOutcome": "The days from positive to negative for viral nucleic acid testing;", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49831"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419392, 30.415014], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wqp1968@163.com", "contactPhone": "+86 13971605283", "dateEnrollment": "2/23/2020", "description": "Study for the effect of early endotracheal intubation on the outcome of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030056", "primaryOutcome": "ICU hospitalization days;Death rate;", "study_type": "Observational study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49904"}, "type": "Feature"}, {"geometry": {"coordinates": [116.293653, 39.967509], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "boj301@sina.com", "contactPhone": "+86 13801257802", "dateEnrollment": "2/24/2020", "description": "Clinical Trial for Human Mesenchymal Stem Cells in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030138", "primaryOutcome": "Clinical index;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50004"}, "type": "Feature"}, {"geometry": {"coordinates": [108.950405, 34.271425], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shpingg@126.com", "contactPhone": "+86 13709206398", "dateEnrollment": "2/24/2020", "description": "Humanistic Care in Healthcare Workers in Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030137", "primaryOutcome": "Self-rating depression scale;", "study_type": "Observational study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50007"}, "type": "Feature"}, {"geometry": {"coordinates": [121.338171, 31.088858], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "jhong.pku@163.com", "contactPhone": "+86 15301655562", "dateEnrollment": "2/20/2020", "description": "Study on anxiety of different populations under novel coronavirus (COVID-19) infection", "name": "ChiCTR2000029995", "primaryOutcome": "Self-Rating Anxiety Scale;Self-Rating Depression Scale;Posttraumatic stress disorder checklist,;Questionnaire for Simple Responses;", "study_type": "Observational study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49418"}, "type": "Feature"}, {"geometry": {"coordinates": [121.713623, 31.051518], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "fanglei586@126.com", "contactPhone": "+86 021-51323092", "dateEnrollment": "2/19/2020", "description": "Liu-Zi-Jue Qigong and Acupressure Therapy for Pulmonary Function and Quality of Life in Patient with Severe novel coronavirus pneumonia (COVID-19): A Randomized Controlled Trial", "name": "ChiCTR2000029994", "primaryOutcome": "lung function;ADL;6min walk;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49309"}, "type": "Feature"}, {"geometry": {"coordinates": [113.304482, 23.036874], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "412475734@qq.com", "contactPhone": "+86 13710801606", "dateEnrollment": "2/24/2020", "description": "A study for the intervention of Xiangxue antiviral oral solution and Wu-Zhi-Fang-Guan-Fang on close contacts of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030033", "primaryOutcome": "Proportion of COVID-19 close contacts who have developed as confirmed cases;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49703"}, "type": "Feature"}, {"geometry": {"coordinates": [114.313944, 30.523303], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qingzhou.wh.edu@hotmail.com", "contactPhone": "+86 13971358226", "dateEnrollment": "2/17/2020", "description": "Feature of Multiple Organs in Ultrasound Investigation for Clinical Management and Prognostic Evaluation of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030017", "primaryOutcome": "Death;Recovered;Discharged;", "study_type": "Observational study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49798"}, "type": "Feature"}, {"geometry": {"coordinates": [121.46882, 31.229539], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "fangmin19650510@163.com", "contactPhone": "+86 18930568005", "dateEnrollment": "2/21/2020", "description": "A randomized controlled trial for the efficacy of Dao-Yin in the prevention and controlling novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029978", "primaryOutcome": "Length of hospital stay;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49702"}, "type": "Feature"}, {"geometry": {"coordinates": [103.10988, 26.96854], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "chenxinyuchen@163.com", "contactPhone": "+86 13807312410", "dateEnrollment": "2/28/2020", "description": "Comparative study for integrate Chinese and conventional medicine the the treatment of novel coronavirus pneumonia (COVID-19) in Hu'nan province", "name": "ChiCTR2000029960", "primaryOutcome": "TCM syndrome;", "study_type": "Interventional study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49639"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "sxwang@tjh.tjmu.edu.cn", "contactPhone": "+86 027-83663078", "dateEnrollment": "2/19/2020", "description": "Study for the correlation between the incidence and outcome of novel coronary pneumonia (COVID-2019) and ovarian function in women", "name": "ChiCTR2000030015", "primaryOutcome": "menstruation changes;", "study_type": "Basic Science", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49800"}, "type": "Feature"}, {"geometry": {"coordinates": [113.558562, 22.280466], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "liujing25@mail.sysu.edu.cn", "contactPhone": "+86 13844021812", "dateEnrollment": "2/12/2020", "description": "Correalation between anxiety as well as depression and gut microbiome among staff of hospital during the novel coronavirus pneumonia (COVID-19) outbreak", "name": "ChiCTR2000030008", "primaryOutcome": "psychological scale;Intestinal flora abundance, etc;Upper respiratory flora abundance, etc;", "study_type": "Observational study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49426"}, "type": "Feature"}, {"geometry": {"coordinates": [108.934554, 34.253096], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shpingg@126.com", "contactPhone": "+86 13709206398", "dateEnrollment": "2/24/2020", "description": "Humanistic Care in Patients With Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030136", "primaryOutcome": "recovery time;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50005"}, "type": "Feature"}, {"geometry": {"coordinates": [117.291746, 38.99683], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Tongxg@yahoo.com", "contactPhone": "+86 13820088121", "dateEnrollment": "2/24/2020", "description": "A multicenter randomized controlled trial for ozone autohemotherapy in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030102", "primaryOutcome": "Chest imaging;RNA test of COVID-19;Time to remission/disappearance of primary symptoms: defined as the number of days when the three main symptoms of fever, cough, and shortness of breath are all relieved / disappeared;Completely antipyretic time: complet", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49747"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xiangdongchen2013@163.com", "contactPhone": "+86 15071096621", "dateEnrollment": "2/19/2020", "description": "A randomized controlled trial for the efficacy of ozonated autohemotherapy in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030006", "primaryOutcome": "Recovery rate;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49737"}, "type": "Feature"}, {"geometry": {"coordinates": [126.624467, 45.747647], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yangbf@ems.hrbmu.edu.cn", "contactPhone": "+86 133 0451 2381", "dateEnrollment": "2/15/2020", "description": "The efficacy and safety of Triazavirin for 2019 novel coronary pneumonia (COVID-19): a multicenter, randomized, double blinded, placebo-controlled trial", "name": "ChiCTR2000030001", "primaryOutcome": "Time to Clinical recovery;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49723"}, "type": "Feature"}, {"geometry": {"coordinates": [121.581437, 31.121984], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xuhuji@smmu.edu.cn", "contactPhone": "+86 13671609764", "dateEnrollment": "2/28/2020", "description": "A clinical study for the efficacy and safety of Adalimumab Injection in the treatment of patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030089", "primaryOutcome": "TTCI (Time to Clinical Improvement);", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49889"}, "type": "Feature"}, {"geometry": {"coordinates": [116.384648, 39.839515], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "lianru666@163.com", "contactPhone": "+86 18600310121", "dateEnrollment": "3/1/2020", "description": "Umbilical cord Wharton's Jelly derived mesenchymal stem cells in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030088", "primaryOutcome": "The nucleic acid of the novel coronavirus is negative;CT scan of ground glass shadow disappeared;", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49902"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419402, 30.41501], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "Xin11@hotmail.com", "contactPhone": "+86 18602724981", "dateEnrollment": "2/14/2020", "description": "A multicenter, randomized, open and controlled trial for the efficacy and safety of Kang-Bing-Du granules in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029781", "primaryOutcome": "Disappearance rate of fever symptoms;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49138"}, "type": "Feature"}, {"geometry": {"coordinates": [116.373663, 39.926388], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "zhuoli.zhang@126.com", "contactPhone": "+86 13901094780", "dateEnrollment": "2/11/2020", "description": "Efficacy of therapeutic effects of hydroxycholoroquine in novel coronavirus pneumonia (COVID-19) patients(randomized open-label control clinical trial)", "name": "ChiCTR2000029740", "primaryOutcome": "oxygen index;max respiratory rate;lung radiography;count of lymphocyte;temperature;other infection;time when the nuleic acid of the novel coronavirus turns negative;prognosis;", "study_type": "Interventional study", "time": "2/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49317"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xiemx@hust.edu.cn", "contactPhone": "+86 13607108938", "dateEnrollment": "2/12/2020", "description": "Clinical study for the diagnostic value of pulmonary ultrasound for novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030087", "primaryOutcome": "Three-dimensional ultrasound;Two-dimensional ultrasound;Respiration related parameters;Doppler ultrasound;", "study_type": "Observational study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49919"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419392, 30.415014], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xiangdongchen2013@163.com", "contactPhone": "+86 15071096621", "dateEnrollment": "2/24/2020", "description": "Study for the effects on medical providers' infection rate and mental health after performing different anesthesia schemes in cesarean section for novel coronavirus pneumonia (COVID-19) puerperae", "name": "ChiCTR2000030086", "primaryOutcome": "CT image of lung of close contact medical staff;Human body temperature of close contact medical staff;Anxiety Scale of of close contact medical staff;", "study_type": "Observational study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49934"}, "type": "Feature"}, {"geometry": {"coordinates": [104.158826, 30.523903], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "tj1234753@sina.com", "contactPhone": "+86 18180609287", "dateEnrollment": "1/25/2020", "description": "Clinical observation and research of Severe acute respiratory syndrome coronavirus 2(COVID-19) infection in perinatal newborns", "name": "ChiCTR2000029959", "primaryOutcome": "CoVID-19 Perinatal Outcomes;", "study_type": "Observational study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49636"}, "type": "Feature"}, {"geometry": {"coordinates": [121.357174, 28.546326], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "lvdq@enzemed.com", "contactPhone": "+86 13867622009", "dateEnrollment": "2/17/2020", "description": "Early warning prediction of patients with severe novel coronavirus pneumonia (COVID-19) based on multiomics", "name": "ChiCTR2000029866", "primaryOutcome": "Cytokine detection;Lymphocyte subpopulation analysis ;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49519"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "am-penicillin@163.com", "contactPhone": "+86 13886157176", "dateEnrollment": "2/20/2020", "description": "Descriptive study on the clinical characteristics and outcomes of novel coronavirus pneumonia (COVID-19) in cardiovascular patients", "name": "ChiCTR2000029865", "primaryOutcome": "blood cell count;C-reactive protein (CRP);arterial blood-gas analysis;markers of myocardial injury;coagulation profile;serum biochemical test;brain natriuretic peptide(BNP);blood lipid;fibrinogen(FIB), D-Dimer.;", "study_type": "Observational study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49545"}, "type": "Feature"}, {"geometry": {"coordinates": [121.536888, 31.076984], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "jbge@zs-hospital.sh.cn", "contactPhone": "-64041925", "dateEnrollment": "2/19/2020", "description": "A multicenter, randomized controlled trial for the efficacy and safety of Alpha lipoic acid (iv) in the treatment of patients of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029851", "primaryOutcome": "SOFA;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49534"}, "type": "Feature"}, {"geometry": {"coordinates": [121.467539, 31.227704], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "18917683122@189.cn", "contactPhone": "+86 18917683122", "dateEnrollment": "2/20/2020", "description": "A clinical study for probiotics in the regulation of intestinal function and microflora structure of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029999", "primaryOutcome": "gut microbiome;Fecal metabolomics;Blood routine;albumin;serum potassium;CRP;ALT;AST;urea;Cr;urea nitrogen;D-Dimer;ESR;IgG;IgM;IgA;hepatitis B surface antigen;ß2-microglobulin;IFN-gama;IL-6;TNF-beta;IL-10;IL-2;IL-4;IL-13;IL-12;chest CT;abdominal CT;ECG;We", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49717"}, "type": "Feature"}, {"geometry": {"coordinates": [118.210397, 24.37942], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Yinzy@xmu.edu.cn", "contactPhone": "+86 13950120518", "dateEnrollment": "2/17/2020", "description": "A prospective, randomized, open label, controlled trial for chloroquine and hydroxychloroquine in patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029992", "primaryOutcome": "Clinical recovery time;Clinical recovery time;Changes in viral load of upper and lower respiratory tract samples compared with the baseline;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49574"}, "type": "Feature"}, {"geometry": {"coordinates": [118.103838, 24.48995], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Yinzy@xmu.edu.cn", "contactPhone": "+86 13950120518", "dateEnrollment": "2/22/2020", "description": "A prospective, open label, randomized, control trial for chloroquine or hydroxychloroquine in patients with mild and common novel coronavirus pulmonary (COVIP-19)", "name": "ChiCTR2000030054", "primaryOutcome": "Clinical recovery time;", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49869"}, "type": "Feature"}, {"geometry": {"coordinates": [116.431005, 33.949705], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yxbxuzhou@126.com", "contactPhone": "+86 15205215685", "dateEnrollment": "5/31/2020", "description": "Clinical study for infusing convalescent plasma to treat patients with new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030039", "primaryOutcome": "SARS-CoV-2 DNA;SARS-CoV-2 antibody levels;thoracic spiral CT;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49544"}, "type": "Feature"}, {"geometry": {"coordinates": [116.422301, 39.908804], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaochunhua@vip.163.com", "contactPhone": "+86 010-65125311", "dateEnrollment": "1/30/2020", "description": "Clinical trials of mesenchymal stem cells for the treatment of pneumonitis caused by novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029990", "primaryOutcome": "Improved respiratory system function (blood oxygen saturation) recovery time;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49674"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "sxwang@tjh.tjmu.edu.cn", "contactPhone": "+86 02783663078", "dateEnrollment": "2/18/2020", "description": "Study for nucleic acid detection of novel coronavirus pneumonia (COVID-2019) in female vaginal secretions", "name": "ChiCTR2000029981", "primaryOutcome": "SARS-COV-2 nucleic acid;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49692"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "minzhou@tjh.tjmu.edu.cn", "contactPhone": "+86 15002749377", "dateEnrollment": "2/20/2020", "description": "A medical records based analysis for the clinical characteristics of novel coronavirus pneumonia (COVID-19) in immunocompromised patients", "name": "ChiCTR2000030021", "primaryOutcome": "Clinical characteristics;", "study_type": "Observational study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49690"}, "type": "Feature"}, {"geometry": {"coordinates": [112.584781, 26.896463], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "706885399@qq.com", "contactPhone": "+86 13907342350", "dateEnrollment": "2/6/2020", "description": "The clinical application and basic research related to mesenchymal stem cells to treat novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030020", "primaryOutcome": "Coronavirus nucleic acid markers negative rate;Symptoms improved after 4 treatments;Inflammation (CT of the chest);", "study_type": "Interventional study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49812"}, "type": "Feature"}, {"geometry": {"coordinates": [120.20694, 36.0375], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "dl5506@126.com", "contactPhone": "+86 18560082787", "dateEnrollment": "2/9/2020", "description": "A prospective, multicenter, open-label, randomized, parallel-controlled trial for probiotics to evaluate efficacy and safety in patients infected with 2019 novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029974", "primaryOutcome": "Time to Clinical recovery;Butyrate in feces;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49321"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114345, 30.322602], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "doctorzhang2003@163.com", "contactPhone": "+86 18062567610", "dateEnrollment": "2/20/2020", "description": "A prospective, randomized, open-label, controlled clinical study to evaluate the preventive effect of hydroxychloroquine on close contacts after exposure to the Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029803", "primaryOutcome": "Number of patients who have progressed to suspected or confirmed within 24 days of exposure to new coronavirus;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49428"}, "type": "Feature"}, {"geometry": {"coordinates": [121.521037, 31.058655], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "bai.chunxue@zs-hospital.sh.cn", "contactPhone": "+86 18621170011", "dateEnrollment": "2/28/2020", "description": "The COVID-19 Mobile Health Study (CMHS), a large-scale clinical observational registration study using nCapp", "name": "ChiCTR2000030019", "primaryOutcome": "Accuracy;", "study_type": "Observational study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49768"}, "type": "Feature"}, {"geometry": {"coordinates": [106.723234, 33.039475], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xuntao26@hotmail.com", "contactPhone": "+86 18980601817", "dateEnrollment": "2/20/2020", "description": "Effect of Novel Coronavirus Pneumonia (COVID-19) on the Mental Health of College Students", "name": "ChiCTR2000030004", "primaryOutcome": "Mental health status;", "study_type": "Observational study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49783"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "Xin11@hotmail.com", "contactPhone": "+86 18602724981", "dateEnrollment": "2/14/2020", "description": "A multicenter, randomized, open, controlled trial for the efficacy and safety of Shen-Qi Fu-Zheng injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029780", "primaryOutcome": "Recovery time;", "study_type": "Interventional study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49220"}, "type": "Feature"}, {"geometry": {"coordinates": [103.992154, 30.707577], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "tangjianyuan163@163.com", "contactPhone": "+86 13910768464", "dateEnrollment": "2/19/2020", "description": "Optimization Protocal of Integrated Traditional Chinese and Western Medicine in the Treatment for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030003", "primaryOutcome": "hospital stay;Discharge rate;Site-specific hospital metastasis rate or severe conversion rate;Body temperature normalization time;Clinical symptoms disappearance rate;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49770"}, "type": "Feature"}, {"geometry": {"coordinates": [115.518079, 30.510001], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "44271370@qq.com", "contactPhone": "+86 15956927046", "dateEnrollment": "2/15/2020", "description": "Clinical study of novel NLRP Inflammasome inhibitor (Tranilast) in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030002", "primaryOutcome": "cure rate;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49738"}, "type": "Feature"}, {"geometry": {"coordinates": [116.384396, 39.838738], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "fengcao8828@163.com", "contactPhone": "+86 13911798280", "dateEnrollment": "2/20/2020", "description": "A randomized controlled Trial for therapeutic efficacy of Recombinant Human Interferon alpha 1b Eye Drops in the treatment of elderly with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029989", "primaryOutcome": "Arterial Blood Oxygen Saturation;TTCR,Time to Clinical recovery;temperature;respiratory rate;Lung CT;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49720"}, "type": "Feature"}, {"geometry": {"coordinates": [114.312864, 30.52223], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2/13/2020", "description": "Clinical Study of Chloroquine Phosphate in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029988", "primaryOutcome": "Time to Clinical Recovery;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49218"}, "type": "Feature"}, {"geometry": {"coordinates": [104.157163, 30.526148], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "8999578@qq.com", "contactPhone": "+86 13699093647", "dateEnrollment": "2/10/2020", "description": "Study for mental health status and influencing factors of nurses during epidemic prevention of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029985", "primaryOutcome": "HSCS;SCSQ;GHQ-12;", "study_type": "Observational study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49711"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "chenhong1129@hotmail.com", "contactPhone": "+86 13296508243", "dateEnrollment": "2/17/2020", "description": "A randomized controlled trial for the Efficacy of Ultra Short Wave Electrotherapy in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029972", "primaryOutcome": "the rate of Coronary virus nucleic acid negative at 7 days, 14 days, 21 days, and 28 days after Ultra Short Wave Electrotherapy;Symptom recovery at 7 days, 14 days, 21 days, and 28 days after Ultra Short Wave Electrotherapy;", "study_type": "Interventional study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49664"}, "type": "Feature"}, {"geometry": {"coordinates": [121.593039, 38.910638], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "shangdongdalian@163.com", "contactPhone": "+86 18098875933", "dateEnrollment": "3/1/2020", "description": "A Clinical Trial Study for the Influence of TCM Psychotherapy on Negative Emotion of Patients with Novel Coronavirus Pneumonia (COVID-19) Based on Network Platform", "name": "ChiCTR2000030420", "primaryOutcome": "Psychological status;Treatment compliance;To evaluate the difference in isolation and rehabilitation of patients after discharge;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50286"}, "type": "Feature"}, {"geometry": {"coordinates": [114.310985, 30.5567], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "153267742@qq.com", "contactPhone": "+86 18971163518", "dateEnrollment": "4/30/2020", "description": "Efficacy and safety of honeysuckle oral liquid in the treatment of novel coronavirus pneumonia (COVID-19): a multicenter, randomized, controlled, open clinical trial", "name": "ChiCTR2000029954", "primaryOutcome": "Recovery time;Pneumonia psi score;", "study_type": "Interventional study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49402"}, "type": "Feature"}, {"geometry": {"coordinates": [119.88632, 26.70753], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "nplrj@126.com", "contactPhone": "+86 13809508580", "dateEnrollment": "3/2/2020", "description": "Application of rehabilitation and Lung eight-segment exercise in front-line nurses in the prevention of novel coronavirus pneumonia (COVID-19) epidemic", "name": "ChiCTR2000030432", "primaryOutcome": "PCL;PSQI;FSI;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50268"}, "type": "Feature"}, {"geometry": {"coordinates": [114.115809, 30.598691], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "1813886398@qq.com", "contactPhone": "+86 13507117929", "dateEnrollment": "2/27/2020", "description": "A randomized, double-blind, placebo-controlled trial for evaluation of the efficacy and safety of bismuth potassium citrate capsules in the treatment of patients with novel coronavirus pneumonia (COVID-19).", "name": "ChiCTR2000030398", "primaryOutcome": "Pharynx swabs, lower respiratory tract samples (sputum/endotracheal aspiration/alveolar lavage), and anal swabs rt-pcr of novel coronavirus nucleic acid negative conversion rate.;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50173"}, "type": "Feature"}, {"geometry": {"coordinates": [116.384396, 39.838738], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hekl301@aliyun.com", "contactPhone": "+86 010 66939107", "dateEnrollment": "1/1/2020", "description": "Research and Development of Diagnostic Assistance Decision Support System for novel coronavirus pneumonia (COVID-19) Based on Big Data Technology", "name": "ChiCTR2000030390", "primaryOutcome": "CT;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50224"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "haoyaner@163.com", "contactPhone": "+86 13971679960", "dateEnrollment": "2/23/2020", "description": "Novel Coronavirus Infected Disease (COVID-19) in children: epidemiology, clinical features and treatment outcome", "name": "ChiCTR2000030363", "primaryOutcome": "Epidemiological characteristics;clinical features;Treatment outcome;", "study_type": "Observational study", "time": "2/29/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49984"}, "type": "Feature"}, {"geometry": {"coordinates": [119.870469, 26.689201], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "nijun1000@126.com", "contactPhone": "+86 19890572216", "dateEnrollment": "3/1/2020", "description": "Application of Rehabilitation and Lung Eight-segment Exercise in Home Rehabilitation of Survivors from novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030433", "primaryOutcome": "PCL;HRQL;IPAQ;PASE;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50273"}, "type": "Feature"}, {"geometry": {"coordinates": [119.302849, 26.083184], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "nijun1000@126.com", "contactPhone": "+86 19890572216", "dateEnrollment": "3/1/2020", "description": "Application of rehabilitation lung exercise eight-segment exercise in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030418", "primaryOutcome": "Post-traumatic stress disorder checklist;Clinical prognostic outcome;Il-6;Health-related quality of life inventory;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50341"}, "type": "Feature"}, {"geometry": {"coordinates": [114.295134, 30.538371], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ljzwd@163.com", "contactPhone": "+86 13307173928", "dateEnrollment": "2/29/2020", "description": "A Comparative Study for the Effectiveness of ''triple energizer treatment'' Method in Repairing Lung Injury in Patients with Novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030389", "primaryOutcome": "Lung CT;TCM symptoms;", "study_type": "Observational study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50278"}, "type": "Feature"}, {"geometry": {"coordinates": [121.3897, 31.251], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zzq1419@126.com", "contactPhone": "+86 18721335536", "dateEnrollment": "3/1/2020", "description": "Clinical observation and research of multiple organs injury in severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030387", "primaryOutcome": "Epidemiological and clinical characteristics;", "study_type": "Observational study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50329"}, "type": "Feature"}, {"geometry": {"coordinates": [113.07999, 28.076167], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xrchang1956@163.com", "contactPhone": "+86 0731 88458187", "dateEnrollment": "3/1/2020", "description": "Study for moxibustion in the preventing of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030386", "primaryOutcome": "mood assessment;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50323"}, "type": "Feature"}, {"geometry": {"coordinates": [126.638388, 45.753168], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "2209447940@qq.com", "contactPhone": "+86 18672308659", "dateEnrollment": "3/1/2020", "description": "Construction and application of non-contact doctor-patient interactive diagnosis and treatment mode of moxibustion therapy for novel coronary pneumonia (COVID-19) based on mobile internet", "name": "ChiCTR2000030382", "primaryOutcome": "pulmonary iconography;", "study_type": "Observational study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50325"}, "type": "Feature"}, {"geometry": {"coordinates": [115.518079, 30.510001], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wengjp@ustc.edu.cn", "contactPhone": "+86 0551-62286223", "dateEnrollment": "2/1/2020", "description": "Construction of a Bio information platform for novel coronavirus pneumonia (COVID-19) patients follow-up in Anhui", "name": "ChiCTR2000030331", "primaryOutcome": "", "study_type": "Epidemilogical research", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50271"}, "type": "Feature"}, {"geometry": {"coordinates": [107.486, 31.0564], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "luyb6810@163.com", "contactPhone": "+86 13937642780", "dateEnrollment": "2/1/2020", "description": "Identification and Clinical Treatment of Severe novel coronavirus pneumonia (COVID-19) Patients", "name": "ChiCTR2000030322", "primaryOutcome": "Epidemiological and clinical characteristics;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50240"}, "type": "Feature"}, {"geometry": {"coordinates": [115.518079, 30.510001], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ahslyywm@163.com", "contactPhone": "+86 18655106697", "dateEnrollment": "2/28/2020", "description": "Clinical research of 6-minute walk training on motor function of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030330", "primaryOutcome": "walking distance;oxygen saturation;heart rate;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50274"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419411, 30.415019], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "frank0130@126.com", "contactPhone": "+86 13986268403", "dateEnrollment": "3/2/2020", "description": "Clinical application of inhaled acetylcysteine solution in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030328", "primaryOutcome": "Lung CT after 3 days;Lung CT after 7 days;Oxygenation parameters: SpO2, Partial arterial oxygen pressure (PaO2), PaO2/FiO2;Hospital stay;Novel coronavirus nucleic acid detection;Recurrence rate;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50241"}, "type": "Feature"}, {"geometry": {"coordinates": [108.934554, 34.253096], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "maxr0910@163.com", "contactPhone": "+86 13992856156", "dateEnrollment": "3/5/2020", "description": "Combination of Tocilizumab, IVIG and CRRT in severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030442", "primaryOutcome": "Inhospital time;", "study_type": "Interventional study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50380"}, "type": "Feature"}, {"geometry": {"coordinates": [112.253136, 31.930144], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "55815147@qq.com", "contactPhone": "+86 13986394739", "dateEnrollment": "2/28/2020", "description": "Traditional Chinese medicine Ma-Xing-Shi-Gan-Tang and Sheng-Jiang-San in the treatment of children with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030314", "primaryOutcome": "temperature;respiratory symptoms;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50248"}, "type": "Feature"}, {"geometry": {"coordinates": [120.080971, 29.320419], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "li_caixia@zju.edu.cn", "contactPhone": "+86 15268118258", "dateEnrollment": "3/9/2020", "description": "Multiomics study and emergency plan optimization of spleen strengthening clearing damp and stomach therapy combined with antiviral therapy for novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030305", "primaryOutcome": "blood RNA;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50223"}, "type": "Feature"}, {"geometry": {"coordinates": [118.709669, 31.755601], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ian0126@126.com", "contactPhone": "+86 13338628626", "dateEnrollment": "2/19/2020", "description": "microRNA as a marker for early diagnosis of novel coronavirus infection (COVID-19)", "name": "ChiCTR2000030334", "primaryOutcome": "SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49491"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "huillanz_76@163.com", "contactPhone": "+86 15391532171", "dateEnrollment": "3/4/2020", "description": "A randomized, open-label controlled trial for the efficacy and safety of Pirfenidone in patients with severe and critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030333", "primaryOutcome": "K-bld questionnaire survey;Refers to the pulse oxygen;chest CT;blood gas;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48801"}, "type": "Feature"}, {"geometry": {"coordinates": [106.707671, 33.022005], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hubingnj@163.com", "contactPhone": "+86 18980601278", "dateEnrollment": "3/1/2020", "description": "Clinical study for a new type of Gastroscope isolation mask for preventing and controlling the novel coronavirus pneumonia (COVID-19) Epidemic period", "name": "ChiCTR2000030317", "primaryOutcome": "During the operation, the patient's volume of local exhaled air from the mouth and nose, the patient's heart rate, respiratory rate and blood oxygen saturation;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50247"}, "type": "Feature"}, {"geometry": {"coordinates": [126.3, 44.56667], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "Wangtan215@sina.com", "contactPhone": "+86 13756858523", "dateEnrollment": "1/1/2020", "description": "Clinical Study for Traditional Chinese Medicine in the Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030315", "primaryOutcome": "Critically ill patients (%);Mortality Rate;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50255"}, "type": "Feature"}, {"geometry": {"coordinates": [116.509058, 39.803792], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "huangluqi01@126.com", "contactPhone": "+86 010-64089801", "dateEnrollment": "2/27/2020", "description": "Efficacy of Traditional Chinese Medicine in the Treatment of Novel Coronavirus Pneumonia (COVID-19): a Randomized Controlled Trial", "name": "ChiCTR2000030288", "primaryOutcome": "The time to 2019-nCoV RNA negativity in patients;", "study_type": "Interventional study", "time": "2/27/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50202"}, "type": "Feature"}, {"geometry": {"coordinates": [116.382406, 39.840062], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "lvjihui@139.com", "contactPhone": "+86 010 62402842", "dateEnrollment": "2/20/2020", "description": "Investigation and analysis of psychological status of hospital staff during the novel coronavirus pneumonia (COVID-19) epidemic", "name": "ChiCTR2000030263", "primaryOutcome": "GHQ-20;", "study_type": "Epidemilogical research", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50140"}, "type": "Feature"}, {"geometry": {"coordinates": [118.768178, 24.952704], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "guyuesunny@163.com", "contactPhone": "+86 15037167775", "dateEnrollment": "3/2/2020", "description": "A single-center, single-arm clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030424", "primaryOutcome": "Sputum/nasal swab/pharyngeal swab/lower respiratory tract secretions were used to detect the negative conversion rate of the new coronavirus nucleic acid (tested daily after two days starting the azvudine tablets) and the negative conversion time.;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50174"}, "type": "Feature"}, {"geometry": {"coordinates": [119.926146, 28.450673], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "scx1818@126.com", "contactPhone": "+86 0578 2285102", "dateEnrollment": "3/1/2020", "description": "A medical records based analysis for antiviral therapy effect on novel coronavirus pneumonia COVID-19 patients", "name": "ChiCTR2000030391", "primaryOutcome": "cure rate;virus negative rate;time of virus negative;", "study_type": "Observational study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=30796"}, "type": "Feature"}, {"geometry": {"coordinates": [121.002808, 31.820762], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xujianqing@shphc.org.cn", "contactPhone": "+86 18964630206", "dateEnrollment": "2/1/2020", "description": "Clinical study for combination of anti-viral drugs and type I interferon and inflammation inhibitor TFF2 in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030262", "primaryOutcome": "Viral load;Clinical features;Inflammation;Pulmonary imaging;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50136"}, "type": "Feature"}, {"geometry": {"coordinates": [101.96033, 30.05127], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "27216302@qq.com", "contactPhone": "+86 17723451376", "dateEnrollment": "2/27/2020", "description": "Clinical study for individualized nutritional assessment and supportive treatment of novel coronavirus pneumonia (COVID-19) patients in Tibetan Plateau", "name": "ChiCTR2000030260", "primaryOutcome": "NRS 2002 score;BMI;triceps skinfold thickness (TSF);prealbumin;total albumin;leucocyte count;CRP;lymphocyte percentage;TNF- alpha;IL-6;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50130"}, "type": "Feature"}, {"geometry": {"coordinates": [117.262606, 31.843799], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zzh1974cn@163.com", "contactPhone": "+86 13215510411", "dateEnrollment": "1/21/2020", "description": "Analysis of clinical characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030327", "primaryOutcome": "Blood Routine;Liver function;Blood electrolyte;Anticoagulation index;Lung CT;Viral RNA;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50214"}, "type": "Feature"}, {"geometry": {"coordinates": [112.237285, 31.911815], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "55815147@qq.com", "contactPhone": "+86 13797625096", "dateEnrollment": "2/28/2020", "description": "A survey of mental health of first-line medical service providers and construction of crisis intervention model for novel coronavirus pneumonia (COVID-19) in Xiangyang", "name": "ChiCTR2000030325", "primaryOutcome": "Psychological questionnaire;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50227"}, "type": "Feature"}, {"geometry": {"coordinates": [116.537564, 33.839175], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hcm200702@163.com", "contactPhone": "+86 13584010516", "dateEnrollment": "2/20/2020", "description": "Umbilical cord mesenchymal stem cells (hucMSCs) in the treatment of high risk novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030300", "primaryOutcome": "Time to disease recovery;Exacerbation (transfer to RICU) time;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50022"}, "type": "Feature"}, {"geometry": {"coordinates": [114.21667, 29.88333], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "2066255602@qq.com", "contactPhone": "+86 13508649926", "dateEnrollment": "2/27/2020", "description": "Correlation between imaging characteristics and laboratory tests of new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030283", "primaryOutcome": "imaging feature;", "study_type": "Observational study", "time": "2/27/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50119"}, "type": "Feature"}, {"geometry": {"coordinates": [111.91778, 31.93667], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "55815147@qq.com", "contactPhone": "+86 13797625096", "dateEnrollment": "2/28/2020", "description": "Traditional Chinese Medicine 'Zang-Fu Point-pressing' massage for children with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030324", "primaryOutcome": "Temperature;Respiratory symptoms;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50231"}, "type": "Feature"}, {"geometry": {"coordinates": [121.002808, 31.820762], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "dr_lif08@126.com", "contactPhone": "+86 18121150282", "dateEnrollment": "3/1/2020", "description": "Clinical observation and research plan of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030293", "primaryOutcome": "Clinical indicators;", "study_type": "Observational study", "time": "2/27/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50195"}, "type": "Feature"}, {"geometry": {"coordinates": [121.619056, 31.199979], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "yyliuhua@126.com", "contactPhone": "+86 18930568010", "dateEnrollment": "3/1/2020", "description": "Efficacy and Safety of Jing-Yin Granule in the treatment of novel coronavirus pneumonia (COVID-19) wind-heat syndrome", "name": "ChiCTR2000030255", "primaryOutcome": "Clearance rate and time of main symptoms (fever, fatigue, cough);", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50089"}, "type": "Feature"}, {"geometry": {"coordinates": [101.944479, 30.032941], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "27216302@qq.com", "contactPhone": "+86 17723451376", "dateEnrollment": "2/27/2020", "description": "Exploration and Research for a new method for detection of novel coronavirus (COVID-19) nucleic acid", "name": "ChiCTR2000030253", "primaryOutcome": "SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50143"}, "type": "Feature"}, {"geometry": {"coordinates": [120.388634, 31.439909], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "chump1981@163.com", "contactPhone": "+86 15052103816", "dateEnrollment": "3/1/2020", "description": "A study for the key technology of mesenchymal stem cells exosomes atomization in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030261", "primaryOutcome": "Lung CT;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49963"}, "type": "Feature"}, {"geometry": {"coordinates": [106.360341, 29.436043], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "406302524@qq.com", "contactPhone": "+86 13678494357", "dateEnrollment": "2/21/2020", "description": "Cancelled due to lack of participants Study for the Impact of Novel Coronavirus Pneumonia (COVID-19) to the Health of the elderly People", "name": "ChiCTR2000030222", "primaryOutcome": "health status;Mental health status;", "study_type": "Observational study", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50048"}, "type": "Feature"}, {"geometry": {"coordinates": [126.641955, 45.76309], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "drkaijiang@163.com", "contactPhone": "+86 13303608899", "dateEnrollment": "2/24/2020", "description": "Study for continuous renal replacement therapy with adsorption filter in the treatment of the novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030265", "primaryOutcome": "Inflammation factor;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49691"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wangjing9279@163.com", "contactPhone": "+86 18186161668", "dateEnrollment": "2/28/2020", "description": "ICU healthcare personnel burnout investigation during the fight against novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030264", "primaryOutcome": "no;", "study_type": "Observational study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50161"}, "type": "Feature"}, {"geometry": {"coordinates": [118.098294, 24.441766], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "jieminzhu@xmu.edu.cn", "contactPhone": "+86 15960212649", "dateEnrollment": "2/11/2020", "description": "Health related quality of life and its influencing factors among front line nurses caring patients with new coronavirus pneumonia (COVID-19) from two hospitals in China", "name": "ChiCTR2000030290", "primaryOutcome": "Quality of Life;Epidemic Prevention Medical Protective Equipment related Skin Lesion and Management Scale;", "study_type": "Observational study", "time": "2/27/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50175"}, "type": "Feature"}, {"geometry": {"coordinates": [121.565586, 31.103656], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "docd1@sina.com", "contactPhone": "+86 18917387623", "dateEnrollment": "2/22/2020", "description": "Evaluation Danorevir sodium tablets combined with ritonavir in the treatment of novel coronavirus pneumonia (COVID-19): a randomized, open and controlled trial", "name": "ChiCTR2000030259", "primaryOutcome": "Rate of composite advers outcomes: SpO2, PaO2/FiO2, respiratory rate;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49918"}, "type": "Feature"}, {"geometry": {"coordinates": [117.275577, 38.978856], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "yingfei1981@163.com", "contactPhone": "+86 13920648942", "dateEnrollment": "1/21/2020", "description": "Study for evaluation of integrated traditional Chinese and Western Medicine in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030219", "primaryOutcome": "Clinical symptoms;TCM syndrome;Lung imaging;Time of nucleic acid turning negative;", "study_type": "Interventional study", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50110"}, "type": "Feature"}, {"geometry": {"coordinates": [104.171816, 30.546415], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "luyibingli@163.com", "contactPhone": "+86 18328737998", "dateEnrollment": "2/22/2020", "description": "A prospective randomized controlled trial for the home exercise prescription intervention in nursing students during epidemic of novel coronary pneumonia (COVID-19)", "name": "ChiCTR2000030091", "primaryOutcome": "Mood index;", "study_type": "Interventional study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49914"}, "type": "Feature"}, {"geometry": {"coordinates": [114.950145, 25.851135], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "2590410004@qq.com", "contactPhone": "+86 13707077997", "dateEnrollment": "1/22/2020", "description": "Study of Pinavir / Ritonavir Tablets (Trade Name: Kelizhi) Combined with Xiyanping Injection for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030218", "primaryOutcome": "Clinical recovery time;Pneumonia Severity Index (PSI) score;", "study_type": "Interventional study", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50115"}, "type": "Feature"}, {"geometry": {"coordinates": [108.40202, 30.70576], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xiaokh1@163.com", "contactPhone": "+86 19923204040", "dateEnrollment": "2/17/2020", "description": "Cancelled due to lack of patient Medical records based study for epidemiological and clinical characteristics of 2019 novel coronavirus pneumonia (COVID-19) in Chongqing", "name": "ChiCTR2000029952", "primaryOutcome": "Clinical symptoms;Test result;Examination result;", "study_type": "Observational study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49630"}, "type": "Feature"}, {"geometry": {"coordinates": [115.344349, 27.696971], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "freebee99@163.com", "contactPhone": "+86 13576955700", "dateEnrollment": "2/26/2020", "description": "Study for the efficacy of Kangguan No. 1-3 prescription in the treatment of novel coronavirus pneumonia (COVID19)", "name": "ChiCTR2000030215", "primaryOutcome": "Routine physical examination;Vital signs: breathing, body temperature (armpit temperature);Blood routine;C-reactive protein;Liver and kidney function test;Myocardial enzyme content;ESR;T cell subsets;Cytokine;Liver, gallbladder, thyroid, and lymph node im", "study_type": "Interventional study", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50107"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hxkfhcq@126.com", "contactPhone": "+86 18980601618", "dateEnrollment": "8/24/2020", "description": "Clinical research of pulmonary rehabilitation in survivors due to severe or critial novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030198", "primaryOutcome": "pulmonary function;", "study_type": "Interventional study", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50066"}, "type": "Feature"}, {"geometry": {"coordinates": [126.731049, 45.637114], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hydyangwei@tom.com", "contactPhone": "+86 13845099775", "dateEnrollment": "2/21/2020", "description": "A multicenter, randomized, controlled trial for efficacy and safety of hydrogen inhalation in the treatment of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030258", "primaryOutcome": "temperature;respiratory rate;Blood oxygen saturation;Cough symptom;Lung CT;Fatality rate;", "study_type": "Treatment study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49887"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419121, 30.410852], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "1078404424@qq.com", "contactPhone": "+86 18602764053", "dateEnrollment": "3/9/2020", "description": "The coagulation function of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030257", "primaryOutcome": "INR;PT;TT;APTT;FIB;DD;", "study_type": "Observational study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50006"}, "type": "Feature"}, {"geometry": {"coordinates": [106.548522, 29.565867], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "1041863309@qq.com", "contactPhone": "+86 023 61103649", "dateEnrollment": "2/21/2020", "description": "Cancelled due to lack of patient A Medical Records Based Study for Construction and Analysis of Diagnosis Predictive&", "name": "ChiCTR2000030042", "primaryOutcome": "ROC;calibration curve;", "study_type": "Observational study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49899"}, "type": "Feature"}, {"geometry": {"coordinates": [125.309144, 43.853493], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "shuchenghua@126.com", "contactPhone": "+86 13756661209", "dateEnrollment": "2/24/2020", "description": "Single arm study for exploration of chloroquine phosphate aerosol inhalation in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029975", "primaryOutcome": "viral negative-transforming time;30-day cause-specific mortality;co-infections;Time from severe and critical patients to clinical improvement;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49592"}, "type": "Feature"}, {"geometry": {"coordinates": [114.22058, 30.212424], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "yogaqq116@whu.edu.cn", "contactPhone": "+86 18062586860", "dateEnrollment": "2/17/2020", "description": "Research for Risks Associated with Novel Coronavirus Pneumonia (COVID-19) in the Hospital Workers and Nosocomial Prevention and Control Strategy", "name": "ChiCTR2000029900", "primaryOutcome": "exposed factors;latent period;preventive measures;", "study_type": "Observational study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49377"}, "type": "Feature"}, {"geometry": {"coordinates": [106.654802, 29.45449], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wenxiang_huang@163.com", "contactPhone": "+86 13883533808", "dateEnrollment": "2/13/2020", "description": "Cancelled due to lack of patient Clinical study on the safety and effectiveness of Hydroxychloroquine Sulfate tablets in the treatment of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029761", "primaryOutcome": "Negative conversion rate of 2019-nCoV nucleic acid ;Lung inflammation absorption ratio;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49400"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "Pengzy5@hotmail.com", "contactPhone": "+86 18672396028", "dateEnrollment": "2/20/2020", "description": "A multicenter, single arm, open label trial for the efficacy and safety of CMAB806 in the treatment of cytokine release syndrome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030196", "primaryOutcome": "the relive of CRS;", "study_type": "Interventional study", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49883"}, "type": "Feature"}, {"geometry": {"coordinates": [117.262767, 31.847597], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ahmusld@163.com", "contactPhone": "+86 13856985045", "dateEnrollment": "2/22/2020", "description": "A parallel, randomized controlled clinical trial for the efficacy and safety of Pediatric Huatanzhike granules (containing ipecacuanha tincture) in the treatment of mild and moderate novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030022", "primaryOutcome": "COVID-19 nucleic acid detection time from positive to negative (respiratory secretion) or (3,5,7,10 days from positive to negative rate);;Lung CT observation of inflammation absorption;;Proportion of cases with progressive disease;", "study_type": "Interventional study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49797"}, "type": "Feature"}, {"geometry": {"coordinates": [115.71841, 38.23665], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "syicu@vip.sina.com", "contactPhone": "+86 13933856908", "dateEnrollment": "2/1/2020", "description": "The treatment status and risk factors related to prognosis of hospitalized patients with novel coronavirus pneumonia (COVID-19) in intensive care unit, Hebei, China: a descriptive study", "name": "ChiCTR2000030226", "primaryOutcome": "Clinical characteristics;", "study_type": "Observational study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49855"}, "type": "Feature"}, {"geometry": {"coordinates": [121.46882, 31.229539], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "pdzhoujia@163.com", "contactPhone": "+86 18017306677", "dateEnrollment": "2/22/2020", "description": "Clinical Reseach of Acupuncture in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030225", "primaryOutcome": "Length of hospital stay;Discharge time of general type;Discharge time of severe type;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49945"}, "type": "Feature"}, {"geometry": {"coordinates": [106.532405, 29.546679], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wenxiang_huang@163.com", "contactPhone": "+86 13883533808", "dateEnrollment": "2/12/2020", "description": "Cancelled due to lack of patient Clinical study for the effect and", "name": "ChiCTR2000029762", "primaryOutcome": "Negative conversion rate of COVID-19 nucleic acid;Lung inflammation absorption ratio;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49404"}, "type": "Feature"}, {"geometry": {"coordinates": [106.65509, 29.455349], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "maohwei@qq.com", "contactPhone": "+86 13928459556", "dateEnrollment": "2/12/2020", "description": "Cancelled due to lack of patient A study for the efficacy of hydroxychloroquine for mild and moderate COVID-19 infectious diseases", "name": "ChiCTR2000029760", "primaryOutcome": "Time to clinical recovery;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49369"}, "type": "Feature"}, {"geometry": {"coordinates": [116.384396, 39.838738], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "fengcao8828@163.com", "contactPhone": "+86 13911798280", "dateEnrollment": "2/20/2020", "description": "A prospective clinical study for recombinant human interferon alpha 1b spray in the prevention of novel coronavirus (COVID-19) infection in highly exposed medical staffs.", "name": "ChiCTR2000030013", "primaryOutcome": "Blood routine examination;Chest CT;Arterial Blood Oxygen Saturation;", "study_type": "Interventional study", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49796"}, "type": "Feature"}, {"geometry": {"coordinates": [115.98944, 28.549698], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zhangweiliuxin@163.com", "contactPhone": "+86 0791-88693401", "dateEnrollment": "2/18/2020", "description": "A randomized, open-label, controlled trial for the safety and efficiency of Kesuting syrup and Keqing capsule in the treatment of mild and moderate novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029991", "primaryOutcome": "cough;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49666"}, "type": "Feature"}, {"geometry": {"coordinates": [106.654978, 29.455501], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hp_cq@163.com", "contactPhone": "+86 13608338064", "dateEnrollment": "2/15/2020", "description": "Retracted due to lack of patient A multicenter, randomized, open label, controlled trial for the efficacy and safety of ASC09/ Ritonavir compound tablets and Lopinavir/ Ritonavir (Kaletra) and Arbidol tablets in the treatm", "name": "ChiCTR2000029759", "primaryOutcome": "time to recovery.;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49352"}, "type": "Feature"}, {"geometry": {"coordinates": [109.40029, 29.16792], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "yaokaichen@hotmail.com", "contactPhone": "+86 13638352995", "dateEnrollment": "1/29/2020", "description": "Effectiveness of glucocorticoid therapy in patients with severe novel coronavirus pneumonia: a randomized controlled trial", "name": "ChiCTR2000029386", "primaryOutcome": "SOFA score;", "study_type": "Interventional study", "time": "1/29/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48777"}, "type": "Feature"}, {"geometry": {"coordinates": [114.416265, 30.415041], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ld_2069@163.com", "contactPhone": "+86 13507183749", "dateEnrollment": "2/15/2020", "description": "A randomized, open, parallel-controlled clinical trial on the efficacy and safety of Jingyebaidu granules in treating novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029755", "primaryOutcome": "Validity observation index;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49301"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ld_2069@163.com", "contactPhone": "+86 13507183749", "dateEnrollment": "2/15/2020", "description": "A Retrospective Study for Preventive Medication in Tongji Hospital During the Epidemic of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029728", "primaryOutcome": "The proportion of patients diagnosed with 2019-ncov viral pneumonia;", "study_type": "Observational study", "time": "2/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49250"}, "type": "Feature"}, {"geometry": {"coordinates": [116.381487, 39.842846], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "shenning1972@126.com", "contactPhone": "+86 15611908958", "dateEnrollment": "2/17/2020", "description": "Evaluation the Efficacy and Safety of Hydroxychloroquine Sulfate in Comparison with Phosphate Chloroquine in Mild and Commen Patients with Novel Coronavirus Pneumonia (COVID-19): a Randomized, Open-label, Parallel, Controlled Trial", "name": "ChiCTR2000029899", "primaryOutcome": "Time to Clinical Recovery, TTCR;", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49536"}, "type": "Feature"}, {"geometry": {"coordinates": [116.381487, 39.842846], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "shenning1972@126.com", "contactPhone": "+86 15611908958", "dateEnrollment": "2/17/2020", "description": "Evaluation the Efficacy and Safety of Hydroxychloroquine Sulfate in Comparison with Phosphate Chloroquine in Severe Patients with Novel Coronavirus Pneumonia (COVID-19): a Randomized, Open-Label, Parallel, Controlled Trial", "name": "ChiCTR2000029898", "primaryOutcome": "TTCI (Time to Clinical Improvement);", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49482"}, "type": "Feature"}, {"geometry": {"coordinates": [109.384439, 29.149591], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "yaokaichen@hotmail.com", "contactPhone": "+86 023-65481658", "dateEnrollment": "1/25/2020", "description": "Comparative effectiveness and safety of ribavirin plus interferon-alpha, lopinavir/ritonavir plus interferon-alpha and ribavirin plus lopinavir/ritonavir plus interferon-alphain in patients with mild to moderate novel coronavirus pneumonia", "name": "ChiCTR2000029387", "primaryOutcome": "The time to 2019-nCoV RNA negativity in patients;", "study_type": "Interventional study", "time": "1/29/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48782"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "zuoyunxiahxa@qq.com", "contactPhone": "+86 18980601541", "dateEnrollment": "2/2/2020", "description": "The immediate psychological impact of novel coronavirus pneumonia (COVID-19) outbreak on medical students in anesthesiology and how the cope", "name": "ChiCTR2000030581", "primaryOutcome": "intrusion;avoidance;", "study_type": "Observational study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50394"}, "type": "Feature"}, {"geometry": {"coordinates": [108.508589, 30.595241], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wangjinlong2007666@163.com", "contactPhone": "+86 15923859880", "dateEnrollment": "2/15/2020", "description": "Cancelled due to lack of patient Medical records based study for Heart-type fatty acid-binding protein on prognosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029829", "primaryOutcome": "Worsening condition;Death;Heart fatty acid binding protein;", "study_type": "Observational study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49520"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419403, 30.41502], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "3/8/2020", "description": "Critical ultrasound in evaluating cardiopulmonary function in critical patients infected with 2019 novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030552", "primaryOutcome": "Lung ultrasound index;Right ventricular function ultrasound index;Left ventricular function ultrasound index;", "study_type": "Observational study", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49708"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419378, 30.415011], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "hmei@hust.edu.cn", "contactPhone": "+86 13886160811", "dateEnrollment": "3/8/2020", "description": "Research on peripheral immunity function monitoring and its clinical application in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030574", "primaryOutcome": "Immunity function;cytokines;viral load;", "study_type": "Observational study", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49953"}, "type": "Feature"}, {"geometry": {"coordinates": [117.369165, 31.733269], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "drliuhu@gmail.com", "contactPhone": "+86 13866175691", "dateEnrollment": "3/15/2020", "description": "Clinical study of nano-nose and its extended technology in diagnosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030556", "primaryOutcome": "Volatile organic compounds, VOCs;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50672"}, "type": "Feature"}, {"geometry": {"coordinates": [104.753119, 31.45752], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1121733818@qq.com", "contactPhone": "+86 18508160990", "dateEnrollment": "2/20/2020", "description": "Multi-Center Clinical Study on the Treatment of Patients with Novel Coronavirus Pneumonia (COVID-19) by Ebastine", "name": "ChiCTR2000030535", "primaryOutcome": "Clinical therapeutic course;Pathogenic detectio;Chest CT;Laboratory indicators (blood routine, myocardial enzyme spectrum, inflammatory cytokines, etc.);", "study_type": "Interventional study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49790"}, "type": "Feature"}, {"geometry": {"coordinates": [104.157698, 30.526853], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1035788783@qq.com", "contactPhone": "+86 13880336152", "dateEnrollment": "3/9/2020", "description": "Efficacy and safety of Ma-Xing-Gan-Shi decoction in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030522", "primaryOutcome": "Time to Clinical Recovery (TTCR);", "study_type": "Interventional study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=44213"}, "type": "Feature"}, {"geometry": {"coordinates": [121.175824, 30.145007], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "luxiaoyang@zju.edu.cn", "contactPhone": "+86 13605715886", "dateEnrollment": "3/10/2020", "description": "Novel coronavirus pneumonia (COVID-19) antiviral related liver dysfunction: a multicenter, retrospective, observational study", "name": "ChiCTR2000030593", "primaryOutcome": "ALT;", "study_type": "Observational study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50228"}, "type": "Feature"}, {"geometry": {"coordinates": [121.175824, 30.145007], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "zhanghuafen@zju.edu.cn", "contactPhone": "+86 13757120681", "dateEnrollment": "3/7/2020", "description": "A medical records based study for the safety of artificial liver cluster nursing in critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030559", "primaryOutcome": "Unplanned shutdowns;", "study_type": "Observational study", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50583"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "binwuying@126.com", "contactPhone": "+86 18980601655", "dateEnrollment": "3/9/2020", "description": "A clinical study about the diagnosis and prognosis evaluation of novel coronacirus pneumonia (COVID-19) based on viral genome, host genomic sequencing, relative cytokines and other laboratory indexes.", "name": "ChiCTR2000030542", "primaryOutcome": "Pulmonary image findings;Relevant clinical manifestations of COVID-19;Oxygen saturation in resting state;Arterial partial pressure of oxygen/ Oxygen absorption concentration;Length of hospital stay;Viral genome information;Host genome information;Expressi", "study_type": "Observational study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50608"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "3/8/2020", "description": "Research for the mechanism of improvement of novel coronavirus pneumonia (COVID-19) patients' pulmonary exudation by continuous renal replacement therapy", "name": "ChiCTR2000030540", "primaryOutcome": "Chest imaging;Oxygenation index;Extravascular pulmonary water;pulmonary vascular permeability index, PVPI;Inflammatory factors;Tissue kallikrein;", "study_type": "Interventional study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50658"}, "type": "Feature"}, {"geometry": {"coordinates": [121.523258, 31.311702], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "hywangk@vip.sina.com", "contactPhone": "+86 13801955367", "dateEnrollment": "3/10/2020", "description": "A retrospective study on virus typing, Hematological Immunology and case Review of novel coronavirus infected and convalescent patients (COVID-19)", "name": "ChiCTR2000030557", "primaryOutcome": "viral load;virus genotyping;Classification of lymphocytes;", "study_type": "Observational study", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50667"}, "type": "Feature"}, {"geometry": {"coordinates": [114.2348, 30.231819], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "cxfn817@163.com", "contactPhone": "+86 13986156712", "dateEnrollment": "2/14/2020", "description": "Detection of coronavirus in simultaneously collecting tears and throat swab samples collected from the patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030543", "primaryOutcome": "A cycle threshold value (Ct-value);", "study_type": "Observational study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50541"}, "type": "Feature"}, {"geometry": {"coordinates": [121.175824, 30.145007], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xxw69@126.com", "contactPhone": "+86 13605708066", "dateEnrollment": "1/20/2020", "description": "Extracorporeal blood purification therapy using Li's Artifical Liver System for patients with severe novel coronavirus pneumonia (COVID19) patient", "name": "ChiCTR2000030503", "primaryOutcome": "Mortality;", "study_type": "Interventional study", "time": "3/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49632"}, "type": "Feature"}, {"geometry": {"coordinates": [113.769831, 34.657237], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "38797527@qq.com", "contactPhone": "13938415502", "dateEnrollment": "3/4/2020", "description": "A single-center, single-arm clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030487", "primaryOutcome": "Sputum/nasal swab/pharyngeal swab/lower respiratory tract secretions were used to detect the negative conversion rate of the new coronavirus nucleic acid (tested daily after two days starting the azvudine tablets) and the negative conversion time;", "study_type": "Interventional study", "time": "3/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50507"}, "type": "Feature"}, {"geometry": {"coordinates": [103.094029, 26.950211], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chenxinyuchen@163.com", "contactPhone": "+86 13807312410", "dateEnrollment": "3/4/2020", "description": "Retrospective study for integrate Chinese and conventional medicine treatment of novel coronavirus pneumonia (COVID-19) in Hu'nan province", "name": "ChiCTR2000030492", "primaryOutcome": "TCM syndrome;", "study_type": "Observational study", "time": "3/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50549"}, "type": "Feature"}, {"geometry": {"coordinates": [114.102245, 30.574634], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wanghaohh@vip.126.com", "contactPhone": "+86 13901883868", "dateEnrollment": "2/1/2020", "description": "To evaluate the efficacy and safety of diammonium glycyrrhizinate enteric-coated capsules combined with hydrogen-rich water in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030490", "primaryOutcome": "Cure rate;", "study_type": "Interventional study", "time": "3/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50487"}, "type": "Feature"}, {"geometry": {"coordinates": [113.663219, 34.767687], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "zlgj-001@126.com", "contactPhone": "+86 13673665268", "dateEnrollment": "2/1/2020", "description": "Study for using the healed novel coronavirus pneumonia (COVID-19) patients plasma in the treatment of severe critical cases", "name": "ChiCTR2000030627", "primaryOutcome": "Tempreture;Virus nucleic acid detection;", "study_type": "Interventional study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50727"}, "type": "Feature"}, {"geometry": {"coordinates": [116.995219, 36.647335], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "docjiangshujuan@163.com", "contactPhone": "+86 15168887199", "dateEnrollment": "2/15/2020", "description": "Risk Factors for Outcomes of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030579", "primaryOutcome": "clinic outcome;", "study_type": "Observational study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50692"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "3/3/2020", "description": "Study for timing of mechanical ventilation for critically ill patients with novel coronavirus pneumonia (COVID-19): A medical records based retrospective Cohort study", "name": "ChiCTR2000030485", "primaryOutcome": "28-day mortality;ICU 14-day mortality;", "study_type": "Observational study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50459"}, "type": "Feature"}, {"geometry": {"coordinates": [123.426898, 41.800541], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "sylykjk@163.com", "contactPhone": "+86 18502468189", "dateEnrollment": "2/25/2020", "description": "An open and controlled clinical study to evaluate the efficacy and safety of Ganovo combined with ritonavir in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030472", "primaryOutcome": "Rate of composite advers outcomes: SPO2, PaO2/FiO2 and respiratory rate;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49753"}, "type": "Feature"}, {"geometry": {"coordinates": [118.09559, 24.56048], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "417433835@qq.com", "contactPhone": "+86 13806086169", "dateEnrollment": "3/6/2020", "description": "Novel coronavirus pneumonia (COVID-19) epidemic survey of medical students in various provinces and municipalities throughout the country", "name": "ChiCTR2000030541", "primaryOutcome": "PSS-14;", "study_type": "Observational study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50623"}, "type": "Feature"}, {"geometry": {"coordinates": [120.680436, 28.012744], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13968888872@163.com", "contactPhone": "+86 13857715778", "dateEnrollment": "2/29/2020", "description": "Zedoary Turmeric Oil for Injection in the treatment of Novel Coronavirus Pneumonia (COVID-19): a randomized, open, controlled trial", "name": "ChiCTR2000030518", "primaryOutcome": "Real-time fluorescent RT-PCR detection of pharyngeal swab were used to detect the negative conversion rate of the new coronavirus nucleic acid (tested after the end of medication) and the negative conversion time(measured every other day after the start o", "study_type": "Interventional study", "time": "3/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50586"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chzs1990@163.com", "contactPhone": "+86 13627288300", "dateEnrollment": "3/1/2020", "description": "The clinical value of corticosteroid therapy timing in the treatment of novel coronavirus pneumonia (COVID-19): a prospective randomized controlled trial", "name": "ChiCTR2000030481", "primaryOutcome": "The time of duration of COVID-19 nucleic acid RT-PCR test results of respiratory specimens (such as throat swabs) or blood specimens change to negative.;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50453"}, "type": "Feature"}, {"geometry": {"coordinates": [121.577188, 38.892309], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "411484335@qq.com", "contactPhone": "+86 17709877386", "dateEnrollment": "3/1/2020", "description": "A Randomized Controlled Trial for the Influence of TCM Psychotherapy on Negative Emotion of Patients with Novel Coronavirus Pneumonia (COVID-19) Based on Network Platform", "name": "ChiCTR2000030467", "primaryOutcome": "Psychological status;", "study_type": "Interventional study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50378"}, "type": "Feature"}, {"geometry": {"coordinates": [110.84607, 21.93924], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "gghicu@163.com", "contactPhone": "+86 13922745788", "dateEnrollment": "3/2/2020", "description": "Efficacy and safety of lipoic acid injection in reducing the risk of progression in common patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030471", "primaryOutcome": "Progression rate from mild to critical/severe;", "study_type": "Interventional study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50421"}, "type": "Feature"}, {"geometry": {"coordinates": [121.589997, 31.135576], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Xiumingsong@sina.com", "contactPhone": "+86 13817525012", "dateEnrollment": "2/27/2020", "description": "A randomized parallel controlled trial for LIUSHENWAN in Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030469", "primaryOutcome": "fever clearance time;Effective rate of TCM symptoms;", "study_type": "Interventional study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50082"}, "type": "Feature"}, {"geometry": {"coordinates": [116.979652, 36.629858], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "15168888626@163.com", "contactPhone": "+86 18660117915", "dateEnrollment": "3/7/2020", "description": "Clinical Prediction and Intervention of Pulmonary Function Impairment in Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030578", "primaryOutcome": "Pulmonary function;6 minutes walking distance;The Short Form -36 Healthy Survey;", "study_type": "Interventional study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50690"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "haoyaner@163.com", "contactPhone": "+86 13971679960", "dateEnrollment": "3/15/2020", "description": "Psychological Intervention of Children with Novel Coronavirus Disease (COVID-19)", "name": "ChiCTR2000030564", "primaryOutcome": "Child Stress Disorders Checklist evaluation;Achenbach children's behavior checklist evaluation;children's severe emotional disorder and psychological crisis during inpatient treatment;", "study_type": "Observational study", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50653"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Kangyan@scu.edu.cn", "contactPhone": "+86 18980601566", "dateEnrollment": "3/3/2020", "description": "A medical records based study for Comparing Differences of Clinical Features and Outcomes of Novel Coronavirus Pneumonia (COVID-19) Patients between Sichuan Province and Wuhan City", "name": "ChiCTR2000030491", "primaryOutcome": "length of stay;length of stay in ICU;Hospital costs;Hospital costs;Antibiotic use;Organ function support measures;", "study_type": "Observational study", "time": "3/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50552"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "s_1862777@163.com", "contactPhone": "+86 18627770651", "dateEnrollment": "2/1/2020", "description": "Study for the route of ocular surface transmission of novel coronavirus pneumonia (COVID-19) infection and related eye diseases", "name": "ChiCTR2000030489", "primaryOutcome": "Nuclei acid test of SARS-CoV-2 of conjunctival swab;Nuclei acid test of SARS-CoV-2 of throat swab;Nuclei acid test of SARS-CoV-2 of peripheral blood sample;Eye symptoms;Clinical symptoms;", "study_type": "Epidemilogical research", "time": "3/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50490"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Fangmh@tjh.tjmu.edu.cn", "contactPhone": "+86 15071157405", "dateEnrollment": "2/24/2020", "description": "Study for the risk factors of critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030544", "primaryOutcome": "in-ICU mortality;mortality of 28 days;", "study_type": "Observational study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50134"}, "type": "Feature"}, {"geometry": {"coordinates": [106.707259, 33.02132], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "dongze.li@ymail.com", "contactPhone": "+86 028-85423248", "dateEnrollment": "3/1/2020", "description": "Early risk stratification of the Novel coronavirus infected diseases (COVID-19): a multicenter retrospective study (ERS-COVID-19 study)", "name": "ChiCTR2000030494", "primaryOutcome": "In-hospital mortality;Hospital mortality;", "study_type": "Observational study", "time": "3/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50077"}, "type": "Feature"}, {"geometry": {"coordinates": [117.102071, 36.537669], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhagnweijinan@126.com", "contactPhone": "+86 13505319899", "dateEnrollment": "2/28/2020", "description": "Study for the key technique of integrative therapy of Novel Coronavirus Pneumonia (COVID-19): the TCM symptoms and treatment regulation", "name": "ChiCTR2000030468", "primaryOutcome": "disease incidence;Duration of PCR normalization;Distribution pattern of TCM syndromes;", "study_type": "Observational study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50390"}, "type": "Feature"}, {"geometry": {"coordinates": [120.802674, 27.829447], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "akidney_doctor@hotmail.com", "contactPhone": "+86 0577 55579261", "dateEnrollment": "3/2/2020", "description": "Clinical study for the effects of ACEIs/ARBs on the infection of novel coronavirus pneumonia (CoVID-19)", "name": "ChiCTR2000030453", "primaryOutcome": "ratio of severe cases;", "study_type": "Observational study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50381"}, "type": "Feature"}, {"geometry": {"coordinates": [110.778673, 32.646778], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "182190248@qq.com", "contactPhone": "+86 0719 8801713", "dateEnrollment": "2/2/2020", "description": "HUMSCs and Exosomes Treating Patients with Lung Injury following Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030484", "primaryOutcome": "PaO2 / FiO2 or respiratory rate (without oxygen);Frequency of respiratory exacerbation;Observe physical signs and symptoms and record clinical recovery time;The number and range of lesions indicated by CT and X-ray of lung;Time for cough to become mild or", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50263"}, "type": "Feature"}, {"geometry": {"coordinates": [116.402029, 39.920497], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "drhuoyong@163.com", "contactPhone": "+86 13901333060", "dateEnrollment": "3/6/2020", "description": "A Multicenter, Long- term Follow-up and Registration Study for Myocardial Injury and Prognosis of Novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030482", "primaryOutcome": "Cardiac injury;Death in hospital and/or Endotracheal Intubation Deaths during hospitalization;Admitted to the ICU;Composite end points of cardiovascular events( nonfatal heart failure, nonfatal myocardial infarction, nonfatal stroke or cardiovascular deat", "study_type": "Observational study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50353"}, "type": "Feature"}, {"geometry": {"coordinates": [113.258231, 23.159457], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wucaineng861010@163.com", "contactPhone": "+86 13580315308", "dateEnrollment": "3/2/2020", "description": "Cancelled by the investigator Influence of nasal high-fow preoxygenation on video laryngoscope for emergency intubation in patients with critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030465", "primaryOutcome": "SpO2 during intubation;the total time of intubation;Mask ventilation for SpO2 < 90%;", "study_type": "Interventional study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50388"}, "type": "Feature"}, {"geometry": {"coordinates": [114.56672, 29.403189], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "caiy_kf@163.com", "contactPhone": "+86 18702745799", "dateEnrollment": "2/19/2020", "description": "Cancelled due to lack of patient Effect of early pulmonary training on lung function and quality of life for novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030014", "primaryOutcome": "MRC breathlessness scale;6MWD;", "study_type": "Interventional study", "time": "2/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49802"}, "type": "Feature"}, {"geometry": {"coordinates": [114.218709, 30.212699], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wenqin-1987@163.com", "contactPhone": "+86 13808628560", "dateEnrollment": "3/4/2020", "description": "Survey for sleep, anxiety and depression status of Chinese residents during the outbreak of novel coronavirus infected disases (COVID-19)", "name": "ChiCTR2000030493", "primaryOutcome": "Pittsburgh sleep quality index;", "study_type": "Observational study", "time": "3/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50547"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "huilanz_76@163.com", "contactPhone": "+86 15391532171", "dateEnrollment": "3/3/2020", "description": "Randomized, open, blank controlled trial for the efficacy and safety of recombinant human interferon alpha 1beta in the treatment of Wuhan patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030480", "primaryOutcome": "Incidence of side effects;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50470"}, "type": "Feature"}, {"geometry": {"coordinates": [116.507111, 39.805185], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lixmpumch@126.com", "contactPhone": "+86 13911467356", "dateEnrollment": "3/4/2020", "description": "Cytosorb in Treating Critically Ill Hospitalized Adult Patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030475", "primaryOutcome": "28 day mortality;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50452"}, "type": "Feature"}, {"geometry": {"coordinates": [113.062167, 28.059155], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "gchxyy@163.com", "contactPhone": "+86 0731-88618338", "dateEnrollment": "3/3/2020", "description": "Study for the clinical characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030464", "primaryOutcome": "Clinical characteristics;", "study_type": "Epidemilogical research", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50382"}, "type": "Feature"}, {"geometry": {"coordinates": [114.312575, 30.52137], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "liubende99@outlook.com", "contactPhone": "+86 13907191851", "dateEnrollment": "2/29/2020", "description": "Cancelled, due to modify the protocol A single-center, open-label and single arm trial to evaluate the efficacy and safety of anti-SARS-CoV-2 inactivated convalescent plasma in the treatment&", "name": "ChiCTR2000030312", "primaryOutcome": "Clinical symptom improvement rate: improvement rate of clinical symptoms = number of cases with clinical symptom improvement /number of enrolling cases * 100%;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50258"}, "type": "Feature"}, {"geometry": {"coordinates": [113.304412, 23.137034], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "pangi88@126.com", "contactPhone": "+86 15626235237", "dateEnrollment": "3/10/2020", "description": "Protective factors of mental resilience in first-line nurses with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030304", "primaryOutcome": "Mental status;Social support;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49653"}, "type": "Feature"}, {"geometry": {"coordinates": [118.88016, 31.934447], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "fangzjnj@hotmail.com", "contactPhone": "+86 13372018676", "dateEnrollment": "2/26/2020", "description": "Study for the Effectiveness and Safety of Yi-Qi Hua-shi Jie-Du-Fang in the Treatment of the Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030479", "primaryOutcome": "lasting time of fever;lasting time of novel coronavirus pneumonia virus nucleic acid detected by RT-PCR and negative result rate of the novel coronavirus disease nucleic acid;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50450"}, "type": "Feature"}, {"geometry": {"coordinates": [116.412116, 39.912058], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lixmpumch@126.com", "contactPhone": "+86 13911467356", "dateEnrollment": "3/4/2020", "description": "oXiris Membrane in Treating Critically Ill Hospitalized Adult Patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030477", "primaryOutcome": "28 day mortality;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50458"}, "type": "Feature"}, {"geometry": {"coordinates": [121.46882, 31.229539], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "18930568129@163.com", "contactPhone": "+86 18930568129", "dateEnrollment": "2/25/2020", "description": "A Medical Based Retrospective Real World Study for Assessment of Effectiveness of Comprehensive Traditional Chinese Medicine in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030163", "primaryOutcome": "cure rate;duration of hospitalization;days of treatment;", "study_type": "Observational study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50031"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yefeng@gird.cn", "contactPhone": "+86 13710494278; +86 13622273918", "dateEnrollment": "2/20/2020", "description": "A pilot study for Integrated Chinese and Western Medicine in the treatment of non-critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029993", "primaryOutcome": "Main symptom relief time;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49435"}, "type": "Feature"}, {"geometry": {"coordinates": [106.637057, 29.437634], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "cgq1963@163.com", "contactPhone": "+86 023 68757780", "dateEnrollment": "2/1/2020", "description": "Epidemiological and clinical characteristics of COVID-19: a large-scale investigation in epicenter Wuhan, China", "name": "ChiCTR2000030256", "primaryOutcome": "Epidemiological and clinical characteristics;", "study_type": "Epidemilogical research", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50078"}, "type": "Feature"}, {"geometry": {"coordinates": [103.992154, 30.707577], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xcg718@aliyun.com", "contactPhone": "+86 18980880132", "dateEnrollment": "1/29/2020", "description": "Recommendations for Diagnosis and Treatment of Influenza Patients in the Hospital of Chengdu University of Traditional Chinese Medicine Under the Raging of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029550", "primaryOutcome": "CRP;ESR;PCT;Tn;Mb;D-Dimer;blood routine examination;chest CT;creatase;", "study_type": "Interventional study", "time": "2/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48775"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "whuhjy@sina.com", "contactPhone": "+86 13554361146", "dateEnrollment": "2/18/2020", "description": "Study for using multiomics in the diagnosis and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029982", "primaryOutcome": "Patients' general information: epidemiological indicators such as age, gender, address, telephone, past medical history, and BMI;Division of disease;Genomics;Transcriptomics;Metabolomics;Proteomics;Laboratory inspection;Imaging examination;Etiological exa", "study_type": "Observational study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49724"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhougene@medmail.com.cn", "contactPhone": "+86 027 83665506", "dateEnrollment": "1/31/2020", "description": "Severe novel coronavirus pneumonia (COVID-19) patients treated with ruxolitinib in combination with mesenchymal stem cells: a prospective, single blind, randomized controlled clinical trial", "name": "ChiCTR2000029580", "primaryOutcome": "Safety;", "study_type": "Interventional study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49088"}, "type": "Feature"}, {"geometry": {"coordinates": [121.495952, 31.338698], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lunxu_liu@aliyun.com", "contactPhone": "+86 18980601525", "dateEnrollment": "2/3/2020", "description": "A Multicenter, Randomized, Controlled trial for Recombinant Super-Compound Interferon (rSIFN-co) in the Treatment of 2019 Novel Coronavirus (2019-nCoV) Infected Pneumonia", "name": "ChiCTR2000029638", "primaryOutcome": "Clinical symptoms;Blood routine;Biochemical and myocardial enzymes;C-reactive protein;Erythrocyte sedimentation rate;Inflammatory cytokines;Chest CT;Etiology Inspection;Vital signs;", "study_type": "Interventional study", "time": "2/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49224"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhougene@medmail.com.cn", "contactPhone": "+86 027-83665506", "dateEnrollment": "1/31/2020", "description": "The investigation of cytokine expression profile of novel coronavirus pneumonia (COVID-19) and its clinical significance", "name": "ChiCTR2000029579", "primaryOutcome": "Cytokines;", "study_type": "Observational study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49045"}, "type": "Feature"}, {"geometry": {"coordinates": [121.420231, 31.181195], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhoujian@sjtu.edu.cn", "contactPhone": "+86 18930172033", "dateEnrollment": "3/6/2020", "description": "Application of flash glucose monitoring to evaluate the effect of blood glucose changes on prognosis in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030436", "primaryOutcome": "time in range;", "study_type": "Observational study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50297"}, "type": "Feature"}, {"geometry": {"coordinates": [114.312864, 30.52223], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhangzz@whu.edu.cn", "contactPhone": "+86 13971687403", "dateEnrollment": "2/17/2020", "description": "A medical records based study for the clinical characteristics of anesthesia novel coronavirus pneumonia (COVID-19) patients during perioperative period and assessment of infection and mental health of Anesthesiology Department", "name": "ChiCTR2000029958", "primaryOutcome": "CT image of lung;", "study_type": "Observational study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49635"}, "type": "Feature"}, {"geometry": {"coordinates": [103.992154, 30.707577], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xcg718@aliyun.com", "contactPhone": "+86 18980880132", "dateEnrollment": "2/3/2020", "description": "Recommendations of Integrated Traditional Chinese and Western Medicine for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029549", "primaryOutcome": "Severe conversion rate;Oxygenation index;2019-nCoV nucleic acid test;Chest CT;", "study_type": "Interventional study", "time": "2/4/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49014"}, "type": "Feature"}, {"geometry": {"coordinates": [103.992154, 30.707577], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tangjianyuan163@163.com", "contactPhone": "+86 13910768464", "dateEnrollment": "1/30/2020", "description": "Research for Traditional Chinese Medicine Technology Prevention and Control of Novel Coronavirus Pneumonia (COVID-19) in the Community Population", "name": "ChiCTR2000029479", "primaryOutcome": "Inccidence of 2019-nCoV pneumonia;", "study_type": "Interventional study", "time": "2/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48773"}, "type": "Feature"}, {"geometry": {"coordinates": [114.445659, 38.020248], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "jiactm@163.com", "contactPhone": "+86 0311-83855881", "dateEnrollment": "2/1/2020", "description": "A randomized, open-label, blank-controlled trial for Lian-Hua Qing-Wen Capsule/Granule in the treatment of suspected novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029433", "primaryOutcome": "Clinical symptoms (fever, weakness, cough) recovery rate and recovery time;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48898"}, "type": "Feature"}, {"geometry": {"coordinates": [114.115809, 30.598691], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1813886398@qq.com", "contactPhone": "13507117929", "dateEnrollment": "1/10/2020", "description": "A randomized, controlled open-label trial to evaluate the efficacy and safety of lopinavir-ritonavir in hospitalized patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029308", "primaryOutcome": "Clinical improvement time of 28 days after randomization;The 7-point scale;7 points: death;6 points: admission to ECMO and / or mechanical ventilation;5 points: Hospitalized for non-invasive ventilation and / or high-flow oxygen therapy;4 points: hospital", "study_type": "Interventional study", "time": "1/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48684"}, "type": "Feature"}, {"geometry": {"coordinates": [114.431587, 38.000679], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "jiactm@163.com", "contactPhone": "+86 0311 83855881", "dateEnrollment": "2/1/2020", "description": "A randomized, open-label, blank-controlled trial for Lian-Hua Qing-Wen Capsule /Granule in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029434", "primaryOutcome": "Clinical symptoms (fever, weakness, cough) recovery rate and recovery time;", "study_type": "Interventional study", "time": "2/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48889"}, "type": "Feature"}, {"geometry": {"coordinates": [116.508266, 39.810315], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "caobin_ben@163.com", "contactPhone": "13911318339", "dateEnrollment": "2/14/2020", "description": "Convalescent plasma for the treatment of severe and critical novel coronavirus pneumonia (COVID-19): a prospective randomized controlled trial", "name": "ChiCTR2000029757", "primaryOutcome": "the number of days between randomised grouping and clinical improvement;", "study_type": "Interventional study", "time": "2/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49081"}, "type": "Feature"}, {"geometry": {"coordinates": [118.874699, 24.842111], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13803818341@163.com", "contactPhone": "+86 13803818341", "dateEnrollment": "2/6/2020", "description": "Clinical Application and Theoretical Discussion of Fu-Zheng Qing-Fei Thought in Treating Non-Critical Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030896", "primaryOutcome": "Improvement of symptoms;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51028"}, "type": "Feature"}, {"geometry": {"coordinates": [114.41937, 30.41503], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "majingzhi2002@163.com", "contactPhone": "+86 13871257728", "dateEnrollment": "3/14/2020", "description": "Retrospective and Prospective Study for Nosocomial infection in Stomatology Department under the Background of novel coronavirus pneumonia (COVID-19) epidemic period", "name": "ChiCTR2000030895", "primaryOutcome": "nosocomial infection ratio of SARS-Cov-2;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51034"}, "type": "Feature"}, {"geometry": {"coordinates": [116.453818, 39.804522], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "john131212@126.com", "contactPhone": "+86 13911405123", "dateEnrollment": "3/1/2020", "description": "Favipiravir Combined With Tocilizumab in the Treatment of novel coronavirus pneumonia (COVID-19) - A Multicenter, Randomized, Controlled Trial", "name": "ChiCTR2000030894", "primaryOutcome": "Clinical cure rate;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51126"}, "type": "Feature"}, {"geometry": {"coordinates": [118.858848, 24.823782], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "WH9400@163.com", "contactPhone": "+86 15937129400", "dateEnrollment": "3/19/2020", "description": "Study for effects of crisis intervention based on positive psychology for medical staffs working in the novel coronavirus pneumonia (COVID-19) field", "name": "ChiCTR2000030893", "primaryOutcome": "Symptom Checklist 90;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51073"}, "type": "Feature"}, {"geometry": {"coordinates": [118.778518, 32.043882], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "cjr.luguangming@vip.163.com", "contactPhone": "+86 13951608346", "dateEnrollment": "1/22/2020", "description": "Clinical and CT imaging Characteristics of novel coronavirus pneumonia (COVID-19): An Multicenter Cohort Study", "name": "ChiCTR2000030863", "primaryOutcome": "chest CT images;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50767"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566601, 29.402241], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13971587381@163.com", "contactPhone": "+86 13971587381", "dateEnrollment": "1/24/2020", "description": "Correlation analysis of blood eosinophil cell levels and clinical type category of novel coronavirus pneumonia (COVID-19): a medical records based retrospective study", "name": "ChiCTR2000030862", "primaryOutcome": "Laboratory inspection index;Oxygen therapy case;Film degree exam;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51107"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lishiyue@188.com", "contactPhone": "+86 13902233925", "dateEnrollment": "2/27/2019", "description": "Development and application of a new intelligent robot for novel coronavirus (2019-nCOV) oropharygeal sampling", "name": "ChiCTR2000030861", "primaryOutcome": "CT;", "study_type": "Health services reaserch", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51103"}, "type": "Feature"}, {"geometry": {"coordinates": [125.287147, 43.842062], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Wangtan215@sina.com", "contactPhone": "+86 13756858523", "dateEnrollment": "1/27/2020", "description": "Evaluation on the effect of Chushifangyi prescription in preventing novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030898", "primaryOutcome": "Confirmed 2019-ncov pneumonia;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50780"}, "type": "Feature"}, {"geometry": {"coordinates": [109.69133, 35.99219], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1286779459@qq.com", "contactPhone": "+86 13975137399", "dateEnrollment": "2/1/2020", "description": "Open-label, observational study of human umbilical cord derived mesenchymal stem cells in the treatment of severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030866", "primaryOutcome": "Oxygenation index (arterial oxygen partial pressure (PaO2) / oxygen concentration (FiO2));Conversion rate from serious to critical patients;Conversion rate and conversion time from critical to serious patients;Mortality in serious and critical patients;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50299"}, "type": "Feature"}, {"geometry": {"coordinates": [112.23701, 31.912239], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "274770142@qq.com", "contactPhone": "+86 13995789500", "dateEnrollment": "2/1/2020", "description": "Traditional Chinese Medicine for novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030864", "primaryOutcome": "2019-ncov-RNA;Chest CT;Routine blood test;Blood biochemistry;TCM symptom;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50662"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "aloof3737@126.com", "contactPhone": "+86 18971201115", "dateEnrollment": "3/16/2020", "description": "A medical records based study for investigation of dynamic profile of RT-PCR test for SARS-CoV-2 nucleic acid of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030860", "primaryOutcome": "RT-PCR test for SARS-CoV-2;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51102"}, "type": "Feature"}, {"geometry": {"coordinates": [121.362461, 31.357599], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "dr.xu@aliyun.com", "contactPhone": "+86 13501722091", "dateEnrollment": "1/31/2020", "description": "Study for the virus molecular evolution which driven the immune-pathological responses and the protection mechanisms of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030812", "primaryOutcome": "Single cell sequencing;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50947"}, "type": "Feature"}, {"geometry": {"coordinates": [114.217747, 30.215415], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "707986890@qq.com", "contactPhone": "+86 18971163158", "dateEnrollment": "3/1/2020", "description": "A medical based analysis for influencing factors of death of novel coronavirus pneumonia (COVID-19) patients in Wuhan third hospital", "name": "ChiCTR2000030859", "primaryOutcome": "Mortality rate;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51025"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "3/1/2020", "description": "Clinical study for bronchoscopic alveolar lavage in the treatment of critically trachea intubation patients with new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030857", "primaryOutcome": "cytology;proteomics;chest X-ray;Oxygenation index;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51040"}, "type": "Feature"}, {"geometry": {"coordinates": [112.24472, 30.30722], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "49637569@qq.com", "contactPhone": "+86 13872250922", "dateEnrollment": "2/10/2020", "description": "Analysis for the mental health status of residents in Jingzhou during the outbreak of the novel coronavirus pneumonia (COVID-19) and corresponding influencing factors", "name": "ChiCTR2000030902", "primaryOutcome": "mental health status and influence factors;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51130"}, "type": "Feature"}, {"geometry": {"coordinates": [115.756619, 30.659471], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "spine672@163.com", "contactPhone": "+86 13807172756", "dateEnrollment": "2/23/2020", "description": "Clinical observation and evaluation of traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) in Hubei 672 Orthopaedics Hospital of Integrated Chinese&Western Medicine", "name": "ChiCTR2000030810", "primaryOutcome": "Average discharge time;WBC;ALT, AST, gama-GT, BUN, Cr, CK-MB;turn serious/crisis ratio;", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50986"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566601, 29.402241], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "sxu@hust.edu.cn", "contactPhone": "+86 13517248539", "dateEnrollment": "2/22/2020", "description": "A medical records based study for clinical outcomes and follow-up of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030809", "primaryOutcome": "Clinical outcomes after discharge;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51015"}, "type": "Feature"}, {"geometry": {"coordinates": [114.202445, 22.37833], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chris.kclai@cuhk.edu.hk", "contactPhone": "+852 3505 3333", "dateEnrollment": "3/9/2020", "description": "Retrospective analysis of epidemiology and transmission dynamics of patients confirmed with Coronavirus Disease (COVID-19) in Hong Kong", "name": "ChiCTR2000030901", "primaryOutcome": "Transmission dynamics of COVID-19 in Hong Kong;Characteristics of super-spreading events;Effectiveness of public health measures;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51064"}, "type": "Feature"}, {"geometry": {"coordinates": [121.175824, 30.145007], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ljli@zju.edu.cn", "contactPhone": "+86 13906514210", "dateEnrollment": "1/22/2020", "description": "A clinical multicenter study for the occurrence, development and prognosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030854", "primaryOutcome": "white blood cell;lymphocyte;creatinine;CRP;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51083"}, "type": "Feature"}, {"geometry": {"coordinates": [106.908193, 27.704295], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zywenjianli@163.com", "contactPhone": "+86 15186660001", "dateEnrollment": "2/1/2020", "description": "Study for the effect of external diaphragmatic pacing assisted invasive ventilation and weaning in patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030855", "primaryOutcome": "Length of stay in ICU;Diaphragm movement;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51090"}, "type": "Feature"}, {"geometry": {"coordinates": [113.348578, 23.030884], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "liufb163@163.com", "contactPhone": "+86 020-36591782", "dateEnrollment": "3/15/2020", "description": "Study for the physical and mental health status of medical workers under the novel coronavirus pneumonia (COVID-19) epidemic", "name": "ChiCTR2000030850", "primaryOutcome": "Chinese health status scale;Self-rating Anxiety Scale;Self-rating Depression Scale;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51056"}, "type": "Feature"}, {"geometry": {"coordinates": [106.892342, 27.685966], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zywenjianli@163.com", "contactPhone": "+86 15186660001", "dateEnrollment": "2/1/2020", "description": "Evaluation of the protective effect of dexmedetomidine on patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030853", "primaryOutcome": "CK-MB;CTnI;neuron-specific enolase,NSE;BUN;scr.;lactic acid;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51081"}, "type": "Feature"}, {"geometry": {"coordinates": [116.43764, 39.893049], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "frank782008@aliyun.com", "contactPhone": "+86 13161985564", "dateEnrollment": "1/27/2020", "description": "Factors associated with death in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030852", "primaryOutcome": "Death;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51077"}, "type": "Feature"}, {"geometry": {"coordinates": [121.547125, 29.858033], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yehonghua@medmail.com.cn", "contactPhone": "+86 13505743664", "dateEnrollment": "2/10/2020", "description": "Evaluation of the effect of taking Newgen beta-gluten probiotic composite powder to nutrition intervention of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030897", "primaryOutcome": "serum albumin;siderophilin;prealbumin;lung CT scanning result;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50462"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417488, 30.413077], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "nathancx@hust.edu.cn", "contactPhone": "+86 15972061080", "dateEnrollment": "2/17/2020", "description": "Exploratory study for Immunoglobulin From Cured COVID-19 Patients in the Treatment of Acute Severe novel coronavirus pneuvirus (COVID-19)", "name": "ChiCTR2000030841", "primaryOutcome": "Time to Clinical Improvement (TTCI);", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51072"}, "type": "Feature"}, {"geometry": {"coordinates": [121.400128, 31.207382], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "SP2082@shtrhospital.com", "contactPhone": "+86 18121225835", "dateEnrollment": "3/1/2020", "description": "Preliminary screening of novel coronavirus pneumonia (COVID-19) by special laboratory examination and CT imaging before surgery", "name": "ChiCTR2000030839", "primaryOutcome": "SAA;Detection of respiratory pathogen serotype;Lymphocyte subgroup detection;IgM and IgG detection;Pulmonary CT;", "study_type": "Screening", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50904"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "tjhdongll@163.com", "contactPhone": "+86 18672912727", "dateEnrollment": "3/20/2020", "description": "A multicenter retrospective study of rheumatic patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030795", "primaryOutcome": "Clinical features;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50982"}, "type": "Feature"}, {"geometry": {"coordinates": [121.530552, 29.848862], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "guoqing.qian@foxmail.com", "contactPhone": "+86 15888193663", "dateEnrollment": "1/20/2020", "description": "A medical records based study for epidemic and clinical features of novel coronavirus pneumonia (COVID-19) in Ningbo First Hospital", "name": "ChiCTR2000030778", "primaryOutcome": "Epidemiological features;", "study_type": "Observational study", "time": "3/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50987"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xuhaibo1120@hotmail.com", "contactPhone": "+86 13545009416", "dateEnrollment": "1/20/2020", "description": "Development of warning system with clinical differential diagnosis and prediction for severe type of novel coronavirus pneumonia (COVID-19) patients based on artificial intelligence and CT images", "name": "ChiCTR2000030838", "primaryOutcome": "Precision;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51071"}, "type": "Feature"}, {"geometry": {"coordinates": [121.414478, 31.169186], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "fangbji@163.com", "contactPhone": "+86 18917763257", "dateEnrollment": "2/1/2020", "description": "Novel coronavirus pneumonia (COVID-19) combined with Chinese and Western medicine based on ''Internal and External Relieving -Truncated Torsion'' strategy", "name": "ChiCTR2000030836", "primaryOutcome": "14 day outcome of the subjects, including: recovery, improvement, turning critical, death. ;Lung CT;", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51054"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "luoqunx@163.com", "contactPhone": "+86 13710658121", "dateEnrollment": "3/6/2020", "description": "Efficacy and Safety of Pirfenidone in the Treatment of Severe Post-Novel Coronavirus Pneumonia (COVID-19) Fibrosis: a prospective exploratory experimental medical study", "name": "ChiCTR2000030892", "primaryOutcome": "HRCT pulmonary fibrosis score;", "study_type": "Interventional study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51118"}, "type": "Feature"}, {"geometry": {"coordinates": [105.425241, 28.894928], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lykyk3160823@126.com", "contactPhone": "+86 15228218357", "dateEnrollment": "2/18/2020", "description": "Clinical research and preparation development of qingfei detoxification decoction (mixture) for prevention and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030883", "primaryOutcome": "temperature;Systemic symptom;Respiratory symptoms;Chest imaging changes;Detection of novel coronavirus nucleic acid two consecutive negative time;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50960"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566601, 29.402241], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "yuanyang70@hotmail.com", "contactPhone": "+86 13995561816", "dateEnrollment": "3/16/2020", "description": "Study for the pathogenesis and effective intervention of mood disorders caused by the novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030832", "primaryOutcome": "PHQ-9;GAD-7;PHQ-15;PSS-14;ISI;SHARPS;ACTH;cortisol;24-hour ECG;Magnetic resonance spectroscopy;", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51044"}, "type": "Feature"}, {"geometry": {"coordinates": [121.519342, 29.864413], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "jingfengzhang73@163.com", "contactPhone": "+86 15706855886", "dateEnrollment": "1/1/2020", "description": "Development and application of novel coronavirus pneumonia (COVID-19) intelligent image classification system based on deep learning", "name": "ChiCTR2000030830", "primaryOutcome": "Abnormalities on chest CT;Exposure to source of transmission within past 14 days;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51009"}, "type": "Feature"}, {"geometry": {"coordinates": [112.46077, 33.78483], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "douqifeng@126.com", "contactPhone": "+86 13503735556", "dateEnrollment": "2/14/2020", "description": "Clinical study for the efficacy of Mesenchymal stem cells (MSC) in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030835", "primaryOutcome": "", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51050"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566553, 29.402166], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "haoyaner@163.com", "contactPhone": "+86 13971679960", "dateEnrollment": "3/16/2020", "description": "Epidemiological Characteristics and Antibody Levels of novel coronavirus pneumonia (COVID-19) of Pediatric Medical Staff working in Quarantine Area", "name": "ChiCTR2000030834", "primaryOutcome": "Epidemiological characteristics;SARS-CoV-2 IgM, IgG antibody titer test result;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51047"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xpluo@tjh.tjmu.edu.cn", "contactPhone": "+86 027-83662684", "dateEnrollment": "2/1/2020", "description": "Establishment of an early warning model for maternal and child vertical transmission of COVID-19 infection", "name": "ChiCTR2000030865", "primaryOutcome": "Maternal and neonatal morbidity;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49933"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419498, 30.414869], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tiejunwanghp@163.com", "contactPhone": "+86 13277914596", "dateEnrollment": "2/6/2020", "description": "Clinical characteristics and outcomes of 483 mild patients with novel coronavirus pneumonia (COVID-19) in Wuhan, China during the outbreak: A single-center, retrospective study from the mobile cabin hospital", "name": "ChiCTR2000030858", "primaryOutcome": "Discharge rate;", "study_type": "Observational study", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51097"}, "type": "Feature"}, {"geometry": {"coordinates": [115.740633, 30.641304], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "137585260@qq.com", "contactPhone": "+86 13907105212", "dateEnrollment": "2/1/2020", "description": "Retrospective study for the efficacy of ulinastatin combined with ''clear lung detoxification soup'' in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030806", "primaryOutcome": "blood RT;ABG;blood clotting function;liver and kidney function;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51029"}, "type": "Feature"}, {"geometry": {"coordinates": [110.830219, 21.920911], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hulinhui@live.cn", "contactPhone": "+86 13580013426", "dateEnrollment": "2/1/2020", "description": "Exocarpium Citri Grandis Relieves Symptoms of Novel Coronavirus Pneunomia (COVID-19): a Randomized Controlled Clinical Trial", "name": "ChiCTR2000030804", "primaryOutcome": "Cough Score;Expectoration score;", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51018"}, "type": "Feature"}, {"geometry": {"coordinates": [120.71201, 27.925373], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wzwsjcjg@126.com", "contactPhone": "+86 13857797188", "dateEnrollment": "2/15/2020", "description": "Study for the therapeutic effect and mechanism of traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030759", "primaryOutcome": "The time for the positive nucleic acid of the novel coronavirus to turn negative;Incidence of deterioration;The defervescence time;Chest CT;Primary symptom remission rate;", "study_type": "Interventional study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49284"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "1097685807@qq.com", "contactPhone": "+86 18827001384", "dateEnrollment": "3/10/2020", "description": "A medical records based study for sedation and Analgesia Usage in critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030758", "primaryOutcome": "Dose of analgesic and sedative drugs;28-day mortality rate;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50590"}, "type": "Feature"}, {"geometry": {"coordinates": [114.217747, 30.215415], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hcwy100@163.com", "contactPhone": "+86 13871480868", "dateEnrollment": "3/1/2020", "description": "Retrospective analysis of digestive system symptoms in 600 cases of novel coronavirus pneumonia (COVID-19) in Guanggu district, Wuhan", "name": "ChiCTR2000030819", "primaryOutcome": "Liver function;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51039"}, "type": "Feature"}, {"geometry": {"coordinates": [118.85852, 24.824126], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "maozhengrong1971@163.com", "contactPhone": "+86 18695808321", "dateEnrollment": "1/31/2020", "description": "A medical records based study for the value of Lymphocyte subsets in the diagnose and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030818", "primaryOutcome": "ymphocyte subsets;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51037"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Lmxia@tjh.tjmu.edu.cn", "contactPhone": "+86 13607176908", "dateEnrollment": "2/15/2020", "description": "An artificial intelligence assistant system for suspected novel coronavirus pneumonia (COVID-19) based on chest CT", "name": "ChiCTR2000030856", "primaryOutcome": "sensitivity;SPE;", "study_type": "Diagnostic test", "time": "3/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51091"}, "type": "Feature"}, {"geometry": {"coordinates": [118.858848, 24.823782], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "haoyibin0506@126.com", "contactPhone": "+86 15903715671", "dateEnrollment": "3/16/2020", "description": "Investigation on psychological status of novel coronavirus pneumonia (COVID-19) rehabilitation patients in Zhengzhou City and research on coping strategies", "name": "ChiCTR2000030849", "primaryOutcome": "SCL-90 scale;", "study_type": "Interventional study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51086"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wt7636@126.com", "contactPhone": "+86 13971477320", "dateEnrollment": "1/20/2020", "description": "Establishment and validation of Premonitory model of deterioration of the 2019 novel corona virus pneumonia (COVID-19)", "name": "ChiCTR2000030799", "primaryOutcome": "cure rate;propotion of progression;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50995"}, "type": "Feature"}, {"geometry": {"coordinates": [121.401457, 31.008176], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xuyingjia@5thhospital.com", "contactPhone": "+86 18017321696", "dateEnrollment": "3/7/2020", "description": "clinical study for hemodynamics and cardiac arrhythmia of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030797", "primaryOutcome": "all-cause death;fatal arrhythmias;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50988"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419502, 30.414883], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xiemx@hust.edu.cn", "contactPhone": "+86 13607108938", "dateEnrollment": "2/28/2020", "description": "Multicenter clinical study of evaluation of multi-organ function in patients with novel coronavirus pneumonia (COVID-19) by ultrasound", "name": "ChiCTR2000030817", "primaryOutcome": "Two-dimensional ultrasound;M mode echocardiography;Doppler ultrasound;two-dimensional speckle tracking;three-dimensional echocardiography;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50631"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "314440820@qq.com", "contactPhone": "+86 13797062903", "dateEnrollment": "1/31/2020", "description": "Collection and analysis of clinical data in severe and critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030803", "primaryOutcome": "age;sex;comorbidities;chest-CT examination;standard blood counts;albumin;pre-albumin;hemoglobin;alanine transaminase;aspartate transaminase;creatinine;glucose;lipids;procalcitonin;C-reactive protein;coagulation function;nutritional risk screening;body wei", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51007"}, "type": "Feature"}, {"geometry": {"coordinates": [114.049251, 22.555937], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zyzy1933@163.com", "contactPhone": "+86 18823361933", "dateEnrollment": "3/13/2020", "description": "Impact of Novel Coronavirus Pneumonia (COVID-19) Epidemic Period on the Management of investigator-initiated clinical trial and the resilience of medical service providers", "name": "ChiCTR2000030757", "primaryOutcome": "Psychological assessment;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50648"}, "type": "Feature"}, {"geometry": {"coordinates": [112.38667, 24.91722], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhengqingyou@163.com", "contactPhone": "+86 18601085226", "dateEnrollment": "2/20/2020", "description": "Detection of SARS-CoV-2 in EPS / semen of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030756", "primaryOutcome": "SARS-CoV-2;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50705"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419366, 30.415017], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "qning@vip.sina.com", "contactPhone": "+86 027-83662391", "dateEnrollment": "3/22/2020", "description": "Clinical validation and application of high-throughput novel coronavirus (2019-nCoV) screening detection kit", "name": "ChiCTR2000030833", "primaryOutcome": "RNA of 2019-nCov;SPE, SEN, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51035"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566601, 29.402241], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "whtuye@163.com", "contactPhone": "+86 18986152706", "dateEnrollment": "1/1/2020", "description": "The analysis of related factors on improving oxygenation status by endotracheal intubation ventilation in severe patients suffered from novel coronavirus pneumonia (COVID-19): a single center and descriptive study in Wuhan", "name": "ChiCTR2000030831", "primaryOutcome": "Laboratory inspection index;Imaging examination results(chest CT);performance of intubation;therapeutic schedule;prognosis;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51036"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ld_2069@163.com", "contactPhone": "+86 13507183749", "dateEnrollment": "1/27/2020", "description": "A retrospective study of clinical drug therapy in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030802", "primaryOutcome": "time and rate of cure; proportion and time of patients who progressed to severe disease;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51004"}, "type": "Feature"}, {"geometry": {"coordinates": [114.219476, 30.214183], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "541163409@qq.com", "contactPhone": "+86 18627151212", "dateEnrollment": "1/23/2020", "description": "Analysis of risk factors affecting prognosis of elderly patients infected with novel coronavirus pneumonia (COVID-19): a single-center retrospective observational study", "name": "ChiCTR2000030801", "primaryOutcome": "discharg time;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50998"}, "type": "Feature"}, {"geometry": {"coordinates": [121.565586, 31.103656], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "linzhaofen@sina.com", "contactPhone": "+86 13601605100, 13301833859, 13701682806", "dateEnrollment": "3/16/2020", "description": "A clinical trial for Ulinastatin Injection in the treatment of patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030779", "primaryOutcome": "blood gas;SOFA score;", "study_type": "Interventional study", "time": "3/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50973"}, "type": "Feature"}, {"geometry": {"coordinates": [117.08595, 36.518474], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "A Medical Records Based analysis for Risk Factors for Outcomes After Respiratory Support in Patients with ARDS Due to Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030763", "primaryOutcome": "Pulmonary function;Cardiac function;neural function;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50921"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "bianyi2526@163.com", "contactPhone": "+86 15102710366", "dateEnrollment": "2/24/2020", "description": "Nutritional risk assessment and outcome prediction of critically ill novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030816", "primaryOutcome": "Mortality of ICU 28-day;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51048"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "eyedrwjm@163.com", "contactPhone": "+86 13886169836", "dateEnrollment": "2/20/2020", "description": "A medical records based analysis of clinical evidence of human-to-human transmission of 2019 novel coronavirus pneumonia (COVID-19) by conjunctival route", "name": "ChiCTR2000030814", "primaryOutcome": "Ocular Symptoms;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51042"}, "type": "Feature"}, {"geometry": {"coordinates": [121.820235, 30.941067], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "qinwang_1975@126.com", "contactPhone": "+86 13621964604", "dateEnrollment": "5/31/2020", "description": "Continuous renal replacement therapy (CRRT) alleviating inflammatory response in severe patients with novel coronavirus pneumonia (COVID-19) associated with renal injury: A Prospective study", "name": "ChiCTR2000030761", "primaryOutcome": "CRP;IL-6;TNF-alpha;IL-8;", "study_type": "Interventional study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50956"}, "type": "Feature"}, {"geometry": {"coordinates": [113.288561, 23.118705], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhanlianh@163.com", "contactPhone": "+86 13580584031", "dateEnrollment": "3/11/2020", "description": "Medical records based study for the accuracy of SARS-CoV-2 IgM antibody screening for diagnosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030754", "primaryOutcome": "false positive rate of SARS-CoV-2 IgM antibody;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50824"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hygao@tjh.tjmu.edu.cn", "contactPhone": "+86 13886188018", "dateEnrollment": "3/15/2020", "description": "Characteristics, prognosis, and treatments effectiveness of critically ill patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030742", "primaryOutcome": "in-ICU mortality;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50857"}, "type": "Feature"}, {"geometry": {"coordinates": [117.08595, 36.518474], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "Observational Study for Prone Position Ventilation and Conventional Respiratory Support in ARDS Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030741", "primaryOutcome": "PaO2;PaCO2;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50907"}, "type": "Feature"}, {"geometry": {"coordinates": [106.937117, 27.709545], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "kiphoonwu@126.com", "contactPhone": "+86 13788989286", "dateEnrollment": "2/1/2020", "description": "Cancelled by the investigator Study on levels of inflammatory factors in peripheral blood of patients with novel coronavirus pneumonia (COVID-19) and their diagnostic and prognostic value", "name": "ChiCTR2000030800", "primaryOutcome": "", "study_type": "Diagnostic test", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50997"}, "type": "Feature"}, {"geometry": {"coordinates": [108.328009, 22.803234], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhangguogx@hotmail.com", "contactPhone": "+86 13978839646", "dateEnrollment": "1/17/2020", "description": "A study for clinical characteristics of novel coronavirus pneumonia (COVID-19) patients follow-up in Guangxi", "name": "ChiCTR2000030784", "primaryOutcome": "Epidemiological characteristics;clinical features;Treatment outcome;", "study_type": "Observational study", "time": "3/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50307"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhwang_hust@hotmail.com", "contactPhone": "+86 13607195518", "dateEnrollment": "2/15/2020", "description": "Clinical characteristics and prognosis of cancer patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030807", "primaryOutcome": "lynphocyte;cytokine;cancer history;order of severity;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51019"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wang6@tjh.tjmu.edu.cn", "contactPhone": "+86 13971625289", "dateEnrollment": "2/15/2020", "description": "Quantitative CT characteristic estimate the severity of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030805", "primaryOutcome": "Quantitative CT characteristic;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51026"}, "type": "Feature"}, {"geometry": {"coordinates": [114.217747, 30.215415], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "273225540@qq.com", "contactPhone": "+86 15377628125", "dateEnrollment": "2/10/2020", "description": "A medical records based study for clinical characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030798", "primaryOutcome": "blood biochemistry;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50994"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492935, 38.035112], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "yuanyd1108@163.com", "contactPhone": "+86 15833119392", "dateEnrollment": "1/29/2020", "description": "Clinical characteristics and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030796", "primaryOutcome": "mortality;effective rate;", "study_type": "Observational study", "time": "3/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50991"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zn_chenxiong@126.com", "contactPhone": "+86 13995599373", "dateEnrollment": "2/1/2020", "description": "Study for the Psychological Status of Medical Staff of Otolaryngology Head and Neck Surgery in Hubei Province under the Epidemic of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030768", "primaryOutcome": "anxiety;", "study_type": "Epidemilogical research", "time": "3/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50968"}, "type": "Feature"}, {"geometry": {"coordinates": [122.25586, 43.612217], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "nmbrbt8989@163.com", "contactPhone": "+86 18804758989", "dateEnrollment": "1/25/2020", "description": "Clinical Research for Traditional Mongolian Medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030751", "primaryOutcome": "nucleic acids probing;blood routine;blood biochemistry;Urine Routine;Blood Gas Analysis;CT;", "study_type": "Interventional study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50941"}, "type": "Feature"}, {"geometry": {"coordinates": [117.08595, 36.518474], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "A medical records based analysis for risk factors for death in patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030752", "primaryOutcome": "Outcome;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50925"}, "type": "Feature"}, {"geometry": {"coordinates": [115.634247, 30.751736], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lixiaodong555@126.com", "contactPhone": "+86 13908658127", "dateEnrollment": "2/22/2020", "description": "A prospective cohort study for comprehensive treatment of Chinese medicine in the treatment of convalescent patients of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030747", "primaryOutcome": "CT Scan-Chest;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50000"}, "type": "Feature"}, {"geometry": {"coordinates": [117.08595, 36.518474], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "Analysis of the incidence and risk factors of ARDS in patients with Novel Coronavirus Pneumonia (COVID-19).", "name": "ChiCTR2000030740", "primaryOutcome": "mortality;ICU hospital stay;mechanical ventilation time;mortality of 28 days;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50900"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhonghui39@126.com", "contactPhone": "+86 18980601215", "dateEnrollment": "3/10/2020", "description": "Cross sectional study of dialysis treatment and mental status under the outbreak of novel coronavirus pneumonia (COVID-2019) in China", "name": "ChiCTR2000030708", "primaryOutcome": "Levels of anxiety, stress and depression;", "study_type": "Observational study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50083"}, "type": "Feature"}, {"geometry": {"coordinates": [116.864324, 38.317421], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "849614995@qq.com", "contactPhone": "+86 13832102657", "dateEnrollment": "2/1/2020", "description": "The value of CD4 / CD8 cells, CRP / ALB and APCHEII in novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030782", "primaryOutcome": "28-day prognosis;", "study_type": "Observational study", "time": "3/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50976"}, "type": "Feature"}, {"geometry": {"coordinates": [121.572169, 31.118585], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "money_0921@163.com", "contactPhone": "+86 13816108686", "dateEnrollment": "2/12/2020", "description": "Application of blood purification in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030773", "primaryOutcome": "death;Number of failure organs;Length of hospital stay;", "study_type": "Interventional study", "time": "3/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50934"}, "type": "Feature"}, {"geometry": {"coordinates": [102.066899, 29.940751], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "27216302@qq.com", "contactPhone": "+86 17723451376", "dateEnrollment": "3/20/2020", "description": "Retrospective study on novel coronavirus pneumonia (COVID-19) in Tibetan Plateau", "name": "ChiCTR2000030707", "primaryOutcome": "Blood oxygen saturation;", "study_type": "Observational study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50160"}, "type": "Feature"}, {"geometry": {"coordinates": [106.925347, 27.692066], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "haitao3140@sina.com", "contactPhone": "+86 18085287828", "dateEnrollment": "2/9/2020", "description": "Cancelled by the investigator Application of cas13a-mediated RNA detection in the assay of novel coronavirus nucleic acid (COVID-19)", "name": "ChiCTR2000030706", "primaryOutcome": "Sensitivity, specificity and accuracy;", "study_type": "Diagnostic test", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50001"}, "type": "Feature"}, {"geometry": {"coordinates": [116.30185, 39.979566], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "970236538@qq.com", "contactPhone": "+86 13699207252", "dateEnrollment": "3/7/2020", "description": "Research for the influence of epidemic of novel coronavirus pneumonia (COVID-19) on sleep, psychological and chronic diseases among different populations", "name": "ChiCTR2000030764", "primaryOutcome": "PSQI;PPHQ-9;GAD-7;PTSDChecklist-Civilian Version,PCL-C;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50852"}, "type": "Feature"}, {"geometry": {"coordinates": [106.618022, 26.643861], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ant000999@126.com", "contactPhone": "+86 13985004689", "dateEnrollment": "12/1/2019", "description": "Diagnosis and treatment of novel coronavirus pneumonia (COVID-19) in common and severe cases based on the theory of ''Shi-Du-Yi (damp and plague)''", "name": "ChiCTR2000030762", "primaryOutcome": "Clinical characteristics according to TCM;", "study_type": "Epidemilogical research", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50950"}, "type": "Feature"}, {"geometry": {"coordinates": [120.225434, 30.131115], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hongwang71@yahoo.com", "contactPhone": "+86 0571 87377780", "dateEnrollment": "3/13/2020", "description": "A medical records based study for clinical characteristics of 2019 novel coronavirus pneumonia (COVID-19) in Zhejiang province, China", "name": "ChiCTR2000030760", "primaryOutcome": "the clinical, laboratory and the radiologic characteristics;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50955"}, "type": "Feature"}, {"geometry": {"coordinates": [114.459994, 29.512697], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ctzhang0425@163.com", "contactPhone": "+86 15927668408", "dateEnrollment": "3/15/2020", "description": "A medical records based study for characteristics, prognosis of ederly patients with Novel Coronavirus Pneumonia (COVID-19) in Wuhan area", "name": "ChiCTR2000030755", "primaryOutcome": "Critical illness ratio;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50945"}, "type": "Feature"}, {"geometry": {"coordinates": [121.484683, 31.255045], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "16683890@qq.com", "contactPhone": "+86 13621759762", "dateEnrollment": "3/9/2020", "description": "Auscultatory characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030722", "primaryOutcome": "ascultation;", "study_type": "Observational study", "time": "3/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50338"}, "type": "Feature"}, {"geometry": {"coordinates": [115.634247, 30.751736], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lixiaodong555@126.com", "contactPhone": "+86 13908658127", "dateEnrollment": "3/1/2020", "description": "Prognosis Investigation and Intervention Study on Patients with novel coronavirus pneumonia (COVID-19) in recovery period Based on Community Health Management", "name": "ChiCTR2000030720", "primaryOutcome": "Medical imaging improvement rate in patients during recovery period;", "study_type": "Interventional study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50793"}, "type": "Feature"}, {"geometry": {"coordinates": [117.084038, 36.519954], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "A medical records based analysis of the Incidence and Risk Factors of Ventilator-associated Pneumonia in ARDS Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030753", "primaryOutcome": "ICU hospitalization days;The recurrence rate of infection;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50901"}, "type": "Feature"}, {"geometry": {"coordinates": [117.08595, 36.518474], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "Clinical Application of ECMO(or Ultra-Protective Lung Mechanical Ventilation) in the Treatment of Patients with ARDS due to novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030744", "primaryOutcome": "Inpatient mortality;ICU hospital stay;", "study_type": "Interventional study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50910"}, "type": "Feature"}, {"geometry": {"coordinates": [113.25, 23.5], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhaozl2006@163.com", "contactPhone": "+86 13828895409", "dateEnrollment": "3/1/2020", "description": "A clinical study for effectiveness and safety evaluation for recombinant chimeric COVID-19 epitope DC vaccine in the treatment of novel coronavirus pneumonia", "name": "ChiCTR2000030750", "primaryOutcome": "Shorten the duration of the disease;Antipyretic rate;Severe rate;Time of virus nucleic acid turning negative;Negative rate of viral nucleic acid;Time for improvement of lung image;PCT;CRP;IL-17;WBC;Lymphocyte subtype analysis;Blood gas analysis;", "study_type": "Interventional study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50928"}, "type": "Feature"}, {"geometry": {"coordinates": [114.312864, 30.52223], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2/12/2020", "description": "Randomized controlled trial for Chloroquine Phosphate in the Treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030718", "primaryOutcome": "Time to Clinical Recovery;", "study_type": "Interventional study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50843"}, "type": "Feature"}, {"geometry": {"coordinates": [117.08595, 36.518474], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2/1/2020", "description": "Exploration of the Clinical Characteristics of Patients with Novel Coronavirus Pneumonia (COVID-19) and Its Differences from Patients with Severe Influenza A and MERS", "name": "ChiCTR2000030739", "primaryOutcome": "Tempreture;cough;dyspnea;Blood Routine;Aterial Blood Gas;Chest CT Scan;", "study_type": "Observational study", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50896"}, "type": "Feature"}, {"geometry": {"coordinates": [110.406792, 21.191661], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "huanqinhan@126.com", "contactPhone": "+86 13828291023", "dateEnrollment": "3/16/2020", "description": "A comparative study for the sensitivity of induced sputum and throat swabs for the detection of SARS-CoV-2 by real-time PCR in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030721", "primaryOutcome": "detection of SARS-CoV-2 RNA;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "3/12/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50759"}, "type": "Feature"}, {"geometry": {"coordinates": [116.56006, 39.800859], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "caobin_ben@163.com", "contactPhone": "+86 13911318339", "dateEnrollment": "2/15/2020", "description": "Plasma of the convalescent in the treatment of novel coronavirus pneumonia (COVID-19) common patient: a prospective clinical trial", "name": "ChiCTR2000030702", "primaryOutcome": "Time to clinical recovery after randomization;", "study_type": "Interventional study", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50537"}, "type": "Feature"}, {"geometry": {"coordinates": [121.544494, 29.868505], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lorenzo_87@163.com", "contactPhone": "+86 0574-87085111", "dateEnrollment": "3/10/2020", "description": "A multi-center, open-label observation study for psychological status and intervention efficacy of doctors, nurses, patients and their families in novel coronavirus pneumonia (COVID-19) designated hospitals", "name": "ChiCTR2000030697", "primaryOutcome": "SDS;SAS;PSQI;", "study_type": "Observational study", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50781"}, "type": "Feature"}, {"geometry": {"coordinates": [121.507407, 31.293373], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hywangk@vip.sina.com", "contactPhone": "+86 13801955367", "dateEnrollment": "2/10/2020", "description": "Study for immune cell subsets in convalescent patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030690", "primaryOutcome": "Lymphocyte grouping;", "study_type": "Basic Science", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50261"}, "type": "Feature"}, {"geometry": {"coordinates": [121.468687, 31.237232], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "maggie_zhangmin@163.com", "contactPhone": "+86 18121288279", "dateEnrollment": "2/1/2020", "description": "Efficacy and safety of tozumab combined with adamumab(Qletli) in severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030580", "primaryOutcome": "chest computerized tomography;Nucleic acid detection of novel coronavirus;TNF-alpha;IL-6;IL-10;", "study_type": "Interventional study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50693"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419394, 30.415026], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "fangmh@tjh.tjmu.edu.cn", "contactPhone": "+86 15071157405", "dateEnrollment": "4/1/2020", "description": "A medical records based study for risk assessment and treatment timing of invasive fungal infection in novel coronavirus pneumonia (COVID-19) critical patients", "name": "ChiCTR2000030717", "primaryOutcome": "14-days mortality;28-days mortality;", "study_type": "Observational study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50860"}, "type": "Feature"}, {"geometry": {"coordinates": [114.564895, 29.404417], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lhgyx@hotmail.com", "contactPhone": "+86 13871402927", "dateEnrollment": "3/5/2020", "description": "Shedding of SARS-CoV-2 in human semen and evaluation of reproductive health of novel coronavirus pneumonia (COVID-19) male patients", "name": "ChiCTR2000030716", "primaryOutcome": "SARS-CoV-2 virus;sex hormones;sperm quality;", "study_type": "Observational study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50850"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566536, 29.403359], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "784404524@qq.com", "contactPhone": "+86 18995598097", "dateEnrollment": "3/1/2020", "description": "A retrospective cohort study for integrated traditional Chinese and western medicine in the treatment of 1071 patients with novel coronavirus pneumonia (COVID-19) in Wuhan", "name": "ChiCTR2000030719", "primaryOutcome": "Mortality rate;Common-severe conversion rate;Length of hospital stay.;", "study_type": "Observational study", "time": "3/11/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50867"}, "type": "Feature"}, {"geometry": {"coordinates": [109.797899, 35.881671], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "pinhuapan668@126.com", "contactPhone": "+86 13574171102", "dateEnrollment": "3/10/2020", "description": "A randomized, blinded, controlled, multicenter clinical trial to evaluate the efficacy and safety of Ixekizumab combined with conventional antiviral drugs in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030703", "primaryOutcome": "Lung CT;", "study_type": "Interventional study", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50251"}, "type": "Feature"}, {"geometry": {"coordinates": [114.247409, 22.704561], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "41180423@qq.com", "contactPhone": "+86 13760857996", "dateEnrollment": "3/10/2020", "description": "A randomized, parallel controlled open-label trial for the efficacy and safety of Prolongin (Enoxaparin Sodium Injection) in the treatment of adult patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030701", "primaryOutcome": "Time to Virus Eradication;", "study_type": "Interventional study", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50795"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417488, 30.413077], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "whxhzy@163.com", "contactPhone": "+86 13971292838", "dateEnrollment": "3/9/2020", "description": "Study for the efficacy and safety of Prolongin (Enoxaparin Sodium Injection) in treatment of novel coronavirus pneumonia (COVID-19) adult common patients", "name": "ChiCTR2000030700", "primaryOutcome": "Time to Virus Eradication;", "study_type": "Interventional study", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50786"}, "type": "Feature"}, {"geometry": {"coordinates": [115.19204, 31.44533], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "b5477@163.com", "contactPhone": "+86 15907190882", "dateEnrollment": "2/1/2020", "description": "Novel coronavirus pneumonia (COVID-19) associated kidney injury in children", "name": "ChiCTR2000030687", "primaryOutcome": "temperature;heart rate;respiratory rate;blood pressure;Urine volume;blood routine;C-reactive protein;erythrocyte sedimentation rat;pulmonary CT;liver function;coagulation function;renal function;immunoglobulin;complement;T cell subsets;electrolytes;Urine ", "study_type": "Basic Science", "time": "3/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50572"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417554, 30.44618], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "153267742@qq.com", "contactPhone": "+86 18971163518", "dateEnrollment": "2/4/2020", "description": "Efficacy and safety of honeysuckle oral liquid in the treatment of novel coronavirus pneumonia (COVID-19): a multicenter, randomized, controlled, open clinical trial", "name": "ChiCTR2000030545", "primaryOutcome": "Recovery time;Pneumonia psi score;", "study_type": "Interventional study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50126"}, "type": "Feature"}, {"geometry": {"coordinates": [116.383204, 39.841636], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "caobaoshan0711@aliyun.com", "contactPhone": "+86 15611963362", "dateEnrollment": "3/3/2020", "description": "The effects of prevention and control measures on treatment and psychological status of cancer patients during the novel coronavirus pneumonia (COVID-19) outbreak", "name": "ChiCTR2000030686", "primaryOutcome": "impact on the treatment of tumor patients;", "study_type": "Observational study", "time": "3/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50714"}, "type": "Feature"}, {"geometry": {"coordinates": [115.176189, 31.427001], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "liuzsc@126.com", "contactPhone": "+86 027-82433145", "dateEnrollment": "1/28/2020", "description": "Cohort study of Novel Coronavirus Infected Diseases (COVID-19) in children", "name": "ChiCTR2000030679", "primaryOutcome": "Clinical characteristics;Clinical outcomes;", "study_type": "Observational study", "time": "3/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50730"}, "type": "Feature"}, {"geometry": {"coordinates": [113.393667, 23.00716], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "chenlei0nan@163.com", "contactPhone": "+86 13570236595", "dateEnrollment": "3/9/2020", "description": "The prediction value of prognosis of novel coronavirus pneumonia (COVID-19) in elderly patients by modified early warning score (MEWS): a medical records based retrospective observational study", "name": "ChiCTR2000030683", "primaryOutcome": "In-hospital mortality;ACC, SEN, SPE, ROC;", "study_type": "Diagnostic test", "time": "3/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50633"}, "type": "Feature"}, {"geometry": {"coordinates": [115.995513, 36.458172], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ly29.love@163.com", "contactPhone": "+86 18263511977", "dateEnrollment": "3/16/2020", "description": "An anaesthesia procedure and extubation strategy for reducing patient agitation and cough after extubation that can be used to prevent the spread of Novel Coronavirus Pneumonia (COVID-19) and other infectious viruses in the operating Room", "name": "ChiCTR2000030681", "primaryOutcome": "cough;agitation;", "study_type": "Interventional study", "time": "3/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50763"}, "type": "Feature"}, {"geometry": {"coordinates": [113.395373, 23.005948], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "docterwei@sina.com", "contactPhone": "+86 18922238906", "dateEnrollment": "3/7/2020", "description": "Cancelled by the investigator Epidemiological research of novel coronavirus pneumonia (COVID-19) suspected cases based on virus nucleic acid test combined with low-dose chest CT screening in primary hospital", "name": "ChiCTR2000030558", "primaryOutcome": "CT image features;Fever;Throat swab virus nucleic acid tes;lymphocyte;", "study_type": "Epidemilogical research", "time": "3/7/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50678"}, "type": "Feature"}, {"geometry": {"coordinates": [109.08186, 34.31829], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "13816012151@163.com", "contactPhone": "+86 13816012151", "dateEnrollment": "3/5/2020", "description": "Cancelled by the investigator Clinical trial for umbilical cord blood CIK and NK cells in the treatment of mild and general patients infected with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030329", "primaryOutcome": "Status of immune function;The time of nucleic acid turns to negative;Length of stay in-hospital;", "study_type": "Interventional study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49779"}, "type": "Feature"}, {"geometry": {"coordinates": [105.89392, 29.35376], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "164738059@qq.com", "contactPhone": "+86 13668077090", "dateEnrollment": "2/26/2020", "description": "Cancelled due to lack of patients Investigation on Mental Health Status and Psychological Intervention of Hospitalized Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030466", "primaryOutcome": "Comprehensive psychological assessment;Mental toughness;Solution;", "study_type": "Observational study", "time": "3/2/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50387"}, "type": "Feature"}, {"geometry": {"coordinates": [112.351289, 30.196701], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "99xw@sina.com", "contactPhone": "+86 071 68494565", "dateEnrollment": "2/18/2020", "description": "Efficacy and safety of Xue-Bi-Jing injection in the treatment of severe cases of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030388", "primaryOutcome": "The percentage of patients who convert to moderate one;The rate of shock;Endotracheal intubation ratio;Time spent on the ventilator;mortality;Time of virus nucleic acid test turning negative;", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50306"}, "type": "Feature"}, {"geometry": {"coordinates": [116.285999, 39.961237], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "miaoqing55@sina.com", "contactPhone": "+86 13910812309", "dateEnrollment": "3/9/2020", "description": "Medical records based study for the correlation between Chinese medicine certificate and lung image of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030606", "primaryOutcome": "Imaging;", "study_type": "Observational study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50713"}, "type": "Feature"}, {"geometry": {"coordinates": [116.285999, 39.961237], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "miaoqing55@sina.com", "contactPhone": "+86 13910812309", "dateEnrollment": "3/9/2020", "description": "Medical records based study for the correlation between Chinese medicine certificate and lung image of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030597", "primaryOutcome": "Disease Severity;Imaging;Syndrome Features of TCM;", "study_type": "Observational study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50702"}, "type": "Feature"}, {"geometry": {"coordinates": [117.361135, 32.948089], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "sir_shi@126.com", "contactPhone": "+86 13855288331", "dateEnrollment": "2/1/2020", "description": "A medical records based real world study for the characteristics and correlation mechanism of traditional Chinese medicine combined with western medicine in the treatment of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030619", "primaryOutcome": "treatment effect;", "study_type": "Observational study", "time": "3/8/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50656"}, "type": "Feature"}, {"geometry": {"coordinates": [113.348896, 23.030529], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "sakeonel@126.com", "contactPhone": "+86 13760661654", "dateEnrollment": "3/1/2020", "description": "Cancelled by the investigator A multicentre, randomized, controlled trial for the Ba-Duan-Jin in the adjunctive treatment of patients with common type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030483", "primaryOutcome": "", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50495"}, "type": "Feature"}, {"geometry": {"coordinates": [114.369829, 22.612371], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "524712958@qq.com", "contactPhone": "+86 15618795225", "dateEnrollment": "3/19/2020", "description": "Cancelled by the investigator Mechanism of novel coronavirus pneumonia (COVID-19) virus with silent latent immune system induced by envelope protein and vaccine development", "name": "ChiCTR2000030306", "primaryOutcome": "Time to disease recovery;Time and rate of coronavirus become negative;", "study_type": "Observational study", "time": "2/28/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50222"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380912, 22.988825], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhb-ck@163.com", "contactPhone": "+86 13826041759", "dateEnrollment": "1/31/2020", "description": "Cancelled by the investigator Study for sleep status of medical staffs of hospitals administrating suspected cases of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030221", "primaryOutcome": "sleep status and related factors of insomnia;", "study_type": "Health services reaserch", "time": "2/25/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50071"}, "type": "Feature"}, {"geometry": {"coordinates": [116.437919, 39.786119], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "fxzhu72@163.com", "contactPhone": "+86 13911005275", "dateEnrollment": "2/24/2020", "description": "Lung ultrasound in the diagnosis, treatment and prognosis of pulmonary lesions of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030114", "primaryOutcome": "Lung ultrasound;Chest computed tomography (CT);Respiratory and oxygenation indicators;Prognostic indicators (length of stay, mortality);", "study_type": "Diagnostic test", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49987"}, "type": "Feature"}, {"geometry": {"coordinates": [115.344349, 27.696971], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ht2000@vip.sina.com", "contactPhone": "+86 13803535961", "dateEnrollment": "2/23/2020", "description": "Cancelled by the investigator Randomized controlled trial for the efficacy of dihydroartemisinine piperaquine in the treatment of mild/common novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030082", "primaryOutcome": "The time when the nucleic acid of the novel coronavirus turns negative;Conversion to heavy/critical type;", "study_type": "Interventional study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49915"}, "type": "Feature"}, {"geometry": {"coordinates": [113.236809, 23.101984], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lmzmay@163.com", "contactPhone": "+86 18922108136", "dateEnrollment": "3/6/2020", "description": "Application of TCM Nursing Scheme in Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030528", "primaryOutcome": "GAD-7;", "study_type": "Observational study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50641"}, "type": "Feature"}, {"geometry": {"coordinates": [126.748501, 45.652573], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "drkaijiang@163.com", "contactPhone": "+86 0451-53602290", "dateEnrollment": "3/13/2020", "description": "Cancelled by the investigator Clinical Study of NK Cells in the Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030509", "primaryOutcome": "Time and rate of novel coronavirus become negative.;", "study_type": "Interventional study", "time": "3/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49956"}, "type": "Feature"}, {"geometry": {"coordinates": [118.864309, 31.916118], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "nhb_2002@126.com", "contactPhone": "+86 15312019183", "dateEnrollment": "2/26/2020", "description": "Cancelled by the investigator Study for the Effectiveness and Safety of Compound Yuxingcao Mixture in the Treatment of the Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030478", "primaryOutcome": "lasting time of fever;lasting time of novel coronavirus pneumonia virus nucleic acid detected by RT-PCR and negative result rate of the novel coronavirus disease nucleic acid;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50460"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zqling68@hotmail.com", "contactPhone": "+86 13609068871", "dateEnrollment": "2/10/2020", "description": "Multicenter study for the treatment of Dipyridamole with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030055", "primaryOutcome": "Complete Blood Count;CRP;blood coagulation;D-dimer;Virological examination of pharyngeal swab;Pulmonary imaging;", "study_type": "Prognosis study", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49864"}, "type": "Feature"}, {"geometry": {"coordinates": [112.335438, 30.178372], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "99xw@sina.com", "contactPhone": "+86 18972161798", "dateEnrollment": "2/25/2020", "description": "Clinical study for Lopinavir and Ritonavir in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030187", "primaryOutcome": "Endotracheal intubation rate;mortality;Ratio of virus nucleic acid detection to negative;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50057"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380904, 22.988835], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "gz8hcwp@126.com", "contactPhone": "+86 020-83710825", "dateEnrollment": "2/16/2020", "description": "Cancelled by investigator Single arm study for the efficacy and safety of GD31 in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029895", "primaryOutcome": "The negative conversion rate and negative conversion time of novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2/16/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49569"}, "type": "Feature"}, {"geometry": {"coordinates": [121.414478, 31.169186], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ljjia@shutcm.edu.cn", "contactPhone": "+86 13585779708", "dateEnrollment": "3/3/2020", "description": "Study for meditation assists for the rehabilitation of patients with novel coronaviruse pneumonia (COVID-19)", "name": "ChiCTR2000030476", "primaryOutcome": "Self-rating depression scale;self-rating anxiety scale;Athens Insomnia Scale;", "study_type": "Interventional study", "time": "3/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50455"}, "type": "Feature"}, {"geometry": {"coordinates": [126.646602, 45.751374], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "18604501911@163.com", "contactPhone": "+86 18604501911", "dateEnrollment": "3/1/2020", "description": "Cancelled by the investigator Efficacy and safety of chloroquine phosphate inhalation combined with standard therapy in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030417", "primaryOutcome": "Temperature returns to normal for more than 3 days;Respiratory symptoms improved significantly;Pulmonary imaging showed that acute exudative lesions were significantly improved;Negative for two consecutive tests of respiratory pathogenic nucleic acid (sam", "study_type": "Interventional study", "time": "3/1/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50279"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380531, 22.984831], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wwei@chinacord.org", "contactPhone": "+86 13729856651", "dateEnrollment": "3/1/2020", "description": "Cancelled by the investigator Study on the effect of human placenta biological preparation on the defense of immune function against novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029984", "primaryOutcome": "IFN-gama;TNF-alpha;Blood routine index;Time and rate of coronavirus become negative;immunoglobulin;Exacerbation (transfer to RICU) time;Clearance rate and time of main symptoms (fever, fatigue, cough);", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49712"}, "type": "Feature"}, {"geometry": {"coordinates": [109.051263, 34.124283], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "gaomedic@163.com", "contactPhone": "+86 15091544672", "dateEnrollment": "2/24/2020", "description": "Cancelled by the investigator An observational study of high-dose Vitamin C in the treatment of severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029957", "primaryOutcome": "Ventilation-free days;mortality;", "study_type": "Observational study", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49633"}, "type": "Feature"}, {"geometry": {"coordinates": [113.054973, 23.679754], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "surewin001@126.com", "contactPhone": "+86 13500296796", "dateEnrollment": "2/20/2020", "description": "Cancelled by the investigator A randomized, double-blind, parallel, controlled trial for comparison of phosphoric chloroquine combined with standard therapy and standard therapy in mild/common patients with novel coronavirus p", "name": "ChiCTR2000030031", "primaryOutcome": "Time of conversion to be negative of novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2/21/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49806"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419426, 30.411696], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "majingzhi2002@163.com", "contactPhone": "+86 13871257728", "dateEnrollment": "2/21/2020", "description": "Nucleic acid analysis of novel coronavirus pneumonia (COVID-19) in morning sputum samples and pharyngeal swabs-a prospectively diagnostic test", "name": "ChiCTR2000030005", "primaryOutcome": "detection of SARS-Cov-2 nucleic acid;SEN, ACC;", "study_type": "Diagnostic test", "time": "2/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49669"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417737, 30.41304], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "liubende99@outlook.com", "contactPhone": "+86 13907191851", "dateEnrollment": "2/29/2020", "description": "Cancelled by investigator A randomized, open-label, controlled and single-center trial to evaluate the efficacy and safety of anti-SARS-CoV-2 inactivated convalescent plasma in the treatment of novel coronavirus pneumonia (COVID-19) patient", "name": "ChiCTR2000030381", "primaryOutcome": "Clinical symptom improvement rate: improvement rate of clinical symptoms = number of cases with clinical symptom improvement /number of enrolling cases * 100%;", "study_type": "Interventional study", "time": "2/29/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50290"}, "type": "Feature"}, {"geometry": {"coordinates": [108.944717, 34.2348], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "gaomedic@163.com", "contactPhone": "+86 15091544672", "dateEnrollment": "2/25/2020", "description": "Cancelled by the investigator A randomized controlled trial for high-dose Vitamin C in the treatment of severe and critical novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030135", "primaryOutcome": "Ventilation-free days;mortality;", "study_type": "Interventional study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50002"}, "type": "Feature"}, {"geometry": {"coordinates": [112.262011, 30.308455], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hbjzyyywlc@163.com", "contactPhone": "+86 071 68497225", "dateEnrollment": "2/17/2020", "description": "Cancelled by the investigator A randomized, double-blind, parallel, controlled trial for comparison of phosphoric chloroquine combined with standard therapy and standard therapy in mild/common patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029837", "primaryOutcome": "Time of conversion to be negative of novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49495"}, "type": "Feature"}, {"geometry": {"coordinates": [112.24616, 30.290126], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hbjzyyywlc@163.com", "contactPhone": "+86 071 68497225", "dateEnrollment": "2/17/2020", "description": "Cancelled by the investigator A randomized, double-blind, parallel, controlled trial for comparison of phosphoric chloroquine combined with standard therapy and standard therapy in serious/critically ill patients with novel coronavirus pneumoni", "name": "ChiCTR2000029826", "primaryOutcome": "Mortality rate;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49481"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380531, 22.984831], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2/20/2020", "description": "Cancelled by the investigator Clinical Study of Cord Blood NK Cells Combined with Cord Blood Mesenchymal Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029817", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49384"}, "type": "Feature"}, {"geometry": {"coordinates": [113.274091, 23.095182], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2/20/2020", "description": "Cancelled by the investigator Clinical Study for Umbilical Cord Blood Mononuclear Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029812", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49374"}, "type": "Feature"}, {"geometry": {"coordinates": [107.047757, 27.599864], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "188116999@qq.com", "contactPhone": "+86 15208660008", "dateEnrollment": "2/22/2020", "description": "Cancelled by the investigator Study for the false positive rate of IgM / IgG antibody test kit for novel coronavirus pneumonia (COVID-19) in different inpatients", "name": "ChiCTR2000030085", "primaryOutcome": "Positive/Negtive;False positive of rate ;", "study_type": "Diagnostic test", "time": "2/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49948"}, "type": "Feature"}, {"geometry": {"coordinates": [121.802399, 30.924068], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "shanclhappy@163.com", "contactPhone": "+86 18616974986", "dateEnrollment": "2/18/2020", "description": "The effect of Gymnastic Qigong Yangfeifang on functional recovery and quality of life in patients with mild novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029976", "primaryOutcome": "Oxygen Inhalation Frequency;Oxygen Intake Time;cough;Degree of expiratory dyspnoea;", "study_type": "Interventional study", "time": "2/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49631"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380531, 22.984831], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2/20/2020", "description": "Cancelled by the investigator Clinical Study for Umbilical Cord Blood Plasma in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029818", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49382"}, "type": "Feature"}, {"geometry": {"coordinates": [113.38093, 22.988815], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2/20/2020", "description": "Cancelled by the investigator Clinical Study for Cord Blood Mesenchymal Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029816", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49389"}, "type": "Feature"}, {"geometry": {"coordinates": [114.176821, 30.5018], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hkq123123@163.com", "contactPhone": "+86 15287110369", "dateEnrollment": "2/1/2020", "description": "Cancelled by investigator A cox regression analysis of prognosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029820", "primaryOutcome": "DEATH;", "study_type": "Observational study", "time": "2/14/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49492"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "vaccine", "contactEmail": "whuhjy@sina.com", "contactPhone": "+86 13554361146", "dateEnrollment": "2/13/2020", "description": "Study for epidemiology, diagnosis and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029770", "primaryOutcome": "Patients’ general information: epidemiological indicators such as age, gender, address, telephone, exposure history, past medical history, and BMI;Clinical symptoms;Patients' signs;blood routine examination;Urine routine test;stool routine examination;B", "study_type": "Observational study", "time": "2/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49412"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417488, 30.413077], "type": "Point"}, "properties": {"classification": "vaccine", "contactEmail": "xin11@hotmail.com", "contactPhone": "+86 027 85726732", "dateEnrollment": "2/7/2020", "description": "Clinical Study of Arbidol Hydrochloride Using for Post-exposure Prophylaxis of 2019-nCoV in High-risk Population Including Medical Staff", "name": "ChiCTR2000029592", "primaryOutcome": "2019-nCoV RNA;2019-nCoV antibody;Chest CT;", "study_type": "Observational study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49069"}, "type": "Feature"}, {"geometry": {"coordinates": [118.858848, 24.823782], "type": "Point"}, "properties": {"classification": "", "contactEmail": "278353780@qq.com", "contactPhone": "+86 13674950311", "dateEnrollment": "5/1/2020", "description": "A medical records based study of peripheral blood T lymphocyte subsets in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000031115", "primaryOutcome": "T lymphocyte subsets;", "study_type": "Observational study", "time": "3/22/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51032"}, "type": "Feature"}, {"geometry": {"coordinates": [114.247409, 22.704561], "type": "Point"}, "properties": {"classification": "", "contactEmail": "13603035264@139.com", "contactPhone": "+86 13603035264", "dateEnrollment": "3/20/2020", "description": "Correlation of T lymphocytes level and clinical severity in novel coronavirus pneumonia (COVID-19) patients: a medical records based retrospective study", "name": "ChiCTR2000030986", "primaryOutcome": "T lymphocyte count;", "study_type": "Observational study", "time": "3/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51316"}, "type": "Feature"}, {"geometry": {"coordinates": [121.565586, 31.103656], "type": "Point"}, "properties": {"classification": "", "contactEmail": "tanghao_0921@126.com", "contactPhone": "+86 13816033045", "dateEnrollment": "1/1/2020", "description": "A Medical Records Based Retrospective Study for Clinical Characteristics, Treatments and Prognosis of Patients with Novel Coronavirus Pneumonia (COVID-19) in WuHan", "name": "ChiCTR2000030961", "primaryOutcome": "Clinical Characteristics, Treatments and Prognosis;", "study_type": "Observational study", "time": "3/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51291"}, "type": "Feature"}, {"geometry": {"coordinates": [113.236809, 23.101984], "type": "Point"}, "properties": {"classification": "", "contactEmail": "doctorzzd99@163.com", "contactPhone": "+86 13903076359", "dateEnrollment": "3/23/2020", "description": "A RCT for Hua-Shi Bai-Du granules in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030988", "primaryOutcome": "Inflammation absorption on Chest CT;", "study_type": "Interventional study", "time": "3/20/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51317"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "", "contactEmail": "chunli@gird.cn", "contactPhone": "+86 13560158649", "dateEnrollment": "2/10/2020", "description": "Effects of different VTE prevention methods on the prognosis of hospitalized patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030946", "primaryOutcome": "The biochemical indicators;", "study_type": "Interventional study", "time": "3/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51265"}, "type": "Feature"}, {"geometry": {"coordinates": [114.566601, 29.402241], "type": "Point"}, "properties": {"classification": "", "contactEmail": "wwang@vip.126.com", "contactPhone": "+86 13871143176", "dateEnrollment": "3/20/2020", "description": "Developing and evaluating of artificial intelligence triage system for suspected novel coronavirus pneumonia (COVID-19): a retrospective study", "name": "ChiCTR2000030951", "primaryOutcome": "CT image;sensitivity;Specificity;Time efficiency;", "study_type": "Diagnostic test", "time": "3/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51283"}, "type": "Feature"}, {"geometry": {"coordinates": [106.600867, 33.131746], "type": "Point"}, "properties": {"classification": "", "contactEmail": "liudr@outlook.com", "contactPhone": "+86 18980606533", "dateEnrollment": "2/10/2020", "description": "Study for novel coronavirus pneumonia (COVID-19) patients etiology and immune response and guidance for vaccine design", "name": "ChiCTR2000030950", "primaryOutcome": "Nucleic acid;", "study_type": "Basic Science", "time": "3/19/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51272"}, "type": "Feature"}, {"geometry": {"coordinates": [121.414478, 31.169186], "type": "Point"}, "properties": {"classification": "", "contactEmail": "icuwei@163.com", "contactPhone": "+86 18917763194", "dateEnrollment": "2/1/2020", "description": "Study for ''Bai-Du Duan Fang'' application on the acupoint in the treatment of general type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030940", "primaryOutcome": "Quantitative table of main symptom grading;Quantitative table of lung physical signs grading;", "study_type": "Interventional study", "time": "3/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51061"}, "type": "Feature"}, {"geometry": {"coordinates": [116.384396, 39.838738], "type": "Point"}, "properties": {"classification": "", "contactEmail": "sunok301@126.com", "contactPhone": "+86 13501078679", "dateEnrollment": "3/16/2020", "description": "Preliminary evaluation of the safety and efficacy of oral LL-37 antiviral peptide (CAS001) in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030939", "primaryOutcome": "nuclear acid test of faeces;nuclear acid test of the upper respiratory tract;IgM;IgG;CT test of lung;glutamic oxalacetic transaminase;glutamic-pyruvic transaminase;total bilirubin;direct bilirubin;urea nitrogen;lactic dehydrogenase;creatinine;lymphocyte;C", "study_type": "Interventional study", "time": "3/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51059"}, "type": "Feature"}, {"geometry": {"coordinates": [115.344349, 27.696971], "type": "Point"}, "properties": {"classification": "", "contactEmail": "fengzhenly@sina.com", "contactPhone": "+86 13970038111", "dateEnrollment": "3/31/2020", "description": "Effectiveness of ''Liu-Zi-Jue'' combined with respiratory muscle training for respiratory function in novel coronavirus pneumonia (COVID-19) patients: a randomized controlled trial", "name": "ChiCTR2000030933", "primaryOutcome": "Maximal inspiratory pressure;Respiratory muscle evaluation;", "study_type": "Interventional study", "time": "3/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51184"}, "type": "Feature"}, {"geometry": {"coordinates": [113.380616, 22.985859], "type": "Point"}, "properties": {"classification": "", "contactEmail": "lishiyue@188.com", "contactPhone": "+86 13902233925", "dateEnrollment": "3/19/2020", "description": "A randomized, open-label, controlled trial for Gu-Shen Ding-Chuan-Wan in the treatment of patients with novel coronavirus pneumonia (COVID-19) at recovery phase with Fei-Pi-Qi-Xu Zhen", "name": "ChiCTR2000030937", "primaryOutcome": "The change of TCM syndrome integral of deficiency of Fei-Pi-Qi-Xu Zhen;The results and changes of fatigue assessment scale at each time point;", "study_type": "Interventional study", "time": "3/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51240"}, "type": "Feature"}, {"geometry": {"coordinates": [109.782048, 35.863342], "type": "Point"}, "properties": {"classification": "", "contactEmail": "zln7095@163.com", "contactPhone": "+86 15874875763", "dateEnrollment": "3/20/2020", "description": "An observational study for cardiac and pulmonary ultrasound and evaluation of treatment of severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030919", "primaryOutcome": "auto B line method;Semi-automatic manual measurement of line B;CT image score;NEWS score;hospital time;ICU time;Critical time;Hospital costs;mechanical ventilation time;prognosis of the patient;", "study_type": "Observational study", "time": "3/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51149"}, "type": "Feature"}, {"geometry": {"coordinates": [117.275577, 38.978856], "type": "Point"}, "properties": {"classification": "", "contactEmail": "sunhongyuan12@163.com", "contactPhone": "+86 18222521385", "dateEnrollment": "2/28/2020", "description": "Clinical investigation and reseach on TCM syndrome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030938", "primaryOutcome": "traditional Chinese medicine symptom;", "study_type": "Observational study", "time": "3/18/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51239"}, "type": "Feature"}, {"geometry": {"coordinates": [114.22058, 30.212424], "type": "Point"}, "properties": {"classification": "", "contactEmail": "zbhong6288@163.com", "contactPhone": "+86 13886009855", "dateEnrollment": "3/17/2020", "description": "A randomized, double-blind, parallel-controlled trial to evaluate the efficacy and safety of anti-SARS-CoV-2 virus inactivated plasma in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030929", "primaryOutcome": "Improvement of clinical symptoms (Clinical improvement is defined as a reduction of 2 points on the 6-point scale of the patient's admission status or discharge from the hospital);", "study_type": "Interventional study", "time": "3/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50696"}, "type": "Feature"}, {"geometry": {"coordinates": [118.94204, 32.1387], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "huxingxing82@163.com", "contactPhone": "+86 17327006987", "dateEnrollment": "2/10/2020", "description": "Cancelled by the investigator Observation Of Clinical Efficacy And Safety Of Bufonis Venenum Injection In The Treatment Of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030704", "primaryOutcome": "PO2/FiO2;ROX INDEX;", "study_type": "Interventional study", "time": "3/10/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50778"}, "type": "Feature"}, {"geometry": {"coordinates": [113.379019, 22.986906], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "gz8hzf@126.com", "contactPhone": "+86 18122317900", "dateEnrollment": "3/6/2020", "description": "Study for clinical oral characteristics of patients with novel coronavirus pneumonia (COVID-19) and Effect of 3% hydrogen peroxide gargle on the Intraoral novel coronavirus", "name": "ChiCTR2000030539", "primaryOutcome": "novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "3/6/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50660"}, "type": "Feature"}, {"geometry": {"coordinates": [115.344349, 27.696971], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhangweiliuxin@163.com", "contactPhone": "+86 13707089183", "dateEnrollment": "2/23/2020", "description": "A medical records based study for optimization and evaluation of the comprehensive diagnosis and treatment of novel coronavirus pneumonia (COVID-19) and the assessment of risk factors for severe pneumonia", "name": "ChiCTR2000030095", "primaryOutcome": "detection of virus nucleic acid;", "study_type": "Observational study", "time": "2/23/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49845"}, "type": "Feature"}, {"geometry": {"coordinates": [104.158498, 30.524247], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "gykpanda@163.com", "contactPhone": "+86 18180609256", "dateEnrollment": "3/1/2020", "description": "Evaluation of myocardial injury of novel coronavirus pneumonia (COVID-19) assessed by multimodal MRI imaging", "name": "ChiCTR2000029955", "primaryOutcome": "First pass perfusion i;Delayed enhancement;T1 /T2 mapping;Extracellular volume;MRS;CEST;", "study_type": "Diagnostic test", "time": "2/17/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49531"}, "type": "Feature"}, {"geometry": {"coordinates": [113.379019, 22.986906], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "gz8hlc@126.com", "contactPhone": "+86 15989096626", "dateEnrollment": "3/6/2020", "description": "Study for the clinical characteristics and digestive system damage of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030519", "primaryOutcome": "RNA of Coronavirus;", "study_type": "Observational study", "time": "3/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50604"}, "type": "Feature"}, {"geometry": {"coordinates": [114.114044, 30.321757], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wangxinghuan@whu.edu.cn", "contactPhone": "+86 027 67813096", "dateEnrollment": "2/20/2020", "description": "the Efficacy and Safety of Favipiravir for novel coronavirus–infected pneumonia: A multicenter, randomized, open, positive, parallel-controlled clinical study", "name": "ChiCTR2000030254", "primaryOutcome": "Clinical recovery rate of day 7;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50137"}, "type": "Feature"}, {"geometry": {"coordinates": [106.602171, 26.625532], "type": "Point"}, "properties": {"classification": "", "contactEmail": "ant000999@126.com", "contactPhone": "+86 13985004689", "dateEnrollment": "12/1/2019", "description": "Cancelled by the investigator Clinical guidance of diagnose and treatment for novel coronavirus pneumonia (COVID-19) based on ''Shi-Du-Yi''", "name": "ChiCTR2000030765", "primaryOutcome": "prognosis;", "study_type": "Epidemilogical research", "time": "3/13/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50964"}, "type": "Feature"}, {"geometry": {"coordinates": [114.218949, 30.21349], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "bxlee@sohu.com", "contactPhone": "+86 13397192089", "dateEnrollment": "2/10/2020", "description": "Nasal high-fow preoxygenation assisted fibre-optic bronchoscope intubation in patients with critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029658", "primaryOutcome": "the lowest SpO2 during intubation;", "study_type": "Interventional study", "time": "2/9/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49074"}, "type": "Feature"}, {"geometry": {"coordinates": [114.419389, 30.415001], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "chengyunliu@hust.edu.cn", "contactPhone": "+86 18007117616", "dateEnrollment": "2/26/2020", "description": "Cancelled by the investigator Clinical study of mesenchymal stem cells in treating severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030224", "primaryOutcome": "SP02;lesions of lung CT;temperature;Blood routine;Inflammatory biomarkers;", "study_type": "Interventional study", "time": "2/26/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49968"}, "type": "Feature"}, {"geometry": {"coordinates": [118.773601, 32.044977], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "cleverwdw@126.com", "contactPhone": "+86 025-52362054", "dateEnrollment": "2/29/2020", "description": "Cancelled by the investigator A real world study for Compound Houttuyniae Mixture for prevention of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030168", "primaryOutcome": "Compared with the control group, the positive rate of NCP nucleic acid test on subjects used Compound Houttuynia Mixture.;", "study_type": "Observational study", "time": "2/24/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49433"}, "type": "Feature"}, {"geometry": {"coordinates": [121.175824, 30.145007], "type": "Point"}, "properties": {"classification": "vaccine", "contactEmail": "ljli@zju.edu.cn", "contactPhone": "+86 13906514210", "dateEnrollment": "2/6/2020", "description": "A multicenter, randomized, open, controlled clinical study to evaluate the efficacy and safety of recombinant cytokine gene-derived protein injection in combination with standard therapy in patients with novel coronavirus infection", "name": "ChiCTR2000029573", "primaryOutcome": "The time required for RNA Yin conversion of novel coronavirus in respiratory or blood specimens was compared between treatment groups The difference of;", "study_type": "Interventional study", "time": "2/5/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49065"}, "type": "Feature"}, {"geometry": {"coordinates": [115.91793, 29.30149], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "gongguozhong@csu.edu.cn", "contactPhone": "+86 13873104819", "dateEnrollment": "1/29/2020", "description": "A randomized, open label, parallel controlled trial of evaluating the efficacy of recombinant cytokine gene-derived protein injection for clearing novel coronavirus in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029496", "primaryOutcome": "novel coronavirus nucleic acid clearance rate;", "study_type": "Interventional study", "time": "2/3/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48809"}, "type": "Feature"}, {"geometry": {"coordinates": [121.459004, 31.214188], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "shi_guochao2010@qq.com", "contactPhone": "+86 13918462035", "dateEnrollment": "2/11/2020", "description": "Hydroxychloroquine treating novel coronavirus pneumonia (COVID-19): a randomized controlled, open label, multicenter trial", "name": "ChiCTR2000029868", "primaryOutcome": "Viral nucleic acid test;", "study_type": "Interventional study", "time": "2/15/2020", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49524"}, "type": "Feature"}], "type": "FeatureCollection"} \ No newline at end of file diff --git a/nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson b/nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson deleted file mode 100644 index df5278c..0000000 --- a/nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson +++ /dev/null @@ -1 +0,0 @@ -{"features": [{"geometry": {"coordinates": [114.129895, 30.340085], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2020-02-01", "description": "Construction and Analysis of Prognostic Predictive Model of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029953", "primaryOutcome": "duration of in hospital;in hospital mortality;the 28s day' mortality after admission;duration of ICU stay;", "study_type": "Observational study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49217"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2020-02-16", "description": "A Medical Records Based Study for the Effectiveness of Extracorporeal Membrane Oxygenation in Patients with Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029949", "primaryOutcome": "inhospital length;inhospital mortality;ECMO treatment length;28th day mortality after admission;", "study_type": "Observational study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49181"}, "type": "Feature"}, {"geometry": {"coordinates": [121.430329, 31.187514], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tcmdoctorlu@163.com", "contactPhone": "+86 13817729859", "dateEnrollment": "2020-03-01", "description": "A Randomized Controlled Trial for Qingyi No. 4 Compound in the treatment of Convalescence Patients of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029947", "primaryOutcome": "Lung function;", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49599"}, "type": "Feature"}, {"geometry": {"coordinates": [121.447195, 31.202632], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tcmdoctorlu@163.com", "contactPhone": "+86 13817729859", "dateEnrollment": "2020-03-01", "description": "A randomized controlled trial for Traditional Chinese Medicine in the treatment for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029941", "primaryOutcome": " Number of worsening events;", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49596"}, "type": "Feature"}, {"geometry": {"coordinates": [121.55358, 29.866086], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "caiting@ucas.ac.cn", "contactPhone": "+86 13738498188", "dateEnrollment": "2020-02-10", "description": "A Single-blind, Randomized, Controlled Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19)", "name": "ChiCTR2000029939", "primaryOutcome": "Length of hospital stay;", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49612"}, "type": "Feature"}, {"geometry": {"coordinates": [121.570446, 29.881204], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "caiting@ucas.ac.cn", "contactPhone": "+86 13738498188", "dateEnrollment": "2020-02-06", "description": "A Single-arm Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19)", "name": "ChiCTR2000029935", "primaryOutcome": "Length of hospital stay;", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49607"}, "type": "Feature"}, {"geometry": {"coordinates": [104.068396, 30.653616], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "1037070596@qq.com", "contactPhone": "+86 18980601415", "dateEnrollment": "2020-02-16", "description": "Study for construction and assessment of early warning score of the clinical risk of novel coronavirus (COVID-19) infected patients", "name": "ChiCTR2000029907", "primaryOutcome": "clinical features and risk factors;validity and reliability of the model;", "study_type": "Observational study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49587"}, "type": "Feature"}, {"geometry": {"coordinates": [114.328715, 30.540558], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2020-02-10", "description": "A medical records based study of novel coronavirus pneumonia (COVID-19) and influenza virus co-infection", "name": "ChiCTR2000029905", "primaryOutcome": "Incidence of co-infection;", "study_type": "Observational study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49595"}, "type": "Feature"}, {"geometry": {"coordinates": [125.302998, 43.860391], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Wangtan215@sina.com", "contactPhone": "+86 13756858523", "dateEnrollment": "2020-01-31", "description": "Evaluate the effectiveness of Traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029896", "primaryOutcome": "Conversion rate of mild and common type patients to severe type;Mortality Rate;", "study_type": "Observational study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49432"}, "type": "Feature"}, {"geometry": {"coordinates": [114.475845, 29.531025], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "sxu@hust.edu.cn", "contactPhone": "+86 13517248539", "dateEnrollment": "2020-02-17", "description": "A comparative study on the sensitivity of nasopharyngeal and oropharyngeal swabbing for the detection of SARS-CoV-2 by real-time PCR", "name": "ChiCTR2000029883", "primaryOutcome": "detection of SARS-CoV-2 nucleic acid;SEN;", "study_type": "Diagnostic test", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49549"}, "type": "Feature"}, {"geometry": {"coordinates": [120.282065, 31.550428], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "caojuncn@hotmail.com", "contactPhone": "+86 0510-68781007", "dateEnrollment": "2020-02-15", "description": "Evaluation of Rapid Diagnostic Kit (IgM/IgG) for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029870", "primaryOutcome": "Positive/Negtive;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49563"}, "type": "Feature"}, {"geometry": {"coordinates": [115.054184, 30.244847], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "fangbji@163.com", "contactPhone": "+86 0714-6224162", "dateEnrollment": "2020-02-10", "description": "A multicenter, randomized, controlled trial for integrated Chinese and western medicine in the treatment of ordinary novel coronavirus pneumonia (COVID-19) based on the ' Internal and External Relieving -Truncated Torsion' strategy", "name": "ChiCTR2000029869", "primaryOutcome": "14 day outcome of the subjects, including: recovery, improvement, turning critical, death.;lung CT;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49486"}, "type": "Feature"}, {"geometry": {"coordinates": [121.474855, 31.232517], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shi_guochao2010@qq.com", "contactPhone": "+86 13911379001", "dateEnrollment": "2020-02-10", "description": "Hydroxychloroquine treating novel coronavirus pneumonia (COVID-19): a multicenter, randomized controlled trial", "name": "ChiCTR2000029868", "primaryOutcome": "Viral nucleic acid test;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49524"}, "type": "Feature"}, {"geometry": {"coordinates": [116.28263, 39.874805], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "dinghuiguo@medmail.com.cn", "contactPhone": "+86 13811611118", "dateEnrollment": "2020-02-15", "description": "The efficacy and safety of carrimycin treatment in patients with novel coronavirus pneumonia (COVID-19): a multicenter, randomized, open-label, controlled trial", "name": "ChiCTR2000029867", "primaryOutcome": "Body temperature returns to normal time;Pulmonary inflammation resolution time (HRCT);Mouthwash (pharyngeal swab) at the end of treatment COVID-19 RNA negative rate;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49514"}, "type": "Feature"}, {"geometry": {"coordinates": [121.191675, 30.163335], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wuguolin28@163.com", "contactPhone": "+86 13136150848", "dateEnrollment": "2020-02-15", "description": "A randomized, open and controlled clinical trial for traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029855", "primaryOutcome": "TCM symptom score;Antifebrile time;The time and rate of transition of new coronavirus to Yin;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49543"}, "type": "Feature"}, {"geometry": {"coordinates": [114.906648, 32.014973], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "503818505@qq.com", "contactPhone": "+86 13839708181", "dateEnrollment": "2020-02-16", "description": "A randomized, open-label, controlled clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029853", "primaryOutcome": "time and rate of temperature return to normal;;time and rate of improvement of respiratory symptoms and signs (lung rhones, cough, sputum, sore throat, etc.);time and rate of improvement of diarrhea, myalgia, fatigue and other symptoms;time and rate of pulmonary imaging improvement;time and rate of change to negative COVID-19 nucleic acid test;time and rate of improvement of oxygenation measurement;improvement time and rate of CD4 count;rate of mild/modorate type to severe type, rate of severe type to critical type;length of hospitalization;mortality;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49532"}, "type": "Feature"}, {"geometry": {"coordinates": [121.208541, 30.178453], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xxw69@126.com", "contactPhone": "+86 13605708066", "dateEnrollment": "2020-02-15", "description": "Study on convalescent plasma treatment for severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029850", "primaryOutcome": "Fatality rate;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49533"}, "type": "Feature"}, {"geometry": {"coordinates": [113.67907, 34.786016], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wanghuaqi2004@126.com", "contactPhone": "+86 15890689220", "dateEnrollment": "2020-02-01", "description": "Application of Regulating Intestinal Flora in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029849", "primaryOutcome": "Length of admission;mortality rate;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49530"}, "type": "Feature"}, {"geometry": {"coordinates": [121.570725, 29.882051], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "caocdoctor@163.com", "contactPhone": "+86 574-87089878", "dateEnrollment": "2020-02-10", "description": "An observational study on the clinical characteristics, treatment and outcome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029839", "primaryOutcome": "Time to clinical recovery;", "study_type": "Observational study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49439"}, "type": "Feature"}, {"geometry": {"coordinates": [118.6031, 31.86612], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ian0126@126.com", "contactPhone": "+86 13338628626", "dateEnrollment": "2020-02-07", "description": "A randomized controlled trial for honeysuckle decoction in the treatment of patients with novel coronavirus (COVID-19) infection", "name": "ChiCTR2000029822", "primaryOutcome": "rate of cure;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49502"}, "type": "Feature"}, {"geometry": {"coordinates": [104.40212, 31.13469], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "973007530@qq.com", "contactPhone": "+86 13881070630", "dateEnrollment": "2020-02-14", "description": "Based on Delphi Method to Preliminarily Construct a Recommended Protocol for the Prevention of Novel Coronavirus Pneumonia (COVID-19) in Deyang Area by Using Chinese Medicine Technology and its Clinical Application Evaluation", "name": "ChiCTR2000029821", "primaryOutcome": "CD4+;CD3+;HAMA;HAMD;STAI;", "study_type": "Prevention", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49306"}, "type": "Feature"}, {"geometry": {"coordinates": [120.213994, 30.255631], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yingsrrsh@163.com", "contactPhone": "+86 13588706900", "dateEnrollment": "2020-02-11", "description": "Ba-Bao-Dan in the adjuvant therapy of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000029819", "primaryOutcome": "Clinical and laboratory indicators;Viral load;chest CT;serum cell factor;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49490"}, "type": "Feature"}, {"geometry": {"coordinates": [113.25266, 23.120313], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "zhanjie34@126.com", "contactPhone": "+86 15818136908", "dateEnrollment": "2020-02-01", "description": "Psychological survey of frontline medical staff in various regions of China during the epidemic of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029815", "primaryOutcome": "Self-rating depression scale, SDS;Self-Rating Anxiety Scale, SAS;", "study_type": "Observational study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49346"}, "type": "Feature"}, {"geometry": {"coordinates": [121.558226, 31.090574], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhaixiaowendy@163.com", "contactPhone": "+86 64931902", "dateEnrollment": "2020-02-14", "description": "Clinical Trial for Integrated Chinese and Western Medicine in the Treatment of Children with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029814", "primaryOutcome": "Time fo fever reduction;Time of nucleic acid negative;Severe conversion rate;Improvement time of respiratory symptoms;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49387"}, "type": "Feature"}, {"geometry": {"coordinates": [120.91209, 31.94961], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "luhongzhou@fudan.edu.cn", "contactPhone": "+86 18930810088", "dateEnrollment": "2020-02-14", "description": "Clinical Trial for Tanreqing Capsules in the Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029813", "primaryOutcome": "Time of viral nucleic acid turns negative;Antipyretic time;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49425"}, "type": "Feature"}, {"geometry": {"coordinates": [113.289942, 23.113511], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2020-02-20", "description": "Clinical Study for Anti-aging Active Freeze-dried Powder Granules in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029811", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49355"}, "type": "Feature"}, {"geometry": {"coordinates": [114.242065, 22.649365], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "pony8980@163.com", "contactPhone": "+86 13923781386", "dateEnrollment": "2020-02-16", "description": "Clinical study of a novel high sensitivity nucleic acid assay for novel coronavirus pneumonia (COVID-19) based on CRISPR-cas protein", "name": "ChiCTR2000029810", "primaryOutcome": "SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49407"}, "type": "Feature"}, {"geometry": {"coordinates": [114.13166, 30.61702], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "3131862959@qq.com", "contactPhone": "+86 13871120171", "dateEnrollment": "2020-02-12", "description": "Immunomodulatory Therapy for Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029806", "primaryOutcome": "Proportion of patients with a lung injury score reduction of 1-point or more 7 days after randomization;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49161"}, "type": "Feature"}, {"geometry": {"coordinates": [114.148526, 30.632137], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "88071718@qq.com", "contactPhone": "+86 13397192695", "dateEnrollment": "2020-02-12", "description": "Analysis of clinical characteristics of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029805", "primaryOutcome": "28-day mortality and 90-day mortality.;", "study_type": "Observational study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49188"}, "type": "Feature"}, {"geometry": {"coordinates": [114.148526, 30.632137], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "1346801465@qq.com", "contactPhone": "+86 13397192695", "dateEnrollment": "2020-02-12", "description": "Clinical Application of ECMO in the Treatment of Patients with Very Serious Respiratory Failure due to novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029804", "primaryOutcome": "Inpatient mortality;", "study_type": "Prognosis study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49178"}, "type": "Feature"}, {"geometry": {"coordinates": [121.505543, 31.305357], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wlx1126@hotmail.com", "contactPhone": "+86 18917962300", "dateEnrollment": "2020-02-17", "description": "Clinical study for the integration of traditional Chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029790", "primaryOutcome": "TCM symptoms efficacy;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49453"}, "type": "Feature"}, {"geometry": {"coordinates": [113.785639, 34.675497], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "li_js8@163.com", "contactPhone": "+86 371-65676568", "dateEnrollment": "2020-02-15", "description": "Randomized controlled trial for TCM syndrome differentiation treatment impacting quality of life of post-discharge patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029789", "primaryOutcome": "St. George's Respiratory Questionnaire;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49348"}, "type": "Feature"}, {"geometry": {"coordinates": [116.418388, 39.932714], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zysjsgzs@163.com", "contactPhone": "+86 18134048843", "dateEnrollment": "2020-03-01", "description": "Traditional Chinese medicine cooperative therapy for patients with novel coronavirus pneumonia (COVID-19): a randomized controlled trial", "name": "ChiCTR2000029788", "primaryOutcome": "Antipyretic time;Pharyngeal swab nucleic acid negative time;Blood gas analysis;Traditional Chinese medicine syndrome score;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49452"}, "type": "Feature"}, {"geometry": {"coordinates": [118.93172, 28.73485], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "jiayongshi@medmail.com.cn", "contactPhone": "+86 13605813177", "dateEnrollment": "2020-01-30", "description": "Clinical study for the changes in mental state of medical staff in the department of radiotherapy in a comprehensive tertiary hospital in Zhejiang Province during the epidemic of novel coronavirus infection (COVID-19)", "name": "ChiCTR2000029782", "primaryOutcome": "PSQI;", "study_type": "Observational study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49445"}, "type": "Feature"}, {"geometry": {"coordinates": [120.298751, 31.55958], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xiangming_fang@njmu.edu.cn", "contactPhone": "+86 13861779030", "dateEnrollment": "2020-02-14", "description": "Study for the key issues of the diagnosis and treatment of novel coronavirus pneumonia (COVID-19) based on the medical imaging", "name": "ChiCTR2000029779", "primaryOutcome": "Chest CT findings;Epidemiological history;Laboratory examination;Pulmonary function test;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49378"}, "type": "Feature"}, {"geometry": {"coordinates": [121.483669, 31.246879], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhangw1190@sina.com", "contactPhone": "+86 13601733045", "dateEnrollment": "2020-02-14", "description": "Clinical Study for Traditional Chinese Medicine Combined With Western Medicine in Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029778", "primaryOutcome": "Length of hospital stay;fever clearance time;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49422"}, "type": "Feature"}, {"geometry": {"coordinates": [115.160743, 30.134317], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "fangbji@163.com", "contactPhone": "+86 0714-6224162", "dateEnrollment": "2020-02-05", "description": "A multicenter, randomized, controlled trial for integrated chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19) based on the 'Truncated Torsion' strategy", "name": "ChiCTR2000029777", "primaryOutcome": "14 day outcome of the subjects, including: recovery, improvement, turning critical, death.;lung CT;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49380"}, "type": "Feature"}, {"geometry": {"coordinates": [120.696115, 27.939977], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zjwzhxy@126.com", "contactPhone": "+86 13819711719", "dateEnrollment": "2020-02-11", "description": "A randomized, open-label, blank-controlled, multicenter trial for Polyinosinic-Polycytidylic Acid Injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029776", "primaryOutcome": "Time to Clinical recovery;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49342"}, "type": "Feature"}, {"geometry": {"coordinates": [121.250615, 28.656856], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lvdq@enzemed.com", "contactPhone": "+86 13867622009", "dateEnrollment": "2020-02-15", "description": "Babaodan Capsule used for the adjuvant treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029769", "primaryOutcome": "28-day survival;Inflammatory factor levels;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49415"}, "type": "Feature"}, {"geometry": {"coordinates": [114.236454, 30.229555], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wdznyy@126.com", "contactPhone": "+86 13971156723", "dateEnrollment": "2020-02-12", "description": "A randomized, open, controlled trial for diammonium glycyrrhizinate enteric-coated capsules combined with vitamin C tablets in the treatment of common novel coronavirus pneumonia (COVID-19) in the basic of clinical standard antiviral treatment to evaluate the safety and efficiency", "name": "ChiCTR2000029768", "primaryOutcome": "Time to Clinical recovery;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49131"}, "type": "Feature"}, {"geometry": {"coordinates": [115.53393, 30.52833], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xxlahh08@163.com", "contactPhone": "+86 18963789002", "dateEnrollment": "2020-02-10", "description": "A multicenter, randomized controlled trial for the efficacy and safety of tocilizumab in the treatment of new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029765", "primaryOutcome": "cure rate;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49409"}, "type": "Feature"}, {"geometry": {"coordinates": [106.616718, 33.150074], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "songlab_radiology@163.com", "contactPhone": "86 28 85423680", "dateEnrollment": "2020-02-16", "description": "Imaging Features and Mechanisms of Novel Coronavirus Pneumonia (COVID-19): a Multicenter Study", "name": "ChiCTR2000029764", "primaryOutcome": "imaging feature;", "study_type": "Observational study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49388"}, "type": "Feature"}, {"geometry": {"coordinates": [116.524909, 39.822121], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "huangluqi01@126.com", "contactPhone": "+86 010-64089801", "dateEnrollment": "2020-02-13", "description": "The efficacy of traditional chinese medicine on Novel Coronavirus Pneumonia (COVID-19) patients treated in square cabin hospital: a prospective, randomized controlled trial", "name": "ChiCTR2000029763", "primaryOutcome": "Rate of conversion to severe or critical illness;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49408"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "Kangyan@scu.edu.cn", "contactPhone": "+86 18980601566", "dateEnrollment": "2020-02-03", "description": "Cohort Study of Novel Coronavirus Pneumonia (COVID-19) Critical Ill Patients", "name": "ChiCTR2000029758", "primaryOutcome": "length of stay;length of stay in ICU;Antibiotic use;Hospital costs;Organ function support measures;Organ function;", "study_type": "Observational study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49295"}, "type": "Feature"}, {"geometry": {"coordinates": [114.147061, 30.356048], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "doctorzhang2003@163.com", "contactPhone": "+86 18062567610", "dateEnrollment": "2020-02-15", "description": "Clinical study of nebulized Xiyanping injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029756", "primaryOutcome": "vital signs (Body temperature, blood pressure, heart rate, breathing rate);Respiratory symptoms and signs (Lung sounds, cough, sputum);Etiology and laboratory testing;PaO2/SPO2;Liquid balance;Ventilator condition;Imaging changes;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49222"}, "type": "Feature"}, {"geometry": {"coordinates": [104.061699, 30.641376], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "leilei_25@126.com", "contactPhone": "+86 18980605819", "dateEnrollment": "2020-02-10", "description": "Study for the Effect of Novel Coronavirus Pneumonia (COVID-19) on the Health of Different People", "name": "ChiCTR2000029754", "primaryOutcome": "Physical and mental health;", "study_type": "Observational study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49370"}, "type": "Feature"}, {"geometry": {"coordinates": [121.298234, 30.052805], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "maoweilw@163.com", "contactPhone": "+86 0571-87068001", "dateEnrollment": "2020-02-01", "description": "Clinical Study for Traditional Chinese Medicine in the Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029751", "primaryOutcome": "blood routine examination;CRP;PCT;Chest CT;Liver and kidney function;Etiology test;", "study_type": "Observational study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49354"}, "type": "Feature"}, {"geometry": {"coordinates": [117.256275, 31.855782], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13505615645@163.com", "contactPhone": "+86 13505615645", "dateEnrollment": "2020-02-11", "description": "Effect evaluation and prognosis of Chinese medicine based on Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029747", "primaryOutcome": "Chest CT;Routine blood test;liver and renal function;TCM syndrome;", "study_type": "Interventional study", "time": "2020-02-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49287"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "31531955@qq.com", "contactPhone": "+86 27 83662688", "dateEnrollment": "2020-02-10", "description": "A randomized, parallel controlled trial for the efficacy and safety of Sodium Aescinate Injection in the treatment of patients with pneumonia (COVID-19)", "name": "ChiCTR2000029742", "primaryOutcome": "Chest imaging (CT);", "study_type": "Interventional study", "time": "2020-02-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49297"}, "type": "Feature"}, {"geometry": {"coordinates": [113.396794, 23.003845], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zheng862080@139.com", "contactPhone": "+86 18928868242", "dateEnrollment": "2020-02-12", "description": "A Multicenter, Randomized, Parallel Controlled Clinical Study of Hydrogen-Oxygen Nebulizer to Improve the Symptoms of Patients With Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029739", "primaryOutcome": "the condition worsens and develops into severe or critical condition;the condition improves significantly and reaches the discharge standard;The overall treatment time is no longer than 14 days;", "study_type": "Interventional study", "time": "2020-02-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49283"}, "type": "Feature"}, {"geometry": {"coordinates": [114.435277, 30.430025], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xie_m@126.com", "contactPhone": "+86 18602724678", "dateEnrollment": "2020-01-26", "description": "Risks of Death and Severe cases in Patients with 2019 Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029735", "primaryOutcome": "incidence;mortality;", "study_type": "Observational study", "time": "2020-02-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49279"}, "type": "Feature"}, {"geometry": {"coordinates": [109.95917, 27.54944], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "qiuchengfeng0721@163.com", "contactPhone": "+86 14786531725", "dateEnrollment": "2020-02-08", "description": "Epidemiological investigation and clinical characteristics analysis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029734", "primaryOutcome": "Epidemiological history;haematological;First symptom;blood glucose;blood glucose;prognosis;Blood gas analysis;complication;", "study_type": "Observational study", "time": "2020-02-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48868"}, "type": "Feature"}, {"geometry": {"coordinates": [106.63382, 33.16597], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "guojun@wchscu.cn", "contactPhone": "+86 15388178461", "dateEnrollment": "2020-02-10", "description": "Impact of vitamin D deficiency on prognosis of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029732", "primaryOutcome": "ROX index;", "study_type": "Observational study", "time": "2020-02-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49302"}, "type": "Feature"}, {"geometry": {"coordinates": [114.26326, 22.72289], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "jxxk1035@yeah.net", "contactPhone": "+86 13530027001", "dateEnrollment": "2020-03-01", "description": "Early Detection of Novel Coronavirus Pneumonia (COVID-19) Based on a Novel High-Throughput Mass Spectrometry Analysis With Exhaled Breath", "name": "ChiCTR2000029695", "primaryOutcome": "Sensitivity of detection of NCP;Specificity of detection of NCP;", "study_type": "Diagnostic test", "time": "2020-02-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49219"}, "type": "Feature"}, {"geometry": {"coordinates": [113.258231, 23.159457], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wucaineng861010@163.com", "contactPhone": "+86 13580315308", "dateEnrollment": "2020-02-10", "description": "Nasal high-fow preoxygenation assisted fibre-optic bronchoscope intubation in patients with critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029658", "primaryOutcome": "the lowest SpO2 during intubation;", "study_type": "Interventional study", "time": "2020-02-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49074"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492994, 29.547003], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "bluesearh006@sina.com", "contactPhone": "+86 15337110926", "dateEnrollment": "2020-02-14", "description": "A randomized, open-label study to evaluate the efficacy and safety of low-dose corticosteroids in hospitalized patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029656", "primaryOutcome": "ECG;Chest imaging;Complications;vital signs;NEWS2 score;", "study_type": "Interventional study", "time": "2020-02-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49086"}, "type": "Feature"}, {"geometry": {"coordinates": [113.57316, 22.297336], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "wenshl@mail.sysu.edu.cn", "contactPhone": "+86 13312883618", "dateEnrollment": "2020-02-10", "description": "Study for Mental health and psychological status of doctors, nurses and patients in novel coronavirus pneumonia (COVID-19) designated hospital and effect of interventions", "name": "ChiCTR2000029639", "primaryOutcome": "Physical examination;Nucleic acid;Oxygenation index;GAD-7;PHQ-9;SASRQ;PSQI;Lymphocyte subsets;", "study_type": "Interventional study", "time": "2020-02-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49187"}, "type": "Feature"}, {"geometry": {"coordinates": [113.269526, 23.13543], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "doctorzzd99@163.com", "contactPhone": "+86 13903076359", "dateEnrollment": "2020-02-07", "description": "An observational study for Xin-Guan-1 formula in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029637", "primaryOutcome": "Completely antipyretic time: completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Time to remission/disappearance of primary symptoms: defined as the number of days when the three main symptoms of fever, cough, and shortness of breath are all relieved / disappeared;", "study_type": "Observational study", "time": "2020-02-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49127"}, "type": "Feature"}, {"geometry": {"coordinates": [114.433339, 30.431406], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "hubo@mail.hust.edu.cn", "contactPhone": "+86 13707114863", "dateEnrollment": "2020-02-09", "description": "Efficacy and safety of aerosol inhalation of vMIP in the treatment of novel coronavirus pneumonia (COVID-19): a single arm clinical trial", "name": "ChiCTR2000029636", "primaryOutcome": "2019-nCoV nucleic acid turning negative time (from respiratory secretion), or the time to release isolation;", "study_type": "Interventional study", "time": "2020-02-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49215"}, "type": "Feature"}, {"geometry": {"coordinates": [113.269526, 23.13543], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "doctorzzd99@163.com", "contactPhone": "+86 13903076359", "dateEnrollment": "2020-02-07", "description": "A clinical observational study for Xin-Guan-2 formula in the treatment of suspected novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029628", "primaryOutcome": "Time to completely antipyretic time:completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Main symptom relief/disappearance time: defined as the days when the three main symptoms of fever, cough and shortness of breath all remission/disappear.;", "study_type": "Observational study", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49155"}, "type": "Feature"}, {"geometry": {"coordinates": [120.161675, 30.260665], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "13588867114@163.com", "contactPhone": "+86 13588867114", "dateEnrollment": "2020-02-17", "description": "Immune Repertoire (TCR & BCR) Evaluation and Immunotherapy Research in Peripheral Blood of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029626", "primaryOutcome": "TCR sequencing;BCR sequencing;HLA sequencing;", "study_type": "Basic Science", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49170"}, "type": "Feature"}, {"geometry": {"coordinates": [120.268257, 30.150132], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "caiicu@163.com", "contactPhone": "+86 13505811696", "dateEnrollment": "2020-02-17", "description": "Construction of Early Warning and Prediction System for Patients with Severe / Critical Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029625", "primaryOutcome": "Lymphocyte subpopulation analysis;Cytokine detection;Single cell sequencing of bronchial lavage fluid cells;", "study_type": "Diagnostic test", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49177"}, "type": "Feature"}, {"geometry": {"coordinates": [121.018659, 31.839091], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Luhongzhou@shphc.org.cn", "contactPhone": "+86 18930810088", "dateEnrollment": "2020-02-08", "description": "A real world study for traditional Chinese Medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029624", "primaryOutcome": "Time for body temperature recovery;Chest CT absorption;Time of nucleic acid test turning negative;", "study_type": "Observational study", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49132"}, "type": "Feature"}, {"geometry": {"coordinates": [121.491721, 31.247634], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "jmqu0906@163.com", "contactPhone": "+86 21 64370045", "dateEnrollment": "2020-02-07", "description": "Clinical study of arbidol hydrochloride tablets in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029621", "primaryOutcome": "Virus negative conversion rate in the first week;", "study_type": "Interventional study", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49165"}, "type": "Feature"}, {"geometry": {"coordinates": [113.590026, 22.312453], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shanhong@mail.sysu.edu.cn", "contactPhone": "+86 0756 2528573", "dateEnrollment": "2020-02-10", "description": "A prospective, open-label, multiple-center study for the efficacy of chloroquine phosphate in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029609", "primaryOutcome": "virus nucleic acid negative-transforming time;", "study_type": "Interventional study", "time": "2020-02-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49145"}, "type": "Feature"}, {"geometry": {"coordinates": [120.285123, 30.16525], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "ljli@zju.edu.cn", "contactPhone": "+86 0571-87236426", "dateEnrollment": "2020-01-25", "description": "Clinical Study for Human Menstrual Blood-Derived Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029606", "primaryOutcome": "Mortality in patients;", "study_type": "Interventional study", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49146"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "dwwang@tjh.tjmu.edu.cn", "contactPhone": "+86 13971301060", "dateEnrollment": "2020-02-06", "description": "A randomized, open-label, blank-controlled, multicenter trial for Shuang-Huang-Lian oral solution in the treatment of ovel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029605", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2020-02-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49051"}, "type": "Feature"}, {"geometry": {"coordinates": [120.285123, 30.16525], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qiuyq@zju.edu.cn", "contactPhone": "+86 13588189339", "dateEnrollment": "2020-02-06", "description": "A Randomized, Open-Label, Multi-Centre Clinical Trial Evaluating and Comparing the Safety and Efficiency of ASC09/Ritonavir and Lopinavir/Ritonavir for Confirmed Cases of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029603", "primaryOutcome": "The incidence of composite adverse outcome within 14 days after admission: Defined as (one of them) SPO2<= 93% without oxygen supplementation, PaO2/FiO2 <= 300mmHg or RR <=30 breaths per minute.;", "study_type": "Interventional study", "time": "2020-02-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49075"}, "type": "Feature"}, {"geometry": {"coordinates": [115.650098, 30.770064], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "Xiaolintong66@sina.com", "contactPhone": "+86 13910662116", "dateEnrollment": "2020-02-01", "description": "Clinical study for community based prevention and control strategy of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population", "name": "ChiCTR2000029602", "primaryOutcome": "Incidence of onset at home / designated isolation population who progressed to designated isolation treatment or were diagnosed with novel coronavirus-infected pneumonia;days of onset at home / designated isolation population who progressed to designated isolation treatment or were diagnosed with novel coronavirus-infected pneumonia;", "study_type": "Interventional study", "time": "2020-02-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48985"}, "type": "Feature"}, {"geometry": {"coordinates": [115.666964, 30.785182], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "252417083@qq.com", "contactPhone": "+86 18908628577", "dateEnrollment": "2020-02-01", "description": "Community based prevention and control for Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population", "name": "ChiCTR2000029601", "primaryOutcome": "the negative conversion ratio;the proportion of general patients with advanced severe disease;confirmed rate of suspected cases;", "study_type": "Interventional study", "time": "2020-02-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48988"}, "type": "Feature"}, {"geometry": {"coordinates": [114.280126, 22.738007], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yingxialiu@hotmail.com", "contactPhone": "+86 755 61238922", "dateEnrollment": "2020-01-30", "description": "Clinical study for safety and efficacy of Favipiravir in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029600", "primaryOutcome": "Declining speed of Novel Coronavirus by PCR;Negative Time of Novel Coronavirus by PCR;Incidentce rate of chest imaging;Incidence rate of liver enzymes;Incidence rate of kidney damage;", "study_type": "Interventional study", "time": "2020-02-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49042"}, "type": "Feature"}, {"geometry": {"coordinates": [116.417592, 39.937967], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Liuqingquan2003@126.com", "contactPhone": "+86 010-52176520", "dateEnrollment": "2020-02-06", "description": "An open, prospective, multicenter clinical study for the efficacy and safety of Reduning injection in the treatment of ovel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029589", "primaryOutcome": "Antipyretic time;", "study_type": "Interventional study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49104"}, "type": "Feature"}, {"geometry": {"coordinates": [120.144338, 30.178144], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wengcp@163.com", "contactPhone": "+86 571 86613587", "dateEnrollment": "2020-02-06", "description": "Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19): a perspective, sing-arm trial", "name": "ChiCTR2000029578", "primaryOutcome": "Cure rate;The cure time;The rate and time at which the normal type progresses to the heavy type;Rate and time of progression from heavy to critical type and even death;", "study_type": "Interventional study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49080"}, "type": "Feature"}, {"geometry": {"coordinates": [112.146577, 32.040674], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xyxzyxzh@163.com", "contactPhone": "+86 18995678520", "dateEnrollment": "2020-02-05", "description": "Safety and efficacy of umbilical cord blood mononuclear cells in the treatment of severe and critically novel coronavirus pneumonia(COVID-19): a randomized controlled clinical trial", "name": "ChiCTR2000029572", "primaryOutcome": "PSI;", "study_type": "Interventional study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=41760"}, "type": "Feature"}, {"geometry": {"coordinates": [112.163443, 32.055792], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xyxzyxzh@163.com", "contactPhone": "+86 18995678520", "dateEnrollment": "2020-02-05", "description": "Safety and efficacy of umbilical cord blood mononuclear cells conditioned medium in the treatment of severe and critically novel coronavirus pneumonia (COVID-19): a randomized controlled trial", "name": "ChiCTR2000029569", "primaryOutcome": "PSI;", "study_type": "Interventional study", "time": "2020-02-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49062"}, "type": "Feature"}, {"geometry": {"coordinates": [114.253603, 30.245525], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctorzhang2003@163.com", "contactPhone": "+86 18962567610", "dateEnrollment": "2020-01-31", "description": "Therapeutic effect of hydroxychloroquine on novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029559", "primaryOutcome": "The time when the nucleic acid of the novel coronavirus turns negative;T cell recovery time;", "study_type": "Interventional study", "time": "2020-02-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48880"}, "type": "Feature"}, {"geometry": {"coordinates": [104.008005, 30.725905], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xcg718@aliyun.com", "contactPhone": "+86 18980880132", "dateEnrollment": "2020-01-29", "description": "Recommendations of Integrated Traditional Chinese and Western Medicine for Diagnosis and Treatment of Novel Coronavirus Pneumonia (COVID-19) in Sichuan Province", "name": "ChiCTR2000029558", "primaryOutcome": "blood routine;urine routines;CRP;PCT;ESR;creatase;troponin;myoglobin;D-Dimer;arterial blood gas analysis;Nucleic acid test for 2019-nCoV ;chest CT;Biochemical complete set;", "study_type": "Interventional study", "time": "2020-02-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48792"}, "type": "Feature"}, {"geometry": {"coordinates": [120.285123, 30.16525], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qiuyq@zju.edu.cn", "contactPhone": "+86 13588189339", "dateEnrollment": "2020-02-04", "description": "Randomized, open-label, controlled trial for evaluating of the efficacy and safety of Baloxavir Marboxil, Favipiravir, and Lopinavir-Ritonavir in the treatment of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000029548", "primaryOutcome": "Time to viral negativityby RT-PCR;Time to clinical improvement: Time from start of study drug to hospital discharge or to NEWS2<2 for 24 hours.;", "study_type": "Interventional study", "time": "2020-02-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49015"}, "type": "Feature"}, {"geometry": {"coordinates": [120.285123, 30.16525], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qiuyq@zju.edu.cn", "contactPhone": "+86 13588189339", "dateEnrollment": "2020-02-04", "description": "A randomized controlled trial for the efficacy and safety of Baloxavir Marboxil, Favipiravir tablets in novel coronavirus pneumonia (COVID-19) patients who are still positive on virus detection under the current antiviral therapy", "name": "ChiCTR2000029544", "primaryOutcome": "Time to viral negativity by RT-PCR;Time to clinical improvement;", "study_type": "Interventional study", "time": "2020-02-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49013"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413419, 23.018178], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shanpingjiang@126.com", "contactPhone": "+86 13922738892", "dateEnrollment": "2020-02-03", "description": "Study for the efficacy of chloroquine in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029542", "primaryOutcome": "viral negative-transforming time;30-day cause-specific mortality;", "study_type": "Interventional study", "time": "2020-02-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48968"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wangxinghuan@whu.edu.cn", "contactPhone": "+86 18971387168/+86 15729577635", "dateEnrollment": "2020-02-10", "description": "A randomised, open, controlled trial for darunavir/cobicistat or Lopinavir/ritonavir combined with thymosin a1 in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029541", "primaryOutcome": "Time to conversion of 2019-nCoV RNA result from RI sample;", "study_type": "Interventional study", "time": "2020-02-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48992"}, "type": "Feature"}, {"geometry": {"coordinates": [114.448981, 30.448488], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaojp@tjh.tjmu.edu.cn", "contactPhone": "+86 13507138234", "dateEnrollment": "2020-02-04", "description": "A randomized, open-label study to evaluate the efficacy and safety of Lopinavir-Ritonavir in patients with mild novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029539", "primaryOutcome": "The incidence of adverse outcome within 14 days after admission: Patients with conscious dyspnea, SpO2 = 94% or respiratory frequency = 24 times / min in the state of resting without oxygen inhalation;", "study_type": "Interventional study", "time": "2020-02-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48991"}, "type": "Feature"}, {"geometry": {"coordinates": [120.250896, 30.067613], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wengcp@163.com", "contactPhone": "+86 13906514781", "dateEnrollment": "2020-02-04", "description": "Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19): a perspective, double-blind, placebo, randomised controlled trial", "name": "ChiCTR2000029518", "primaryOutcome": "Recovery time;Ratio and time for the general type to progress to heavy;Ratio and time of severe progression to critical or even death;", "study_type": "Interventional study", "time": "2020-02-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48860"}, "type": "Feature"}, {"geometry": {"coordinates": [120.161203, 30.193261], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wengcp@163.com", "contactPhone": "+86 13601331063", "dateEnrollment": "2020-02-04", "description": "Chinese medicine prevention and treatment program for suspected novel coronavirus pneumonia (COVID-19): a perspective, double-blind, placebo, randomised controlled trial", "name": "ChiCTR2000029517", "primaryOutcome": "Relief of clinical symptoms and duration;", "study_type": "Interventional study", "time": "2020-02-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48861"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450724, 30.447276], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1025823309@qq.com", "contactPhone": "+86 13307161995", "dateEnrollment": "2020-02-03", "description": "Traditional Chinese Medicine, Psychological Intervention and Investigation of Mental Health for Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period", "name": "ChiCTR2000029495", "primaryOutcome": "Self-rating depression scale, SDS;Self-Rating Anxiety Scale, SAS;ocial support rate scale, SSRS;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48971"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452112, 30.448456], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "jxzhang1607@163.com", "contactPhone": "+86 13377897297", "dateEnrollment": "2020-02-03", "description": "Traditional Chinese Medicine for Pulmonary Fibrosis, Pulmonary Function and Quality of Life in Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period: a Randomized Controlled Trial", "name": "ChiCTR2000029493", "primaryOutcome": "pulmonary function;St Georges respiratory questionnaire, SGRQ;Modified Barthel Index, MBI;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48931"}, "type": "Feature"}, {"geometry": {"coordinates": [114.582692, 29.421354], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "784404524@qq.com", "contactPhone": "+86 13659897175", "dateEnrollment": "2020-02-10", "description": "Clinical Study for Gu-Biao Jie-Du-Ling in Preventing of Novel Coronavirus Pneumonia (COVID-19) in Children", "name": "ChiCTR2000029487", "primaryOutcome": "body temperature;Whole blood count and five classifications;C-reactive protein;", "study_type": "Prevention", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48965"}, "type": "Feature"}, {"geometry": {"coordinates": [104.085022, 30.667943], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "cdjianghua@qq.com", "contactPhone": "+86 028 87393881", "dateEnrollment": "2020-02-01", "description": "A real-world study for lopinavir/ritonavir (LPV/r) and emtritabine (FTC) / Tenofovir alafenamide Fumarate tablets (TAF) regimen in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029468", "primaryOutcome": "Patient survival rate;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48919"}, "type": "Feature"}, {"geometry": {"coordinates": [113.804557, 34.777628], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "li_js8@163.com", "contactPhone": "+86 371 65676568", "dateEnrollment": "2020-02-01", "description": "Study for clinical characteristics and distribution of TCM syndrome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029462", "primaryOutcome": "Clinical characteristics;TCM syndrome;", "study_type": "Observational study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48922"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452112, 30.448456], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "docxwg@163.com", "contactPhone": "+86 13377897278", "dateEnrollment": "2020-02-03", "description": "A Randomized Controlled Trial for Integrated Traditional Chinese Medicine and Western Medicine in the Treatment of Common Type Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029461", "primaryOutcome": "pulmonary function;Antipyretic time;Time of virus turning negative;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48927"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452112, 30.448456], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chanjuanzheng@163.com", "contactPhone": "+86 18971317115", "dateEnrollment": "2020-02-02", "description": "The effect of shadowboxing for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period", "name": "ChiCTR2000029460", "primaryOutcome": "pulmonary function;St Georges respiratory questionnaire, SGRQ;Modified Barthel Index, MBI;Incidence of adverse events;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48930"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452112, 30.448456], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "docxwg@163.com", "contactPhone": "+86 13377897278", "dateEnrollment": "2020-02-03", "description": "The effect of pulmonary rehabilitation for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period", "name": "ChiCTR2000029459", "primaryOutcome": "pulmonary function;St Georges respiratory questionnaire, SGRQ;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48929"}, "type": "Feature"}, {"geometry": {"coordinates": [116.410039, 39.926901], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ZJHTCM@FOXMAIL.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2020-02-02", "description": "Combination of traditional Chinese medicine and western medicine in the treatment of common type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029439", "primaryOutcome": "Antipyretic time;Time of virus turning negative;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48904"}, "type": "Feature"}, {"geometry": {"coordinates": [116.524161, 39.827448], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ZJHTCM@FOXMAIL.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2020-02-04", "description": "A randomized controlled trial of integrated TCM and Western Medicine in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029438", "primaryOutcome": "CURB-65;PSI score;Mechanical ventilation time;Length of stay in hospital;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48911"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450724, 30.447276], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "DOCXWG@16.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2020-02-03", "description": "A single arm study for combination of traditional Chinese and Western Medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029437", "primaryOutcome": "all available outcome;", "study_type": "Observational study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48913"}, "type": "Feature"}, {"geometry": {"coordinates": [113.69622, 34.801986], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lisuyun2000@126.com", "contactPhone": "+86 371 66248624", "dateEnrollment": "2020-02-01", "description": "A single arm study for evaluation of integrated traditional Chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029436", "primaryOutcome": "Duration of PCR normalization;Clinical symptom score;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48884"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599558, 29.436471], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "whsdyyykjc@126.com", "contactPhone": "+86 13163283819", "dateEnrollment": "2020-02-01", "description": "Randomized controlled trial for traditional Chinese medicine in the prevention of novel coronavirus pneumonia (COVID-19) in high risk population", "name": "ChiCTR2000029435", "primaryOutcome": "Viral nucleic acid detection;CT Scan of the Lungs;Blood routine examination;Temperature;Height;Weight;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48827"}, "type": "Feature"}, {"geometry": {"coordinates": [113.364747, 23.048858], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yang_zhongqi@163.com", "contactPhone": "+86 13688867618", "dateEnrollment": "2020-02-01", "description": "A Real World Study for the Efficacy and Safety of Large Dose Tanreqing Injection in the Treatment of Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029432", "primaryOutcome": "Time for body temperature recovery;Chest X-ray absorption;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48881"}, "type": "Feature"}, {"geometry": {"coordinates": [121.641576, 38.917483], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhaodewei2016@163.com", "contactPhone": "+86 0411-62893509", "dateEnrollment": "2020-01-29", "description": "Clinical study for the remedy of M1 macrophages target in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029431", "primaryOutcome": "CT of lung;CT and MRI of hip;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48907"}, "type": "Feature"}, {"geometry": {"coordinates": [116.92699, 38.93373], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ZJHTCM@FOXMAIL.COM", "contactPhone": "+86 13902020873", "dateEnrollment": "2020-02-03", "description": "Study for the TCM syndrome characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029430", "primaryOutcome": "TCM syndroms;", "study_type": "Observational study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48902"}, "type": "Feature"}, {"geometry": {"coordinates": [116.43549, 39.94861], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "shanghongcai@126.com", "contactPhone": "+86 010 84012510", "dateEnrollment": "2020-02-03", "description": "Chinese Herbal medicine for Severe nevel coronavirus pneumonia (COVID-19): a Randomized Controlled Trial", "name": "ChiCTR2000029418", "primaryOutcome": "Critically ill patients (%);", "study_type": "Interventional study", "time": "2020-01-30", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48886"}, "type": "Feature"}, {"geometry": {"coordinates": [116.541775, 39.837238], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "huangluqi01@126.com", "contactPhone": "+86 010-64089801", "dateEnrollment": "2020-01-29", "description": "Clinical Controlled Trial for Traditional Chinese Medicine in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029400", "primaryOutcome": "the rate of remission;", "study_type": "Interventional study", "time": "2020-01-29", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48824"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413333, 23.019305], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ylsong70@163.com", "contactPhone": "+86 020 34294311", "dateEnrollment": "2020-01-24", "description": "A prospective comparative study for Xue-Bi-Jing injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029381", "primaryOutcome": "pneumonia severity index (PSI);", "study_type": "Interventional study", "time": "2020-01-27", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48768"}, "type": "Feature"}, {"geometry": {"coordinates": [113.573787, 22.247427], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13600001163@139.com", "contactPhone": "+86 0756-3325892", "dateEnrollment": "2020-02-15", "description": "Clinical Study on Syndrome Differentiation of TCM in Treating Severe and Critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030188", "primaryOutcome": "TCM symptom score;Becomes negative time of COVID-19;Cure / mortality rate;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50025"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "doctorwhy@126.com", "contactPhone": "+86 13518106758", "dateEnrollment": "2020-02-24", "description": "The Value of Critical Care Ultrasound in Rapid Screening, Diagnosis, Evaluation of Effectiveness and Intensive Prevention of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030185", "primaryOutcome": "28day mortality;", "study_type": "Diagnostic test", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50058"}, "type": "Feature"}, {"geometry": {"coordinates": [115.900712, 28.677222], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "leaiping@126.com", "contactPhone": "+86 13707089009", "dateEnrollment": "2020-02-24", "description": "Experimental study of novel coronavirus pneumonia rehabilitation plasma therapy severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030179", "primaryOutcome": "Cure rate;Mortality;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50059"}, "type": "Feature"}, {"geometry": {"coordinates": [112.973378, 28.186618], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "xuezg@tongji.edu.cn", "contactPhone": "+86 15000285942", "dateEnrollment": "2020-02-17", "description": "Key techniques of umbilical cord mesenchymal stem cells for the treatment of novel coronavirus pneumonia (COVID-19) and clinical application demonstration", "name": "ChiCTR2000030173", "primaryOutcome": "pulmonary function;Novel coronavirus pneumonic nucleic acid test;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49229"}, "type": "Feature"}, {"geometry": {"coordinates": [121.035525, 31.854208], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "luhongzhou@shphc.org.cn", "contactPhone": "+86 18930810088", "dateEnrollment": "2020-02-15", "description": "Study for safety and efficacy of Jakotinib hydrochloride tablets in the treatment severe and acute exacerbation patients of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030170", "primaryOutcome": "Severe NCP group: Time to clinical improvement (TTCI) [time window: 28 days];Acute exacerbation NCP group: Time to clinical recovery [time window: 28 days] and the ratio of common to severe and critically severe.;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50017"}, "type": "Feature"}, {"geometry": {"coordinates": [118.773601, 32.044977], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "cleverwdw@126.com", "contactPhone": "+86 025-52362054", "dateEnrollment": "2020-02-29", "description": "A real world study for Compound Houttuyniae Mixture for prevention of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030168", "primaryOutcome": "Compared with the control group, the positive rate of NCP nucleic acid test on subjects used Compound Houttuynia Mixture.;", "study_type": "Observational study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49433"}, "type": "Feature"}, {"geometry": {"coordinates": [114.253486, 30.245696], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "chenqx666@whu.edu.cn", "contactPhone": "+86 027-88041911-82237", "dateEnrollment": "2020-03-02", "description": "Clinical Trial for Recombinant Human Interleukin-2 in the Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030167", "primaryOutcome": "CD8+ T cells numbers;CD4+ T cell numbers;NK cell numbers;Fatality rate;Clinical recovery time;Critical (severe or critical) conversion rate;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49567"}, "type": "Feature"}, {"geometry": {"coordinates": [116.389189, 39.764275], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhaoyl2855@126.com", "contactPhone": "+86 13681208998", "dateEnrollment": "2020-02-25", "description": "Randomized, parallel control, open trial for Qing-Wen Bai-Du-Yin combined with antiviral therapy in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030166", "primaryOutcome": "CT scan of the lungs;Nucleic acid detection of throat secretion;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49696"}, "type": "Feature"}, {"geometry": {"coordinates": [117.18523, 39.107429], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "ykb@tju.edu.cn", "contactPhone": "+86 22 58830026", "dateEnrollment": "2020-02-24", "description": "Clinical study for ozonated autohemotherapy in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030165", "primaryOutcome": "Chest CT;Whole blood cell analysis;Recovery rate;Oxygenation index;Inflammatory response index;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49947"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450205, 30.446523], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "you_shang@126.com", "contactPhone": "+86 15972127819", "dateEnrollment": "2020-02-24", "description": "A cross-sectional study of novel coronavirus pneumonia (COVID-19) patients in ICU", "name": "ChiCTR2000030164", "primaryOutcome": "the daily treatment intensity;", "study_type": "Observational study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49983"}, "type": "Feature"}, {"geometry": {"coordinates": [116.293653, 39.967509], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "boj301@sina.com", "contactPhone": "+86 13801257802", "dateEnrollment": "2020-02-24", "description": "Clinical Trial for Human Mesenchymal Stem Cells in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030138", "primaryOutcome": "Clinical index;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50004"}, "type": "Feature"}, {"geometry": {"coordinates": [108.950405, 34.271425], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "shpingg@126.com", "contactPhone": "+86 13709206398", "dateEnrollment": "2020-02-24", "description": "Humanistic Care in Healthcare Workers in Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030137", "primaryOutcome": "Self-rating depression scale;", "study_type": "Observational study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50007"}, "type": "Feature"}, {"geometry": {"coordinates": [108.967271, 34.286542], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "shpingg@126.com", "contactPhone": "+86 13709206398", "dateEnrollment": "2020-02-24", "description": "Humanistic Care in Patients With Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030136", "primaryOutcome": "recovery time;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50005"}, "type": "Feature"}, {"geometry": {"coordinates": [114.04575, 22.544759], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "64699629@qq.com", "contactPhone": "+86 18664556429", "dateEnrollment": "2020-02-24", "description": "A clinical study for ''Huo-Shen'' particles in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030118", "primaryOutcome": "Chest CT scan;Nucleic acid of novel coronavirus;Routine blood test;Routine urine test;Stool routine test;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49594"}, "type": "Feature"}, {"geometry": {"coordinates": [116.541069, 39.842634], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "luhongzhou@shphc.org.cn", "contactPhone": "+86 21-37990333", "dateEnrollment": "2020-02-15", "description": "A multicenter, randomized, open, parallel controlled trial for the evaluation of the effectiveness and safety of Xiyanping injection in the treatment of common type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030117", "primaryOutcome": "Clinical recovery time;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49762"}, "type": "Feature"}, {"geometry": {"coordinates": [115.3602, 27.7153], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zhangweiliuxin@163.com", "contactPhone": "+86 13707089183", "dateEnrollment": "2020-02-01", "description": "Safety and effectiveness of human umbilical cord mesenchymal stem cells in the treatment of acute respiratory distress syndrome of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030116", "primaryOutcome": "Time to leave ventilator on day 28 after receiving MSCs infusion;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49901"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "lingqing1985@163.com", "contactPhone": "+86 15827257012", "dateEnrollment": "2020-02-27", "description": "A clinical research for the changes of Blood cortisol ACTH level and adrenal morphology in blood cortisol to guide the application of individualized hormone in severe novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030115", "primaryOutcome": "Cortisol;ACTH;Form of Adrenal tissue;", "study_type": "Observational study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49964"}, "type": "Feature"}, {"geometry": {"coordinates": [113.930539, 22.551224], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yingxialiu@hotmail.com", "contactPhone": "+86 755 61238922", "dateEnrollment": "2020-02-22", "description": "Randomized controlled trial for safety and efficacy of Favipiravir in the treatment of novel coronavirus pneumonia (COVID-19) with poorly responsive ritonavir/ritonavir", "name": "ChiCTR2000030113", "primaryOutcome": "Blood routine tests, Liver function examination, Renal function examination, Blood gas analysis, Chest CT examination;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49988"}, "type": "Feature"}, {"geometry": {"coordinates": [117.291746, 38.99683], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "Tongxg@yahoo.com", "contactPhone": "+86 13820088121", "dateEnrollment": "2020-02-24", "description": "A multicenter randomized controlled trial for ozone autohemotherapy in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030102", "primaryOutcome": "Chest imaging;RNA test of COVID-19;Time to remission/disappearance of primary symptoms: defined as the number of days when the three main symptoms of fever, cough, and shortness of breath are all relieved / disappeared;Completely antipyretic time: completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Blood oxygen saturation;Time to 2019-nCoV RT-PCR negativity: defined as the last test time for two consecutive negative respiratory viral nucleic acid tests (sampling interval of at least 1 day);Liver, renal and heart function;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49747"}, "type": "Feature"}, {"geometry": {"coordinates": [116.347211, 39.914978], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhaohong_pufh@bjmu.edu.cn", "contactPhone": "+86 13810765943", "dateEnrollment": "2020-02-17", "description": "Study for establishment of correlation between virological dynamics and clinical features in noveal coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030096", "primaryOutcome": "SARS-CoV2 Nucleic Acid Quantification;", "study_type": "Observational study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49794"}, "type": "Feature"}, {"geometry": {"coordinates": [115.377066, 27.730417], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zhangweiliuxin@163.com", "contactPhone": "+86 13707089183", "dateEnrollment": "2020-02-23", "description": "A medical records based study for optimization and evaluation of the comprehensive diagnosis and treatment of novel coronavirus pneumonia (COVID-19) and the assessment of risk factors for severe pneumonia", "name": "ChiCTR2000030095", "primaryOutcome": "detection of virus nucleic acid;", "study_type": "Observational study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49845"}, "type": "Feature"}, {"geometry": {"coordinates": [104.114564, 30.615375], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1924238034@qq.com", "contactPhone": "+86 18980880525", "dateEnrollment": "2020-03-01", "description": "Effects of novel coronavirus pneumonia (COVID-19) on menstruation, TCM body construction and psychological state for female at different ages", "name": "ChiCTR2000030094", "primaryOutcome": "menstruation changes;TCM body constitution score;", "study_type": "Observational study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49970"}, "type": "Feature"}, {"geometry": {"coordinates": [112.567202, 37.862844], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "tflook@163.com", "contactPhone": "+86 13934570253", "dateEnrollment": "2020-03-01", "description": "Study for application of simplified cognitive-behavioral therapy for related emergency psychological stress reaction of medical providers working in the position of treatment and control of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030093", "primaryOutcome": "State anxiety;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49932"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450205, 30.446523], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xiemx@hust.edu.cn", "contactPhone": "+86 13607108938", "dateEnrollment": "2020-02-12", "description": "Assessment of cardiac function in patients with Novel Coronavirus Pneumonia (COVID-19) by echocardiography and its new techniques", "name": "ChiCTR2000030092", "primaryOutcome": "M mode echocardiography;two-dimensional echocardiography;Doppler ultrasound;two-dimensional speckle tracking;three-dimensional echocardiography;", "study_type": "Observational study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49880"}, "type": "Feature"}, {"geometry": {"coordinates": [104.174977, 30.54307], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "luyibingli@163.com", "contactPhone": "+86 18328737998", "dateEnrollment": "2020-02-22", "description": "A Prospective Randomized Controlled Trial for Home Exercise Prescription Intervention During Epidemic of Novel Coronary Pneumonia (COVID-19) in College Students", "name": "ChiCTR2000030090", "primaryOutcome": "Mood index;", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49910"}, "type": "Feature"}, {"geometry": {"coordinates": [121.581437, 31.121984], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xuhuji@smmu.edu.cn", "contactPhone": "+86 13671609764", "dateEnrollment": "2020-02-28", "description": "A clinical study for the efficacy and safety of Adalimumab Injection in the treatment of patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030089", "primaryOutcome": "TTCI (Time to Clinical Improvement);", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49889"}, "type": "Feature"}, {"geometry": {"coordinates": [116.400499, 39.857844], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "lianru666@163.com", "contactPhone": "+86 18600310121", "dateEnrollment": "2020-03-01", "description": "Umbilical cord Wharton's Jelly derived mesenchymal stem cells in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030088", "primaryOutcome": "The nucleic acid of the novel coronavirus is negative;CT scan of ground glass shadow disappeared;", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49902"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "xiemx@hust.edu.cn", "contactPhone": "+86 13607108938", "dateEnrollment": "2020-02-12", "description": "Clinical study for the diagnostic value of pulmonary ultrasound for novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030087", "primaryOutcome": "Three-dimensional ultrasound;Two-dimensional ultrasound;Respiration related parameters;Doppler ultrasound;", "study_type": "Observational study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49919"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452108, 30.448461], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "xiangdongchen2013@163.com", "contactPhone": "+86 15071096621", "dateEnrollment": "2020-02-24", "description": "Study for the effects on medical providers' infection rate and mental health after performing different anesthesia schemes in cesarean section for novel coronavirus pneumonia (COVID-19) puerperae", "name": "ChiCTR2000030086", "primaryOutcome": "CT image of lung of close contact medical staff;Human body temperature of close contact medical staff;Anxiety Scale of of close contact medical staff;", "study_type": "Observational study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49934"}, "type": "Feature"}, {"geometry": {"coordinates": [112.673771, 37.752325], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xuyongsmu@vip.163.com", "contactPhone": "+86 18234016125", "dateEnrollment": "2020-02-24", "description": "A multicenter study for efficacy of intelligent psychosomatic adjustment system intervention in the treatment of novel coronavirus pneumonia (COVID-19) patients with mild to moderate anxiety and depression", "name": "ChiCTR2000030084", "primaryOutcome": "the score of Hamilton depression scale;the score of Hamilton anxiety scale;the score of Self-Rating Depression Scale;the score of Self-Rating Anxiety Scale;the score of Athens Insomnia Scale;", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49952"}, "type": "Feature"}, {"geometry": {"coordinates": [114.147061, 30.356048], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "hukejx@163.com", "contactPhone": "+86 18971035988", "dateEnrollment": "2020-03-10", "description": "A multicenter, randomized, double-blind, controlled clinical trial for leflunomide in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030058", "primaryOutcome": "The days from positive to negative for viral nucleic acid testing;", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49831"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452108, 30.448461], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wqp1968@163.com", "contactPhone": "+86 13971605283", "dateEnrollment": "2020-02-23", "description": "Study for the effect of early endotracheal intubation on the outcome of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030056", "primaryOutcome": "ICU hospitalization days;Death rate;", "study_type": "Observational study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49904"}, "type": "Feature"}, {"geometry": {"coordinates": [118.103838, 24.48995], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Yinzy@xmu.edu.cn", "contactPhone": "+86 13950120518", "dateEnrollment": "2020-02-22", "description": "A prospective, open label, randomized, control trial for chloroquine or hydroxychloroquine in patients with mild and common novel coronavirus pulmonary (COVIP-19)", "name": "ChiCTR2000030054", "primaryOutcome": "Clinical recovery time;", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49869"}, "type": "Feature"}, {"geometry": {"coordinates": [114.345292, 30.554816], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "liubende99@outlook.com", "contactPhone": "+86 13907191851", "dateEnrollment": "2020-02-07", "description": "A single arm trial to evaluate the efficacy and safety of anti-2019-nCoV inactivated convalescent plasma in the treatment of novel coronavirus pneumonia patient (COVID-19)", "name": "ChiCTR2000030046", "primaryOutcome": "The changes of clinical symptom, laboratory and radiological data ;Oxyhemoglobin saturation.;dyspnea;Body temperature;Radiological characteristic sign;Blood routine;C-reaction protein;lymphocyte count;Liver function: TBIL(total bilirubin), AST(alanine aminotransferase) and ALT(aspartate aminotransferase);Neutralization antibody level;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49861"}, "type": "Feature"}, {"geometry": {"coordinates": [116.415415, 39.874365], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "mapenglin1@163.com", "contactPhone": "+86 13810339898", "dateEnrollment": "2020-02-21", "description": "Shen-Fu injection in the treatment of severe novel coronavirus pneumonia (COVID-19): a multicenter, randomized, open-label, controlled trial", "name": "ChiCTR2000030043", "primaryOutcome": "pneumonia severity index (PSI);Incidence of new organ dysfunction;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49866"}, "type": "Feature"}, {"geometry": {"coordinates": [114.345692, 30.555553], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "chzs1990@163.com", "contactPhone": "+86 02767812787", "dateEnrollment": "2020-02-25", "description": "A single-arm, single-center clinical trial for Azivudine tablets in the treatment of adult novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030041", "primaryOutcome": "The novel coronavirus nucleic acid negative rate;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49891"}, "type": "Feature"}, {"geometry": {"coordinates": [116.431005, 33.949705], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "yxbxuzhou@126.com", "contactPhone": "+86 15205215685", "dateEnrollment": "2020-05-31", "description": "Clinical study for infusing convalescent plasma to treat patients with new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030039", "primaryOutcome": "SARS-CoV-2 DNA;SARS-CoV-2 antibody levels;thoracic spiral CT;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49544"}, "type": "Feature"}, {"geometry": {"coordinates": [120.118875, 30.241645], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ckqmzygzs@163.com", "contactPhone": "+86 13906503739", "dateEnrollment": "2020-02-07", "description": "Traditional Chinese Medicine in the treatment of novel coronavirus pneumonia (COVID-19): a multicentre, randomized controlled trial", "name": "ChiCTR2000030034", "primaryOutcome": "Body temperature;TCM syndrome integral;Murray lung injury score;The transition time of novel coronavirus nucleic acid;MuLBSTA score;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49647"}, "type": "Feature"}, {"geometry": {"coordinates": [113.304482, 23.036874], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "412475734@qq.com", "contactPhone": "+86 13710801606", "dateEnrollment": "2020-02-24", "description": "A study for the intervention of Xiangxue antiviral oral solution and Wu-Zhi-Fang-Guan-Fang on close contacts of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030033", "primaryOutcome": "Proportion of COVID-19 close contacts who have developed as confirmed cases;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49703"}, "type": "Feature"}, {"geometry": {"coordinates": [108.630496, 34.040526], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "huang-yi-1980@163.com", "contactPhone": "+86 13319184133", "dateEnrollment": "2020-02-10", "description": "Study on ultrasonographic manifestations of new type of novel coronavirus pneumonia (covid-19) in non-critical stage of pulmonary lesions", "name": "ChiCTR2000030032", "primaryOutcome": "Distribution of 'B' line around lungs of both lungs;Whether there is peripulmonary focus;", "study_type": "Observational study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49816"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xugang@tjh.tjmu.edu.cn", "contactPhone": "+86 13507181312", "dateEnrollment": "2020-02-20", "description": "A medical records based study for acute kidney injury in novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030030", "primaryOutcome": "Acute kidney injury;", "study_type": "Observational study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49841"}, "type": "Feature"}, {"geometry": {"coordinates": [120.28483, 30.165682], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "stjz@zju.edu.cn", "contactPhone": "13957111817", "dateEnrollment": "2020-02-20", "description": "A multi-center study on the efficacy and safety of suramin sodium in adult patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030029", "primaryOutcome": "clinical cure rate;Incidence of mechanical ventilation by day28;All-cause mortality by day28;Incidence of ICU admission by day28;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49824"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "kangyan_hx@163.com", "contactPhone": "+86 18980601556", "dateEnrollment": "2020-02-24", "description": "Clinical comparative study of PD-1 mAb in the treatment of severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030028", "primaryOutcome": "Neutrophil count;Lymphocyte count;Monocyte / macrophage count;Monocyte / macrophage function test;NK cell count;DC cell count;PD-1( immunosuppressive biomarker );PD-L1(immunosuppressive biomarker );CTLA4 (immunosuppressive biomarker );CD79;Blnk;Il7r;T lymphocyte count;CD4+ T lymphocyte count;CD8+ T lymphocyte count;B lymphocyte count;NK cell count;Proportion of navie CD4+ T lymphocytes to CD4+ T lymphocytes;Proportion of memory CD4+ T lymphocyte to CD4+ T lymphocytes;Proportion of CD4+ T lymphocyte subsets to CD4+ T lymphocytes;Proportion of CD8+ CD28+ subsets to CD8 + T lymphocytes;Activation ratio of CD8+ T lymphocytes;Ratio of CD4+ T lymphocytes to CD8+ T lymphocytes;", "study_type": "Interventional study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49840"}, "type": "Feature"}, {"geometry": {"coordinates": [116.435254, 39.947832], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ysz3129@163.com", "contactPhone": "+86 18610329658", "dateEnrollment": "2020-02-20", "description": "Traditional Chinese medicine cooperative therapy for patients with Novel coronavirus pneumonia (COVID-19) and its effect on spermatogenesis: a randomized controlled trial", "name": "ChiCTR2000030027", "primaryOutcome": "Release rate of discharge standards for isolation;Change in Critical Illness;Traditional Chinese medicine syndrome score;", "study_type": "Interventional study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49852"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "minzhou@tjh.tjmu.edu.cn", "contactPhone": "+86 15002749377", "dateEnrollment": "2020-02-20", "description": "A medical records based analysis for the clinical characteristics of novel coronavirus pneumonia (COVID-19) in immunocompromised patients", "name": "ChiCTR2000030021", "primaryOutcome": "Clinical characteristics;", "study_type": "Observational study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49690"}, "type": "Feature"}, {"geometry": {"coordinates": [112.584781, 26.896463], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "706885399@qq.com", "contactPhone": "+86 13907342350", "dateEnrollment": "2020-02-06", "description": "The clinical application and basic research related to mesenchymal stem cells to treat novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030020", "primaryOutcome": "Coronavirus nucleic acid markers negative rate;Symptoms improved after 4 treatments;Inflammation (CT of the chest);", "study_type": "Interventional study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49812"}, "type": "Feature"}, {"geometry": {"coordinates": [121.536888, 31.076984], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "bai.chunxue@zs-hospital.sh.cn", "contactPhone": "+86 18621170011", "dateEnrollment": "2020-02-28", "description": "The COVID-19 Mobile Health Study (CMHS), a large-scale clinical observational registration study using nCapp", "name": "ChiCTR2000030019", "primaryOutcome": "Accuracy;", "study_type": "Observational study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49768"}, "type": "Feature"}, {"geometry": {"coordinates": [114.346661, 30.556749], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "qingzhou.wh.edu@hotmail.com", "contactPhone": "+86 13971358226", "dateEnrollment": "2020-02-17", "description": "Feature of Multiple Organs in Ultrasound Investigation for Clinical Management and Prognostic Evaluation of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030017", "primaryOutcome": "Death;Recovered;Discharged;", "study_type": "Observational study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49798"}, "type": "Feature"}, {"geometry": {"coordinates": [108.316216, 22.81669], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "2534776680@qq.com", "contactPhone": "+86 13807887867", "dateEnrollment": "2020-02-04", "description": "Basic and clinical study of inhalation of inactivated mycobacterium vaccine in the treatment of Novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030016", "primaryOutcome": "viral negative-transforming time;30-day cause-specific mortality;30-day cause-adverse events;30-day all-cause mortality;co-infections;Time from severe and critical patients to clinical improvement;Others (liver function, kidney function, myocardial enzyme);", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49799"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "sxwang@tjh.tjmu.edu.cn", "contactPhone": "+86 027-83663078", "dateEnrollment": "2020-02-19", "description": "Study for the correlation between the incidence and outcome of novel coronary pneumonia (COVID-2019) and ovarian function in women", "name": "ChiCTR2000030015", "primaryOutcome": "menstruation changes;", "study_type": "Basic Science", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49800"}, "type": "Feature"}, {"geometry": {"coordinates": [112.590446, 26.89909], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "quxiaowang@163.com", "contactPhone": "+86 15526272595", "dateEnrollment": "2020-02-19", "description": "Development of anti-2019-nCoV therapeutic antibody from the recovered novel coronavirus pneumonia patients (COVID-19)", "name": "ChiCTR2000030012", "primaryOutcome": "NA;", "study_type": "Treatment study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49718"}, "type": "Feature"}, {"geometry": {"coordinates": [114.148526, 30.632137], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "1813886398@qq.com", "contactPhone": "+86 13507117929", "dateEnrollment": "2020-02-19", "description": "A randomized, double-blind, parallel-controlled, trial to evaluate the efficacy and safety of anti-SARS-CoV-2 virus inactivated plasma in the treatment of severe novel coronavirus pneumonia patients (COVID-19)", "name": "ChiCTR2000030010", "primaryOutcome": "Improvement of clinical symptoms (Clinical improvement is defined as a reduction of 2 points on the 6-point scale of the patient's admission status or discharge from the hospital);", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49777"}, "type": "Feature"}, {"geometry": {"coordinates": [113.591279, 22.313912], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "liujing25@mail.sysu.edu.cn", "contactPhone": "+86 13844021812", "dateEnrollment": "2020-02-12", "description": "Correalation between anxiety as well as depression and gut microbiome among staff of hospital during the novel coronavirus pneumonia (COVID-19) outbreak", "name": "ChiCTR2000030008", "primaryOutcome": "psychological scale;Intestinal flora abundance, etc;Upper respiratory flora abundance, etc;", "study_type": "Observational study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49426"}, "type": "Feature"}, {"geometry": {"coordinates": [113.411051, 22.926355], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "linling@gird.cn", "contactPhone": "+86 13902233092", "dateEnrollment": "2020-02-03", "description": "Multicenter randomized controlled trial for rhG-CSF in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030007", "primaryOutcome": "Clinical symptoms;Blood routine;the viral load of 2019-nCOV of throat swab;TBNK cell subsets;TH1/TH2 Cytokine;Chest CT;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49619"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "xiangdongchen2013@163.com", "contactPhone": "+86 15071096621", "dateEnrollment": "2020-02-19", "description": "A randomized controlled trial for the efficacy of ozonated autohemotherapy in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030006", "primaryOutcome": "Recovery rate;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49737"}, "type": "Feature"}, {"geometry": {"coordinates": [106.723234, 33.039475], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "xuntao26@hotmail.com", "contactPhone": "+86 18980601817", "dateEnrollment": "2020-02-20", "description": "Effect of Novel Coronavirus Pneumonia (COVID-19) on the Mental Health of College Students", "name": "ChiCTR2000030004", "primaryOutcome": "Mental health status;", "study_type": "Observational study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49783"}, "type": "Feature"}, {"geometry": {"coordinates": [104.024871, 30.741023], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tangjianyuan163@163.com", "contactPhone": "+86 13910768464", "dateEnrollment": "2020-02-19", "description": "Optimization Protocal of Integrated Traditional Chinese and Western Medicine in the Treatment for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030003", "primaryOutcome": "hospital stay;Discharge rate;Site-specific hospital metastasis rate or severe conversion rate;Body temperature normalization time;Clinical symptoms disappearance rate;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49770"}, "type": "Feature"}, {"geometry": {"coordinates": [115.550796, 30.543447], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "44271370@qq.com", "contactPhone": "+86 15956927046", "dateEnrollment": "2020-02-15", "description": "Clinical study of novel NLRP Inflammasome inhibitor (Tranilast) in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030002", "primaryOutcome": "cure rate;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49738"}, "type": "Feature"}, {"geometry": {"coordinates": [126.624467, 45.747647], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yangbf@ems.hrbmu.edu.cn", "contactPhone": "+86 133 0451 2381", "dateEnrollment": "2020-02-15", "description": "The efficacy and safety of Triazavirin for 2019 novel coronary pneumonia (COVID-19): a multicenter, randomized, double blinded, placebo-controlled trial", "name": "ChiCTR2000030001", "primaryOutcome": "Time to Clinical recovery;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49723"}, "type": "Feature"}, {"geometry": {"coordinates": [116.007228, 28.566623], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Chenhongyi8660@163.com", "contactPhone": "+86 13807088660", "dateEnrollment": "2020-02-16", "description": "An open, controlled clinical trial for evaluation of ganovo combined with ritonavir and integrated traditional Chinese and Western medicine in the treatment of novel coronavirus infection (COVID-19)", "name": "ChiCTR2000030000", "primaryOutcome": "Rate of composite advers outcomes:SpO2,PaO2/FiO2, respiratory rate;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49748"}, "type": "Feature"}, {"geometry": {"coordinates": [121.500256, 31.26115], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "18917683122@189.cn", "contactPhone": "+86 18917683122", "dateEnrollment": "2020-02-20", "description": "A clinical study for probiotics in the regulation of intestinal function and microflora structure of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029999", "primaryOutcome": "gut microbiome;Fecal metabolomics;Blood routine;albumin;serum potassium;CRP;ALT;AST;urea;Cr;urea nitrogen;D-Dimer;ESR;IgG;IgM;IgA;hepatitis B surface antigen;ß2-microglobulin;IFN-gama;IL-6;TNF-beta;IL-10;IL-2;IL-4;IL-13;IL-12;chest CT;abdominal CT;ECG;Weight;height;body temperature;respiratory rate;Heart Rate;Blood Pressure;Defecate frequency;Bristol grading;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49717"}, "type": "Feature"}, {"geometry": {"coordinates": [116.453539, 39.911452], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "13910930309@163.com", "contactPhone": "+86 13910930309", "dateEnrollment": "2020-02-20", "description": "A randomized, open-label, controlled trial for the efficacy and safety of Farpiravir Tablets in the treatment of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029996", "primaryOutcome": "Time to Clinical Recovery;", "study_type": "Interventional study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49510"}, "type": "Feature"}, {"geometry": {"coordinates": [121.338171, 31.088858], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "jhong.pku@163.com", "contactPhone": "+86 15301655562", "dateEnrollment": "2020-02-20", "description": "Study on anxiety of different populations under novel coronavirus (COVID-19) infection", "name": "ChiCTR2000029995", "primaryOutcome": "Self-Rating Anxiety Scale;Self-Rating Depression Scale;Posttraumatic stress disorder checklist,;Questionnaire for Simple Responses;", "study_type": "Observational study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49418"}, "type": "Feature"}, {"geometry": {"coordinates": [121.713623, 31.051518], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "fanglei586@126.com", "contactPhone": "+86 021-51323092", "dateEnrollment": "2020-02-19", "description": "Liu-Zi-Jue Qigong and Acupressure Therapy for Pulmonary Function and Quality of Life in Patient with Severe novel coronavirus pneumonia (COVID-19): A Randomized Controlled Trial", "name": "ChiCTR2000029994", "primaryOutcome": "lung function;ADL;6min walk;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49309"}, "type": "Feature"}, {"geometry": {"coordinates": [118.210397, 24.37942], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Yinzy@xmu.edu.cn", "contactPhone": "+86 13950120518", "dateEnrollment": "2020-02-17", "description": "A prospective, randomized, open label, controlled trial for chloroquine and hydroxychloroquine in patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029992", "primaryOutcome": "Clinical recovery time;Clinical recovery time;Changes in viral load of upper and lower respiratory tract samples compared with the baseline;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49574"}, "type": "Feature"}, {"geometry": {"coordinates": [116.422301, 39.908804], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zhaochunhua@vip.163.com", "contactPhone": "+86 010-65125311", "dateEnrollment": "2020-01-30", "description": "Clinical trials of mesenchymal stem cells for the treatment of pneumonitis caused by novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029990", "primaryOutcome": "Improved respiratory system function (blood oxygen saturation) recovery time;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49674"}, "type": "Feature"}, {"geometry": {"coordinates": [116.417112, 39.872184], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "fengcao8828@163.com", "contactPhone": "+86 13911798280", "dateEnrollment": "2020-02-20", "description": "A randomized controlled Trial for therapeutic efficacy of Recombinant Human Interferon alpha 1b Eye Drops in the treatment of elderly with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029989", "primaryOutcome": "Arterial Blood Oxygen Saturation;TTCR,Time to Clinical recovery;temperature;respiratory rate;Lung CT;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49720"}, "type": "Feature"}, {"geometry": {"coordinates": [114.345581, 30.555676], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2020-02-13", "description": "Clinical Study of Chloroquine Phosphate in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029988", "primaryOutcome": "Time to Clinical Recovery;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49218"}, "type": "Feature"}, {"geometry": {"coordinates": [104.18988, 30.559594], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "8999578@qq.com", "contactPhone": "+86 13699093647", "dateEnrollment": "2020-02-10", "description": "Study for mental health status and influencing factors of nurses during epidemic prevention of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029985", "primaryOutcome": "HSCS;SCSQ;GHQ-12;", "study_type": "Observational study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49711"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "sxwang@tjh.tjmu.edu.cn", "contactPhone": "+86 02783663078", "dateEnrollment": "2020-02-18", "description": "Study for nucleic acid detection of novel coronavirus pneumonia (COVID-2019) in female vaginal secretions", "name": "ChiCTR2000029981", "primaryOutcome": "SARS-COV-2 nucleic acid;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49692"}, "type": "Feature"}, {"geometry": {"coordinates": [121.501537, 31.262985], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "fangmin19650510@163.com", "contactPhone": "+86 18930568005", "dateEnrollment": "2020-02-21", "description": "A randomized controlled trial for the efficacy of Dao-Yin in the prevention and controlling novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029978", "primaryOutcome": "Length of hospital stay;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49702"}, "type": "Feature"}, {"geometry": {"coordinates": [120.20694, 36.0375], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "dl5506@126.com", "contactPhone": "+86 18560082787", "dateEnrollment": "2020-02-09", "description": "A prospective, multicenter, open-label, randomized, parallel-controlled trial for probiotics to evaluate efficacy and safety in patients infected with 2019 novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029974", "primaryOutcome": "Time to Clinical recovery;Butyrate in feces;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49321"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "chenhong1129@hotmail.com", "contactPhone": "+86 13296508243", "dateEnrollment": "2020-02-17", "description": "A randomized controlled trial for the Efficacy of Ultra Short Wave Electrotherapy in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029972", "primaryOutcome": "the rate of Coronary virus nucleic acid negative at 7 days, 14 days, 21 days, and 28 days after Ultra Short Wave Electrotherapy;Symptom recovery at 7 days, 14 days, 21 days, and 28 days after Ultra Short Wave Electrotherapy;", "study_type": "Interventional study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49664"}, "type": "Feature"}, {"geometry": {"coordinates": [103.10988, 26.96854], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chenxinyuchen@163.com", "contactPhone": "+86 13807312410", "dateEnrollment": "2020-02-28", "description": "Comparative study for integrate Chinese and conventional medicine the the treatment of novel coronavirus pneumonia (COVID-19) in Hu'nan province", "name": "ChiCTR2000029960", "primaryOutcome": "TCM syndrome;", "study_type": "Interventional study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49639"}, "type": "Feature"}, {"geometry": {"coordinates": [104.191543, 30.557349], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "tj1234753@sina.com", "contactPhone": "+86 18180609287", "dateEnrollment": "2020-01-25", "description": "Clinical observation and research of Severe acute respiratory syndrome coronavirus 2(COVID-19) infection in perinatal newborns", "name": "ChiCTR2000029959", "primaryOutcome": "CoVID-19 Perinatal Outcomes;", "study_type": "Observational study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49636"}, "type": "Feature"}, {"geometry": {"coordinates": [104.024871, 30.741023], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tangjianyuan163@163.com", "contactPhone": "+86 13910768464", "dateEnrollment": "2020-02-18", "description": "Chinese Medicine Promotes Rehabilitation Recommendations after 2019 Novel Coronavirus Infection (COVID-19)", "name": "ChiCTR2000029956", "primaryOutcome": "Quality of life;Anxiety assessment;Depression assessment;Major symptoms improved;", "study_type": "Interventional study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49618"}, "type": "Feature"}, {"geometry": {"coordinates": [104.191215, 30.557693], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "gykpanda@163.com", "contactPhone": "+86 18180609256", "dateEnrollment": "2020-03-01", "description": "Evaluation of myocardial injury of novel coronavirus pneumonia (COVID-19) assessed by multimodal MRI imaging", "name": "ChiCTR2000029955", "primaryOutcome": "First pass perfusion i;Delayed enhancement;T1 /T2 mapping;Extracellular volume;MRS;CEST;", "study_type": "Diagnostic test", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49531"}, "type": "Feature"}, {"geometry": {"coordinates": [114.310985, 30.5567], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "153267742@qq.com", "contactPhone": "+86 18971163518", "dateEnrollment": "2020-04-30", "description": "Efficacy and safety of honeysuckle oral liquid in the treatment of novel coronavirus pneumonia (COVID-19): a multicenter, randomized, controlled, open clinical trial", "name": "ChiCTR2000029954", "primaryOutcome": "Recovery time;Pneumonia psi score;", "study_type": "Interventional study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49402"}, "type": "Feature"}, {"geometry": {"coordinates": [121.357174, 28.546326], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lvdq@enzemed.com", "contactPhone": "+86 13867622009", "dateEnrollment": "2020-02-17", "description": "Early warning prediction of patients with severe novel coronavirus pneumonia (COVID-19) based on multiomics", "name": "ChiCTR2000029866", "primaryOutcome": "Cytokine detection;Lymphocyte subpopulation analysis ;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49519"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "am-penicillin@163.com", "contactPhone": "+86 13886157176", "dateEnrollment": "2020-02-20", "description": "Descriptive study on the clinical characteristics and outcomes of novel coronavirus pneumonia (COVID-19) in cardiovascular patients", "name": "ChiCTR2000029865", "primaryOutcome": "blood cell count;C-reactive protein (CRP);arterial blood-gas analysis;markers of myocardial injury;coagulation profile;serum biochemical test;brain natriuretic peptide(BNP);blood lipid;fibrinogen(FIB), D-Dimer.;", "study_type": "Observational study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49545"}, "type": "Feature"}, {"geometry": {"coordinates": [121.553754, 31.092102], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "jbge@zs-hospital.sh.cn", "contactPhone": "+86-21-64041990", "dateEnrollment": "2020-02-19", "description": "A multicenter, randomized controlled trial for the efficacy and safety of Alpha lipoic acid (iv) in the treatment of patients of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029851", "primaryOutcome": "SOFA;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49534"}, "type": "Feature"}, {"geometry": {"coordinates": [114.147061, 30.356048], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctorzhang2003@163.com", "contactPhone": "+86 18062567610", "dateEnrollment": "2020-02-20", "description": "A prospective, randomized, open-label, controlled clinical study to evaluate the preventive effect of hydroxychloroquine on close contacts after exposure to the Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029803", "primaryOutcome": "Number of patients who have progressed to suspected or confirmed within 24 days of exposure to new coronavirus;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49428"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452119, 30.448456], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Xin11@hotmail.com", "contactPhone": "+86 18602724981", "dateEnrollment": "2020-02-14", "description": "A multicenter, randomized, open and controlled trial for the efficacy and safety of Kang-Bing-Du granules in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029781", "primaryOutcome": "Disappearance rate of fever symptoms;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49138"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Xin11@hotmail.com", "contactPhone": "+86 18602724981", "dateEnrollment": "2020-02-14", "description": "A multicenter, randomized, open, controlled trial for the efficacy and safety of Shen-Qi Fu-Zheng injection in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029780", "primaryOutcome": "Recovery time;", "study_type": "Interventional study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49220"}, "type": "Feature"}, {"geometry": {"coordinates": [116.373663, 39.926388], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhuoli.zhang@126.com", "contactPhone": "+86 13901094780", "dateEnrollment": "2020-02-11", "description": "Efficacy of therapeutic effects of hydroxycholoroquine in novel coronavirus pneumonia (COVID-19) patients(randomized open-label control clinical trial)", "name": "ChiCTR2000029740", "primaryOutcome": "oxygen index;max respiratory rate;lung radiography;count of lymphocyte;temperature;other infection;time when the nuleic acid of the novel coronavirus turns negative;prognosis;", "study_type": "Interventional study", "time": "2020-02-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49317"}, "type": "Feature"}, {"geometry": {"coordinates": [116.452236, 39.925963], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ricusunbing@126.com", "contactPhone": "86013911151075", "dateEnrollment": "February 14, 2020", "description": "Efficacy and Safety of Corticosteroids in COVID-19", "name": "NCT04273321", "primaryOutcome": "the incidence of treatment failure in 14 days", "study_type": "Interventional", "time": "2020-02-15", "weburl": "https://clinicaltrials.gov/show/NCT04273321"}, "type": "Feature"}, {"geometry": {"coordinates": [117.026733, 36.676739], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";xiajinglin@fudan.edu.cn", "contactPhone": ";0577-55578166", "dateEnrollment": "February 20, 2020", "description": "The Efficacy and Safety of Thalidomide in the Adjuvant Treatment of Moderate New Coronavirus (COVID-19) Pneumonia", "name": "NCT04273529", "primaryOutcome": "Time to Clinical recoveryTime to Clinical Recovery (TTCR)", "study_type": "Interventional", "time": "2020-02-14", "weburl": "https://clinicaltrials.gov/show/NCT04273529"}, "type": "Feature"}, {"geometry": {"coordinates": [117.043599, 36.691856], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";xiajinglin@fudan.edu.cn", "contactPhone": ";0577-55578166", "dateEnrollment": "February 18, 2020", "description": "The Efficacy and Safety of Thalidomide Combined With Low-dose Hormones in the Treatment of Severe COVID-19", "name": "NCT04273581", "primaryOutcome": "Time to Clinical Improvement (TTCI)", "study_type": "Interventional", "time": "2020-02-14", "weburl": "https://clinicaltrials.gov/show/NCT04273581"}, "type": "Feature"}, {"geometry": {"coordinates": [114.299935, 30.595105], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "whuhjy@sina.com", "contactPhone": "8613554361146", "dateEnrollment": "February 16, 2020", "description": "Study of Human Umbilical Cord Mesenchymal Stem Cells in the Treatment of Novel Coronavirus Severe Pneumonia", "name": "NCT04273646", "primaryOutcome": "Pneumonia severity index;Oxygenation index (PaO2/FiO2)", "study_type": "Interventional", "time": "2020-02-14", "weburl": "https://clinicaltrials.gov/show/NCT04273646"}, "type": "Feature"}, {"geometry": {"coordinates": [116.391276, 39.906217], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "qingganggelin@126.com", "contactPhone": "86-10-82266699", "dateEnrollment": "February 2020", "description": "Identifying Critically-ill Patients With COVID-19 Who Will Benefit Most From Nutrition Support Therapy: Validation of the NUTRIC Nutritional Risk Assessment Tool", "name": "NCT04274322", "primaryOutcome": "28-day all cause mortality", "study_type": "Observational", "time": "2020-02-16", "weburl": "https://clinicaltrials.gov/show/NCT04274322"}, "type": "Feature"}, {"geometry": {"coordinates": [117.114004, 36.650701], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";jiaojiaopang@126.com;jiaojiaopang@126.com", "contactPhone": ";(086)0531-82166843;(086)0531-82166843", "dateEnrollment": "February 2020", "description": "Bevacizumab in Severe or Critical Patients With COVID-19 Pneumonia", "name": "NCT04275414", "primaryOutcome": "Partial arterial oxygen pressure (PaO2) to fraction of inspiration O2 (FiO2) ratio;Partial arterial oxygen pressure (PaO2) to fraction of inspiration O2 (FiO2) ratio;Partial arterial oxygen pressure (PaO2) to fraction of inspiration O2 (FiO2) ratio", "study_type": "Interventional", "time": "2020-02-14", "weburl": "https://clinicaltrials.gov/show/NCT04275414"}, "type": "Feature"}, {"geometry": {"coordinates": [121.48905, 31.225299], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": ";bai.chunxue@zs-hospital.sh.cn;", "contactPhone": ";+8618621170011?;", "dateEnrollment": "February 14, 2020", "description": "The COVID-19 Mobile Health Study (CMHS)", "name": "NCT04275947", "primaryOutcome": "Accuracy of nCapp COVID-19 risk diagnostic model", "study_type": "Observational", "time": "2020-02-17", "weburl": "https://clinicaltrials.gov/show/NCT04275947"}, "type": "Feature"}, {"geometry": {"coordinates": [121.395393, 31.139523], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "", "contactPhone": "", "dateEnrollment": "February 1, 2020", "description": "The Investigation of the Neonates With or With Risk of COVID-19", "name": "NCT04279899", "primaryOutcome": "The death of newborns with COVID-19;The SARS-CoV-2 infection of neonates born to mothers with COVID-19", "study_type": "Observational", "time": "2020-02-18", "weburl": "https://clinicaltrials.gov/show/NCT04279899"}, "type": "Feature"}, {"geometry": {"coordinates": [116.353245, 27.995795], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "fuying1995@163.com;wanjinchen75@fjmu.edu.cn", "contactPhone": "+86;+1386061359", "dateEnrollment": "February 22, 2020", "description": "Fingolimod in COVID-19", "name": "NCT04280588", "primaryOutcome": "The change of pneumonia severity on X-ray images", "study_type": "Interventional", "time": "2020-02-20", "weburl": "https://clinicaltrials.gov/show/NCT04280588"}, "type": "Feature"}, {"geometry": {"coordinates": [108.967271, 34.286542], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "maxr0910@163.com", "contactPhone": "+86 13992856156", "dateEnrollment": "2020-03-05", "description": "Combination of Tocilizumab, IVIG and CRRT in severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030442", "primaryOutcome": "Inhospital time;", "study_type": "Interventional study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50380"}, "type": "Feature"}, {"geometry": {"coordinates": [119.88632, 26.70753], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "nijun1000@126.com", "contactPhone": "+86 19890572216", "dateEnrollment": "2020-03-01", "description": "Application of Rehabilitation and Lung Eight-segment Exercise in Home Rehabilitation of Survivors from novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030433", "primaryOutcome": "PCL;HRQL;IPAQ;PASE;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50273"}, "type": "Feature"}, {"geometry": {"coordinates": [119.903186, 26.722647], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "nplrj@126.com", "contactPhone": "+86 13809508580", "dateEnrollment": "2020-03-02", "description": "Application of rehabilitation and Lung eight-segment exercise in front-line nurses in the prevention of novel coronavirus pneumonia (COVID-19) epidemic", "name": "ChiCTR2000030432", "primaryOutcome": "PCL;PSQI;FSI;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50268"}, "type": "Feature"}, {"geometry": {"coordinates": [118.768178, 24.952704], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "guyuesunny@163.com", "contactPhone": "+86 15037167775", "dateEnrollment": "2020-03-02", "description": "A single-center, single-arm clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030424", "primaryOutcome": "Sputum/nasal swab/pharyngeal swab/lower respiratory tract secretions were used to detect the negative conversion rate of the new coronavirus nucleic acid (tested daily after two days starting the azvudine tablets) and the negative conversion time.;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50174"}, "type": "Feature"}, {"geometry": {"coordinates": [121.593039, 38.910638], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "shangdongdalian@163.com", "contactPhone": "+86 18098875933", "dateEnrollment": "2020-03-01", "description": "A Clinical Trial Study for the Influence of TCM Psychotherapy on Negative Emotion of Patients with Novel Coronavirus Pneumonia (COVID-19) Based on Network Platform", "name": "ChiCTR2000030420", "primaryOutcome": "Psychological status;Treatment compliance;To evaluate the difference in isolation and rehabilitation of patients after discharge;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50286"}, "type": "Feature"}, {"geometry": {"coordinates": [119.302849, 26.083184], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "nijun1000@126.com", "contactPhone": "+86 19890572216", "dateEnrollment": "2020-03-01", "description": "Application of rehabilitation lung exercise eight-segment exercise in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030418", "primaryOutcome": "Post-traumatic stress disorder checklist;Clinical prognostic outcome;Il-6;Health-related quality of life inventory;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50341"}, "type": "Feature"}, {"geometry": {"coordinates": [114.148526, 30.632137], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "1813886398@qq.com", "contactPhone": "+86 13507117929", "dateEnrollment": "2020-02-27", "description": "A randomized, double-blind, placebo-controlled trial for evaluation of the efficacy and safety of bismuth potassium citrate capsules in the treatment of patients with novel coronavirus pneumonia (COVID-19).", "name": "ChiCTR2000030398", "primaryOutcome": "Pharynx swabs, lower respiratory tract samples (sputum/endotracheal aspiration/alveolar lavage), and anal swabs rt-pcr of novel coronavirus nucleic acid negative conversion rate.;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50173"}, "type": "Feature"}, {"geometry": {"coordinates": [119.926146, 28.450673], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "scx1818@126.com", "contactPhone": "+86 0578 2285102", "dateEnrollment": "2020-03-01", "description": "A medical records based analysis for antiviral therapy effect on novel coronavirus pneumonia COVID-19 patients", "name": "ChiCTR2000030391", "primaryOutcome": "cure rate;virus negative rate;time of virus negative;", "study_type": "Observational study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=30796"}, "type": "Feature"}, {"geometry": {"coordinates": [116.417112, 39.872184], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "hekl301@aliyun.com", "contactPhone": "+86 010 66939107", "dateEnrollment": "2020-01-01", "description": "Research and Development of Diagnostic Assistance Decision Support System for novel coronavirus pneumonia (COVID-19) Based on Big Data Technology", "name": "ChiCTR2000030390", "primaryOutcome": "CT;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50224"}, "type": "Feature"}, {"geometry": {"coordinates": [114.327851, 30.571817], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ljzwd@163.com", "contactPhone": "+86 13307173928", "dateEnrollment": "2020-02-29", "description": "A Comparative Study for the Effectiveness of ''triple energizer treatment'' Method in Repairing Lung Injury in Patients with Novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030389", "primaryOutcome": "Lung CT;TCM symptoms;", "study_type": "Observational study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50278"}, "type": "Feature"}, {"geometry": {"coordinates": [121.3897, 31.251], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zzq1419@126.com", "contactPhone": "+86 18721335536", "dateEnrollment": "2020-03-01", "description": "Clinical observation and research of multiple organs injury in severe patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030387", "primaryOutcome": "Epidemiological and clinical characteristics;", "study_type": "Observational study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50329"}, "type": "Feature"}, {"geometry": {"coordinates": [113.07999, 28.076167], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xrchang1956@163.com", "contactPhone": "+86 0731 88458187", "dateEnrollment": "2020-03-01", "description": "Study for moxibustion in the preventing of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030386", "primaryOutcome": "mood assessment;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50323"}, "type": "Feature"}, {"geometry": {"coordinates": [126.638388, 45.753168], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "2209447940@qq.com", "contactPhone": "+86 18672308659", "dateEnrollment": "2020-03-01", "description": "Construction and application of non-contact doctor-patient interactive diagnosis and treatment mode of moxibustion therapy for novel coronary pneumonia (COVID-19) based on mobile internet", "name": "ChiCTR2000030382", "primaryOutcome": "pulmonary iconography;", "study_type": "Observational study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50325"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "haoyaner@163.com", "contactPhone": "+86 13971679960", "dateEnrollment": "2020-02-23", "description": "Novel Coronavirus Infected Disease (COVID-19) in children: epidemiology, clinical features and treatment outcome", "name": "ChiCTR2000030363", "primaryOutcome": "Epidemiological characteristics;clinical features;Treatment outcome;", "study_type": "Observational study", "time": "2020-02-29", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49984"}, "type": "Feature"}, {"geometry": {"coordinates": [118.709669, 31.755601], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "ian0126@126.com", "contactPhone": "+86 13338628626", "dateEnrollment": "2020-02-19", "description": "microRNA as a marker for early diagnosis of novel coronavirus infection (COVID-19)", "name": "ChiCTR2000030334", "primaryOutcome": "SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49491"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "huillanz_76@163.com", "contactPhone": "+86 15391532171", "dateEnrollment": "2020-03-04", "description": "A randomized, open-label controlled trial for the efficacy and safety of Pirfenidone in patients with severe and critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030333", "primaryOutcome": "K-bld questionnaire survey;Refers to the pulse oxygen;chest CT;blood gas;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48801"}, "type": "Feature"}, {"geometry": {"coordinates": [115.550796, 30.543447], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wengjp@ustc.edu.cn", "contactPhone": "+86 0551-62286223", "dateEnrollment": "2020-02-01", "description": "Construction of a Bio information platform for novel coronavirus pneumonia (COVID-19) patients follow-up in Anhui", "name": "ChiCTR2000030331", "primaryOutcome": "", "study_type": "Epidemilogical research", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50271"}, "type": "Feature"}, {"geometry": {"coordinates": [115.550796, 30.543447], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ahslyywm@163.com", "contactPhone": "+86 18655106697", "dateEnrollment": "2020-02-28", "description": "Clinical research of 6-minute walk training on motor function of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030330", "primaryOutcome": "walking distance;oxygen saturation;heart rate;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50274"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452127, 30.448465], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "frank0130@126.com", "contactPhone": "+86 13986268403", "dateEnrollment": "2020-03-02", "description": "Clinical application of inhaled acetylcysteine solution in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030328", "primaryOutcome": "Lung CT after 3 days;Lung CT after 7 days;Oxygenation parameters: SpO2, Partial arterial oxygen pressure (PaO2), PaO2/FiO2;Hospital stay;Novel coronavirus nucleic acid detection;Recurrence rate;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50241"}, "type": "Feature"}, {"geometry": {"coordinates": [117.262606, 31.843799], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zzh1974cn@163.com", "contactPhone": "+86 13215510411", "dateEnrollment": "2020-01-21", "description": "Analysis of clinical characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030327", "primaryOutcome": "Blood Routine;Liver function;Blood electrolyte;Anticoagulation index;Lung CT;Viral RNA;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50214"}, "type": "Feature"}, {"geometry": {"coordinates": [112.253136, 31.930144], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "55815147@qq.com", "contactPhone": "+86 13797625096", "dateEnrollment": "2020-02-28", "description": "A survey of mental health of first-line medical service providers and construction of crisis intervention model for novel coronavirus pneumonia (COVID-19) in Xiangyang", "name": "ChiCTR2000030325", "primaryOutcome": "Psychological questionnaire;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50227"}, "type": "Feature"}, {"geometry": {"coordinates": [111.91778, 31.93667], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "55815147@qq.com", "contactPhone": "+86 13797625096", "dateEnrollment": "2020-02-28", "description": "Traditional Chinese Medicine 'Zang-Fu Point-pressing' massage for children with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030324", "primaryOutcome": "Temperature;Respiratory symptoms;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50231"}, "type": "Feature"}, {"geometry": {"coordinates": [107.486, 31.0564], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "luyb6810@163.com", "contactPhone": "+86 13937642780", "dateEnrollment": "2020-02-01", "description": "Identification and Clinical Treatment of Severe novel coronavirus pneumonia (COVID-19) Patients", "name": "ChiCTR2000030322", "primaryOutcome": "Epidemiological and clinical characteristics;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50240"}, "type": "Feature"}, {"geometry": {"coordinates": [106.740388, 33.055451], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hubingnj@163.com", "contactPhone": "+86 18980601278", "dateEnrollment": "2020-03-01", "description": "Clinical study for a new type of Gastroscope isolation mask for preventing and controlling the novel coronavirus pneumonia (COVID-19) Epidemic period", "name": "ChiCTR2000030317", "primaryOutcome": "During the operation, the patient's volume of local exhaled air from the mouth and nose, the patient's heart rate, respiratory rate and blood oxygen saturation;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50247"}, "type": "Feature"}, {"geometry": {"coordinates": [126.3, 44.56667], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Wangtan215@sina.com", "contactPhone": "+86 13756858523", "dateEnrollment": "2020-01-01", "description": "Clinical Study for Traditional Chinese Medicine in the Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030315", "primaryOutcome": "Critically ill patients (%);Mortality Rate;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50255"}, "type": "Feature"}, {"geometry": {"coordinates": [112.270002, 31.945262], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "55815147@qq.com", "contactPhone": "+86 13986394739", "dateEnrollment": "2020-02-28", "description": "Traditional Chinese medicine Ma-Xing-Shi-Gan-Tang and Sheng-Jiang-San in the treatment of children with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030314", "primaryOutcome": "temperature;respiratory symptoms;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50248"}, "type": "Feature"}, {"geometry": {"coordinates": [120.080971, 29.320419], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "li_caixia@zju.edu.cn", "contactPhone": "+86 15268118258", "dateEnrollment": "2020-03-09", "description": "Multiomics study and emergency plan optimization of spleen strengthening clearing damp and stomach therapy combined with antiviral therapy for novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030305", "primaryOutcome": "blood RNA;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50223"}, "type": "Feature"}, {"geometry": {"coordinates": [116.537564, 33.839175], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "hcm200702@163.com", "contactPhone": "+86 13584010516", "dateEnrollment": "2020-02-20", "description": "Umbilical cord mesenchymal stem cells (hucMSCs) in the treatment of high risk novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030300", "primaryOutcome": "Time to disease recovery;Exacerbation (transfer to RICU) time;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50022"}, "type": "Feature"}, {"geometry": {"coordinates": [121.035525, 31.854208], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "dr_lif08@126.com", "contactPhone": "+86 18121150282", "dateEnrollment": "2020-03-01", "description": "Clinical observation and research plan of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030293", "primaryOutcome": "Clinical indicators;", "study_type": "Observational study", "time": "2020-02-27", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50195"}, "type": "Feature"}, {"geometry": {"coordinates": [118.098294, 24.441766], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "jieminzhu@xmu.edu.cn", "contactPhone": "+86 15960212649", "dateEnrollment": "2020-02-11", "description": "Health related quality of life and its influencing factors among front line nurses caring patients with new coronavirus pneumonia (COVID-19) from two hospitals in China", "name": "ChiCTR2000030290", "primaryOutcome": "Quality of Life;Epidemic Prevention Medical Protective Equipment related Skin Lesion and Management Scale;", "study_type": "Observational study", "time": "2020-02-27", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50175"}, "type": "Feature"}, {"geometry": {"coordinates": [116.541775, 39.837238], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "huangluqi01@126.com", "contactPhone": "+86 010-64089801", "dateEnrollment": "2020-02-27", "description": "Efficacy of Traditional Chinese Medicine in the Treatment of Novel Coronavirus Pneumonia (COVID-19): a Randomized Controlled Trial", "name": "ChiCTR2000030288", "primaryOutcome": "The time to 2019-nCoV RNA negativity in patients;", "study_type": "Interventional study", "time": "2020-02-27", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50202"}, "type": "Feature"}, {"geometry": {"coordinates": [114.21667, 29.88333], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "2066255602@qq.com", "contactPhone": "+86 13508649926", "dateEnrollment": "2020-02-27", "description": "Correlation between imaging characteristics and laboratory tests of new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030283", "primaryOutcome": "imaging feature;", "study_type": "Observational study", "time": "2020-02-27", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50119"}, "type": "Feature"}, {"geometry": {"coordinates": [126.641955, 45.76309], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "drkaijiang@163.com", "contactPhone": "+86 13303608899", "dateEnrollment": "2020-02-24", "description": "Study for continuous renal replacement therapy with adsorption filter in the treatment of the novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030265", "primaryOutcome": "Inflammation factor;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49691"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "wangjing9279@163.com", "contactPhone": "+86 18186161668", "dateEnrollment": "2020-02-28", "description": "ICU healthcare personnel burnout investigation during the fight against novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030264", "primaryOutcome": "no;", "study_type": "Observational study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50161"}, "type": "Feature"}, {"geometry": {"coordinates": [116.415123, 39.873508], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "lvjihui@139.com", "contactPhone": "+86 010 62402842", "dateEnrollment": "2020-02-20", "description": "Investigation and analysis of psychological status of hospital staff during the novel coronavirus pneumonia (COVID-19) epidemic", "name": "ChiCTR2000030263", "primaryOutcome": "GHQ-20;", "study_type": "Epidemilogical research", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50140"}, "type": "Feature"}, {"geometry": {"coordinates": [121.035525, 31.854208], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xujianqing@shphc.org.cn", "contactPhone": "+86 18964630206", "dateEnrollment": "2020-02-01", "description": "Clinical study for combination of anti-viral drugs and type I interferon and inflammation inhibitor TFF2 in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030262", "primaryOutcome": "Viral load;Clinical features;Inflammation;Pulmonary imaging;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50136"}, "type": "Feature"}, {"geometry": {"coordinates": [120.388634, 31.439909], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "chump1981@163.com", "contactPhone": "+86 15052103816", "dateEnrollment": "2020-03-01", "description": "A study for the key technology of mesenchymal stem cells exosomes atomization in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030261", "primaryOutcome": "Lung CT;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49963"}, "type": "Feature"}, {"geometry": {"coordinates": [101.96033, 30.05127], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "27216302@qq.com", "contactPhone": "+86 17723451376", "dateEnrollment": "2020-02-27", "description": "Clinical study for individualized nutritional assessment and supportive treatment of novel coronavirus pneumonia (COVID-19) patients in Tibetan Plateau", "name": "ChiCTR2000030260", "primaryOutcome": "NRS 2002 score;BMI;triceps skinfold thickness (TSF);prealbumin;total albumin;leucocyte count;CRP;lymphocyte percentage;TNF- alpha;IL-6;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50130"}, "type": "Feature"}, {"geometry": {"coordinates": [121.598303, 31.137102], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "docd1@sina.com", "contactPhone": "+86 18917387623", "dateEnrollment": "2020-02-22", "description": "Evaluation Danorevir sodium tablets combined with ritonavir in the treatment of novel coronavirus pneumonia (COVID-19): a randomized, open and controlled trial", "name": "ChiCTR2000030259", "primaryOutcome": "Rate of composite advers outcomes: SpO2, PaO2/FiO2, respiratory rate;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49918"}, "type": "Feature"}, {"geometry": {"coordinates": [126.731049, 45.637114], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hydyangwei@tom.com", "contactPhone": "+86 13845099775", "dateEnrollment": "2020-02-21", "description": "A multicenter, randomized, controlled trial for efficacy and safety of hydrogen inhalation in the treatment of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030258", "primaryOutcome": "temperature;respiratory rate;Blood oxygen saturation;Cough symptom;Lung CT;Fatality rate;", "study_type": "Treatment study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49887"}, "type": "Feature"}, {"geometry": {"coordinates": [114.451838, 30.444299], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "1078404424@qq.com", "contactPhone": "+86 18602764053", "dateEnrollment": "2020-03-09", "description": "The coagulation function of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030257", "primaryOutcome": "INR;PT;TT;APTT;FIB;DD;", "study_type": "Observational study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50006"}, "type": "Feature"}, {"geometry": {"coordinates": [121.619056, 31.199979], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yyliuhua@126.com", "contactPhone": "+86 18930568010", "dateEnrollment": "2020-03-01", "description": "Efficacy and Safety of Jing-Yin Granule in the treatment of novel coronavirus pneumonia (COVID-19) wind-heat syndrome", "name": "ChiCTR2000030255", "primaryOutcome": "Clearance rate and time of main symptoms (fever, fatigue, cough);", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50089"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wangxinghuan@whu.edu.cn", "contactPhone": "+86 027 67813096", "dateEnrollment": "2020-02-20", "description": "A randomized, open-controlled trial for farpiravir tablets in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030254", "primaryOutcome": "pulse oxygen saturation;Parameters Respiratory support ;Nucleic acid test of novel coronavirus;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50137"}, "type": "Feature"}, {"geometry": {"coordinates": [101.977196, 30.066387], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "27216302@qq.com", "contactPhone": "+86 17723451376", "dateEnrollment": "2020-02-27", "description": "Exploration and Research for a new method for detection of novel coronavirus (COVID-19) nucleic acid", "name": "ChiCTR2000030253", "primaryOutcome": "SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50143"}, "type": "Feature"}, {"geometry": {"coordinates": [115.71841, 38.23665], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "syicu@vip.sina.com", "contactPhone": "+86 13933856908", "dateEnrollment": "2020-02-01", "description": "The treatment status and risk factors related to prognosis of hospitalized patients with novel coronavirus pneumonia (COVID-19) in intensive care unit, Hebei, China: a descriptive study", "name": "ChiCTR2000030226", "primaryOutcome": "Clinical characteristics;", "study_type": "Observational study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49855"}, "type": "Feature"}, {"geometry": {"coordinates": [121.501537, 31.262985], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "pdzhoujia@163.com", "contactPhone": "+86 18017306677", "dateEnrollment": "2020-02-22", "description": "Clinical Reseach of Acupuncture in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030225", "primaryOutcome": "Length of hospital stay;Discharge time of general type;Discharge time of severe type;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49945"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "chengyunliu@hust.edu.cn", "contactPhone": "+86 18007117616", "dateEnrollment": "2020-02-26", "description": "Clinical study of mesenchymal stem cells in treating severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030224", "primaryOutcome": "SP02;lesions of lung CT;temperature;Blood routine;Inflammatory biomarkers;", "study_type": "Interventional study", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49968"}, "type": "Feature"}, {"geometry": {"coordinates": [106.360341, 29.436043], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "406302524@qq.com", "contactPhone": "+86 13678494357", "dateEnrollment": "2020-02-21", "description": "Cancelled due to lack of participants Study for the Impact of Novel Coronavirus Pneumonia (COVID-19) to the Health of the elderly People", "name": "ChiCTR2000030222", "primaryOutcome": "health status;Mental health status;", "study_type": "Observational study", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50048"}, "type": "Feature"}, {"geometry": {"coordinates": [117.308294, 39.012303], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yingfei1981@163.com", "contactPhone": "+86 13920648942", "dateEnrollment": "2020-01-21", "description": "Study for evaluation of integrated traditional Chinese and Western Medicine in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030219", "primaryOutcome": "Clinical symptoms;TCM syndrome;Lung imaging;Time of nucleic acid turning negative;", "study_type": "Interventional study", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50110"}, "type": "Feature"}, {"geometry": {"coordinates": [114.950145, 25.851135], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "2590410004@qq.com", "contactPhone": "+86 13707077997", "dateEnrollment": "2020-01-22", "description": "Study of Pinavir / Ritonavir Tablets (Trade Name: Kelizhi) Combined with Xiyanping Injection for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030218", "primaryOutcome": "Clinical recovery time;Pneumonia Severity Index (PSI) score;", "study_type": "Interventional study", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50115"}, "type": "Feature"}, {"geometry": {"coordinates": [115.377066, 27.730417], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "freebee99@163.com", "contactPhone": "+86 13576955700", "dateEnrollment": "2020-02-26", "description": "Study for the efficacy of Kangguan No. 1-3 prescription in the treatment of novel coronavirus pneumonia (COVID19)", "name": "ChiCTR2000030215", "primaryOutcome": "Routine physical examination;Vital signs: breathing, body temperature (armpit temperature);Blood routine;C-reactive protein;Liver and kidney function test;Myocardial enzyme content;ESR;T cell subsets;Cytokine;Liver, gallbladder, thyroid, and lymph node imaging;Chest CT;Infectious disease test;", "study_type": "Interventional study", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50107"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hxkfhcq@126.com", "contactPhone": "+86 18980601618", "dateEnrollment": "2020-08-24", "description": "Clinical research of pulmonary rehabilitation in survivors due to severe or critial novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030198", "primaryOutcome": "pulmonary function;", "study_type": "Interventional study", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50066"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Pengzy5@hotmail.com", "contactPhone": "+86 18672396028", "dateEnrollment": "2020-02-20", "description": "A multicenter, single arm, open label trial for the efficacy and safety of CMAB806 in the treatment of cytokine release syndrome of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030196", "primaryOutcome": "the relive of CRS;", "study_type": "Interventional study", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49883"}, "type": "Feature"}, {"geometry": {"coordinates": [104.171816, 30.546415], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "luyibingli@163.com", "contactPhone": "+86 18328737998", "dateEnrollment": "2020-02-22", "description": "A prospective randomized controlled trial for the home exercise prescription intervention in nursing students during epidemic of novel coronary pneumonia (COVID-19)", "name": "ChiCTR2000030091", "primaryOutcome": "Mood index;", "study_type": "Interventional study", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49914"}, "type": "Feature"}, {"geometry": {"coordinates": [106.548522, 29.565867], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "1041863309@qq.com", "contactPhone": "+86 023 61103649", "dateEnrollment": "2020-02-21", "description": "Cancelled due to lack of patient A Medical Records Based Study for Construction and Analysis of Diagnosis Predictive&", "name": "ChiCTR2000030042", "primaryOutcome": "ROC;calibration curve;", "study_type": "Observational study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49899"}, "type": "Feature"}, {"geometry": {"coordinates": [117.262767, 31.847597], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ahmusld@163.com", "contactPhone": "+86 13856985045", "dateEnrollment": "2020-02-22", "description": "A parallel, randomized controlled clinical trial for the efficacy and safety of Pediatric Huatanzhike granules (containing ipecacuanha tincture) in the treatment of mild and moderate novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030022", "primaryOutcome": "COVID-19 nucleic acid detection time from positive to negative (respiratory secretion) or (3,5,7,10 days from positive to negative rate);;Lung CT observation of inflammation absorption;;Proportion of cases with progressive disease;", "study_type": "Interventional study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49797"}, "type": "Feature"}, {"geometry": {"coordinates": [116.417112, 39.872184], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "fengcao8828@163.com", "contactPhone": "+86 13911798280", "dateEnrollment": "2020-02-20", "description": "A prospective clinical study for recombinant human interferon alpha 1b spray in the prevention of novel coronavirus (COVID-19) infection in highly exposed medical staffs.", "name": "ChiCTR2000030013", "primaryOutcome": "Blood routine examination;Chest CT;Arterial Blood Oxygen Saturation;", "study_type": "Interventional study", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49796"}, "type": "Feature"}, {"geometry": {"coordinates": [116.022157, 28.583145], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhangweiliuxin@163.com", "contactPhone": "+86 0791-88693401", "dateEnrollment": "2020-02-18", "description": "A randomized, open-label, controlled trial for the safety and efficiency of Kesuting syrup and Keqing capsule in the treatment of mild and moderate novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029991", "primaryOutcome": "cough;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49666"}, "type": "Feature"}, {"geometry": {"coordinates": [125.309144, 43.853493], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shuchenghua@126.com", "contactPhone": "+86 13756661209", "dateEnrollment": "2020-02-24", "description": "Single arm study for exploration of chloroquine phosphate aerosol inhalation in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029975", "primaryOutcome": "viral negative-transforming time;30-day cause-specific mortality;co-infections;Time from severe and critical patients to clinical improvement;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49592"}, "type": "Feature"}, {"geometry": {"coordinates": [108.40202, 30.70576], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xiaokh1@163.com", "contactPhone": "+86 19923204040", "dateEnrollment": "2020-02-17", "description": "Cancelled due to lack of patient Medical records based study for epidemiological and clinical characteristics of 2019 novel coronavirus pneumonia (COVID-19) in Chongqing", "name": "ChiCTR2000029952", "primaryOutcome": "Clinical symptoms;Test result;Examination result;", "study_type": "Observational study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49630"}, "type": "Feature"}, {"geometry": {"coordinates": [114.253296, 30.245871], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "yogaqq116@whu.edu.cn", "contactPhone": "+86 18062586860", "dateEnrollment": "2020-02-17", "description": "Research for Risks Associated with Novel Coronavirus Pneumonia (COVID-19) in the Hospital Workers and Nosocomial Prevention and Control Strategy", "name": "ChiCTR2000029900", "primaryOutcome": "exposed factors;latent period;preventive measures;", "study_type": "Observational study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49377"}, "type": "Feature"}, {"geometry": {"coordinates": [116.414204, 39.876292], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shenning1972@126.com", "contactPhone": "+86 15611908958", "dateEnrollment": "2020-02-17", "description": "Evaluation the Efficacy and Safety of Hydroxychloroquine Sulfate in Comparison with Phosphate Chloroquine in Mild and Commen Patients with Novel Coronavirus Pneumonia (COVID-19): a Randomized, Open-label, Parallel, Controlled Trial", "name": "ChiCTR2000029899", "primaryOutcome": "Time to Clinical Recovery, TTCR;", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49536"}, "type": "Feature"}, {"geometry": {"coordinates": [116.414204, 39.876292], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shenning1972@126.com", "contactPhone": "+86 15611908958", "dateEnrollment": "2020-02-17", "description": "Evaluation the Efficacy and Safety of Hydroxychloroquine Sulfate in Comparison with Phosphate Chloroquine in Severe Patients with Novel Coronavirus Pneumonia (COVID-19): a Randomized, Open-Label, Parallel, Controlled Trial", "name": "ChiCTR2000029898", "primaryOutcome": "TTCI (Time to Clinical Improvement);", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49482"}, "type": "Feature"}, {"geometry": {"coordinates": [108.508589, 30.595241], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wangjinlong2007666@163.com", "contactPhone": "+86 15923859880", "dateEnrollment": "2020-02-15", "description": "Cancelled due to lack of patient Medical records based study for Heart-type fatty acid-binding protein on prognosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029829", "primaryOutcome": "Worsening condition;Death;Heart fatty acid binding protein;", "study_type": "Observational study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49520"}, "type": "Feature"}, {"geometry": {"coordinates": [106.565122, 29.580125], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wenxiang_huang@163.com", "contactPhone": "+86 13883533808", "dateEnrollment": "2020-02-12", "description": "Cancelled due to lack of patient Clinical study for the effect and", "name": "ChiCTR2000029762", "primaryOutcome": "Negative conversion rate of COVID-19 nucleic acid;Lung inflammation absorption ratio;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49404"}, "type": "Feature"}, {"geometry": {"coordinates": [106.654802, 29.45449], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "wenxiang_huang@163.com", "contactPhone": "+86 13883533808", "dateEnrollment": "2020-02-13", "description": "Cancelled due to lack of patient Clinical study on the safety and effectiveness of Hydroxychloroquine Sulfate tablets in the treatment of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029761", "primaryOutcome": "Negative conversion rate of 2019-nCoV nucleic acid ;Lung inflammation absorption ratio;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49400"}, "type": "Feature"}, {"geometry": {"coordinates": [106.65509, 29.455349], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "maohwei@qq.com", "contactPhone": "+86 13928459556", "dateEnrollment": "2020-02-12", "description": "Cancelled due to lack of patient A study for the efficacy of hydroxychloroquine for mild and moderate COVID-19 infectious diseases", "name": "ChiCTR2000029760", "primaryOutcome": "Time to clinical recovery;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49369"}, "type": "Feature"}, {"geometry": {"coordinates": [106.654978, 29.455501], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "hp_cq@163.com", "contactPhone": "+86 13608338064", "dateEnrollment": "2020-02-15", "description": "Retracted due to lack of patient A multicenter, randomized, open label, controlled trial for the efficacy and safety of ASC09/ Ritonavir compound tablets and Lopinavir/ Ritonavir (Kaletra) and Arbidol tablets in the treatm", "name": "ChiCTR2000029759", "primaryOutcome": "time to recovery.;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49352"}, "type": "Feature"}, {"geometry": {"coordinates": [114.448981, 30.448488], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ld_2069@163.com", "contactPhone": "+86 13507183749", "dateEnrollment": "2020-02-15", "description": "A randomized, open, parallel-controlled clinical trial on the efficacy and safety of Jingyebaidu granules in treating novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029755", "primaryOutcome": "Validity observation index;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49301"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "ld_2069@163.com", "contactPhone": "+86 13507183749", "dateEnrollment": "2020-02-15", "description": "A Retrospective Study for Preventive Medication in Tongji Hospital During the Epidemic of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029728", "primaryOutcome": "The proportion of patients diagnosed with 2019-ncov viral pneumonia;", "study_type": "Observational study", "time": "2020-02-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49250"}, "type": "Feature"}, {"geometry": {"coordinates": [115.91793, 29.30149], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "gongguozhong@csu.edu.cn", "contactPhone": "+86 13873104819", "dateEnrollment": "2020-01-29", "description": "A randomized, open label, parallel controlled trial for evaluating the efficacy of recombinant cytokine gene-derived protein injection in eliminating novel coronavirus in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029496", "primaryOutcome": "Time of new coronavirus nucleic acid turning negative;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48809"}, "type": "Feature"}, {"geometry": {"coordinates": [109.40029, 29.16792], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "yaokaichen@hotmail.com", "contactPhone": "+86 023-65481658", "dateEnrollment": "2020-01-25", "description": "Comparative effectiveness and safety of ribavirin plus interferon-alpha, lopinavir/ritonavir plus interferon-alpha and ribavirin plus lopinavir/ritonavir plus interferon-alphain in patients with mild to moderate novel coronavirus pneumonia", "name": "ChiCTR2000029387", "primaryOutcome": "The time to 2019-nCoV RNA negativity in patients;", "study_type": "Interventional study", "time": "2020-01-29", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48782"}, "type": "Feature"}, {"geometry": {"coordinates": [109.417156, 29.183037], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "yaokaichen@hotmail.com", "contactPhone": "+86 13638352995", "dateEnrollment": "2020-01-29", "description": "Effectiveness of glucocorticoid therapy in patients with severe novel coronavirus pneumonia: a randomized controlled trial", "name": "ChiCTR2000029386", "primaryOutcome": "SOFA score;", "study_type": "Interventional study", "time": "2020-01-29", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48777"}, "type": "Feature"}, {"geometry": {"coordinates": [117.043599, 36.691856], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "", "contactPhone": "", "dateEnrollment": "February 16, 2020", "description": "Evaluating the Efficacy and Safety of Bromhexine Hydrochloride Tablets Combined With Standard Treatment/ Standard Treatment in Patients With Suspected and Mild Novel Coronavirus Pneumonia (COVID-19)", "name": "NCT04273763", "primaryOutcome": "Time to clinical recovery after treatment", "study_type": "Interventional", "time": "2020-02-14", "weburl": "https://clinicaltrials.gov/show/NCT04273763"}, "type": "Feature"}, {"geometry": {"coordinates": [-76.847243, 39.084005], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": ";heyi@tasly.com", "contactPhone": ";86-022-86343860", "dateEnrollment": "February 26, 2020", "description": "The Effect of T89 on Improving Oxygen Saturation and Clinical Symptoms in Patients With COVID-19", "name": "NCT04285190", "primaryOutcome": "The time to oxygen saturation recovery to normal level (=97%);The proportion of patients with normal level of oxygen saturation(=97%)", "study_type": "Interventional", "time": "2020-02-19", "weburl": "https://clinicaltrials.gov/show/NCT04285190"}, "type": "Feature"}, {"geometry": {"coordinates": [116.408142, 39.921334], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";dinghuiguo@medmail.com.cn", "contactPhone": ";+86-13911683832", "dateEnrollment": "February 23, 2020", "description": "The Clinical Study of Carrimycin on Treatment Patients With COVID-19", "name": "NCT04286503", "primaryOutcome": "Fever to normal time (day);Pulmonary inflammation resolution time (HRCT) (day);Negative conversion (%) of 2019-nCOVRNA in gargle (throat swabs) at the end of treatment", "study_type": "Interventional", "time": "2020-02-25", "weburl": "https://clinicaltrials.gov/show/NCT04286503"}, "type": "Feature"}, {"geometry": {"coordinates": [113.198269, 23.135769], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";dryiminli@vip.163.com;gyfygcp@163.com", "contactPhone": ";+8613533569161;020-83062338", "dateEnrollment": "February 2020", "description": "Recombinant Human Angiotensin-converting Enzyme 2 (rhACE2) as a Treatment for Patients With COVID-19", "name": "NCT04287686", "primaryOutcome": "Time course of body temperature (fever);Viral load over time", "study_type": "Interventional", "time": "2020-02-21", "weburl": "https://clinicaltrials.gov/show/NCT04287686"}, "type": "Feature"}, {"geometry": {"coordinates": [113.695936, 34.801133], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zlgj-001@126.com", "contactPhone": "+86 13673665268", "dateEnrollment": "2020-02-01", "description": "Study for using the healed novel coronavirus pneumonia (COVID-19) patients plasma in the treatment of severe critical cases", "name": "ChiCTR2000030627", "primaryOutcome": "Tempreture;Virus nucleic acid detection;", "study_type": "Interventional study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50727"}, "type": "Feature"}, {"geometry": {"coordinates": [121.208541, 30.178453], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "luxiaoyang@zju.edu.cn", "contactPhone": "+86 13605715886", "dateEnrollment": "2020-03-10", "description": "Novel coronavirus pneumonia (COVID-19) antiviral related liver dysfunction: a multicenter, retrospective, observational study", "name": "ChiCTR2000030593", "primaryOutcome": "ALT;", "study_type": "Observational study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50228"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "zuoyunxiahxa@qq.com", "contactPhone": "+86 18980601541", "dateEnrollment": "2020-02-02", "description": "The immediate psychological impact of novel coronavirus pneumonia (COVID-19) outbreak on medical students in anesthesiology and how the cope", "name": "ChiCTR2000030581", "primaryOutcome": "intrusion;avoidance;", "study_type": "Observational study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50394"}, "type": "Feature"}, {"geometry": {"coordinates": [116.995219, 36.647335], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "docjiangshujuan@163.com", "contactPhone": "+86 15168887199", "dateEnrollment": "2020-02-15", "description": "Risk Factors for Outcomes of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030579", "primaryOutcome": "clinic outcome;", "study_type": "Observational study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50692"}, "type": "Feature"}, {"geometry": {"coordinates": [117.012369, 36.663305], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "15168888626@163.com", "contactPhone": "+86 18660117915", "dateEnrollment": "2020-03-07", "description": "Clinical Prediction and Intervention of Pulmonary Function Impairment in Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030578", "primaryOutcome": "Pulmonary function;6 minutes walking distance;The Short Form -36 Healthy Survey;", "study_type": "Interventional study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50690"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452095, 30.448457], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hmei@hust.edu.cn", "contactPhone": "+86 13886160811", "dateEnrollment": "2020-03-08", "description": "Research on peripheral immunity function monitoring and its clinical application in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030574", "primaryOutcome": "Immunity function;cytokines;viral load;", "study_type": "Observational study", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49953"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "haoyaner@163.com", "contactPhone": "+86 13971679960", "dateEnrollment": "2020-03-15", "description": "Psychological Intervention of Children with Novel Coronavirus Disease (COVID-19)", "name": "ChiCTR2000030564", "primaryOutcome": "Child Stress Disorders Checklist evaluation;Achenbach children's behavior checklist evaluation;children's severe emotional disorder and psychological crisis during inpatient treatment;", "study_type": "Observational study", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50653"}, "type": "Feature"}, {"geometry": {"coordinates": [121.208541, 30.178453], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "zhanghuafen@zju.edu.cn", "contactPhone": "+86 13757120681", "dateEnrollment": "2020-03-07", "description": "A medical records based study for the safety of artificial liver cluster nursing in critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030559", "primaryOutcome": "Unplanned shutdowns;", "study_type": "Observational study", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50583"}, "type": "Feature"}, {"geometry": {"coordinates": [121.523258, 31.311702], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hywangk@vip.sina.com", "contactPhone": "+86 13801955367", "dateEnrollment": "2020-03-10", "description": "A retrospective study on virus typing, Hematological Immunology and case Review of novel coronavirus infected and convalescent patients (COVID-19)", "name": "ChiCTR2000030557", "primaryOutcome": "viral load;virus genotyping;Classification of lymphocytes;", "study_type": "Observational study", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50667"}, "type": "Feature"}, {"geometry": {"coordinates": [117.369165, 31.733269], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "drliuhu@gmail.com", "contactPhone": "+86 13866175691", "dateEnrollment": "2020-03-15", "description": "Clinical study of nano-nose and its extended technology in diagnosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030556", "primaryOutcome": "Volatile organic compounds, VOCs;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50672"}, "type": "Feature"}, {"geometry": {"coordinates": [114.45212, 30.448466], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "2020-03-08", "description": "Critical ultrasound in evaluating cardiopulmonary function in critical patients infected with 2019 novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030552", "primaryOutcome": "Lung ultrasound index;Right ventricular function ultrasound index;Left ventricular function ultrasound index;", "study_type": "Observational study", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49708"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "Fangmh@tjh.tjmu.edu.cn", "contactPhone": "+86 15071157405", "dateEnrollment": "2020-02-24", "description": "Study for the risk factors of critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030544", "primaryOutcome": "in-ICU mortality;mortality of 28 days;", "study_type": "Observational study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50134"}, "type": "Feature"}, {"geometry": {"coordinates": [114.2348, 30.231819], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "cxfn817@163.com", "contactPhone": "+86 13986156712", "dateEnrollment": "2020-02-14", "description": "Detection of coronavirus in simultaneously collecting tears and throat swab samples collected from the patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030543", "primaryOutcome": "A cycle threshold value (Ct-value);", "study_type": "Observational study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50541"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "binwuying@126.com", "contactPhone": "+86 18980601655", "dateEnrollment": "2020-03-09", "description": "A clinical study about the diagnosis and prognosis evaluation of novel coronacirus pneumonia (COVID-19) based on viral genome, host genomic sequencing, relative cytokines and other laboratory indexes.", "name": "ChiCTR2000030542", "primaryOutcome": "Pulmonary image findings;Relevant clinical manifestations of COVID-19;Oxygen saturation in resting state;Arterial partial pressure of oxygen/ Oxygen absorption concentration;Length of hospital stay;Viral genome information;Host genome information;Expression level of host cytokines;Conventional laboratory testing index;", "study_type": "Observational study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50608"}, "type": "Feature"}, {"geometry": {"coordinates": [118.09559, 24.56048], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "417433835@qq.com", "contactPhone": "+86 13806086169", "dateEnrollment": "2020-03-06", "description": "Novel coronavirus pneumonia (COVID-19) epidemic survey of medical students in various provinces and municipalities throughout the country", "name": "ChiCTR2000030541", "primaryOutcome": "PSS-14;", "study_type": "Observational study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50623"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "2020-03-08", "description": "Research for the mechanism of improvement of novel coronavirus pneumonia (COVID-19) patients' pulmonary exudation by continuous renal replacement therapy", "name": "ChiCTR2000030540", "primaryOutcome": "Chest imaging;Oxygenation index;Extravascular pulmonary water;pulmonary vascular permeability index, PVPI;Inflammatory factors;Tissue kallikrein;", "study_type": "Interventional study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50658"}, "type": "Feature"}, {"geometry": {"coordinates": [113.394869, 23.005235], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "gz8hzf@126.com", "contactPhone": "+86 18122317900", "dateEnrollment": "2020-03-06", "description": "Study for clinical oral characteristics of patients with novel coronavirus pneumonia (COVID-19) and Effect of 3% hydrogen peroxide gargle on the Intraoral novel coronavirus", "name": "ChiCTR2000030539", "primaryOutcome": "novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50660"}, "type": "Feature"}, {"geometry": {"coordinates": [104.753119, 31.45752], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "1121733818@qq.com", "contactPhone": "+86 18508160990", "dateEnrollment": "2020-02-20", "description": "Multi-Center Clinical Study on the Treatment of Patients with Novel Coronavirus Pneumonia (COVID-19) by Ebastine", "name": "ChiCTR2000030535", "primaryOutcome": "Clinical therapeutic course;Pathogenic detectio;Chest CT;Laboratory indicators (blood routine, myocardial enzyme spectrum, inflammatory cytokines, etc.);", "study_type": "Interventional study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49790"}, "type": "Feature"}, {"geometry": {"coordinates": [104.190415, 30.560299], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "1035788783@qq.com", "contactPhone": "+86 13880336152", "dateEnrollment": "2020-03-09", "description": "Efficacy and safety of Ma-Xing-Gan-Shi decoction in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030522", "primaryOutcome": "Time to Clinical Recovery (TTCR);", "study_type": "Interventional study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=44213"}, "type": "Feature"}, {"geometry": {"coordinates": [113.411735, 23.020352], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "gz8hlc@126.com", "contactPhone": "+86 15989096626", "dateEnrollment": "2020-03-06", "description": "Study for the clinical characteristics and digestive system damage of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030519", "primaryOutcome": "RNA of Coronavirus;", "study_type": "Observational study", "time": "2020-03-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50604"}, "type": "Feature"}, {"geometry": {"coordinates": [120.680436, 28.012744], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13968888872@163.com", "contactPhone": "+86 13857715778", "dateEnrollment": "2020-02-29", "description": "Zedoary Turmeric Oil for Injection in the treatment of Novel Coronavirus Pneumonia (COVID-19): a randomized, open, controlled trial", "name": "ChiCTR2000030518", "primaryOutcome": "Real-time fluorescent RT-PCR detection of pharyngeal swab were used to detect the negative conversion rate of the new coronavirus nucleic acid (tested after the end of medication) and the negative conversion time(measured every other day after the start of medication, determined according to clinical needs);Time to clinical improvement;Change in size of lesion area by chest CT;Time to fever subsidence, defined as the time at which a subject with fever at enrollment has returned to normal temperature for at least 72 hours;", "study_type": "Interventional study", "time": "2020-03-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50586"}, "type": "Feature"}, {"geometry": {"coordinates": [121.208541, 30.178453], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xxw69@126.com", "contactPhone": "+86 13605708066", "dateEnrollment": "2020-01-20", "description": "Extracorporeal blood purification therapy using Li's Artifical Liver System for patients with severe novel coronavirus pneumonia (COVID19) patient", "name": "ChiCTR2000030503", "primaryOutcome": "Mortality;", "study_type": "Interventional study", "time": "2020-03-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49632"}, "type": "Feature"}, {"geometry": {"coordinates": [106.739975, 33.054766], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "dongze.li@ymail.com", "contactPhone": "+86 028-85423248", "dateEnrollment": "2020-03-01", "description": "Early risk stratification of the Novel coronavirus infected diseases (COVID-19): a multicenter retrospective study (ERS-COVID-19 study)", "name": "ChiCTR2000030494", "primaryOutcome": "In-hospital mortality;Hospital mortality;", "study_type": "Observational study", "time": "2020-03-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50077"}, "type": "Feature"}, {"geometry": {"coordinates": [114.251426, 30.246145], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "wenqin-1987@163.com", "contactPhone": "+86 13808628560", "dateEnrollment": "2020-03-04", "description": "Survey for sleep, anxiety and depression status of Chinese residents during the outbreak of novel coronavirus infected disases (COVID-19)", "name": "ChiCTR2000030493", "primaryOutcome": "Pittsburgh sleep quality index;", "study_type": "Observational study", "time": "2020-03-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50547"}, "type": "Feature"}, {"geometry": {"coordinates": [103.126746, 26.983657], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chenxinyuchen@163.com", "contactPhone": "+86 13807312410", "dateEnrollment": "2020-03-04", "description": "Retrospective study for integrate Chinese and conventional medicine treatment of novel coronavirus pneumonia (COVID-19) in Hu'nan province", "name": "ChiCTR2000030492", "primaryOutcome": "TCM syndrome;", "study_type": "Observational study", "time": "2020-03-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50549"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "Kangyan@scu.edu.cn", "contactPhone": "+86 18980601566", "dateEnrollment": "2020-03-03", "description": "A medical records based study for Comparing Differences of Clinical Features and Outcomes of Novel Coronavirus Pneumonia (COVID-19) Patients between Sichuan Province and Wuhan City", "name": "ChiCTR2000030491", "primaryOutcome": "length of stay;length of stay in ICU;Hospital costs;Hospital costs;Antibiotic use;Organ function support measures;", "study_type": "Observational study", "time": "2020-03-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50552"}, "type": "Feature"}, {"geometry": {"coordinates": [114.102245, 30.574634], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wanghaohh@vip.126.com", "contactPhone": "+86 13901883868", "dateEnrollment": "2020-02-01", "description": "To evaluate the efficacy and safety of diammonium glycyrrhizinate enteric-coated capsules combined with hydrogen-rich water in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030490", "primaryOutcome": "Cure rate;", "study_type": "Interventional study", "time": "2020-03-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50487"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "s_1862777@163.com", "contactPhone": "+86 18627770651", "dateEnrollment": "2020-02-01", "description": "Study for the route of ocular surface transmission of novel coronavirus pneumonia (COVID-19) infection and related eye diseases", "name": "ChiCTR2000030489", "primaryOutcome": "Nuclei acid test of SARS-CoV-2 of conjunctival swab;Nuclei acid test of SARS-CoV-2 of throat swab;Nuclei acid test of SARS-CoV-2 of peripheral blood sample;Eye symptoms;Clinical symptoms;", "study_type": "Epidemilogical research", "time": "2020-03-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50490"}, "type": "Feature"}, {"geometry": {"coordinates": [113.802547, 34.690683], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "38797527@qq.com", "contactPhone": "13938415502", "dateEnrollment": "2020-03-04", "description": "A single-center, single-arm clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030487", "primaryOutcome": "Sputum/nasal swab/pharyngeal swab/lower respiratory tract secretions were used to detect the negative conversion rate of the new coronavirus nucleic acid (tested daily after two days starting the azvudine tablets) and the negative conversion time;", "study_type": "Interventional study", "time": "2020-03-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50507"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "2020-03-03", "description": "Study for timing of mechanical ventilation for critically ill patients with novel coronavirus pneumonia (COVID-19): A medical records based retrospective Cohort study", "name": "ChiCTR2000030485", "primaryOutcome": "28-day mortality;ICU 14-day mortality;", "study_type": "Observational study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50459"}, "type": "Feature"}, {"geometry": {"coordinates": [110.778673, 32.646778], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "182190248@qq.com", "contactPhone": "+86 0719 8801713", "dateEnrollment": "2020-02-02", "description": "HUMSCs and Exosomes Treating Patients with Lung Injury following Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030484", "primaryOutcome": "PaO2 / FiO2 or respiratory rate (without oxygen);Frequency of respiratory exacerbation;Observe physical signs and symptoms and record clinical recovery time;The number and range of lesions indicated by CT and X-ray of lung;Time for cough to become mild or absent;Time for dyspnea to become mild or no dyspnea;Frequency of oxygen inhalation or noninvasive ventilation, frequency of mechanical ventilation;Inflammatory cytokines (CRP / PCT / SAA, etc.);Frequency of serious adverse events;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50263"}, "type": "Feature"}, {"geometry": {"coordinates": [116.434746, 39.953943], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "drhuoyong@163.com", "contactPhone": "+86 13901333060", "dateEnrollment": "2020-03-06", "description": "A Multicenter, Long- term Follow-up and Registration Study for Myocardial Injury and Prognosis of Novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030482", "primaryOutcome": "Cardiac injury;Death in hospital and/or Endotracheal Intubation Deaths during hospitalization;Admitted to the ICU;Composite end points of cardiovascular events( nonfatal heart failure, nonfatal myocardial infarction, nonfatal stroke or cardiovascular death);Stroke;Heart failure;Myocardial infarction;Other cardiovascular health related endpoints;", "study_type": "Observational study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50353"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "chzs1990@163.com", "contactPhone": "+86 13627288300", "dateEnrollment": "2020-03-01", "description": "The clinical value of corticosteroid therapy timing in the treatment of novel coronavirus pneumonia (COVID-19): a prospective randomized controlled trial", "name": "ChiCTR2000030481", "primaryOutcome": "The time of duration of COVID-19 nucleic acid RT-PCR test results of respiratory specimens (such as throat swabs) or blood specimens change to negative.;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50453"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "huilanz_76@163.com", "contactPhone": "+86 15391532171", "dateEnrollment": "2020-03-03", "description": "Randomized, open, blank controlled trial for the efficacy and safety of recombinant human interferon alpha 1beta in the treatment of Wuhan patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030480", "primaryOutcome": "Incidence of side effects;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50470"}, "type": "Feature"}, {"geometry": {"coordinates": [118.88016, 31.934447], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "fangzjnj@hotmail.com", "contactPhone": "+86 13372018676", "dateEnrollment": "2020-02-26", "description": "Study for the Effectiveness and Safety of Yi-Qi Hua-shi Jie-Du-Fang in the Treatment of the Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030479", "primaryOutcome": "lasting time of fever;lasting time of novel coronavirus pneumonia virus nucleic acid detected by RT-PCR and negative result rate of the novel coronavirus disease nucleic acid;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50450"}, "type": "Feature"}, {"geometry": {"coordinates": [116.412116, 39.912058], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "lixmpumch@126.com", "contactPhone": "+86 13911467356", "dateEnrollment": "2020-03-04", "description": "oXiris Membrane in Treating Critically Ill Hospitalized Adult Patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030477", "primaryOutcome": "28 day mortality;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50458"}, "type": "Feature"}, {"geometry": {"coordinates": [116.539828, 39.838631], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "lixmpumch@126.com", "contactPhone": "+86 13911467356", "dateEnrollment": "2020-03-04", "description": "Cytosorb in Treating Critically Ill Hospitalized Adult Patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030475", "primaryOutcome": "28 day mortality;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50452"}, "type": "Feature"}, {"geometry": {"coordinates": [123.426898, 41.800541], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "sylykjk@163.com", "contactPhone": "+86 18502468189", "dateEnrollment": "2020-02-25", "description": "An open and controlled clinical study to evaluate the efficacy and safety of Ganovo combined with ritonavir in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030472", "primaryOutcome": "Rate of composite advers outcomes: SPO2, PaO2/FiO2 and respiratory rate;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49753"}, "type": "Feature"}, {"geometry": {"coordinates": [110.84607, 21.93924], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "gghicu@163.com", "contactPhone": "+86 13922745788", "dateEnrollment": "2020-03-02", "description": "Efficacy and safety of lipoic acid injection in reducing the risk of progression in common patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030471", "primaryOutcome": "Progression rate from mild to critical/severe;", "study_type": "Interventional study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50421"}, "type": "Feature"}, {"geometry": {"coordinates": [121.589997, 31.135576], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Xiumingsong@sina.com", "contactPhone": "+86 13817525012", "dateEnrollment": "2020-02-27", "description": "A randomized parallel controlled trial for LIUSHENWAN in Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030469", "primaryOutcome": "fever clearance time;Effective rate of TCM symptoms;", "study_type": "Interventional study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50082"}, "type": "Feature"}, {"geometry": {"coordinates": [117.102071, 36.537669], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "zhagnweijinan@126.com", "contactPhone": "+86 13505319899", "dateEnrollment": "2020-02-28", "description": "Study for the key technique of integrative therapy of Novel Coronavirus Pneumonia (COVID-19): the TCM symptoms and treatment regulation", "name": "ChiCTR2000030468", "primaryOutcome": "disease incidence;Duration of PCR normalization;Distribution pattern of TCM syndromes;", "study_type": "Observational study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50390"}, "type": "Feature"}, {"geometry": {"coordinates": [121.609905, 38.925755], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "411484335@qq.com", "contactPhone": "+86 17709877386", "dateEnrollment": "2020-03-01", "description": "A Randomized Controlled Trial for the Influence of TCM Psychotherapy on Negative Emotion of Patients with Novel Coronavirus Pneumonia (COVID-19) Based on Network Platform", "name": "ChiCTR2000030467", "primaryOutcome": "Psychological status;", "study_type": "Interventional study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50378"}, "type": "Feature"}, {"geometry": {"coordinates": [113.275097, 23.174575], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "wucaineng861010@163.com", "contactPhone": "+86 13580315308", "dateEnrollment": "2020-03-02", "description": "Cancelled by the investigator Influence of nasal high-fow preoxygenation on video laryngoscope for emergency intubation in patients with critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030465", "primaryOutcome": "SpO2 during intubation;the total time of intubation;Mask ventilation for SpO2 < 90%;", "study_type": "Interventional study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50388"}, "type": "Feature"}, {"geometry": {"coordinates": [113.094884, 28.092601], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "gchxyy@163.com", "contactPhone": "+86 0731-88618338", "dateEnrollment": "2020-03-03", "description": "Study for the clinical characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030464", "primaryOutcome": "Clinical characteristics;", "study_type": "Epidemilogical research", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50382"}, "type": "Feature"}, {"geometry": {"coordinates": [120.802674, 27.829447], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "akidney_doctor@hotmail.com", "contactPhone": "+86 0577 55579261", "dateEnrollment": "2020-03-02", "description": "Clinical study for the effects of ACEIs/ARBs on the infection of novel coronavirus pneumonia (CoVID-19)", "name": "ChiCTR2000030453", "primaryOutcome": "ratio of severe cases;", "study_type": "Observational study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50381"}, "type": "Feature"}, {"geometry": {"coordinates": [121.420231, 31.181195], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zhoujian@sjtu.edu.cn", "contactPhone": "+86 18930172033", "dateEnrollment": "2020-03-06", "description": "Application of flash glucose monitoring to evaluate the effect of blood glucose changes on prognosis in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030436", "primaryOutcome": "time in range;", "study_type": "Observational study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50297"}, "type": "Feature"}, {"geometry": {"coordinates": [114.345292, 30.554816], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "liubende99@outlook.com", "contactPhone": "+86 13907191851", "dateEnrollment": "2020-02-29", "description": "Cancelled, due to modify the protocol A single-center, open-label and single arm trial to evaluate the efficacy and safety of anti-SARS-CoV-2 inactivated convalescent plasma in the treatment&", "name": "ChiCTR2000030312", "primaryOutcome": "Clinical symptom improvement rate: improvement rate of clinical symptoms = number of cases with clinical symptom improvement /number of enrolling cases * 100%;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50258"}, "type": "Feature"}, {"geometry": {"coordinates": [113.304412, 23.137034], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "pangi88@126.com", "contactPhone": "+86 15626235237", "dateEnrollment": "2020-03-10", "description": "Protective factors of mental resilience in first-line nurses with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030304", "primaryOutcome": "Mental status;Social support;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49653"}, "type": "Feature"}, {"geometry": {"coordinates": [106.669774, 29.47108], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "cgq1963@163.com", "contactPhone": "+86 023 68757780", "dateEnrollment": "2020-02-01", "description": "Epidemiological and clinical characteristics of COVID-19: a large-scale investigation in epicenter Wuhan, China", "name": "ChiCTR2000030256", "primaryOutcome": "Epidemiological and clinical characteristics;", "study_type": "Epidemilogical research", "time": "2020-02-26", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50078"}, "type": "Feature"}, {"geometry": {"coordinates": [121.501537, 31.262985], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "18930568129@163.com", "contactPhone": "+86 18930568129", "dateEnrollment": "2020-02-25", "description": "A Medical Based Retrospective Real World Study for Assessment of Effectiveness of Comprehensive Traditional Chinese Medicine in the treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030163", "primaryOutcome": "cure rate;duration of hospitalization;days of treatment;", "study_type": "Observational study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50031"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599436, 29.436636], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "caiy_kf@163.com", "contactPhone": "+86 18702745799", "dateEnrollment": "2020-02-19", "description": "Cancelled due to lack of patient Effect of early pulmonary training on lung function and quality of life for novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030014", "primaryOutcome": "MRC breathlessness scale;6MWD;", "study_type": "Interventional study", "time": "2020-02-20", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49802"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413333, 23.019305], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "yefeng@gird.cn", "contactPhone": "+86 13710494278; +86 13622273918", "dateEnrollment": "2020-02-20", "description": "A pilot study for Integrated Chinese and Western Medicine in the treatment of non-critical novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029993", "primaryOutcome": "Main symptom relief time;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49435"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "whuhjy@sina.com", "contactPhone": "+86 13554361146", "dateEnrollment": "2020-02-18", "description": "Study for using multiomics in the diagnosis and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029982", "primaryOutcome": "Patients' general information: epidemiological indicators such as age, gender, address, telephone, past medical history, and BMI;Division of disease;Genomics;Transcriptomics;Metabolomics;Proteomics;Laboratory inspection;Imaging examination;Etiological examination;The remaining observation indicators are supplemented according to clinical needs.;", "study_type": "Observational study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49724"}, "type": "Feature"}, {"geometry": {"coordinates": [114.345581, 30.555676], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhangzz@whu.edu.cn", "contactPhone": "+86 13971687403", "dateEnrollment": "2020-02-17", "description": "A medical records based study for the clinical characteristics of anesthesia novel coronavirus pneumonia (COVID-19) patients during perioperative period and assessment of infection and mental health of Anesthesiology Department", "name": "ChiCTR2000029958", "primaryOutcome": "CT image of lung;", "study_type": "Observational study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49635"}, "type": "Feature"}, {"geometry": {"coordinates": [116.540983, 39.843761], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "caobin_ben@163.com", "contactPhone": "13911318339", "dateEnrollment": "2020-02-14", "description": "Convalescent plasma for the treatment of severe and critical novel coronavirus pneumonia (COVID-19): a prospective randomized controlled trial", "name": "ChiCTR2000029757", "primaryOutcome": "the number of days between randomised grouping and clinical improvement;", "study_type": "Interventional study", "time": "2020-02-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49081"}, "type": "Feature"}, {"geometry": {"coordinates": [121.495952, 31.338698], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "lunxu_liu@aliyun.com", "contactPhone": "+86 18980601525", "dateEnrollment": "2020-02-03", "description": "A Multicenter, Randomized, Controlled trial for Recombinant Super-Compound Interferon (rSIFN-co) in the Treatment of 2019 Novel Coronavirus (2019-nCoV) Infected Pneumonia", "name": "ChiCTR2000029638", "primaryOutcome": "Clinical symptoms;Blood routine;Biochemical and myocardial enzymes;C-reactive protein;Erythrocyte sedimentation rate;Inflammatory cytokines;Chest CT;Etiology Inspection;Vital signs;", "study_type": "Interventional study", "time": "2020-02-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49224"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zhougene@medmail.com.cn", "contactPhone": "+86 027 83665506", "dateEnrollment": "2020-01-31", "description": "Severe novel coronavirus pneumonia (COVID-19) patients treated with ruxolitinib in combination with mesenchymal stem cells: a prospective, single blind, randomized controlled clinical trial", "name": "ChiCTR2000029580", "primaryOutcome": "Safety;", "study_type": "Interventional study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49088"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhougene@medmail.com.cn", "contactPhone": "+86 027-83665506", "dateEnrollment": "2020-01-31", "description": "The investigation of cytokine expression profile of novel coronavirus pneumonia (COVID-19) and its clinical significance", "name": "ChiCTR2000029579", "primaryOutcome": "Cytokines;", "study_type": "Observational study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49045"}, "type": "Feature"}, {"geometry": {"coordinates": [104.024871, 30.741023], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xcg718@aliyun.com", "contactPhone": "+86 18980880132", "dateEnrollment": "2020-01-29", "description": "Recommendations for Diagnosis and Treatment of Influenza Patients in the Hospital of Chengdu University of Traditional Chinese Medicine Under the Raging of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029550", "primaryOutcome": "CRP;ESR;PCT;Tn;Mb;D-Dimer;blood routine examination;chest CT;creatase;", "study_type": "Interventional study", "time": "2020-02-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48775"}, "type": "Feature"}, {"geometry": {"coordinates": [104.024871, 30.741023], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "xcg718@aliyun.com", "contactPhone": "+86 18980880132", "dateEnrollment": "2020-02-03", "description": "Recommendations of Integrated Traditional Chinese and Western Medicine for Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029549", "primaryOutcome": "Severe conversion rate;Oxygenation index;2019-nCoV nucleic acid test;Chest CT;", "study_type": "Interventional study", "time": "2020-02-04", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49014"}, "type": "Feature"}, {"geometry": {"coordinates": [104.024871, 30.741023], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "tangjianyuan163@163.com", "contactPhone": "+86 13910768464", "dateEnrollment": "2020-01-30", "description": "Research for Traditional Chinese Medicine Technology Prevention and Control of Novel Coronavirus Pneumonia (COVID-19) in the Community Population", "name": "ChiCTR2000029479", "primaryOutcome": "Inccidence of 2019-nCoV pneumonia;", "study_type": "Interventional study", "time": "2020-02-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48773"}, "type": "Feature"}, {"geometry": {"coordinates": [114.447438, 38.019008], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "jiactm@163.com", "contactPhone": "+86 0311 83855881", "dateEnrollment": "2020-02-01", "description": "A randomized, open-label, blank-controlled trial for Lian-Hua Qing-Wen Capsule /Granule in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029434", "primaryOutcome": "Clinical symptoms (fever, weakness, cough) recovery rate and recovery time;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48889"}, "type": "Feature"}, {"geometry": {"coordinates": [114.462525, 38.035365], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "jiactm@163.com", "contactPhone": "+86 0311-83855881", "dateEnrollment": "2020-02-01", "description": "A randomized, open-label, blank-controlled trial for Lian-Hua Qing-Wen Capsule/Granule in the treatment of suspected novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029433", "primaryOutcome": "Clinical symptoms (fever, weakness, cough) recovery rate and recovery time;", "study_type": "Interventional study", "time": "2020-02-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48898"}, "type": "Feature"}, {"geometry": {"coordinates": [114.148526, 30.632137], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "1813886398@qq.com", "contactPhone": "13507117929", "dateEnrollment": "2020-01-10", "description": "A randomized, controlled open-label trial to evaluate the efficacy and safety of lopinavir-ritonavir in hospitalized patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029308", "primaryOutcome": "Clinical improvement time of 28 days after randomization;The 7-point scale;7 points: death;6 points: admission to ECMO and / or mechanical ventilation;5 points: Hospitalized for non-invasive ventilation and / or high-flow oxygen therapy;4 points: hospitalization for oxygen therapy;3 points: Hospitalization does not require oxygen therapy;2 points: discharged but not restored to normal functional status;1 point: discharged to normal function;", "study_type": "Interventional study", "time": "2020-01-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=48684"}, "type": "Feature"}, {"geometry": {"coordinates": [114.071401, 22.559687], "type": "Point"}, "properties": {"classification": "vaccine", "contactEmail": ";c@szgimi.org;c@szgimi.org", "contactPhone": ";+86(755)8672 5195;86-755-86725195", "dateEnrollment": "February 24, 2020", "description": "Immunity and Safety of Covid-19 Synthetic Minigene Vaccine", "name": "NCT04276896", "primaryOutcome": "Clinical improvement based on the 7-point scale;Lower Murray lung injury score", "study_type": "Interventional", "time": "2020-02-17", "weburl": "https://clinicaltrials.gov/show/NCT04276896"}, "type": "Feature"}, {"geometry": {"coordinates": [116.408142, 39.921334], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": ";;", "contactPhone": ";;", "dateEnrollment": "February 27, 2020", "description": "Yinhu Qingwen Decoction for the Treatment of Mild / Common CoVID-19", "name": "NCT04278963", "primaryOutcome": "Mean clinical recovery time (hours)", "study_type": "Interventional", "time": "2020-02-19", "weburl": "https://clinicaltrials.gov/show/NCT04278963"}, "type": "Feature"}, {"geometry": {"coordinates": [-76.830377, 39.099122], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "jbeigel@niaid.nih.gov", "contactPhone": "13014519881", "dateEnrollment": "February 21, 2020", "description": "Adaptive COVID-19 Treatment Trial", "name": "NCT04280705", "primaryOutcome": "Percentage of subjects reporting each severity rating on the 7-point ordinal scale", "study_type": "Interventional", "time": "2020-02-20", "weburl": "https://clinicaltrials.gov/show/NCT04280705"}, "type": "Feature"}, {"geometry": {"coordinates": [114.207515, 22.417228], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "", "contactPhone": "", "dateEnrollment": "February 14, 2020", "description": "Critically Ill Patients With COVID-19 in Hong Kong: a Multicentre Observational Cohort Study", "name": "NCT04285801", "primaryOutcome": "28 day mortality", "study_type": "Observational", "time": "2020-02-24", "weburl": "https://clinicaltrials.gov/show/NCT04285801"}, "type": "Feature"}, {"geometry": {"coordinates": [116.408142, 39.921334], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": ";shilei302@126.com;shilei302@126.com", "contactPhone": ";86-10-66933333;", "dateEnrollment": "March 5, 2020", "description": "Treatment With Mesenchymal Stem Cells for Severe Corona Virus Disease 2019(COVID-19)", "name": "NCT04288102", "primaryOutcome": "Improvement time of clinical critical treatment index within 28 days;Side effects in the MSCs treatment group", "study_type": "Interventional", "time": "2020-02-24", "weburl": "https://clinicaltrials.gov/show/NCT04288102"}, "type": "Feature"}, {"geometry": {"coordinates": [-73.993985, 40.712728], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Drpitts@hudsonmedical.com", "contactPhone": "6465967386", "dateEnrollment": "March 2020", "description": "Eculizumab (Soliris) in Covid-19 Infected Patients", "name": "NCT04288713", "primaryOutcome": "", "study_type": "Expanded Access", "time": "2020-02-27", "weburl": "https://clinicaltrials.gov/show/NCT04288713"}, "type": "Feature"}, {"geometry": {"coordinates": [108.936589, 34.346842], "type": "Point"}, "properties": {"classification": "management", "contactEmail": ";;crystalleichong@126.com", "contactPhone": ";;+86-18629011362", "dateEnrollment": "March 1, 2020", "description": "Nitric Oxide Gas Inhalation for Severe Acute Respiratory Syndrome in COVID-19.", "name": "NCT04290871", "primaryOutcome": "SARS-free patients at 14 days", "study_type": "Interventional", "time": "2020-02-27", "weburl": "https://clinicaltrials.gov/show/NCT04290871"}, "type": "Feature"}, {"geometry": {"coordinates": [114.316801, 30.610222], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "chenlin_tj@126.com", "contactPhone": "8613517260864", "dateEnrollment": "March 1, 2020", "description": "The Efficacy and Safety of Huai er in the Adjuvant Treatment of COVID-19", "name": "NCT04291053", "primaryOutcome": "Mortality rate", "study_type": "Interventional", "time": "2020-02-27", "weburl": "https://clinicaltrials.gov/show/NCT04291053"}, "type": "Feature"}, {"geometry": {"coordinates": [121.505916, 31.240416], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": ";luhongzhou@fudan.edu.cn;", "contactPhone": ";+86-021-37990333;008602137990333", "dateEnrollment": "February 1, 2020", "description": "Anti-SARS-CoV-2 Inactivated Convalescent Plasma in the Treatment of COVID-19", "name": "NCT04292340", "primaryOutcome": "The virological clearance rate of throat swabs, sputum, or lower respiratory tract secretions at day 1;The virological clearance rate of throat swabs, sputum, or lower respiratory tract secretions at day 3;The virological clearance rate of throat swabs, sputum, or lower respiratory tract secretions at day 7;Numbers of participants with different Clinical outcomes", "study_type": "Observational", "time": "2020-02-25", "weburl": "https://clinicaltrials.gov/show/NCT04292340"}, "type": "Feature"}, {"geometry": {"coordinates": [-121.731148, 37.560034], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";GileadClinicalTrials@gilead.com", "contactPhone": ";1-833-445-3230 (GILEAD-0)", "dateEnrollment": "March 2020", "description": "Study to Evaluate the Safety and Antiviral Activity of Remdesivir (GS-5734™) in Participants With Moderate Coronavirus Disease (COVID-19) Compared to Standard of Care Treatment", "name": "NCT04292730", "primaryOutcome": "Proportion of Participants Discharged by Day 14", "study_type": "Interventional", "time": "2020-02-28", "weburl": "https://clinicaltrials.gov/show/NCT04292730"}, "type": "Feature"}, {"geometry": {"coordinates": [-121.714282, 37.575151], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";GileadClinicalTrials@gilead.com", "contactPhone": ";1-833-445-3230 (GILEAD-0)", "dateEnrollment": "March 6, 2020", "description": "Study to Evaluate the Safety and Antiviral Activity of Remdesivir (GS-5734™) in Participants With Severe Coronavirus Disease (COVID-19)", "name": "NCT04292899", "primaryOutcome": "Proportion of Participants With Normalization of Fever and Oxygen Saturation Through Day 14", "study_type": "Interventional", "time": "2020-02-28", "weburl": "https://clinicaltrials.gov/show/NCT04292899"}, "type": "Feature"}, {"geometry": {"coordinates": [106.549282, 29.558571], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zdy.chris@qq.com", "contactPhone": "8613608398395", "dateEnrollment": "March 1, 2020", "description": "Prognostic Factors of Patients With COVID-19", "name": "NCT04292964", "primaryOutcome": "all-cause mortality", "study_type": "Observational", "time": "2020-03-01", "weburl": "https://clinicaltrials.gov/show/NCT04292964"}, "type": "Feature"}, {"geometry": {"coordinates": [114.316801, 30.610222], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "447822853@qq.com;447822853@qq.com", "contactPhone": "+8613387517458;+8613387517458", "dateEnrollment": "February 24, 2020", "description": "Therapy for Pneumonia Patients iInfected by 2019 Novel Coronavirus", "name": "NCT04293692", "primaryOutcome": "Size of lesion area by chest imaging;Blood oxygen saturation", "study_type": "Interventional", "time": "2020-02-24", "weburl": "https://clinicaltrials.gov/show/NCT04293692"}, "type": "Feature"}, {"geometry": {"coordinates": [114.316801, 30.610222], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "Zhaojp88@126.com", "contactPhone": "13507138234", "dateEnrollment": "March 1, 2020", "description": "Efficacy and Safety of IFN-a2ß in the Treatment of Novel Coronavirus Patients", "name": "NCT04293887", "primaryOutcome": "The incidence of side effects;The incidence of side effects;The incidence of side effects", "study_type": "Interventional", "time": "2020-02-15", "weburl": "https://clinicaltrials.gov/show/NCT04293887"}, "type": "Feature"}, {"geometry": {"coordinates": [-78.131798, 43.255205], "type": "Point"}, "properties": {"classification": "management", "contactEmail": ";loebm@mcmaster.ca", "contactPhone": ";9053340010", "dateEnrollment": "April 1, 2020", "description": "Medical Masks vs N95 Respirators for COVID-19", "name": "NCT04296643", "primaryOutcome": "RT-PCR confirmed COVID-19 infection", "study_type": "Interventional", "time": "2020-03-03", "weburl": "https://clinicaltrials.gov/show/NCT04296643"}, "type": "Feature"}, {"geometry": {"coordinates": [114.071401, 22.559687], "type": "Point"}, "properties": {"classification": "vaccine", "contactEmail": ";c@szgimi.org;c@szgimi.org", "contactPhone": ";+86(755)8672 5195;86-755-86725195", "dateEnrollment": "February 15, 2020", "description": "Safety and Immunity of Covid-19 aAPC Vaccine", "name": "NCT04299724", "primaryOutcome": "Frequency of vaccine events;Frequency of serious vaccine events;Proportion of subjects with positive T cell response", "study_type": "Interventional", "time": "2020-03-05", "weburl": "https://clinicaltrials.gov/show/NCT04299724"}, "type": "Feature"}, {"geometry": {"coordinates": [114.316801, 30.610222], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": ";xiaoyangzh@hotmail.com", "contactPhone": ";18986033792", "dateEnrollment": "March 5, 2020", "description": "Novel Coronavirus Induced Severe Pneumonia Treated by Dental Pulp Mesenchymal Stem Cells", "name": "NCT04302519", "primaryOutcome": "Disppear time of ground-glass shadow in the lungs", "study_type": "Interventional", "time": "2020-02-27", "weburl": "https://clinicaltrials.gov/show/NCT04302519"}, "type": "Feature"}, {"geometry": {"coordinates": [114.316801, 30.610222], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "", "contactPhone": "", "dateEnrollment": "December 10, 2019", "description": "Accurate Classification System for Patients With COVID-19 Pneumonitis", "name": "NCT04302688", "primaryOutcome": "survival status", "study_type": "Observational", "time": "2020-03-07", "weburl": "https://clinicaltrials.gov/show/NCT04302688"}, "type": "Feature"}, {"geometry": {"coordinates": [-77.427097, 39.435583], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "sandi.k.parriott.mil@mail.mil", "contactPhone": "301-619-6824", "dateEnrollment": "March 2, 2020", "description": "Expanded Access Remdesivir (RDV; GS-5734™)", "name": "NCT04302766", "primaryOutcome": "", "study_type": "Expanded Access", "time": "2020-03-02", "weburl": "https://clinicaltrials.gov/show/NCT04302766"}, "type": "Feature"}, {"geometry": {"coordinates": [100.533455, 13.765609], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "William@tropmedres.ac", "contactPhone": "+66 2 203-6333", "dateEnrollment": "May 2020", "description": "Chloroquine Prevention of Coronavirus Disease (COVID-19) in the Healthcare Setting", "name": "NCT04303507", "primaryOutcome": "Number of symptomatic COVID-19 infections", "study_type": "Interventional", "time": "2020-03-06", "weburl": "https://clinicaltrials.gov/show/NCT04303507"}, "type": "Feature"}, {"geometry": {"coordinates": [2.237876, 41.481128], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "oriolmitja@hotmail.com", "contactPhone": "0034 934651072", "dateEnrollment": "March 15, 2020", "description": "Treatment of Mild Cases and Chemoprophylaxis of Contacts as Prevention of the COVID-19 Epidemic", "name": "NCT04304053", "primaryOutcome": "Effectiveness of chemoprophylaxis assessed by incidence of secondary COVID-19 cases", "study_type": "Interventional", "time": "2020-03-05", "weburl": "https://clinicaltrials.gov/show/NCT04304053"}, "type": "Feature"}, {"geometry": {"coordinates": [114.420329, 30.513198], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "qning@vip.sina.com;qning@vip.sina.com", "contactPhone": "+8613971521450;", "dateEnrollment": "February 9, 2020", "description": "A Pilot Study of Sildenafil in COVID-19", "name": "NCT04304313", "primaryOutcome": "Rate of disease remission;Rate of entering the critical stage;Time of entering the critical stage", "study_type": "Interventional", "time": "2020-02-14", "weburl": "https://clinicaltrials.gov/show/NCT04304313"}, "type": "Feature"}, {"geometry": {"coordinates": [117.018145, 36.655762], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "sddxlcyjzx@163.com", "contactPhone": "+86 18560089129", "dateEnrollment": "March 12, 2020", "description": "Bevacizumab in Severe or Critical Patients With COVID-19 Pneumonia-RCT", "name": "NCT04305106", "primaryOutcome": "Proportion of patients whose oxygenation index increased by 100mmhg on the 7th day after admission", "study_type": "Interventional", "time": "2020-03-09", "weburl": "https://clinicaltrials.gov/show/NCT04305106"}, "type": "Feature"}, {"geometry": {"coordinates": [-71.116628, 42.376924], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "lberra@mgh.harvard.edu", "contactPhone": "16176437733", "dateEnrollment": "March 13, 2020", "description": "Nitric Oxide Gas Inhalation Therapy for Mild/Moderate COVID-19 Infection", "name": "NCT04305457", "primaryOutcome": "Reduction in the incidence of patients with mild/moderate COVID-19 requiring intubation and mechanical ventilation", "study_type": "Interventional", "time": "2020-03-09", "weburl": "https://clinicaltrials.gov/show/NCT04305457"}, "type": "Feature"}, {"geometry": {"coordinates": [103.771971, 1.306861], "type": "Point"}, "properties": {"classification": "other", "contactEmail": ";jeanliu@yale-nus.edu.sg", "contactPhone": ";66013694", "dateEnrollment": "March 9, 2020", "description": "Social Media Use During COVID-19", "name": "NCT04305574", "primaryOutcome": "Assessment of COVID-19 situation;Depression, Anxiety and Stress Scale", "study_type": "Observational", "time": "2020-03-08", "weburl": "https://clinicaltrials.gov/show/NCT04305574"}, "type": "Feature"}, {"geometry": {"coordinates": [113.377076, 23.041312], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "", "contactPhone": "", "dateEnrollment": "March 12, 2020", "description": "Blood Donor Recruitment During Epidemic of COVID-19", "name": "NCT04306055", "primaryOutcome": "Differences of attitude about blood donation towards different questionnaires", "study_type": "Interventional", "time": "2020-03-08", "weburl": "https://clinicaltrials.gov/show/NCT04306055"}, "type": "Feature"}, {"geometry": {"coordinates": [118.773947, 32.045888], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "363994906@qq.com", "contactPhone": "13815857118", "dateEnrollment": "March 2, 2020", "description": "Clinical Trial on Regularity of TCM Syndrome and Differentiation Treatment of COVID-19.", "name": "NCT04306497", "primaryOutcome": "The relief / disappearance rate of main symptoms;Chest CT absorption", "study_type": "Observational", "time": "2020-03-01", "weburl": "https://clinicaltrials.gov/show/NCT04306497"}, "type": "Feature"}, {"geometry": {"coordinates": [114.437195, 30.528315], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": ";yuyikai@163.com;", "contactPhone": ";+1 (484) 995-5917;+86 2783662886", "dateEnrollment": "February 20, 2020", "description": "Tocilizumab vs CRRT in Management of Cytokine Release Syndrome (CRS) in COVID-19", "name": "NCT04306705", "primaryOutcome": "Proportion of Participants With Normalization of Fever and Oxygen Saturation Through Day 14", "study_type": "Observational", "time": "2020-03-08", "weburl": "https://clinicaltrials.gov/show/NCT04306705"}, "type": "Feature"}, {"geometry": {"coordinates": [127.108444, 37.525573], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "shkimmd@amc.seoul.kr", "contactPhone": "82-2-3010-3114", "dateEnrollment": "March 11, 2020", "description": "Comparison of Lopinavir/Ritonavir or Hydroxychloroquine in Patients With Mild Coronavirus Disease (COVID-19)", "name": "NCT04307693", "primaryOutcome": "Viral load", "study_type": "Interventional", "time": "2020-03-10", "weburl": "https://clinicaltrials.gov/show/NCT04307693"}, "type": "Feature"}, {"geometry": {"coordinates": [3.092251, 45.759405], "type": "Point"}, "properties": {"classification": "other", "contactEmail": ";promo_interne_drci@chu-clermontferrand.fr;", "contactPhone": ";0473754963;0473754963", "dateEnrollment": "March 11, 2020", "description": "Influence of the COvid-19 Epidemic on STRESS", "name": "NCT04308187", "primaryOutcome": "Stress", "study_type": "Observational [Patient Registry]", "time": "2020-03-12", "weburl": "https://clinicaltrials.gov/show/NCT04308187"}, "type": "Feature"}, {"geometry": {"coordinates": [112.24472, 30.30722], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "49637569@qq.com", "contactPhone": "+86 13872250922", "dateEnrollment": "2020-02-10", "description": "Analysis for the mental health status of residents in Jingzhou during the outbreak of the novel coronavirus pneumonia (COVID-19) and corresponding influencing factors", "name": "ChiCTR2000030902", "primaryOutcome": "mental health status and influence factors;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51130"}, "type": "Feature"}, {"geometry": {"coordinates": [114.202445, 22.37833], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "chris.kclai@cuhk.edu.hk", "contactPhone": "+852 3505 3333", "dateEnrollment": "2020-03-09", "description": "Retrospective analysis of epidemiology and transmission dynamics of patients confirmed with Coronavirus Disease (COVID-19) in Hong Kong", "name": "ChiCTR2000030901", "primaryOutcome": "Transmission dynamics of COVID-19 in Hong Kong;Characteristics of super-spreading events;Effectiveness of public health measures;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51064"}, "type": "Feature"}, {"geometry": {"coordinates": [125.319864, 43.875508], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "Wangtan215@sina.com", "contactPhone": "+86 13756858523", "dateEnrollment": "2020-01-27", "description": "Evaluation on the effect of Chushifangyi prescription in preventing novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030898", "primaryOutcome": "Confirmed 2019-ncov pneumonia;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50780"}, "type": "Feature"}, {"geometry": {"coordinates": [121.547125, 29.858033], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "yehonghua@medmail.com.cn", "contactPhone": "+86 13505743664", "dateEnrollment": "2020-02-10", "description": "Evaluation of the effect of taking Newgen beta-gluten probiotic composite powder to nutrition intervention of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030897", "primaryOutcome": "serum albumin;siderophilin;prealbumin;lung CT scanning result;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50462"}, "type": "Feature"}, {"geometry": {"coordinates": [118.874699, 24.842111], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "13803818341@163.com", "contactPhone": "+86 13803818341", "dateEnrollment": "2020-02-06", "description": "Clinical Application and Theoretical Discussion of Fu-Zheng Qing-Fei Thought in Treating Non-Critical Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030896", "primaryOutcome": "Improvement of symptoms;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51028"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452086, 30.448476], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "majingzhi2002@163.com", "contactPhone": "+86 13871257728", "dateEnrollment": "2020-03-14", "description": "Retrospective and Prospective Study for Nosocomial infection in Stomatology Department under the Background of novel coronavirus pneumonia (COVID-19) epidemic period", "name": "ChiCTR2000030895", "primaryOutcome": "nosocomial infection ratio of SARS-Cov-2;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51034"}, "type": "Feature"}, {"geometry": {"coordinates": [116.453818, 39.804522], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "john131212@126.com", "contactPhone": "+86 13911405123", "dateEnrollment": "2020-03-01", "description": "Favipiravir Combined With Tocilizumab in the Treatment of novel coronavirus pneumonia (COVID-19) - A Multicenter, Randomized, Controlled Trial", "name": "ChiCTR2000030894", "primaryOutcome": "Clinical cure rate;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51126"}, "type": "Feature"}, {"geometry": {"coordinates": [118.891565, 24.857228], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "WH9400@163.com", "contactPhone": "+86 15937129400", "dateEnrollment": "2020-03-19", "description": "Study for effects of crisis intervention based on positive psychology for medical staffs working in the novel coronavirus pneumonia (COVID-19) field", "name": "ChiCTR2000030893", "primaryOutcome": "Symptom Checklist 90;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51073"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413333, 23.019305], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "luoqunx@163.com", "contactPhone": "+86 13710658121", "dateEnrollment": "2020-03-06", "description": "Efficacy and Safety of Pirfenidone in the Treatment of Severe Post-Novel Coronavirus Pneumonia (COVID-19) Fibrosis: a prospective exploratory experimental medical study", "name": "ChiCTR2000030892", "primaryOutcome": "HRCT pulmonary fibrosis score;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51118"}, "type": "Feature"}, {"geometry": {"coordinates": [105.425241, 28.894928], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lykyk3160823@126.com", "contactPhone": "+86 15228218357", "dateEnrollment": "2020-02-18", "description": "Clinical research and preparation development of qingfei detoxification decoction (mixture) for prevention and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030883", "primaryOutcome": "temperature;Systemic symptom;Respiratory symptoms;Chest imaging changes;Detection of novel coronavirus nucleic acid two consecutive negative time;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50960"}, "type": "Feature"}, {"geometry": {"coordinates": [109.69133, 35.99219], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "1286779459@qq.com", "contactPhone": "+86 13975137399", "dateEnrollment": "2020-02-01", "description": "Open-label, observational study of human umbilical cord derived mesenchymal stem cells in the treatment of severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030866", "primaryOutcome": "Oxygenation index (arterial oxygen partial pressure (PaO2) / oxygen concentration (FiO2));Conversion rate from serious to critical patients;Conversion rate and conversion time from critical to serious patients;Mortality in serious and critical patients;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50299"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xpluo@tjh.tjmu.edu.cn", "contactPhone": "+86 027-83662684", "dateEnrollment": "2020-02-01", "description": "Establishment of an early warning model for maternal and child vertical transmission of COVID-19 infection", "name": "ChiCTR2000030865", "primaryOutcome": "Maternal and neonatal morbidity;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49933"}, "type": "Feature"}, {"geometry": {"coordinates": [112.269727, 31.945686], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "274770142@qq.com", "contactPhone": "+86 13995789500", "dateEnrollment": "2020-02-01", "description": "Traditional Chinese Medicine for novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030864", "primaryOutcome": "2019-ncov-RNA;Chest CT;Routine blood test;Blood biochemistry;TCM symptom;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50662"}, "type": "Feature"}, {"geometry": {"coordinates": [118.778518, 32.043882], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "cjr.luguangming@vip.163.com", "contactPhone": "+86 13951608346", "dateEnrollment": "2020-01-22", "description": "Clinical and CT imaging Characteristics of novel coronavirus pneumonia (COVID-19): An Multicenter Cohort Study", "name": "ChiCTR2000030863", "primaryOutcome": "chest CT images;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50767"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599317, 29.435687], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "13971587381@163.com", "contactPhone": "+86 13971587381", "dateEnrollment": "2020-01-24", "description": "Correlation analysis of blood eosinophil cell levels and clinical type category of novel coronavirus pneumonia (COVID-19): a medical records based retrospective study", "name": "ChiCTR2000030862", "primaryOutcome": "Laboratory inspection index;Oxygen therapy case;Film degree exam;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51107"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413333, 23.019305], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "lishiyue@188.com", "contactPhone": "+86 13902233925", "dateEnrollment": "2019-02-27", "description": "Development and application of a new intelligent robot for novel coronavirus (2019-nCOV) oropharygeal sampling", "name": "ChiCTR2000030861", "primaryOutcome": "CT;", "study_type": "Health services reaserch", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51103"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "aloof3737@126.com", "contactPhone": "+86 18971201115", "dateEnrollment": "2020-03-16", "description": "A medical records based study for investigation of dynamic profile of RT-PCR test for SARS-CoV-2 nucleic acid of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030860", "primaryOutcome": "RT-PCR test for SARS-CoV-2;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51102"}, "type": "Feature"}, {"geometry": {"coordinates": [114.250463, 30.248862], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "707986890@qq.com", "contactPhone": "+86 18971163158", "dateEnrollment": "2020-03-01", "description": "A medical based analysis for influencing factors of death of novel coronavirus pneumonia (COVID-19) patients in Wuhan third hospital", "name": "ChiCTR2000030859", "primaryOutcome": "Mortality rate;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51025"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452215, 30.448315], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "tiejunwanghp@163.com", "contactPhone": "+86 13277914596", "dateEnrollment": "2020-02-06", "description": "Clinical characteristics and outcomes of 483 mild patients with novel coronavirus pneumonia (COVID-19) in Wuhan, China during the outbreak: A single-center, retrospective study from the mobile cabin hospital", "name": "ChiCTR2000030858", "primaryOutcome": "Discharge rate;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51097"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "Shushengli16@sina.com", "contactPhone": "+86 13971086498", "dateEnrollment": "2020-03-01", "description": "Clinical study for bronchoscopic alveolar lavage in the treatment of critically trachea intubation patients with new coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030857", "primaryOutcome": "cytology;proteomics;chest X-ray;Oxygenation index;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51040"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "Lmxia@tjh.tjmu.edu.cn", "contactPhone": "+86 13607176908", "dateEnrollment": "2020-02-15", "description": "An artificial intelligence assistant system for suspected novel coronavirus pneumonia (COVID-19) based on chest CT", "name": "ChiCTR2000030856", "primaryOutcome": "sensitivity;SPE;", "study_type": "Diagnostic test", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51091"}, "type": "Feature"}, {"geometry": {"coordinates": [106.908193, 27.704295], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zywenjianli@163.com", "contactPhone": "+86 15186660001", "dateEnrollment": "2020-02-01", "description": "Study for the effect of external diaphragmatic pacing assisted invasive ventilation and weaning in patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030855", "primaryOutcome": "Length of stay in ICU;Diaphragm movement;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51090"}, "type": "Feature"}, {"geometry": {"coordinates": [121.208541, 30.178453], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ljli@zju.edu.cn", "contactPhone": "+86 13906514210", "dateEnrollment": "2020-01-22", "description": "A clinical multicenter study for the occurrence, development and prognosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030854", "primaryOutcome": "white blood cell;lymphocyte;creatinine;CRP;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51083"}, "type": "Feature"}, {"geometry": {"coordinates": [106.925059, 27.719412], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zywenjianli@163.com", "contactPhone": "+86 15186660001", "dateEnrollment": "2020-02-01", "description": "Evaluation of the protective effect of dexmedetomidine on patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030853", "primaryOutcome": "CK-MB;CTnI;neuron-specific enolase,NSE;BUN;scr.;lactic acid;", "study_type": "Interventional study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51081"}, "type": "Feature"}, {"geometry": {"coordinates": [116.470357, 39.926495], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "frank782008@aliyun.com", "contactPhone": "+86 13161985564", "dateEnrollment": "2020-01-27", "description": "Factors associated with death in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030852", "primaryOutcome": "Death;", "study_type": "Observational study", "time": "2020-03-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51077"}, "type": "Feature"}, {"geometry": {"coordinates": [113.381295, 23.064331], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "liufb163@163.com", "contactPhone": "+86 020-36591782", "dateEnrollment": "2020-03-15", "description": "Study for the physical and mental health status of medical workers under the novel coronavirus pneumonia (COVID-19) epidemic", "name": "ChiCTR2000030850", "primaryOutcome": "Chinese health status scale;Self-rating Anxiety Scale;Self-rating Depression Scale;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51056"}, "type": "Feature"}, {"geometry": {"coordinates": [118.891565, 24.857228], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "haoyibin0506@126.com", "contactPhone": "+86 15903715671", "dateEnrollment": "2020-03-16", "description": "Investigation on psychological status of novel coronavirus pneumonia (COVID-19) rehabilitation patients in Zhengzhou City and research on coping strategies", "name": "ChiCTR2000030849", "primaryOutcome": "SCL-90 scale;", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51086"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450205, 30.446523], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "nathancx@hust.edu.cn", "contactPhone": "+86 15972061080", "dateEnrollment": "2020-02-17", "description": "Exploratory study for Immunoglobulin From Cured COVID-19 Patients in the Treatment of Acute Severe novel coronavirus pneuvirus (COVID-19)", "name": "ChiCTR2000030841", "primaryOutcome": "Time to Clinical Improvement (TTCI);", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51072"}, "type": "Feature"}, {"geometry": {"coordinates": [121.400128, 31.207382], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "SP2082@shtrhospital.com", "contactPhone": "+86 18121225835", "dateEnrollment": "2020-03-01", "description": "Preliminary screening of novel coronavirus pneumonia (COVID-19) by special laboratory examination and CT imaging before surgery", "name": "ChiCTR2000030839", "primaryOutcome": "SAA;Detection of respiratory pathogen serotype;Lymphocyte subgroup detection;IgM and IgG detection;Pulmonary CT;", "study_type": "Screening", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50904"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xuhaibo1120@hotmail.com", "contactPhone": "+86 13545009416", "dateEnrollment": "2020-01-20", "description": "Development of warning system with clinical differential diagnosis and prediction for severe type of novel coronavirus pneumonia (COVID-19) patients based on artificial intelligence and CT images", "name": "ChiCTR2000030838", "primaryOutcome": "Precision;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51071"}, "type": "Feature"}, {"geometry": {"coordinates": [121.447195, 31.202632], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "fangbji@163.com", "contactPhone": "+86 18917763257", "dateEnrollment": "2020-02-01", "description": "Novel coronavirus pneumonia (COVID-19) combined with Chinese and Western medicine based on ''Internal and External Relieving -Truncated Torsion'' strategy", "name": "ChiCTR2000030836", "primaryOutcome": "14 day outcome of the subjects, including: recovery, improvement, turning critical, death. ;Lung CT;", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51054"}, "type": "Feature"}, {"geometry": {"coordinates": [112.46077, 33.78483], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "douqifeng@126.com", "contactPhone": "+86 13503735556", "dateEnrollment": "2020-02-14", "description": "Clinical study for the efficacy of Mesenchymal stem cells (MSC) in the treatment of severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030835", "primaryOutcome": "", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51050"}, "type": "Feature"}, {"geometry": {"coordinates": [114.59927, 29.435613], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "haoyaner@163.com", "contactPhone": "+86 13971679960", "dateEnrollment": "2020-03-16", "description": "Epidemiological Characteristics and Antibody Levels of novel coronavirus pneumonia (COVID-19) of Pediatric Medical Staff working in Quarantine Area", "name": "ChiCTR2000030834", "primaryOutcome": "Epidemiological characteristics;SARS-CoV-2 IgM, IgG antibody titer test result;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51047"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452082, 30.448463], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "qning@vip.sina.com", "contactPhone": "+86 027-83662391", "dateEnrollment": "2020-03-22", "description": "Clinical validation and application of high-throughput novel coronavirus (2019-nCoV) screening detection kit", "name": "ChiCTR2000030833", "primaryOutcome": "RNA of 2019-nCov;SPE, SEN, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51035"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599317, 29.435687], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "yuanyang70@hotmail.com", "contactPhone": "+86 13995561816", "dateEnrollment": "2020-03-16", "description": "Study for the pathogenesis and effective intervention of mood disorders caused by the novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030832", "primaryOutcome": "PHQ-9;GAD-7;PHQ-15;PSS-14;ISI;SHARPS;ACTH;cortisol;24-hour ECG;Magnetic resonance spectroscopy;", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51044"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599317, 29.435687], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "whtuye@163.com", "contactPhone": "+86 18986152706", "dateEnrollment": "2020-01-01", "description": "The analysis of related factors on improving oxygenation status by endotracheal intubation ventilation in severe patients suffered from novel coronavirus pneumonia (COVID-19): a single center and descriptive study in Wuhan", "name": "ChiCTR2000030831", "primaryOutcome": "Laboratory inspection index;Imaging examination results(chest CT);performance of intubation;therapeutic schedule;prognosis;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51036"}, "type": "Feature"}, {"geometry": {"coordinates": [121.519342, 29.864413], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "jingfengzhang73@163.com", "contactPhone": "+86 15706855886", "dateEnrollment": "2020-01-01", "description": "Development and application of novel coronavirus pneumonia (COVID-19) intelligent image classification system based on deep learning", "name": "ChiCTR2000030830", "primaryOutcome": "Abnormalities on chest CT;Exposure to source of transmission within past 14 days;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51009"}, "type": "Feature"}, {"geometry": {"coordinates": [114.250463, 30.248862], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hcwy100@163.com", "contactPhone": "+86 13871480868", "dateEnrollment": "2020-03-01", "description": "Retrospective analysis of digestive system symptoms in 600 cases of novel coronavirus pneumonia (COVID-19) in Guanggu district, Wuhan", "name": "ChiCTR2000030819", "primaryOutcome": "Liver function;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51039"}, "type": "Feature"}, {"geometry": {"coordinates": [118.891237, 24.857572], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "maozhengrong1971@163.com", "contactPhone": "+86 18695808321", "dateEnrollment": "2020-01-31", "description": "A medical records based study for the value of Lymphocyte subsets in the diagnose and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030818", "primaryOutcome": "ymphocyte subsets;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51037"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452219, 30.448329], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xiemx@hust.edu.cn", "contactPhone": "+86 13607108938", "dateEnrollment": "2020-02-28", "description": "Multicenter clinical study of evaluation of multi-organ function in patients with novel coronavirus pneumonia (COVID-19) by ultrasound", "name": "ChiCTR2000030817", "primaryOutcome": "Two-dimensional ultrasound;M mode echocardiography;Doppler ultrasound;two-dimensional speckle tracking;three-dimensional echocardiography;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50631"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "bianyi2526@163.com", "contactPhone": "+86 15102710366", "dateEnrollment": "2020-02-24", "description": "Nutritional risk assessment and outcome prediction of critically ill novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030816", "primaryOutcome": "Mortality of ICU 28-day;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51048"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "eyedrwjm@163.com", "contactPhone": "+86 13886169836", "dateEnrollment": "2020-02-20", "description": "A medical records based analysis of clinical evidence of human-to-human transmission of 2019 novel coronavirus pneumonia (COVID-19) by conjunctival route", "name": "ChiCTR2000030814", "primaryOutcome": "Ocular Symptoms;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51042"}, "type": "Feature"}, {"geometry": {"coordinates": [121.362461, 31.357599], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "dr.xu@aliyun.com", "contactPhone": "+86 13501722091", "dateEnrollment": "2020-01-31", "description": "Study for the virus molecular evolution which driven the immune-pathological responses and the protection mechanisms of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030812", "primaryOutcome": "Single cell sequencing;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50947"}, "type": "Feature"}, {"geometry": {"coordinates": [115.756619, 30.659471], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "spine672@163.com", "contactPhone": "+86 13807172756", "dateEnrollment": "2020-02-23", "description": "Clinical observation and evaluation of traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) in Hubei 672 Orthopaedics Hospital of Integrated Chinese&Western Medicine", "name": "ChiCTR2000030810", "primaryOutcome": "Average discharge time;WBC;ALT, AST, gama-GT, BUN, Cr, CK-MB;turn serious/crisis ratio;", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50986"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599317, 29.435687], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "sxu@hust.edu.cn", "contactPhone": "+86 13517248539", "dateEnrollment": "2020-02-22", "description": "A medical records based study for clinical outcomes and follow-up of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030809", "primaryOutcome": "Clinical outcomes after discharge;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51015"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhwang_hust@hotmail.com", "contactPhone": "+86 13607195518", "dateEnrollment": "2020-02-15", "description": "Clinical characteristics and prognosis of cancer patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030807", "primaryOutcome": "lynphocyte;cytokine;cancer history;order of severity;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51019"}, "type": "Feature"}, {"geometry": {"coordinates": [115.77335, 30.67475], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "137585260@qq.com", "contactPhone": "+86 13907105212", "dateEnrollment": "2020-02-01", "description": "Retrospective study for the efficacy of ulinastatin combined with ''clear lung detoxification soup'' in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030806", "primaryOutcome": "blood RT;ABG;blood clotting function;liver and kidney function;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51029"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wang6@tjh.tjmu.edu.cn", "contactPhone": "+86 13971625289", "dateEnrollment": "2020-02-15", "description": "Quantitative CT characteristic estimate the severity of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030805", "primaryOutcome": "Quantitative CT characteristic;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51026"}, "type": "Feature"}, {"geometry": {"coordinates": [110.862936, 21.954357], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "hulinhui@live.cn", "contactPhone": "+86 13580013426", "dateEnrollment": "2020-02-01", "description": "Exocarpium Citri Grandis Relieves Symptoms of Novel Coronavirus Pneunomia (COVID-19): a Randomized Controlled Clinical Trial", "name": "ChiCTR2000030804", "primaryOutcome": "Cough Score;Expectoration score;", "study_type": "Interventional study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51018"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "314440820@qq.com", "contactPhone": "+86 13797062903", "dateEnrollment": "2020-01-31", "description": "Collection and analysis of clinical data in severe and critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030803", "primaryOutcome": "age;sex;comorbidities;chest-CT examination;standard blood counts;albumin;pre-albumin;hemoglobin;alanine transaminase;aspartate transaminase;creatinine;glucose;lipids;procalcitonin;C-reactive protein;coagulation function;nutritional risk screening;body weight;body height;prognosis;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51007"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ld_2069@163.com", "contactPhone": "+86 13507183749", "dateEnrollment": "2020-01-27", "description": "A retrospective study of clinical drug therapy in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030802", "primaryOutcome": "time and rate of cure; proportion and time of patients who progressed to severe disease;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=51004"}, "type": "Feature"}, {"geometry": {"coordinates": [114.252193, 30.24763], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "541163409@qq.com", "contactPhone": "+86 18627151212", "dateEnrollment": "2020-01-23", "description": "Analysis of risk factors affecting prognosis of elderly patients infected with novel coronavirus pneumonia (COVID-19): a single-center retrospective observational study", "name": "ChiCTR2000030801", "primaryOutcome": "discharg time;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50998"}, "type": "Feature"}, {"geometry": {"coordinates": [106.937117, 27.709545], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "kiphoonwu@126.com", "contactPhone": "+86 13788989286", "dateEnrollment": "2020-02-01", "description": "Cancelled by the investigator Study on levels of inflammatory factors in peripheral blood of patients with novel coronavirus pneumonia (COVID-19) and their diagnostic and prognostic value", "name": "ChiCTR2000030800", "primaryOutcome": "", "study_type": "Diagnostic test", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50997"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "wt7636@126.com", "contactPhone": "+86 13971477320", "dateEnrollment": "2020-01-20", "description": "Establishment and validation of Premonitory model of deterioration of the 2019 novel corona virus pneumonia (COVID-19)", "name": "ChiCTR2000030799", "primaryOutcome": "cure rate;propotion of progression;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50995"}, "type": "Feature"}, {"geometry": {"coordinates": [114.250463, 30.248862], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "273225540@qq.com", "contactPhone": "+86 15377628125", "dateEnrollment": "2020-02-10", "description": "A medical records based study for clinical characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030798", "primaryOutcome": "blood biochemistry;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50994"}, "type": "Feature"}, {"geometry": {"coordinates": [121.401457, 31.008176], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xuyingjia@5thhospital.com", "contactPhone": "+86 18017321696", "dateEnrollment": "2020-03-07", "description": "clinical study for hemodynamics and cardiac arrhythmia of novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030797", "primaryOutcome": "all-cause death;fatal arrhythmias;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50988"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492935, 38.035112], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "yuanyd1108@163.com", "contactPhone": "+86 15833119392", "dateEnrollment": "2020-01-29", "description": "Clinical characteristics and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030796", "primaryOutcome": "mortality;effective rate;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50991"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "tjhdongll@163.com", "contactPhone": "+86 18672912727", "dateEnrollment": "2020-03-20", "description": "A multicenter retrospective study of rheumatic patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030795", "primaryOutcome": "Clinical features;", "study_type": "Observational study", "time": "2020-03-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50982"}, "type": "Feature"}, {"geometry": {"coordinates": [108.328009, 22.803234], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhangguogx@hotmail.com", "contactPhone": "+86 13978839646", "dateEnrollment": "2020-01-17", "description": "A study for clinical characteristics of novel coronavirus pneumonia (COVID-19) patients follow-up in Guangxi", "name": "ChiCTR2000030784", "primaryOutcome": "Epidemiological characteristics;clinical features;Treatment outcome;", "study_type": "Observational study", "time": "2020-03-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50307"}, "type": "Feature"}, {"geometry": {"coordinates": [116.864324, 38.317421], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "849614995@qq.com", "contactPhone": "+86 13832102657", "dateEnrollment": "2020-02-01", "description": "The value of CD4 / CD8 cells, CRP / ALB and APCHEII in novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030782", "primaryOutcome": "28-day prognosis;", "study_type": "Observational study", "time": "2020-03-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50976"}, "type": "Feature"}, {"geometry": {"coordinates": [121.598303, 31.137102], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "linzhaofen@sina.com", "contactPhone": "+86 13601605100, 13301833859, 13701682806", "dateEnrollment": "2020-03-16", "description": "A clinical trial for Ulinastatin Injection in the treatment of patients with severe novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030779", "primaryOutcome": "blood gas;SOFA score;", "study_type": "Interventional study", "time": "2020-03-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50973"}, "type": "Feature"}, {"geometry": {"coordinates": [121.563269, 29.882308], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "guoqing.qian@foxmail.com", "contactPhone": "+86 15888193663", "dateEnrollment": "2020-01-20", "description": "A medical records based study for epidemic and clinical features of novel coronavirus pneumonia (COVID-19) in Ningbo First Hospital", "name": "ChiCTR2000030778", "primaryOutcome": "Epidemiological features;", "study_type": "Observational study", "time": "2020-03-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50987"}, "type": "Feature"}, {"geometry": {"coordinates": [121.604885, 31.152031], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "money_0921@163.com", "contactPhone": "+86 13816108686", "dateEnrollment": "2020-02-12", "description": "Application of blood purification in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030773", "primaryOutcome": "death;Number of failure organs;Length of hospital stay;", "study_type": "Interventional study", "time": "2020-03-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50934"}, "type": "Feature"}, {"geometry": {"coordinates": [114.146761, 30.355203], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "zn_chenxiong@126.com", "contactPhone": "+86 13995599373", "dateEnrollment": "2020-02-01", "description": "Study for the Psychological Status of Medical Staff of Otolaryngology Head and Neck Surgery in Hubei Province under the Epidemic of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030768", "primaryOutcome": "anxiety;", "study_type": "Epidemilogical research", "time": "2020-03-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50968"}, "type": "Feature"}, {"geometry": {"coordinates": [116.30185, 39.979566], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "970236538@qq.com", "contactPhone": "+86 13699207252", "dateEnrollment": "2020-03-07", "description": "Research for the influence of epidemic of novel coronavirus pneumonia (COVID-19) on sleep, psychological and chronic diseases among different populations", "name": "ChiCTR2000030764", "primaryOutcome": "PSQI;PPHQ-9;GAD-7;PTSDChecklist-Civilian Version,PCL-C;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50852"}, "type": "Feature"}, {"geometry": {"coordinates": [117.118667, 36.55192], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "A Medical Records Based analysis for Risk Factors for Outcomes After Respiratory Support in Patients with ARDS Due to Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030763", "primaryOutcome": "Pulmonary function;Cardiac function;neural function;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50921"}, "type": "Feature"}, {"geometry": {"coordinates": [106.618022, 26.643861], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "ant000999@126.com", "contactPhone": "+86 13985004689", "dateEnrollment": "2019-12-01", "description": "Diagnosis and treatment of novel coronavirus pneumonia (COVID-19) in common and severe cases based on the theory of ''Shi-Du-Yi (damp and plague)''", "name": "ChiCTR2000030762", "primaryOutcome": "Clinical characteristics according to TCM;", "study_type": "Epidemilogical research", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50950"}, "type": "Feature"}, {"geometry": {"coordinates": [121.820235, 30.941067], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "qinwang_1975@126.com", "contactPhone": "+86 13621964604", "dateEnrollment": "2020-05-31", "description": "Continuous renal replacement therapy (CRRT) alleviating inflammatory response in severe patients with novel coronavirus pneumonia (COVID-19) associated with renal injury: A Prospective study", "name": "ChiCTR2000030761", "primaryOutcome": "CRP;IL-6;TNF-alpha;IL-8;", "study_type": "Interventional study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50956"}, "type": "Feature"}, {"geometry": {"coordinates": [120.225434, 30.131115], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hongwang71@yahoo.com", "contactPhone": "+86 0571 87377780", "dateEnrollment": "2020-03-13", "description": "A medical records based study for clinical characteristics of 2019 novel coronavirus pneumonia (COVID-19) in Zhejiang province, China", "name": "ChiCTR2000030760", "primaryOutcome": "the clinical, laboratory and the radiologic characteristics;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50955"}, "type": "Feature"}, {"geometry": {"coordinates": [120.71201, 27.925373], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "wzwsjcjg@126.com", "contactPhone": "+86 13857797188", "dateEnrollment": "2020-02-15", "description": "Study for the therapeutic effect and mechanism of traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030759", "primaryOutcome": "The time for the positive nucleic acid of the novel coronavirus to turn negative;Incidence of deterioration;The defervescence time;Chest CT;Primary symptom remission rate;", "study_type": "Interventional study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49284"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "1097685807@qq.com", "contactPhone": "+86 18827001384", "dateEnrollment": "2020-03-10", "description": "A medical records based study for sedation and Analgesia Usage in critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030758", "primaryOutcome": "Dose of analgesic and sedative drugs;28-day mortality rate;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50590"}, "type": "Feature"}, {"geometry": {"coordinates": [114.049251, 22.555937], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "zyzy1933@163.com", "contactPhone": "+86 18823361933", "dateEnrollment": "2020-03-13", "description": "Impact of Novel Coronavirus Pneumonia (COVID-19) Epidemic Period on the Management of investigator-initiated clinical trial and the resilience of medical service providers", "name": "ChiCTR2000030757", "primaryOutcome": "Psychological assessment;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50648"}, "type": "Feature"}, {"geometry": {"coordinates": [112.38667, 24.91722], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "zhengqingyou@163.com", "contactPhone": "+86 18601085226", "dateEnrollment": "2020-02-20", "description": "Detection of SARS-CoV-2 in EPS / semen of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030756", "primaryOutcome": "SARS-CoV-2;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50705"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "ctzhang0425@163.com", "contactPhone": "+86 15927668408", "dateEnrollment": "2020-03-15", "description": "A medical records based study for characteristics, prognosis of ederly patients with Novel Coronavirus Pneumonia (COVID-19) in Wuhan area", "name": "ChiCTR2000030755", "primaryOutcome": "Critical illness ratio;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50945"}, "type": "Feature"}, {"geometry": {"coordinates": [113.321278, 23.152151], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "zhanlianh@163.com", "contactPhone": "+86 13580584031", "dateEnrollment": "2020-03-11", "description": "Medical records based study for the accuracy of SARS-CoV-2 IgM antibody screening for diagnosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030754", "primaryOutcome": "false positive rate of SARS-CoV-2 IgM antibody;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50824"}, "type": "Feature"}, {"geometry": {"coordinates": [117.116755, 36.5534], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "A medical records based analysis of the Incidence and Risk Factors of Ventilator-associated Pneumonia in ARDS Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030753", "primaryOutcome": "ICU hospitalization days;The recurrence rate of infection;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50901"}, "type": "Feature"}, {"geometry": {"coordinates": [117.118667, 36.55192], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "A medical records based analysis for risk factors for death in patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030752", "primaryOutcome": "Outcome;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50925"}, "type": "Feature"}, {"geometry": {"coordinates": [122.25586, 43.612217], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "nmbrbt8989@163.com", "contactPhone": "+86 18804758989", "dateEnrollment": "2020-01-25", "description": "Clinical Research for Traditional Mongolian Medicine in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030751", "primaryOutcome": "nucleic acids probing;blood routine;blood biochemistry;Urine Routine;Blood Gas Analysis;CT;", "study_type": "Interventional study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50941"}, "type": "Feature"}, {"geometry": {"coordinates": [113.25, 23.5], "type": "Point"}, "properties": {"classification": "vaccine", "contactEmail": "zhaozl2006@163.com", "contactPhone": "+86 13828895409", "dateEnrollment": "2020-03-01", "description": "A clinical study for effectiveness and safety evaluation for recombinant chimeric COVID-19 epitope DC vaccine in the treatment of novel coronavirus pneumonia", "name": "ChiCTR2000030750", "primaryOutcome": "Shorten the duration of the disease;Antipyretic rate;Severe rate;Time of virus nucleic acid turning negative;Negative rate of viral nucleic acid;Time for improvement of lung image;PCT;CRP;IL-17;WBC;Lymphocyte subtype analysis;Blood gas analysis;", "study_type": "Interventional study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50928"}, "type": "Feature"}, {"geometry": {"coordinates": [115.666964, 30.785182], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lixiaodong555@126.com", "contactPhone": "+86 13908658127", "dateEnrollment": "2020-02-22", "description": "A prospective cohort study for comprehensive treatment of Chinese medicine in the treatment of convalescent patients of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030747", "primaryOutcome": "CT Scan-Chest;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50000"}, "type": "Feature"}, {"geometry": {"coordinates": [117.118667, 36.55192], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "Clinical Application of ECMO(or Ultra-Protective Lung Mechanical Ventilation) in the Treatment of Patients with ARDS due to novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030744", "primaryOutcome": "Inpatient mortality;ICU hospital stay;", "study_type": "Interventional study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50910"}, "type": "Feature"}, {"geometry": {"coordinates": [114.492711, 29.546143], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "hygao@tjh.tjmu.edu.cn", "contactPhone": "+86 13886188018", "dateEnrollment": "2020-03-15", "description": "Characteristics, prognosis, and treatments effectiveness of critically ill patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030742", "primaryOutcome": "in-ICU mortality;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50857"}, "type": "Feature"}, {"geometry": {"coordinates": [117.118667, 36.55192], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "Observational Study for Prone Position Ventilation and Conventional Respiratory Support in ARDS Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030741", "primaryOutcome": "PaO2;PaCO2;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50907"}, "type": "Feature"}, {"geometry": {"coordinates": [117.118667, 36.55192], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "Analysis of the incidence and risk factors of ARDS in patients with Novel Coronavirus Pneumonia (COVID-19).", "name": "ChiCTR2000030740", "primaryOutcome": "mortality;ICU hospital stay;mechanical ventilation time;mortality of 28 days;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50900"}, "type": "Feature"}, {"geometry": {"coordinates": [117.118667, 36.55192], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "xkyylfl@163.com", "contactPhone": "+86 13953116564", "dateEnrollment": "2020-02-01", "description": "Exploration of the Clinical Characteristics of Patients with Novel Coronavirus Pneumonia (COVID-19) and Its Differences from Patients with Severe Influenza A and MERS", "name": "ChiCTR2000030739", "primaryOutcome": "Tempreture;cough;dyspnea;Blood Routine;Aterial Blood Gas;Chest CT Scan;", "study_type": "Observational study", "time": "2020-03-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50896"}, "type": "Feature"}, {"geometry": {"coordinates": [121.484683, 31.255045], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "16683890@qq.com", "contactPhone": "+86 13621759762", "dateEnrollment": "2020-03-09", "description": "Auscultatory characteristics of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030722", "primaryOutcome": "ascultation;", "study_type": "Observational study", "time": "2020-03-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50338"}, "type": "Feature"}, {"geometry": {"coordinates": [110.406792, 21.191661], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "huanqinhan@126.com", "contactPhone": "+86 13828291023", "dateEnrollment": "2020-03-16", "description": "A comparative study for the sensitivity of induced sputum and throat swabs for the detection of SARS-CoV-2 by real-time PCR in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030721", "primaryOutcome": "detection of SARS-CoV-2 RNA;SEN, SPE, ACC, AUC of ROC;", "study_type": "Diagnostic test", "time": "2020-03-12", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50759"}, "type": "Feature"}, {"geometry": {"coordinates": [115.666964, 30.785182], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lixiaodong555@126.com", "contactPhone": "+86 13908658127", "dateEnrollment": "2020-03-01", "description": "Prognosis Investigation and Intervention Study on Patients with novel coronavirus pneumonia (COVID-19) in recovery period Based on Community Health Management", "name": "ChiCTR2000030720", "primaryOutcome": "Medical imaging improvement rate in patients during recovery period;", "study_type": "Interventional study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50793"}, "type": "Feature"}, {"geometry": {"coordinates": [114.599252, 29.436806], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "784404524@qq.com", "contactPhone": "+86 18995598097", "dateEnrollment": "2020-03-01", "description": "A retrospective cohort study for integrated traditional Chinese and western medicine in the treatment of 1071 patients with novel coronavirus pneumonia (COVID-19) in Wuhan", "name": "ChiCTR2000030719", "primaryOutcome": "Mortality rate;Common-severe conversion rate;Length of hospital stay.;", "study_type": "Observational study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50867"}, "type": "Feature"}, {"geometry": {"coordinates": [114.345581, 30.555676], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "doctoryanzhao@whu.edu.cn", "contactPhone": "+86 13995577963", "dateEnrollment": "2020-02-12", "description": "Randomized controlled trial for Chloroquine Phosphate in the Treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030718", "primaryOutcome": "Time to Clinical Recovery;", "study_type": "Interventional study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50843"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452111, 30.448472], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "fangmh@tjh.tjmu.edu.cn", "contactPhone": "+86 15071157405", "dateEnrollment": "2020-04-01", "description": "A medical records based study for risk assessment and treatment timing of invasive fungal infection in novel coronavirus pneumonia (COVID-19) critical patients", "name": "ChiCTR2000030717", "primaryOutcome": "14-days mortality;28-days mortality;", "study_type": "Observational study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50860"}, "type": "Feature"}, {"geometry": {"coordinates": [114.597612, 29.437863], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "lhgyx@hotmail.com", "contactPhone": "+86 13871402927", "dateEnrollment": "2020-03-05", "description": "Shedding of SARS-CoV-2 in human semen and evaluation of reproductive health of novel coronavirus pneumonia (COVID-19) male patients", "name": "ChiCTR2000030716", "primaryOutcome": "SARS-CoV-2 virus;sex hormones;sperm quality;", "study_type": "Observational study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50850"}, "type": "Feature"}, {"geometry": {"coordinates": [106.633584, 33.165192], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "zhonghui39@126.com", "contactPhone": "+86 18980601215", "dateEnrollment": "2020-03-10", "description": "Cross sectional study of dialysis treatment and mental status under the outbreak of novel coronavirus pneumonia (COVID-2019) in China", "name": "ChiCTR2000030708", "primaryOutcome": "Levels of anxiety, stress and depression;", "study_type": "Observational study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50083"}, "type": "Feature"}, {"geometry": {"coordinates": [102.066899, 29.940751], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "27216302@qq.com", "contactPhone": "+86 17723451376", "dateEnrollment": "2020-03-20", "description": "Retrospective study on novel coronavirus pneumonia (COVID-19) in Tibetan Plateau", "name": "ChiCTR2000030707", "primaryOutcome": "Blood oxygen saturation;", "study_type": "Observational study", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50160"}, "type": "Feature"}, {"geometry": {"coordinates": [106.958064, 27.725512], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "haitao3140@sina.com", "contactPhone": "+86 18085287828", "dateEnrollment": "2020-02-09", "description": "Cancelled by the investigator Application of cas13a-mediated RNA detection in the assay of novel coronavirus nucleic acid (COVID-19)", "name": "ChiCTR2000030706", "primaryOutcome": "Sensitivity, specificity and accuracy;", "study_type": "Diagnostic test", "time": "2020-03-11", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50001"}, "type": "Feature"}, {"geometry": {"coordinates": [118.94204, 32.1387], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "huxingxing82@163.com", "contactPhone": "+86 17327006987", "dateEnrollment": "2020-02-10", "description": "Observation Of Clinical Efficacy And Safety Of Bufonis Venenum Injection In The Treatment Of Severe Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030704", "primaryOutcome": "PO2/FiO2;ROX INDEX;", "study_type": "Interventional study", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50778"}, "type": "Feature"}, {"geometry": {"coordinates": [109.797899, 35.881671], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "pinhuapan668@126.com", "contactPhone": "+86 13574171102", "dateEnrollment": "2020-03-10", "description": "A randomized, blinded, controlled, multicenter clinical trial to evaluate the efficacy and safety of Ixekizumab combined with conventional antiviral drugs in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030703", "primaryOutcome": "Lung CT;", "study_type": "Interventional study", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50251"}, "type": "Feature"}, {"geometry": {"coordinates": [116.56006, 39.800859], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "caobin_ben@163.com", "contactPhone": "+86 13911318339", "dateEnrollment": "2020-02-15", "description": "Plasma of the convalescent in the treatment of novel coronavirus pneumonia (COVID-19) common patient: a prospective clinical trial", "name": "ChiCTR2000030702", "primaryOutcome": "Time to clinical recovery after randomization;", "study_type": "Interventional study", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50537"}, "type": "Feature"}, {"geometry": {"coordinates": [114.280126, 22.738007], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "41180423@qq.com", "contactPhone": "+86 13760857996", "dateEnrollment": "2020-03-10", "description": "A randomized, parallel controlled open-label trial for the efficacy and safety of Prolongin (Enoxaparin Sodium Injection) in the treatment of adult patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030701", "primaryOutcome": "Time to Virus Eradication;", "study_type": "Interventional study", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50795"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450205, 30.446523], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "whxhzy@163.com", "contactPhone": "+86 13971292838", "dateEnrollment": "2020-03-09", "description": "Study for the efficacy and safety of Prolongin (Enoxaparin Sodium Injection) in treatment of novel coronavirus pneumonia (COVID-19) adult common patients", "name": "ChiCTR2000030700", "primaryOutcome": "Time to Virus Eradication;", "study_type": "Interventional study", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50786"}, "type": "Feature"}, {"geometry": {"coordinates": [121.544494, 29.868505], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "lorenzo_87@163.com", "contactPhone": "+86 0574-87085111", "dateEnrollment": "2020-03-10", "description": "A multi-center, open-label observation study for psychological status and intervention efficacy of doctors, nurses, patients and their families in novel coronavirus pneumonia (COVID-19) designated hospitals", "name": "ChiCTR2000030697", "primaryOutcome": "SDS;SAS;PSQI;", "study_type": "Observational study", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50781"}, "type": "Feature"}, {"geometry": {"coordinates": [121.540124, 31.326819], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hywangk@vip.sina.com", "contactPhone": "+86 13801955367", "dateEnrollment": "2020-02-10", "description": "Study for immune cell subsets in convalescent patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030690", "primaryOutcome": "Lymphocyte grouping;", "study_type": "Basic Science", "time": "2020-03-10", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50261"}, "type": "Feature"}, {"geometry": {"coordinates": [115.19204, 31.44533], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "b5477@163.com", "contactPhone": "+86 15907190882", "dateEnrollment": "2020-02-01", "description": "Novel coronavirus pneumonia (COVID-19) associated kidney injury in children", "name": "ChiCTR2000030687", "primaryOutcome": "temperature;heart rate;respiratory rate;blood pressure;Urine volume;blood routine;C-reactive protein;erythrocyte sedimentation rat;pulmonary CT;liver function;coagulation function;renal function;immunoglobulin;complement;T cell subsets;electrolytes;Urine analysis;microalbuminuria;COVID-19 nucleic acid;COVID-19 antibody;renal ultrasound;24-hour urine protein;Tc-DTPA renal dynamic imaging;eGFR;", "study_type": "Basic Science", "time": "2020-03-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50572"}, "type": "Feature"}, {"geometry": {"coordinates": [116.415921, 39.875082], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "caobaoshan0711@aliyun.com", "contactPhone": "+86 15611963362", "dateEnrollment": "2020-03-03", "description": "The effects of prevention and control measures on treatment and psychological status of cancer patients during the novel coronavirus pneumonia (COVID-19) outbreak", "name": "ChiCTR2000030686", "primaryOutcome": "impact on the treatment of tumor patients;", "study_type": "Observational study", "time": "2020-03-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50714"}, "type": "Feature"}, {"geometry": {"coordinates": [113.410533, 23.022277], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "chenlei0nan@163.com", "contactPhone": "+86 13570236595", "dateEnrollment": "2020-03-09", "description": "The prediction value of prognosis of novel coronavirus pneumonia (COVID-19) in elderly patients by modified early warning score (MEWS): a medical records based retrospective observational study", "name": "ChiCTR2000030683", "primaryOutcome": "In-hospital mortality;ACC, SEN, SPE, ROC;", "study_type": "Diagnostic test", "time": "2020-03-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50633"}, "type": "Feature"}, {"geometry": {"coordinates": [115.995513, 36.458172], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "ly29.love@163.com", "contactPhone": "+86 18263511977", "dateEnrollment": "2020-03-16", "description": "An anaesthesia procedure and extubation strategy for reducing patient agitation and cough after extubation that can be used to prevent the spread of Novel Coronavirus Pneumonia (COVID-19) and other infectious viruses in the operating Room", "name": "ChiCTR2000030681", "primaryOutcome": "cough;agitation;", "study_type": "Interventional study", "time": "2020-03-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50763"}, "type": "Feature"}, {"geometry": {"coordinates": [115.208906, 31.460447], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "liuzsc@126.com", "contactPhone": "+86 027-82433145", "dateEnrollment": "2020-01-28", "description": "Cohort study of Novel Coronavirus Infected Diseases (COVID-19) in children", "name": "ChiCTR2000030679", "primaryOutcome": "Clinical characteristics;Clinical outcomes;", "study_type": "Observational study", "time": "2020-03-09", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50730"}, "type": "Feature"}, {"geometry": {"coordinates": [117.361135, 32.948089], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "sir_shi@126.com", "contactPhone": "+86 13855288331", "dateEnrollment": "2020-02-01", "description": "A medical records based real world study for the characteristics and correlation mechanism of traditional Chinese medicine combined with western medicine in the treatment of patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030619", "primaryOutcome": "treatment effect;", "study_type": "Observational study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50656"}, "type": "Feature"}, {"geometry": {"coordinates": [116.318716, 39.994683], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "miaoqing55@sina.com", "contactPhone": "+86 13910812309", "dateEnrollment": "2020-03-09", "description": "Medical records based study for the correlation between Chinese medicine certificate and lung image of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030606", "primaryOutcome": "Imaging;", "study_type": "Observational study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50713"}, "type": "Feature"}, {"geometry": {"coordinates": [116.318716, 39.994683], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "miaoqing55@sina.com", "contactPhone": "+86 13910812309", "dateEnrollment": "2020-03-09", "description": "Medical records based study for the correlation between Chinese medicine certificate and lung image of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030597", "primaryOutcome": "Disease Severity;Imaging;Syndrome Features of TCM;", "study_type": "Observational study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50702"}, "type": "Feature"}, {"geometry": {"coordinates": [121.501404, 31.270678], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "maggie_zhangmin@163.com", "contactPhone": "+86 18121288279", "dateEnrollment": "2020-02-01", "description": "Efficacy and safety of tozumab combined with adamumab(Qletli) in severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030580", "primaryOutcome": "chest computerized tomography;Nucleic acid detection of novel coronavirus;TNF-alpha;IL-6;IL-10;", "study_type": "Interventional study", "time": "2020-03-08", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50693"}, "type": "Feature"}, {"geometry": {"coordinates": [113.395373, 23.005948], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "docterwei@sina.com", "contactPhone": "+86 18922238906", "dateEnrollment": "2020-03-07", "description": "Cancelled by the investigator Epidemiological research of novel coronavirus pneumonia (COVID-19) suspected cases based on virus nucleic acid test combined with low-dose chest CT screening in primary hospital", "name": "ChiCTR2000030558", "primaryOutcome": "CT image features;Fever;Throat swab virus nucleic acid tes;lymphocyte;", "study_type": "Epidemilogical research", "time": "2020-03-07", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50678"}, "type": "Feature"}, {"geometry": {"coordinates": [114.417554, 30.44618], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "153267742@qq.com", "contactPhone": "+86 18971163518", "dateEnrollment": "2020-02-04", "description": "Efficacy and safety of honeysuckle oral liquid in the treatment of novel coronavirus pneumonia (COVID-19): a multicenter, randomized, controlled, open clinical trial", "name": "ChiCTR2000030545", "primaryOutcome": "Recovery time;Pneumonia psi score;", "study_type": "Interventional study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50126"}, "type": "Feature"}, {"geometry": {"coordinates": [113.269526, 23.13543], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "lmzmay@163.com", "contactPhone": "+86 18922108136", "dateEnrollment": "2020-03-06", "description": "Application of TCM Nursing Scheme in Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030528", "primaryOutcome": "GAD-7;", "study_type": "Observational study", "time": "2020-03-06", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50641"}, "type": "Feature"}, {"geometry": {"coordinates": [126.748501, 45.652573], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "drkaijiang@163.com", "contactPhone": "+86 0451-53602290", "dateEnrollment": "2020-03-13", "description": "Cancelled by the investigator Clinical Study of NK Cells in the Treatment of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030509", "primaryOutcome": "Time and rate of novel coronavirus become negative.;", "study_type": "Interventional study", "time": "2020-03-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49956"}, "type": "Feature"}, {"geometry": {"coordinates": [113.381613, 23.063976], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "sakeonel@126.com", "contactPhone": "+86 13760661654", "dateEnrollment": "2020-03-01", "description": "Cancelled by the investigator A multicentre, randomized, controlled trial for the Ba-Duan-Jin in the adjunctive treatment of patients with common type novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030483", "primaryOutcome": "", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50495"}, "type": "Feature"}, {"geometry": {"coordinates": [118.897026, 31.949565], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "nhb_2002@126.com", "contactPhone": "+86 15312019183", "dateEnrollment": "2020-02-26", "description": "Cancelled by the investigator Study for the Effectiveness and Safety of Compound Yuxingcao Mixture in the Treatment of the Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030478", "primaryOutcome": "lasting time of fever;lasting time of novel coronavirus pneumonia virus nucleic acid detected by RT-PCR and negative result rate of the novel coronavirus disease nucleic acid;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50460"}, "type": "Feature"}, {"geometry": {"coordinates": [121.447195, 31.202632], "type": "Point"}, "properties": {"classification": "other", "contactEmail": "ljjia@shutcm.edu.cn", "contactPhone": "+86 13585779708", "dateEnrollment": "2020-03-03", "description": "Study for meditation assists for the rehabilitation of patients with novel coronaviruse pneumonia (COVID-19)", "name": "ChiCTR2000030476", "primaryOutcome": "Self-rating depression scale;self-rating anxiety scale;Athens Insomnia Scale;", "study_type": "Interventional study", "time": "2020-03-03", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50455"}, "type": "Feature"}, {"geometry": {"coordinates": [105.89392, 29.35376], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "164738059@qq.com", "contactPhone": "+86 13668077090", "dateEnrollment": "2020-02-26", "description": "Cancelled due to lack of patients Investigation on Mental Health Status and Psychological Intervention of Hospitalized Patients with Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030466", "primaryOutcome": "Comprehensive psychological assessment;Mental toughness;Solution;", "study_type": "Observational study", "time": "2020-03-02", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50387"}, "type": "Feature"}, {"geometry": {"coordinates": [126.646602, 45.751374], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "18604501911@163.com", "contactPhone": "+86 18604501911", "dateEnrollment": "2020-03-01", "description": "Cancelled by the investigator Efficacy and safety of chloroquine phosphate inhalation combined with standard therapy in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030417", "primaryOutcome": "Temperature returns to normal for more than 3 days;Respiratory symptoms improved significantly;Pulmonary imaging showed that acute exudative lesions were significantly improved;Negative for two consecutive tests of respiratory pathogenic nucleic acid (sampling interval at least 1 day);", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50279"}, "type": "Feature"}, {"geometry": {"coordinates": [112.351289, 30.196701], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "99xw@sina.com", "contactPhone": "+86 071 68494565", "dateEnrollment": "2020-02-18", "description": "Efficacy and safety of Xue-Bi-Jing injection in the treatment of severe cases of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030388", "primaryOutcome": "The percentage of patients who convert to moderate one;The rate of shock;Endotracheal intubation ratio;Time spent on the ventilator;mortality;Time of virus nucleic acid test turning negative;", "study_type": "Interventional study", "time": "2020-03-01", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50306"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450454, 30.446487], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "liubende99@outlook.com", "contactPhone": "+86 13907191851", "dateEnrollment": "2020-02-29", "description": "Cancelled by investigator A randomized, open-label, controlled and single-center trial to evaluate the efficacy and safety of anti-SARS-CoV-2 inactivated convalescent plasma in the treatment of novel coronavirus pneumonia (COVID-19) patient", "name": "ChiCTR2000030381", "primaryOutcome": "Clinical symptom improvement rate: improvement rate of clinical symptoms = number of cases with clinical symptom improvement /number of enrolling cases * 100%;", "study_type": "Interventional study", "time": "2020-02-29", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50290"}, "type": "Feature"}, {"geometry": {"coordinates": [109.08186, 34.31829], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "13816012151@163.com", "contactPhone": "+86 13816012151", "dateEnrollment": "2020-03-05", "description": "Cancelled by the investigator Clinical trial for umbilical cord blood CIK and NK cells in the treatment of mild and general patients infected with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030329", "primaryOutcome": "Status of immune function;The time of nucleic acid turns to negative;Length of stay in-hospital;", "study_type": "Interventional study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49779"}, "type": "Feature"}, {"geometry": {"coordinates": [114.369829, 22.612371], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "524712958@qq.com", "contactPhone": "+86 15618795225", "dateEnrollment": "2020-03-19", "description": "Cancelled by the investigator Mechanism of novel coronavirus pneumonia (COVID-19) virus with silent latent immune system induced by envelope protein and vaccine development", "name": "ChiCTR2000030306", "primaryOutcome": "Time to disease recovery;Time and rate of coronavirus become negative;", "study_type": "Observational study", "time": "2020-02-28", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50222"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413629, 23.022271], "type": "Point"}, "properties": {"classification": "impact on the helpers", "contactEmail": "zhb-ck@163.com", "contactPhone": "+86 13826041759", "dateEnrollment": "2020-01-31", "description": "Cancelled by the investigator Study for sleep status of medical staffs of hospitals administrating suspected cases of Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000030221", "primaryOutcome": "sleep status and related factors of insomnia;", "study_type": "Health services reaserch", "time": "2020-02-25", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50071"}, "type": "Feature"}, {"geometry": {"coordinates": [112.368155, 30.211818], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "99xw@sina.com", "contactPhone": "+86 18972161798", "dateEnrollment": "2020-02-25", "description": "Clinical study for Lopinavir and Ritonavir in the treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030187", "primaryOutcome": "Endotracheal intubation rate;mortality;Ratio of virus nucleic acid detection to negative;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50057"}, "type": "Feature"}, {"geometry": {"coordinates": [108.944717, 34.2348], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "gaomedic@163.com", "contactPhone": "+86 15091544672", "dateEnrollment": "2020-02-25", "description": "Cancelled by the investigator A randomized controlled trial for high-dose Vitamin C in the treatment of severe and critical novel coronavirus pneumonia (COVID-19) patients", "name": "ChiCTR2000030135", "primaryOutcome": "Ventilation-free days;mortality;", "study_type": "Interventional study", "time": "2020-02-24", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=50002"}, "type": "Feature"}, {"geometry": {"coordinates": [116.470636, 39.819566], "type": "Point"}, "properties": {"classification": "management", "contactEmail": "fxzhu72@163.com", "contactPhone": "+86 13911005275", "dateEnrollment": "2020-02-24", "description": "Lung ultrasound in the diagnosis, treatment and prognosis of pulmonary lesions of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030114", "primaryOutcome": "Lung ultrasound;Chest computed tomography (CT);Respiratory and oxygenation indicators;Prognostic indicators (length of stay, mortality);", "study_type": "Diagnostic test", "time": "2020-02-23", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49987"}, "type": "Feature"}, {"geometry": {"coordinates": [107.047757, 27.599864], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "188116999@qq.com", "contactPhone": "+86 15208660008", "dateEnrollment": "2020-02-22", "description": "Cancelled by the investigator Study for the false positive rate of IgM / IgG antibody test kit for novel coronavirus pneumonia (COVID-19) in different inpatients", "name": "ChiCTR2000030085", "primaryOutcome": "Positive/Negtive;False positive of rate ;", "study_type": "Diagnostic test", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49948"}, "type": "Feature"}, {"geometry": {"coordinates": [115.377066, 27.730417], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "ht2000@vip.sina.com", "contactPhone": "+86 13803535961", "dateEnrollment": "2020-02-23", "description": "Cancelled by the investigator Randomized controlled trial for the efficacy of dihydroartemisinine piperaquine in the treatment of mild/common novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030082", "primaryOutcome": "The time when the nucleic acid of the novel coronavirus turns negative;Conversion to heavy/critical type;", "study_type": "Interventional study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49915"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413333, 23.019305], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "zqling68@hotmail.com", "contactPhone": "+86 13609068871", "dateEnrollment": "2020-02-10", "description": "Multicenter study for the treatment of Dipyridamole with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000030055", "primaryOutcome": "Complete Blood Count;CRP;blood coagulation;D-dimer;Virological examination of pharyngeal swab;Pulmonary imaging;", "study_type": "Prognosis study", "time": "2020-02-22", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49864"}, "type": "Feature"}, {"geometry": {"coordinates": [113.054973, 23.679754], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "surewin001@126.com", "contactPhone": "+86 13500296796", "dateEnrollment": "2020-02-20", "description": "Cancelled by the investigator A randomized, double-blind, parallel, controlled trial for comparison of phosphoric chloroquine combined with standard therapy and standard therapy in mild/common patients with novel coronavirus pneumonia (COV", "name": "ChiCTR2000030031", "primaryOutcome": "Time of conversion to be negative of novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2020-02-21", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49806"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452143, 30.445142], "type": "Point"}, "properties": {"classification": "diagnosis", "contactEmail": "majingzhi2002@163.com", "contactPhone": "+86 13871257728", "dateEnrollment": "2020-02-21", "description": "Nucleic acid analysis of novel coronavirus pneumonia (COVID-19) in morning sputum samples and pharyngeal swabs-a prospectively diagnostic test", "name": "ChiCTR2000030005", "primaryOutcome": "detection of SARS-Cov-2 nucleic acid;SEN, ACC;", "study_type": "Diagnostic test", "time": "2020-02-19", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49669"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413247, 23.018277], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "wwei@chinacord.org", "contactPhone": "+86 13729856651", "dateEnrollment": "2020-03-01", "description": "Cancelled by the investigator Study on the effect of human placenta biological preparation on the defense of immune function against novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029984", "primaryOutcome": "IFN-gama;TNF-alpha;Blood routine index;Time and rate of coronavirus become negative;immunoglobulin;Exacerbation (transfer to RICU) time;Clearance rate and time of main symptoms (fever, fatigue, cough);", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49712"}, "type": "Feature"}, {"geometry": {"coordinates": [121.835116, 30.957515], "type": "Point"}, "properties": {"classification": "traditional chinese medicine", "contactEmail": "shanclhappy@163.com", "contactPhone": "+86 18616974986", "dateEnrollment": "2020-02-18", "description": "The effect of Gymnastic Qigong Yangfeifang on functional recovery and quality of life in patients with mild novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029976", "primaryOutcome": "Oxygen Inhalation Frequency;Oxygen Intake Time;cough;Degree of expiratory dyspnoea;", "study_type": "Interventional study", "time": "2020-02-18", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49631"}, "type": "Feature"}, {"geometry": {"coordinates": [109.051263, 34.124283], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "gaomedic@163.com", "contactPhone": "+86 15091544672", "dateEnrollment": "2020-02-24", "description": "Cancelled by the investigator An observational study of high-dose Vitamin C in the treatment of severe and critical patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029957", "primaryOutcome": "Ventilation-free days;mortality;", "study_type": "Observational study", "time": "2020-02-17", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49633"}, "type": "Feature"}, {"geometry": {"coordinates": [113.41362, 23.022281], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "gz8hcwp@126.com", "contactPhone": "+86 020-83710825", "dateEnrollment": "2020-02-16", "description": "Cancelled by investigator Single arm study for the efficacy and safety of GD31 in patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029895", "primaryOutcome": "The negative conversion rate and negative conversion time of novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2020-02-16", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49569"}, "type": "Feature"}, {"geometry": {"coordinates": [112.262011, 30.308455], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "hbjzyyywlc@163.com", "contactPhone": "+86 071 68497225", "dateEnrollment": "2020-02-17", "description": "Cancelled by the investigator A randomized, double-blind, parallel, controlled trial for comparison of phosphoric chloroquine combined with standard therapy and standard therapy in mild/common patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029837", "primaryOutcome": "Time of conversion to be negative of novel coronavirus nucleic acid;", "study_type": "Interventional study", "time": "2020-02-15", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49495"}, "type": "Feature"}, {"geometry": {"coordinates": [112.278877, 30.323572], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "hbjzyyywlc@163.com", "contactPhone": "+86 071 68497225", "dateEnrollment": "2020-02-17", "description": "Cancelled by the investigator A randomized, double-blind, parallel, controlled trial for comparison of phosphoric chloroquine combined with standard therapy and standard therapy in serious/critically ill patients with novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029826", "primaryOutcome": "Mortality rate;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49481"}, "type": "Feature"}, {"geometry": {"coordinates": [114.176821, 30.5018], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "hkq123123@163.com", "contactPhone": "+86 15287110369", "dateEnrollment": "2020-02-01", "description": "Cancelled by investigator A cox regression analysis of prognosis of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029820", "primaryOutcome": "DEATH;", "study_type": "Observational study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49492"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413247, 23.018277], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2020-02-20", "description": "Cancelled by the investigator Clinical Study for Umbilical Cord Blood Plasma in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029818", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49382"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413247, 23.018277], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2020-02-20", "description": "Cancelled by the investigator Clinical Study of Cord Blood NK Cells Combined with Cord Blood Mesenchymal Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029817", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49384"}, "type": "Feature"}, {"geometry": {"coordinates": [113.413646, 23.022261], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2020-02-20", "description": "Cancelled by the investigator Clinical Study for Cord Blood Mesenchymal Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029816", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49389"}, "type": "Feature"}, {"geometry": {"coordinates": [113.306808, 23.128628], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "164972769@qq.com", "contactPhone": "+86 15018720816", "dateEnrollment": "2020-02-20", "description": "Cancelled by the investigator Clinical Study for Umbilical Cord Blood Mononuclear Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)", "name": "ChiCTR2000029812", "primaryOutcome": "Time to disease recovery;", "study_type": "Interventional study", "time": "2020-02-14", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49374"}, "type": "Feature"}, {"geometry": {"coordinates": [114.452106, 30.448448], "type": "Point"}, "properties": {"classification": "understanding", "contactEmail": "whuhjy@sina.com", "contactPhone": "+86 13554361146", "dateEnrollment": "2020-02-13", "description": "Study for epidemiology, diagnosis and treatment of novel coronavirus pneumonia (COVID-19)", "name": "ChiCTR2000029770", "primaryOutcome": "Patients’ general information: epidemiological indicators such as age, gender, address, telephone, exposure history, past medical history, and BMI;Clinical symptoms;Patients' signs;blood routine examination;Urine routine test;stool routine examination;Blood biochemistry;myocardial enzyme spectrum;full set of coagulation;blood gas analysis;cytokine profile;T lymphocyte subsets;ESR;CRP;PCT;complete set of self-immunity test;Etiology related inspections;Chest X-ray;lung CT;Patients' treatment history;Patients' Prognosis;the cause of death;Others;", "study_type": "Observational study", "time": "2020-02-13", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49412"}, "type": "Feature"}, {"geometry": {"coordinates": [114.450205, 30.446523], "type": "Point"}, "properties": {"classification": "drugs", "contactEmail": "xin11@hotmail.com", "contactPhone": "+86 027 85726732", "dateEnrollment": "2020-02-07", "description": "Clinical Study of Arbidol Hydrochloride Using for Post-exposure Prophylaxis of 2019-nCoV in High-risk Population Including Medical Staff", "name": "ChiCTR2000029592", "primaryOutcome": "2019-nCoV RNA;2019-nCoV antibody;Chest CT;", "study_type": "Observational study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49069"}, "type": "Feature"}, {"geometry": {"coordinates": [121.208541, 30.178453], "type": "Point"}, "properties": {"classification": "ATMP", "contactEmail": "ljli@zju.edu.cn", "contactPhone": "+86 13906514210", "dateEnrollment": "2020-02-06", "description": "A multicenter, randomized, open, controlled clinical study to evaluate the efficacy and safety of recombinant cytokine gene-derived protein injection in combination with standard therapy in patients with novel coronavirus infection", "name": "ChiCTR2000029573", "primaryOutcome": "2019-nCoV nucleic acid test confirmed negative;", "study_type": "Interventional study", "time": "2020-02-05", "weburl": "http://www.chictr.org.cn/showproj.aspx?proj=49065"}, "type": "Feature"}], "type": "FeatureCollection"} \ No newline at end of file diff --git a/nginx/covid_website/assets/js/map.js b/nginx/covid_website/assets/js/map.js index 70cda93..39e231c 100644 --- a/nginx/covid_website/assets/js/map.js +++ b/nginx/covid_website/assets/js/map.js @@ -32,7 +32,7 @@ function initMap(mapDiv) { }).addTo( map ); // load geojson file - projectCentroidsUrl = 'assets/data/covid-19_clinical_trials_points.geojson'; + projectCentroidsUrl = 'assets/data/covid-19-trials.geojson'; setTimeout(function(){ map.invalidateSize()}, 400); var plotDiv = mapDiv.replace('map', 'plot'); var plotCumDiv = mapDiv.replace('map', 'cumplot'); diff --git a/python/address_from_sven.py b/python/address_from_sven.py deleted file mode 100644 index 71bf624..0000000 --- a/python/address_from_sven.py +++ /dev/null @@ -1,14 +0,0 @@ -import pandas as pd - - -sven_data_df = pd.read_csv("dat/whoStudies_address_locations.csv") -print(sven_data_df) - -address_df = sven_data_df[['Contact.Address', 'Contact.Affiliation', 'X_CompleteAdress', 'Y_CompleteAdress']].groupby(['Contact.Address']).agg({ - "Contact.Address": "count", - "Contact.Affiliation": 'first', - "X_CompleteAdress": 'first', - "Y_CompleteAdress": 'first' -}) -print(f"There are {len(address_df)} distinct locations.") -address_df.to_csv('dat/address_locations.csv') diff --git a/python/config/gdrive_api_service_account.json b/python/config/gdrive_api_service_account.json new file mode 100644 index 0000000..a054870 --- /dev/null +++ b/python/config/gdrive_api_service_account.json @@ -0,0 +1,12 @@ +{ + "type": "service_account", + "project_id": "sharp-matter-256610", + "private_key_id": "178a339596cecfbd07984abb003820b73a321769", + "private_key": "-----BEGIN PRIVATE KEY-----\nMIIEvQIBADANBgkqhkiG9w0BAQEFAASCBKcwggSjAgEAAoIBAQDOAz2vWq/wIHB4\nL5b/oBCSAS6Y0MT/MSRarZVYD8VUBgaM/uLd95HUXQhArDcj5Bpol+CfpBcdaq0u\nm6FeOZQqyKlOkEZD6YRZPrJRclIrh3notNgCiT2yoAIVNG9B1tqSI2ACliJteYPR\nntc1L5l2lFtODhTg0pSEMEohu+YpnYmf8kfy+HuiB+ZK/fI5ezYl/nQTOcHX3d1A\nQ9yRipjO97SI2j1aO18vIxR9XhneNMrhZLuY8Sc/Agv87By0Efqw55OXY0o+j0DJ\njy0dfZ/Qs2SY0FQetRFp3tEX3+vm+Hbaviz56edvzBSx7kybBvaEI7bZQJSrlXlt\noldkefQDAgMBAAECggEACVwRVeGvY5/9rCAxYozBo/iExvGZOaTga3Q+eEFDLFWX\nv5km8oG4cOcHJHUOjkVjQ8Q+stIQMMhzdM4iTzcbebQjKQwZ/STjW/CixluEyzB9\nA+sPc1IL6Q0m+xKmSV37ES+lQYjTqJigOgpW6bYvaTlFSq8OGMbIc5cEDzNLujE2\nuBI0TF2LIK614odUywTa7TLEzsKcuNCHYqXGxr/Ql1jUOBce2tFYWSOlgeugrHNz\nE56WQKvQhoVnIm6c4WwpgZrbmIRkvqyMuVITObzcyNH0ILruxec397nCXiaMQTw4\nXEjSPtaYcrvkpwsUblqjzXH97hZFo+ptHTvLYgIn4QKBgQDvpZeQG3EAQx7Rlara\nUb81Blipp7smeT5WEJb3JWOgV2Ci8px0ZZdO/AHDmC4FTlqXIwB1RQMSc5Gnvvwn\npv6fGikVespNRzQPrwVPS+EcE5xGiMEkXbZa41uyEyIDn3jE1BMghMyq9/mz56lx\ncf+2SxAvmpoyWC7q7bu5X1agoQKBgQDcEhdHjGXdc9EsVOyqbMXag8ue3pVOgu1o\nOAtZiKVqSdBID50Csf2YY/dYlaV5tV8JOLl9de24bN6EJ27KiCZSc8M/Rb00lpr/\nE1Vqc8I20MJC7nrJtj+YORHAPD98DSoukKXCKJt4c9Zixeg3gapsiZHMR0X7ptYy\nXDpOl9s+IwKBgQCDMZ5FsCAuypAGoO8F0hbhSnYjesXEDEAKEc7zwi5GS0+GJVdt\niWhKP0Af+iHHmduSPgE0MfG6mjY1JSMZ+hwOsd2n+q7hm4duxpwbiyjTnBDDtH44\nEG2SWEGMvVizrwwIhSlrdggt2M+Eo+BpUMVy4Kkdxn9/7DLTPg61LvJXwQKBgAWE\nYpcFmwwpOiY9Xs2K+o7W3QT3mZClUaRaO1acSWFXxmP4GDyYD76BSxMqdUKO3HoT\ntPrDORl1iUKQ5oMnVKaehleQvQSTfgFFD9AiZM0RAL3C0ss5yXBchehm2kSW4+bU\n84Lhl7w2UzqYsZCqrIYaENCpPMTpUtdiXofX4MQ3AoGAEbrUPY9QPOR9cU8fRyUI\nC8f8V69Yk2WD9vUuoHGolNggn2cJJtG0YBGx4n80k9AR1kNtIbBWkTiqdPZK6Pk4\nOPMCT5fLgaKqkO660reK3LZPCtUk3tPfYaag1PmMKlvXy05pj6PP0M45Im8EkAcE\nv+Vwfdgwpn+2Y2ZchUVSoAQ=\n-----END PRIVATE KEY-----\n", + "client_email": "mm-stats@sharp-matter-256610.iam.gserviceaccount.com", + "client_id": "115649390312040498371", + "auth_uri": "https://accounts.google.com/o/oauth2/auth", + "token_uri": "https://oauth2.googleapis.com/token", + "auth_provider_x509_cert_url": "https://www.googleapis.com/oauth2/v1/certs", + "client_x509_cert_url": "https://www.googleapis.com/robot/v1/metadata/x509/mm-stats%40sharp-matter-256610.iam.gserviceaccount.com" +} diff --git a/python/covid_worker.py b/python/covid_worker.py index 4f93863..2af4115 100644 --- a/python/covid_worker.py +++ b/python/covid_worker.py @@ -23,7 +23,7 @@ def get_trials_df_from_url() -> pd.DataFrame: """ # due to the error above we need to manually download the file and convert to csv - outfile = "dat/covid-19-trials_2020-03-26.csv" + outfile = "dat/covid-19-trials.csv" df = pd.read_csv(outfile) print(f"There are {len(df)} entries in {outfile}") @@ -117,17 +117,14 @@ def df_to_geojson(df): ) df.apply(insert_features, axis=1) - columns = ["TrialID", "X", "Y"] - df[columns].to_csv("dat/benni_test_df.csv") - - fname = "../nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson" + fname = "../nginx/covid_website/assets/data/covid-19-trials.geojson" with open(fname, "w", encoding="utf8") as fp: geojson.dump( geojson.FeatureCollection(features), fp, sort_keys=True, ensure_ascii=False ) print(f"saved df to '{fname}'.") - fname = "dat/covid-19_clinical_trials_points.geojson" + fname = "dat/covid-19-trials.geojson" with open(fname, "w", encoding="utf8") as fp: geojson.dump( geojson.FeatureCollection(features), fp, sort_keys=True, ensure_ascii=False @@ -202,8 +199,8 @@ def run(): df_to_geojson(new_data_df) # dump df to file - outfile = "dat/covid-19-trials_dataframe.csv" - new_data_df.to_csv() + outfile = f"dat/covid-19-trials_{date.today()}_dataframe.csv" + new_data_df.to_csv(outfile) if __name__ == "__main__": diff --git a/python/csv_to_geojson.py b/python/csv_to_geojson.py deleted file mode 100644 index 0e94e16..0000000 --- a/python/csv_to_geojson.py +++ /dev/null @@ -1,131 +0,0 @@ -import pandas as pd -import numpy as np -import geojson -import os -import random -from datetime import datetime - -def data2geojson(df): - features = [] - print(f"There are {len(df)} clinical trials.") - - df = df.loc[(df['Y'] > -90) & (df['X'] > -180)] - print(f"There are {len(df)} clinical trials with coordinates.") - - insert_features = lambda X: features.append( - geojson.Feature(geometry=geojson.Point((X["X"], - X["Y"])), - properties=dict(name=X["TrialID"], - description=X["Public title"], - study_type=X["Study type"], - time=X["Date registration"], - weburl=X['web address'], - primaryOutcome=X['Primary outcome'], - dateEnrollment=X['Date enrollement'], - contactEmail=X['Contact Email'], - contactPhone=X['Contact Tel'], - classification=X['Category']))) - df.apply(insert_features, axis=1) - - fname = "../nginx/covid_website/assets/data/covid-19_clinical_trials_points.geojson" - with open(fname, 'w', encoding='utf8') as fp: - geojson.dump(geojson.FeatureCollection(features), fp, sort_keys=True, ensure_ascii=False) - print(f"saved df to '{fname}'.") - - fname = "dat/covid-19_clinical_trials_points.geojson" - with open(fname, 'w', encoding='utf8') as fp: - geojson.dump(geojson.FeatureCollection(features), fp, sort_keys=True, ensure_ascii=False) - print(f"saved df to '{fname}'.") - - -def get_address_locations_from_file(): - # get coordinates from existing file - address_df = pd.read_csv('dat/address_locations_input.csv') - print(f"There are {len(address_df)} distinct locations.") - - # only get the one for which we have coordinates - selection_df = address_df.loc[(address_df['Y'] > -90) & (address_df['X'] > -180)] - selection_df = selection_df[["Contact Address", "X", "Y"]] - print(f"There are {len(selection_df)} locations with coordinates.") - - return selection_df - - -def save_address_locations_to_file(data_df): - # get address from current df - address_df = data_df[['Contact Address', 'Contact Affiliation', 'X', 'Y']].groupby(['Contact Address']).agg( - count=pd.NamedAgg(column='Contact Address', aggfunc='count'), - contact_affiliation=pd.NamedAgg(column='Contact Affiliation', aggfunc='first'), - X=pd.NamedAgg(column='X', aggfunc='first'), - Y=pd.NamedAgg(column='Y', aggfunc='first') - ) - - address_df.rename({ - 'contact_affiliation': "Contact Affiliation" - }) - fname = 'dat/address_locations.csv' - address_df.sort_values('X').to_csv(fname) - print(f"saved addresses to '{fname}', missing locations are at the bottom.") - -def unifyDateFormat(df, fieldName): - # which rows are problematic - isWrongFormat = df[fieldName].str.contains("/") - if(isWrongFormat.sum == 0): - return - strPartsSeries = df[fieldName][isWrongFormat].str.split(pat="/", expand=True) - # assuming that the form is day/month/year it is now turned into year-month-day - strPartsSeriesNew = strPartsSeries[2].astype(str) + "-" + strPartsSeries[1].astype(str) + "-" + strPartsSeries[0].astype(str) - df.loc[isWrongFormat, fieldName] = strPartsSeriesNew - return df - -def addNoiseToDuplicatedCoords(data_df): - # are the duplicated coordinates? - noiseFactor = 10 ** -2 - # round X and Y to ensure that close locations are considered as dubplicates as well - data_df['Xround'] = data_df['X'].round(2) - data_df['Yround'] = data_df['Y'].round(2) - isDuplicate = data_df.duplicated(subset=("Xround", "Yround"), - keep='first') # mark all but the first occurrence of a duplicate - # add uniformly distributed random noise to x and y coordinates - # draw -1 or 1 for the sign and when a random float and scale it to the desired level - # add 1 to ensure that we always have some offset - # by the specified noiseFactor - data_df['X'] = np.where(isDuplicate, - data_df['X'] + random.choice((-1, 1)) * (1 + random.uniform(0.5, 1)) * noiseFactor, - data_df['X']) - data_df['Y'] = np.where(isDuplicate, - data_df['Y'] + random.choice((-1, 1)) * (1 + random.uniform(.5,1)) * noiseFactor, - data_df['Y']) - return(data_df) - - - - -def run(): - data_df = pd.read_csv("dat/IctrpResults.csv") - data_df = data_df.drop_duplicates(subset="TrialID", keep='first') - data_classification = pd.read_csv("dat/classification.csv") - # join with classification table - data_df = data_df.join(data_classification[['TrialID', 'Category']].set_index("TrialID"), on="TrialID", how="left") - data_df = unifyDateFormat(data_df, 'Date registration') - # check values problematic for JSON export - #data_df[~data_df.isin([np.nan, np.inf, -np.inf]).any(1)] - data_df= data_df.fillna('') - # remove wrong case NCT04256395 - data_df= data_df.drop(data_df[data_df['TrialID']=="NCT04256395"].index, axis=0) - data_df = data_df.drop(data_df[data_df['TrialID'] == "NCT04061382"].index, axis=0) - # - - address_df = get_address_locations_from_file() - data_df = data_df.join(address_df.set_index("Contact Address"), on="Contact Address", how="left") - # 30 duplicate concat addresse in address_df caused an inflation of studies. Fixing that with drop_duplicates - data_df = data_df.drop_duplicates(subset="TrialID", keep='first') - data_df = addNoiseToDuplicatedCoords(data_df) - save_address_locations_to_file(data_df) - data2geojson(data_df) - - -if __name__ == "__main__": - os.chdir(os.path.dirname(__file__)) - random.seed(datetime.now()) # initialize random generator - run() diff --git a/python/dat/IctrpResults.csv b/python/dat/IctrpResults.csv deleted file mode 100644 index 92dceec..0000000 --- a/python/dat/IctrpResults.csv +++ /dev/null @@ -1,6172 +0,0 @@ -"TrialID","Last Refreshed on","Public title","Scientific title","Acronym","Primary sponsor","Date registration","Date registration3","Export date","Source Register","web address","Recruitment Status","other records","Inclusion agemin","Inclusion agemax","Inclusion gender","Date enrollement","Target size","Study type","Study design","Phase","Countries","Contact Firstname","Contact Lastname","Contact Address","Contact Email","Contact Tel","Contact Affiliation","Inclusion Criteria","Exclusion Criteria","Condition","Intervention","Primary outcome","results date posted","results date completed","results url link","Retrospective flag","Bridging flag truefalse","Bridged type","results yes no" -"ChiCTR2000029953","17 February 2020","Construction and Analysis of Prognostic Predictive Model of Novel Coronavirus Pneumonia (COVID-19)","Construction and Analysis of Prognostic Predictive Model of Novel Coronavirus Pneumonia (COVID-19) ",,"Zhongnan Hospital of Wuhan University","2020-02-17",20200217,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49217","Not Recruiting","No",,,"Both","2020-02-01","survival group:200;died:200;","Observational study","Factorial","N/A","China","Yan Zhao",,"169 Donghu Road, Wuchang District, Wuhan, Hubei, China","doctoryanzhao@whu.edu.cn","+86 13995577963","Emergency Department of Zhongnan Hospital of Wuhan University","Inclusion criteria: 2019-nCoV-infected pneumonia diagnosed patients, the diagnostic criteria refer to ""guideline of the diagnose and treatment of 2019-nCoV (trial)"" published by National Health Committees of Peoples' Republic Country ""","Exclusion criteria: Patients diagnosed with pneumonia of age <15 years diagnosed according to""guideline of the diagnose and treatment of 2019-nCoV (tested)"" published by National Health Committees of Peoples' Republic Country; Suspected patient with viral nucleic acid-negative 2019-nCoV infection.","2019-nCoV Pneumonia","survival group:none;died:none;","duration of in hospital;in hospital mortality;the 28s day' mortality after admission;duration of ICU stay;",,,,"No","False"," ", -"ChiCTR2000029949","17 February 2020","A Medical Records Based Study for the Effectiveness of Extracorporeal Membrane Oxygenation in Patients with Severe Novel Coronavirus Pneumonia (COVID-19)","A Medical Records Based Study for the Effectiveness of Extracorporeal Membrane Oxygenation in Patients with Severe Novel Coronavirus Pneumonia (COVID-19) ",,"Emergency Department of Zhongnan hospital of Wuhan University","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49181","Not Recruiting","No",18,,"Both","2020-02-16","Case series:40;","Observational study","Sequential","Retrospective study","China","Yan, Zhao",,"169 Donghu Road, Wuchang District, Wuhan, Hubei, China","doctoryanzhao@whu.edu.cn","+86 13995577963","Emergency Department of Zhongnan hospital of Wuhan University","Inclusion criteria: 1. Aged >=18 years; -
2. Diagnosed of 2019-nCoV infection with ""guideline of the diagnose and treatment of 2019-nCoV (tested the fourth edition)"" published by National Health Committees of Peoples' Republic Country. -
3. Failed by conventional treatment needing ECMO support. ","Exclusion criteria: Absolutely forbidden criteria for ECMO application","Novel Coronavirus Pneumonia (COVID-19)","Case series:Extracorporeal Membrane Oxygenation;","inhospital length;inhospital mortality;ECMO treatment length;28th day mortality after admission;",,,,"Yes","False"," ", -"ChiCTR2000029947","17 February 2020","A Randomized Controlled Trial for Qingyi No. 4 Compound in the treatment of Convalescence Patients of Novel Coronavirus Pneumonia (COVID-19)","A Randomized Controlled Trial for Qingyi No. 4 Compound in the treatment of Convalescence Patients of Novel Coronavirus Pneumonia (COVID-19) ",,"Longhua Hospital Affiliated to Shanghai University of Traditional Chinese Medicine","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49599","Not Recruiting","No",18,75,"Both","2020-03-01","experimental group :100;control group :100;","Interventional study","Parallel","N/A","China","LU Zhenhui",,"725 Wanping Road South, Xuhui District, Shanghai, China","tcmdoctorlu@163.com","+86 13817729859","Longhua Hospital Affiliated to Shanghai University of Traditional Chinese Medicine ","Inclusion criteria: 1. Meet the diagnostic criteria forconfirmed cases in the Diagnosis and Treatment of Pneumonia of New Coronavirus Pneumonia (Trial Version 5); -
2. The acute stage is complicated by sepsis, respiratory failure, ARDS and so on. The patients are with multiple organ damage when improved and tended to recover after organ support and other treatments; -
3. Meet the TCM diagnostic criteria for the recovery period; -
4. Aged 18-75 years-old men or women; -
5. Patients who volunteer to participate in this study and sign informed consent.","Exclusion criteria: 1. Patients with respiratory failure, acute necrotizing encephalopathy, septic shock, multiple organ dysfunction, and other serious clinical conditions requiring monitoring and treatment when enrolled; -
2. Pregnant, preparing or lactating women; -
3. Patients with severe heart, cerebrovascular and liver, kidney, hematopoietic system diseases and mental illness; -
4. Patients with tuberculosis, measles, AIDS and other infectious diseases; -
5. Patients with known allergies to western medicine or traditional Chinese medicine ingredients used in this research; -
6. Patients with gastrointestinal bleeding who cannot take Chinese medicine; -
7. Patients who use oral Chinese medicine within 4 weeks.","Novel Coronavirus Pneumonia (COVID-19)","experimental group :Traditional Chinese medicine compound granules + western medicine symptomatic treatment;control group :western medicine symptomatic treatment ;","Lung function;",,,,"Yes","False"," ", -"ChiCTR2000029941","17 February 2020","A randomized controlled trial for Traditional Chinese Medicine in the treatment for Novel Coronavirus Pneumonia (COVID-19)","A randomized controlled trial for Traditional Chinese Medicine in the treatment for Novel Coronavirus Pneumonia (COVID-19) ",,"Longhua Hospital Affiliated to Shanghai University of Traditional Chinese Medicine","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49596","Not Recruiting","No",18,75,"Both","2020-03-01","experimental group :100;control group:100;","Interventional study","Parallel","N/A","China","LU Zhenhui",,"725 Wanping Road South, Xuhui District, Shanghai, China","tcmdoctorlu@163.com","+86 13817729859","Longhua Hospital Affiliated to Shanghai University of Traditional Chinese Medicine ","Inclusion criteria: 1. Meet the diagnostic criteria for suspected and confirmed cases (including mild, general, and severe) in the Diagnosis and Treatment of Pneumonia of New Coronavirus Pneumonia (Trial Version 5); -
2. Meet the TCM diagnostic criteria for each stage of the novel coronavirus pneumonia; -
3. Aged 18-75 years-old men or women; -
4. Patients who volunteer to participate in this study and sign informed consent.","Exclusion criteria: 1. Patients with respiratory failure, acute necrotizing encephalopathy, septic shock, multiple organ dysfunction, and other serious clinical conditions requiring monitoring and treatment when enrolled; -
2. Pregnant, preparing or lactating women; -
4. Patients with severe heart, cerebrovascular and liver, kidney, hematopoietic system diseases and mental illness; -
3. Patients with tuberculosis, measles, AIDS and other infectious diseases; -
5. Patients with known allergies to western medicine or traditional Chinese medicine ingredients used in this research; -
6. Patients with gastrointestinal bleeding who cannot take Chinese medicine; -
7. Patients who use oral Chinese medicine within 4 weeks.","Novel Coronavirus Pneumonia (COVID-19)","experimental group :Traditional Chinese medicine compound granules + western medicine symptomatic treatment ;control group:western medicine symptomatic treatment ;"," Number of worsening events;",,,,"Yes","False"," ", -"ChiCTR2000029939","17 February 2020","A Single-blind, Randomized, Controlled Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19)","A Single-blind, Randomized, Controlled Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19) ",,"HwaMei Hospital, University of Chinese Academy of Sciences","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49612","Recruiting","No",,,"Both","2020-02-10","Conventional treatment group:50;Experimental group:50;","Interventional study","Parallel","N/A","China","Ting Cai",,"41 Xibei Street, Ningbo, Zhejiang, China","caiting@ucas.ac.cn","+86 13738498188","HwaMei Hospital, University of Chinese Academy of Sciences","Inclusion criteria: Patients aged 18 or older, and meet the diagnostic criteria of Diagnosis and Treatment Scheme of Novel Coronavirus Infected Pneumonia published by the National Health Commission. -
Criteria for diagnosis (meet all the following criteria): -
1. With epidemiological history; -
2. Clinical manifestations (meet any 2 of the following): fever, normal or decreased white blood cell count or lymphopenia in the early stage of onset, and Chest radiology in the early stage shows multiple small patchy shadowing and interstitial changes which is especially significant in periphery pulmonary. Furthermore, it develops into bilateral multiple ground-glass opacity and infiltrating shadowing. Pulmonary consolidation occurs in severe cases. Pleural effusion is rare; -
3. Confirmed case (suspected case obtained one of the following etiologic evidences): a positive result to real-time reverse-transcriptase PCR for respiratory specimen or blood specimen, or Genetic sequencing result of virus in respiratory or blood specimens are highly homologous to SARS-CoV-2.","Exclusion criteria: 1. Female patients during pregnancy; -
2. Patients with known allergy to chloroquine; -
3. Patients with haematological diseases; -
4. Patients with chronic liver or kidney diseases at the end stage; -
5. Patients with arrhythmia and chronic heart disease; -
6. Patients with retinal disease, hearing deficiency or hearing loss; -
7. Patients with psychiatric diseases; -
8. Patients taking digitalis due to underlying diseases.","Novel Coronavirus Pneumonia (COVID-19)","Conventional treatment group:The conventional treatment group will be treated according to the guidance of the “Diagnosis and Treatment Scheme of COVID-19” published by the National Health Commission.;Experimental group:conventional treatment combined with Chloroquine Phosphate.;","Length of hospital stay;",,,,"No","False"," ", -"ChiCTR2000029935","17 February 2020","A Single-arm Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19)","A Single-arm Clinical Trial for Chloroquine Phosphate in the treatment of Novel Coronavirus Pneumonia 2019 (COVID-19) ",,"HwaMei Hospital, University of Chinese Academy of Sciences","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49607","Recruiting","No",,,"Both","2020-02-06","Case series:100;","Interventional study","Single arm","N/A","China","Ting Cai",,"41 Xibei Street, Ningbo, Zhejiang, China","caiting@ucas.ac.cn","+86 13738498188","HwaMei Hospital, University of Chinese Academy of Sciences","Inclusion criteria: Patients aged 18 or older, and meet the diagnostic criteria of Diagnosis and Treatment Scheme of Novel Coronavirus Infected Pneumonia published by the National Health Commission. -
Criteria for diagnosis (meet all the following criteria): -
1. Epidemiologic history. -
2. Clinical manifestations (meet any 2 of the following): fever, normal or decreased white blood cell count or lymphopenia in the early stage of onset, and Chest radiology in the early stage shows multiple small patchy shadowing and interstitial changes which is especially significant in periphery pulmonary. Furthermore, it develops into bilateral multiple ground-glass opacity and infiltrating shadowing. Pulmonary consolidation occurs in severe cases. Pleural effusion is rare; -
3. Confirmed case (suspected case obtained one of the following etiologic evidences): a positive result to real-time reverse-transcriptase PCR for respiratory specimen or blood specimen, or Genetic sequencing result of virus in respiratory or blood specimens are highly homologous to SARS-CoV-2.","Exclusion criteria: 1. Female patients during pregnancy; -
2. Patients with known allergy to chloroquine; -
3. Patients with haematological diseases; -
4. Patients with chronic liver or kidney diseases at the end stage; -
5. Patients with arrhythmia and chronic heart disease; -
6. Patients with retinal disease, hearing deficiency or hearing loss; -
7. Patients with psychiatric diseases; -
8. Patients taking digitalis due to underlying diseases.","Novel Coronavirus Pneumonia (COVID-19)","Case series:Treated with conventional treatment combined with Chloroquine Phosphate;","Length of hospital stay;",,,,"No","False"," ", -"ChiCTR2000029907","17 February 2020","Study for construction and assessment of early warning score of the clinical risk of novel coronavirus (COVID-19) infected patients","Study for construction and assessment of early warning score of the clinical risk of novel coronavirus (COVID-19) infected patients ",,"West China Hospital, Sichuan University","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49587","Not Recruiting","No",0,100,"Both","2020-02-16","Case series:1000;","Observational study","Sequential",0,"China","Yao, Rong",,"37 Guoxue Lane, Chengdu, Sichuan, China","1037070596@qq.com","+86 18980601415","West China Hospital, Sichuan University","Inclusion criteria: Patients who meet the suspected or confirmed diagnostic criteria of COVID-19.","Exclusion criteria: N/A","COVID-19","Case series:Nil;","clinical features and risk factors;validity and reliability of the model;",,,,"Yes","False"," ", -"ChiCTR2000029905","17 February 2020","A medical records based study of novel coronavirus pneumonia (COVID-19) and influenza virus co-infection","Co-infection of novel coronavirus pneumonia (COVID-19) and influenza virus: a single-center, two-phase, observational study ",,"Zhongnan Hospital of Wuhan University","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49595","Recruiting","No",,,"Both","2020-02-10","Case series:271;","Observational study","Factorial","N/A","China","Zhao Yan",,"169 Donghu Road, Wuhan, Hubei, China","doctoryanzhao@whu.edu.cn","+86 13995577963","Zhongnan Hospital of Wuhan University","Inclusion criteria: 1. Influenza patients diagnosed in our center from December 1 to February 28 in the past 5 years (positive throat swab antigens of influenza A, B and H7 subtypes); -
2. From December 1, 2019 to February 13, 2020, patients with positive detection of SARS-COV-2 (throat swab) in our center; -
3. novel coronavirus (COVID-19) (throat swab) positive patients admitted to our hospital after February 13, 2020 -
4. Influenza virus antigen/nucleic acid positive patients admitted to our hospital after February 13, 2020","Exclusion criteria: 1. Patients who refuse to sign informed consent; -
2. Clinical data is seriously missing or unable to ensure the authenticity of data.","Novel Coronavirus Pneumonia (COVID-19)","Case series:Nil;","Incidence of co-infection;",,,,"No","False"," ", -"ChiCTR2000029896","17 February 2020","Evaluate the effectiveness of Traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)","Evaluate the effectiveness of Traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Affiliated Hospital of Changchun University of traditional Chinese Medicine","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49432","Recruiting","No",,,"Both","2020-01-31","Case series:100;","Observational study","Sequential","N/A","China","Wang Tan",,"1478 Gongnong Road, Changchun, Jilin, China","Wangtan215@sina.com","+86 13756858523","Affiliated Hospital of Changchun University of traditional Chinese Medicine","Inclusion criteria: 1. Suspected, mild, normal and severe cases diagnosed in accordance with the diagnosis and treatment scheme for pneumonia of novel coronavirus infection (trial version 5); -
2. The expert team of consultation in our hospital will participate in the diagnosis and treatment.","Exclusion criteria: 1. Unable to receive traditional Chinese medicine treatment. -
2. Cases where complete diagnosis and treatment information is not available.","novel coronavirus pneumonia","Case series:Prescription based on syndrome differentiation of TCM and Routine treatment of Western Medicine;","Conversion rate of mild and common type patients to severe type;Mortality Rate;",,,,"No","False"," ", -"ChiCTR2000029883","17 February 2020","A comparative study on the sensitivity of nasopharyngeal and oropharyngeal swabbing for the detection of SARS-CoV-2 by real-time PCR","A comparative study on the sensitivity of nasopharyngeal and oropharyngeal swabbing for the detection of SARS-CoV-2 by real-time PCR ",,"Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","2020-02-16",20200216,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49549","Not Recruiting","No",18,75,"Both","2020-02-17","Target condition:200;Difficult condition:0","Diagnostic test","Sequential",0,"China","Xu Shuyun",,"1095 Jiefang Avenue, Qiaokou District, Wuhan, Hubei, China","sxu@hust.edu.cn","+86 13517248539","Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","Inclusion criteria: Confirmed or suspected case of COVID-19 in Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology. -
1. Aged <= 75 years; -
2. Patients with newly diagnosed and suspected coronavirus pneumonia; -
3. Willing and able to sign informed consent.","Exclusion criteria: 1. Patients without any clinical or chest imaging manifestations; -
2. Those with severe nasal diseases affecting the sampling; -
3. Inability to understand or follow research protocols for severe mental illness; -
4. Invasive ventilation with endotracheal intubation.","Novel Coronavirus Pneumonia (COVID-19)","Gold Standard:The suspected patient is confirmed by any of the following etiological evidence:
1. Real-time RT-PCR of respiratory tract or blood samples was positive for the SARS-CoV-2;
2. Gene sequencing of respiratory or blood samples is highly homologous with SARS-CoV-2.;Index test:SARS-CoV-2 nucleic acid test: 1. nasopharyngeal samples; 2. oropharyngeal samples;","detection of SARS-CoV-2 nucleic acid;SEN;",,,,"Yes","False"," ", -"ChiCTR2000029870","17 February 2020","Evaluation of Rapid Diagnostic Kit (IgM/IgG) for Novel Coronavirus Pneumonia (COVID-19)","Evaluation of Rapid Diagnostic Kit (IgM/IgG) for Novel Coronavirus Pneumonia (COVID-19) ",,"Jiangsu Institute of Parasitic Diseases","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49563","Recruiting","No",,,"Both","2020-02-15","Target condition:500;Difficult condition:100","Diagnostic test","Sequential",0,"China","Cao Jun",,"117 Meiyuan Yangxiang, Wuxi, Jiangsu, China","caojuncn@hotmail.com","+86 0510-68781007","Jiangsu Institute of Parasitic Diseases","Inclusion criteria: Confirmed and suspected cases of novel Coronavirus pneumonia ","Exclusion criteria: None","Novel Coronavirus Pneumonia (COVID-19)","Gold Standard:Nucleic acid detection method of novel Coronavirus pneumonia ;Index test:IgM/IgG;","Positive/Negtive;SEN, SPE, ACC, AUC of ROC;",,,,"Yes","False"," ", -"ChiCTR2000029869","17 February 2020","A multicenter, randomized, controlled trial for integrated Chinese and western medicine in the treatment of ordinary novel coronavirus pneumonia (COVID-19) based on the ' Internal and External Relieving -Truncated Torsion' strategy","A multicenter, randomized, controlled trial for integrated Chinese and western medicine in the treatment of ordinary novel coronavirus pneumonia (COVID-19) based on the ' Internal and External Relieving -Truncated Torsion' strategy ",,"Huangshi Hospital of Traditional Chinese Medicine","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49486","Not Recruiting","No",18,80,"Both","2020-02-10","experimental group:150;control group:150;","Interventional study","Parallel",4,"China","Tingrong Huang, Bangjiang Fang, Jun Feng, Jianguo Zuo, Gang Wang ",,"6 Guangchang Road, Huangshi, Hubei, China","fangbji@163.com","+86 0714-6224162","Huangshi Hospital of Traditional Chinese Medicine","Inclusion criteria: 1. patients with novel coronavirus pneumonia confirmed by pathogenic detection; -
2. Fever, respiratory tract and other symptoms, the change of pneumonia can be seen in imaging; -
3. Aged 18 to 80 years; -
4. Signed informed consent.","Exclusion criteria: 1. Pregancy or lactating women; -
2. People with allergies or allergies to traditional Chinese medicine -
3. Severe Primary disease such as uncontrolled and metastasis malignancy, hematopathy, HIV; -
4. Obstructive pneumonia caused by lung tumors, severe pulmonary interstitial fibrosis, alveolar proteinosis, allergic reaction alveolitis; -
5. Previous immunodepressant within 6 months before study entry or Receipt of a solid-organ or bone marrow transplant; -
6. Severe mental illness or inability to cooperate with investigators.","Novel Coronavirus Pneumonia (COVID-19)","experimental group:Truncated Torsion' Formula and Routine treatment of Western Medicine;control group:Routine treatment of Western Medicine;","14 day outcome of the subjects, including: recovery, improvement, turning critical, death.;lung CT;",,,,"No","False"," ", -"ChiCTR2000029868","17 February 2020","Hydroxychloroquine treating novel coronavirus pneumonia (COVID-19): a multicenter, randomized controlled trial","Hydroxychloroquine treating novel coronavirus pneumonia (COVID-19): a multicenter, randomized controlled trial ",,"Ruijin Hospital, Shanghai Jiaotong University School of Medicine","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49524","Recruiting","No",18,,"Both","2020-02-10","Experimental group:100;Control group:100;","Interventional study","Parallel",4,"China","Guochao Shi",,"197 Second Ruijin Road, Huangpu District, Shanghai, China","shi_guochao2010@qq.com","+86 13911379001","Ruijin Hospital, Shanghai Jiaotong University School of Medicine","Inclusion criteria: 1. Aged 18 years old and above; -
2. Meet the novel coronavirus pneumonia (COVID-19) diagnostic criteria. The upper and lower respiratory tract RT-PCR confirmed that 2019-nCoV nucleic acid positive, chest CT imaging examination could be used in conjunction; -
3. Onset time <=12 days; -
4. Sign informed consent; -
5. Do not participate in the clinical study of other study drugs within 28 days.","Exclusion criteria: 1. Severe novel coronavirus pneumonia (COVID-19) patients; -
2. Other serious medical diseases such as malignant tumor, heart, liver and kidney disease, metabolic disease, etc; -
3. Not suitable for gastrointestinal administration; -
4. Pregnant or lactating women; -
5. Those who are allergic to the ingredients of this product; -
6. Mental state can not cooperate with the observer or cognitive impairment; -
7. Severe liver disease (such as child Pugh score >=C, AST > 5 times ULN); -
8. Patients with known severe renal impairment (glomerular filtration rate <=30 ml/min/1.73 m2) or continuous renal replacement therapy, hemodialysis, peritoneal dialysis.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:oral hydroxychloroquine sulfate tablets;Control group:Conventional treatment meet the Guideline;","Viral nucleic acid test;",,,,"No","False"," ", -"ChiCTR2000029867","17 February 2020","The efficacy and safety of carrimycin treatment in patients with novel coronavirus pneumonia (COVID-19): a multicenter, randomized, open-label, controlled trial","The efficacy and safety of carrimycin treatment in patients with novel coronavirus pneumonia (COVID-19): a multicenter, randomized, open-label, controlled trial ",,"Beijing You'an Hospital, Capital Medical University","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49514","Recruiting","No",18,75,"Both","2020-02-15","Experimental group:260;Control group:260;","Interventional study","Parallel",4,"China","Ronghua Jin",,"8 Xitoutou, You'anmen, Fengtai District, Beijing","dinghuiguo@medmail.com.cn","+86 13811611118","Beijing You'an Hospital, Capital Medical University","Inclusion criteria: 1. Subjects have signed informed consent; agree not to participate in other clinical studies within 30 days from the first administration of the research drug to the last administration. -
2. Aged >= 18 and <= 75 years. -
3. Met the diagnostic criteria for COVID-19 (fifth edition, China). -
4. SOFA score: 2 to 13 points. -
COVID-19 clinical stratifications: -
1. Mild (n = 200): The clinical symptoms are mild or asymptomatic, and no pneumonia is seen on imaging, but the throat swab or mouthwash 2019-nCOV is positive. -
2. General type (n = 160): with fever, respiratory tract symptoms, etc. Imaging shows pneumonia. -
3. Severe type (n = 80): Meet any of the following criteria. -
(1) Respiratory distress, RR >= 30 times / minute. -
(2) In the resting state, the oxygen saturation is <= 93%. -
(3) Arterial blood oxygen partial pressure (PaO2) / oxygen concentration (FiO2) <= 300mmHg (1mmHg = 0.133kPa). -
4. Critical type (n = 80): One of the following criteria: -
(1) Respiratory failure (ARDS) occurs and requires mechanical ventilation. -
(2) Shock. -
(3) Combined failure of other organs requires ICU monitoring and treatment.","Exclusion criteria: 1. Patients who have received immunotherapy (such as PD-1 / L1, CTLA4, etc.) and inflammatory factor modulators (such as Ulinastatin) within one month. -
2. Patients who have used antibacterial drugs such as macrolides within one week. -
3. Patients who have received other anti-2019-nCOV potentially effective drugs such as Lopinavir and Ritonavir within one week. -
4. Those who have undergone organ transplantation or surgery planning within 6 months. -
5. Patients with coma or intestinal obstruction can not eat or take medicine. -
6. With severe illness affected survival, including uncontrolled malignant tumors that have been metastatic and can not be removed, blood diseases, cachexia, active bleeding, severe malnutrition, HIV, etc.. -
7. Pregnant and lactating women, subjects (including male subjects) have a pregnancy plan (including sperm donation, egg donation plan) within the next 6 months or are unable to take effective contraceptive measures. -
8. Patients with allergies or allergies to macrolide drugs, lopinavir / ritonavir tablets. -
9. Patients with contraindications to using lopinavir / ritonavir tablets who plan or are using drugs that interact with the drug (including: highly dependent on CYP3A clearance and increased plasma concentrations can be severe and / or Life-threatening events [narrow therapeutic index] drugs, CYP3A inducers [see the instructions for details]), and can not be stopped or switched to other drugs. -
10. Elevated alanine aminotransferase (ALT) / glutaminase (AST) is more than five times the upper limit of normal, total bilirubin is three times the upper limit of normal, or child-Pugh grade C cirrhosis. -
11. Extracorporeal life support (ECMO, ECCO2R, RRT). -
12. Critical patients with an estimated survival time of < 48 h. -
13. Participants in other clinical research in the past month. -
14. At the investigator's discretion, patients were deemed unsuitable for inclusion.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Carrimycin;Control group:Lopinavir and Ritonavir Tablets;","Body temperature returns to normal time;Pulmonary inflammation resolution time (HRCT);Mouthwash (pharyngeal swab) at the end of treatment COVID-19 RNA negative rate;",,,,"Yes","False"," ", -"ChiCTR2000029855","17 February 2020","A randomized, open and controlled clinical trial for traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19)","A randomized, open and controlled clinical trial for traditional Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) ",,"The First Affiliated Hospital of Medical College of Zhejiang University","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49543","Recruiting","No",18,75,"Both","2020-02-15","Chinese traditional medicine group 1:60;Chinese traditional medicine group 2:60;Control group:60;","Interventional study","Parallel","N/A","China","Wu Guolin",,"79 Qingchun Road, Shangcheng District, Hangzhou, Zhejiang, China","wuguolin28@163.com","+86 13136150848","The First Affiliated Hospital of Medical College of Zhejiang University","Inclusion criteria: 1) common type pneumonia patients with confirmed new coronavirus infection; -
2) aged 18 to 75 years old; -
3) voluntary signing of written informed consent.","Exclusion criteria: 1) pneumonia patients with severe or critical new coronavirus infection; -
2) daily treatment of asthma, any other chronic respiratory disease; -
3) patients with confirmed history of diabetes and HbA1C >=8.0%; -
4) those allergic to the known ingredients of the drug; -
5) pregnant or nursing women; -
6) patients with severe mental illness; -
7) patients who have participated in other clinical trials within the past 1 month.","Novel Coronavirus Pneumonia (COVID-19)","Chinese traditional medicine group 1:Traditional Chinese medicine qingfei prescription treatment;Chinese traditional medicine group 2:Traditional Chinese medicine clear lung prescription and compound houttuynia mixture treatment;Control group:Conventional treatment;","TCM symptom score;Antifebrile time;The time and rate of transition of new coronavirus to Yin;",,,,"Yes","False"," ", -"ChiCTR2000029853","17 February 2020","A randomized, open-label, controlled clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19)","A randomized, open-label, controlled clinical trial for azvudine in the treatment of novel coronavirus pneumonia (COVID-19) ",,"People's Hospital of Guangshan County","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49532","Recruiting","No",18,,"Both","2020-02-16","Experimental group:10;Control group:10;","Interventional study","Parallel",0,"China","Pei Guangzhong",,"222 Zhengda Street, Guangshan County, He'nan, China","503818505@qq.com","+86 13839708181","People's Hospital of Guangshan County","Inclusion criteria: (1) aged >=18 years old; -
(2) real-time fluorescence rt-pcr of respiratory or blood samples presents the positive nucleic acid of COVID-19, or the viral gene sequencing of respiratory or blood samples was highly homologous with the known COVID-19. -
(3) patients diagnosed with novel coronavirus meet the diagnostic criteria of the latest clinical guidelines for novel coronavirus issued by the world health organization (WHO) on January 28, 2020 and the diagnostic criteria of the pneumonia diagnosis and treatment program for novel coronavirus infection (trial version 5) issued by National Health commission of the People's Republic of China.","Exclusion criteria: (1) known or suspected allergy to the components of Azivudine tablets; -
(2) patients with malabsorption syndrome or any other condition that affects gastrointestinal absorption and requires intravenous nutrition or unable to take oral medication; -
(3) patients who is currently receiving anti-hiv treatment; -
(4) patients with one of the following conditions: respiratory failure and mechanical ventilation;Shock;Combined with other organ failure, intensive care unit(ICU) was needed. -
(5) women who are pregnant or breast-feeding or have a family planning plan during the trial period and within 6 months after the end of the trial; -
(6) participating in another clinical trials or using experimental drugs within 12 weeks prior to administration; -
(7) there are other conditions that are not suitable for participating in this experiment evaluated by the investigator.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Oral administration of 5 tablets of 1mg Azvudine tablets daily;Control group:According to the ""Pneumonia Diagnosis and Treatment Plan for New Coronavirus Infection (Trial Version 5)"" issued by National Health Commission of People's Republic of China, the subjects were given corresponding treatment.;","time and rate of temperature return to normal;;time and rate of improvement of respiratory symptoms and signs (lung rhones, cough, sputum, sore throat, etc.);time and rate of improvement of diarrhea, myalgia, fatigue and other symptoms;time and rate of pulmonary imaging improvement;time and rate of change to negative COVID-19 nucleic acid test;time and rate of improvement of oxygenation measurement;improvement time and rate of CD4 count;rate of mild/modorate type to severe type, rate of severe type to critical type;length of hospitalization;mortality;",,,,"Yes","False"," ", -"ChiCTR2000029850","17 February 2020","Study on convalescent plasma treatment for severe patients with novel coronavirus pneumonia (COVID-19)","Effecacy and safty of convalescent plasma treatment for severe patients with novel coronavirus pneumonia (COVID-19): a prospective cohort study ",,"The First Affiliated Hospital of Zhejiang University School of Medicine","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49533","Recruiting","No",16,99,"Male","2020-02-15","experimental group:10;control group:10;","Interventional study","Non randomized control",0,"China","Xiaowei Xu",,"79 Qingchun Road, Shangcheng District, Hangzhou, Zhejiang, China","xxw69@126.com","+86 13605708066","The First Affiliated Hospital of Zhejiang University, State Key Laboratory for Diagnosis and Treatment of Infectious Diseases, National Clinical Research Center for Infectious Disease","Inclusion criteria: 1. Laboratory confirmed diagnosis of COVID19 infection by RT-PCR; -
2. Aged > 18 years; -
3. Written informed consent given by the patient or next-of-kin; -
4. Clinical deterioration despite conventional treatment that required intensive care.","Exclusion criteria: 1. Hypersensitive to immunoglobulin; -
2. Have immunoglobulin A deficiency.","Novel Coronavirus Pneumonia (COVID-19)","experimental group:standardized comprehensive treatment combined with convalescent plasma treatment;control group:standardized comprehensive treatment;","Fatality rate;",,,,"Yes","False"," ", -"ChiCTR2000029849","17 February 2020","Application of Regulating Intestinal Flora in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19)","Application of Regulating Intestinal Flora in the Treatment of Severe Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital of Zhengzhou University","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49530","Recruiting","No",18,75,"Both","2020-02-01","Experimental group:30;Control group:30;","Interventional study","Parallel",0,"China","Huaqi Wang",,"1 Jianshe Road East, Zhengzhou, He'nan, China","wanghuaqi2004@126.com","+86 15890689220","The First Affiliated Hospital of Zhengzhou University","Inclusion criteria: Participants with 18 to 75 years of age who have been diagnosed with NCP by nucleic acid testing and meet the clinical classification of severe NCP referring to the clinical classification standard in the General Office of the National Health and Health Commission-Novel Coronavirus Pneumonia Diagnosis and Treatment Program (Trial Version 4).","Exclusion criteria: Participants who have used fluoroquinolone antibiotics within 1 week","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Regulating intestinal flora + conventional treatment;Control group:conventional treatment;","Length of admission;mortality rate;",,,,"No","False"," ", -"ChiCTR2000029839","17 February 2020","An observational study on the clinical characteristics, treatment and outcome of novel coronavirus pneumonia (COVID-19)","An observational study on the clinical characteristics, treatment and outcome of novel coronavirus pneumonia (COVID-19) ",,"Ningbo First Hospital","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49439","Recruiting","No",18,,"Both","2020-02-10","Case series:100;","Observational study","Sequential",4,"China","Chao Cao",,"59 Liuting Road, Ningbo, Zhejiang, China","caocdoctor@163.com","+86 574-87089878","Ningbo First Hospital","Inclusion criteria: 1. Aged >= 18 years; -
2. Laboratory (RT-PCR) confirmed infection with 2019-nCoV; -
3. Pneumonia confirmed with chest CT; -
4. <= 8 days since illness onset and hospitalization with feverat, cough, or dyspnea; -
5. Willing to participant in this study and sign the informed consent.","Exclusion criteria: 1. Pregnant and nursing women; -
2. Patients with severe liver disease and severe renal dysfunction.","Novel Coronavirus Pneumonia (COVID-19)","Case series:variety treatments;","Time to clinical recovery;",,,,"No","False"," ", -"ChiCTR2000029830","17 February 2020","A study for the psychological status, social support, and care needs of tumor patients admitted to a general hospital during the novel coronavirus pneumonia (COVID-19) outbreak","A study for the psychological status, social support, and care needs of tumor patients admitted to a general hospital during the novel coronavirus pneumonia (COVID-19) outbreak ",,"The Fifth Affiliated Hospital of Sun Yat-Sen University","2020-02-15",20200215,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49511","Not Recruiting","No",,,"Both","2020-02-14","tumor patients group:200;non tumor patients group:200;","Observational study","Factorial",0,"China","Hongmei Tao",,"52 Meihua Road East, Xiangzhou District, Zhuhai, Guangdong, China","13926946929@163.com","+86 13926946929","The Fifth Affiliated Hospital of Sun Yat-Sen University","Inclusion criteria: 1. Patients diagnosed as malignant tumor by pathology are admitted to tertiary general hospital, which is a designated hospital for admission to COVID-19; -
2. Stay in hospital for 3 days or more; -
3. Aged 18 or above; -
4. Informed consent and ability to cooperate with research.","Exclusion criteria: 1. Confirmed or suspected novel coronavirus pneumonia infection; -
2. KPS > 30 points.","malignant tumor","tumor patients group:N/A;non tumor patients group:N/A;","psychological states;",,,,"No","False"," ", -"ChiCTR2000029822","17 February 2020","A randomized controlled trial for honeysuckle decoction in the treatment of patients with novel coronavirus (COVID-19) infection","A randomized controlled trial for honeysuckle decoction in the treatment of patients with novel coronavirus (COVID-19) infection ",,"Nanjing Second Hospital","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49502","Recruiting","No",0,100,"Both","2020-02-07","Experimental group:70;Control group:40;","Interventional study","Parallel",0,,"Yongxiang Yi",,"1 Kangfu Road, Tangshan Street, Jiangning District, Nanjing, China","ian0126@126.com","+86 13338628626","Nanjing Second Hospital","Inclusion criteria: 1. Age is not limited; -
2. Clinical diagnosis is in accordance with the ""Notice on issuing a new type of coronavirus pneumonia diagnosis and treatment program (Fifth edition)"" on the diagnosis of a new type of coronavirus infection; -
3. potable decoction; -
4. no honeysuckle allergy; -
5. child-bearing age female subjects pregnancy test negative person; -
6. child-bearing age female subjects pregnancy test positive person needs targeted communication, the patient's consent can be included; -
7. pregnancy or breast-feeding subjects need targeted communication, the patient's consent can be included in the voluntary informed consent signed by the person under the age of 16.","Exclusion criteria: (1) Those who cannot take Chinese traditional medicine decoction; -
(2) mentally ill subjects who are not easy to control; -
(3) those who are pregnant or breast-feeding; -
(4) those who use other Chinese medicines; -
(5) those who are not considered suitable to participate in this trial by researchers.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:honeysuckle decoction;Control group:placebo;","rate of cure;",,,,"No","False"," ", -"ChiCTR2000029821","17 February 2020","Based on Delphi Method to Preliminarily Construct a Recommended Protocol for the Prevention of Novel Coronavirus Pneumonia (COVID-19) in Deyang Area by Using Chinese Medicine Technology and its Clinical Application Evaluation","Based on Delphi Method to Preliminarily Construct a Recommended Protocol for the Prevention of Novel Coronavirus Pneumonia (COVID-19) in Deyang Area by Using Chinese Medicine Technology and its Clinical Application Evaluation ",,"Deyang Integrated Traditional Chinese and Western Medicine Hospital","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49306","Not Recruiting","No",3,85,"Both","2020-02-14","Observation group:300;Health education unit:100;","Prevention","Non randomized control","N/A","China","Qiu Jun",,"159 Tianshan Road South, Jingyang District, Deyang, Sichuan, China","973007530@qq.com","+86 13881070630","Deyang integrative medicine hospital ","Inclusion criteria: 1. Non suspected cases and non confirmed cases; -
2. Participate in novel coronavirus front-line prevention and control of medical staff, street community office staff; -
3. Novel coronavirus pneumonia is recommended by people who voluntarily accept TCM technology.","Exclusion criteria: 1. Suspected cases and confirmed cases; -
2. Patients with severe heart, brain, liver, kidney and other visceral diseases or other serious metabolic disorders and tumors; -
3. People who could not complete the study for other reasons; -
4. Pregnant or lactating women.","Novel Coronavirus Pneumonia (COVID-19)","Observation group:TCM prevention;Health education unit:Health education;","CD4+;CD3+;HAMA;HAMD;STAI;",,,,"Yes","False"," ", -"ChiCTR2000029819","17 February 2020","Ba-Bao-Dan in the adjuvant therapy of novel coronavirus pneumonia (COVID-19) patients","Study for the pharmacodynamics and mechanism of traditional Chinese medicine in the treatment of novel coronavirus infection (COVID-19) based on inflammatory factor network ",,"Sir Run Run Shaw Hospital, School of Medicine, Zhejiang University","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49490","Recruiting","No",18,90,"Both","2020-02-11","Experimental group:40;Control group:40;","Interventional study","Non randomized control",4,"China","Ying Kejing",,"3 Qingchun Road East, Jianggan District, Hangzhou, Zhejiang, China","yingsrrsh@163.com","+86 13588706900","Sir Run Run Show Hospital, School of Medicine, Zhejiang University","Inclusion criteria: 1. Aged >=18 years, unlimited for men and women; -
2. A novel coronavirus infection confirmed by pathogenic detection; -
3. According to novel coronavirus infection pneumonia treatment plan (trial version fifth), severe patients should comply with any of the following: respiratory distress (RR>30 times / points); resting state, refers to oxygen saturation less than 93%; arterial oxygen partial pressure (PaO2) / oxygen inhalation concentration (FiO2) is less than 300 mmHg; -
4. Sign the informed consent voluntarily.","Exclusion criteria: 1. Pregnant or lactating women; -
2. The patients had mental disorder, drug abuse or dependence history, allergy to research drugs, and participated in other clinical studies within 3 months; -
3. Potential violation of test compliance or any other situation affecting safety and effectiveness evaluation.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Conventional treatment + take Ba-Bao-Dan;Control group:Conventional treatment;","Clinical and laboratory indicators;Viral load;chest CT;serum cell factor;",,,,"No","False"," ", -"ChiCTR2000029815","17 February 2020","Psychological survey of frontline medical staff in various regions of China during the epidemic of novel coronavirus pneumonia (COVID-19)","Psychological survey of frontline medical staff in various regions of China during the epidemic of novel coronavirus pneumonia (COVID-19) ",,"Guangdong Provincial Hospital of Chinese Medicine","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49346","Recruiting","No",18,75,"Both","2020-02-01","Case series:800;","Observational study","Sequential","N/A","China","Zhan Jie",,"111 Dade Road, Yuexiu District, Guangzhou, Guangdong, China","zhanjie34@126.com","+86 15818136908","Guangdong Provincial Hospital of Chinese Medicine","Inclusion criteria: 1. Aged> 18 years old; -
2. Working time in the front line of novel coronavirus pneumonia prevention and control =1 week; -
3. The working department is the hot spot for the sample hospital, the ward for the suspected cases, and the ward for the confirmed cases; -
4. No previous history of mental illness or mental illness; -
5. Voluntarily participate in this research.","Exclusion criteria: 1. Staff and pharmacists in the administrative, logistics and medical technology departments; -
2. Regulatory students, interns, re-employment, external employment and labor dispatch personnel; -
3. Those who refused to participate in this survey.","Emotional disorder","Case series:Nil;","Self-rating depression scale, SDS;Self-Rating Anxiety Scale, SAS;",,,,"No","False"," ", -"ChiCTR2000029814","17 February 2020","Clinical Trial for Integrated Chinese and Western Medicine in the Treatment of Children with Novel Coronavirus Pneumonia (COVID-19)","Clinical Trial for Integrated Chinese and Western Medicine in the Treatment of Children with Novel Coronavirus Pneumonia (COVID-19) ",,"Children's Hospital of Fudan University","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49387","Recruiting","No",0,18,"Both","2020-02-14","control group:15;experimental group:15;","Interventional study","Non randomized control",0,"China","Zhai Xiaowen",,"399 Wanyuan Road, Minhang District, Shanghai","zhaixiaowendy@163.com","+86 64931902","Children's Hospital of Fudan University","Inclusion criteria: Children diagnosed with novel coronavirus pneumonia through epidemiological history, clinical symptoms, and nucleic acid test results.","Exclusion criteria: No exclusion criteria","Novel Coronavirus Pneumonia (COVID-19)","control group:Western Medicine;experimental group:Integrated Traditional Chinese and Western Medicine;","Time fo fever reduction;Time of nucleic acid negative;Severe conversion rate;Improvement time of respiratory symptoms;",,,,"Yes","False"," ", -"ChiCTR2000029813","17 February 2020","Clinical Trial for Tanreqing Capsules in the Treatment of Novel Coronavirus Pneumonia (COVID-19)","Clinical Trial for Tanreqing Capsules in the Treatment of Novel Coronavirus Pneumonia (COVID-19) ",,"Shanghai Public Health Clinical Center","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49425","Recruiting","No",18,75,"Both","2020-02-14","Experimental group:36;Control Group:36;","Interventional study","Parallel",0,"China","Hongzhou Lu, Xiaorong Chen",,"2901 Caolang Road, Jinshan District, Shanghai","luhongzhou@fudan.edu.cn","+86 18930810088","Shanghai Public Health Clinical Center","Inclusion criteria: (1) Those who meet the diagnosis of new coronavirus pneumonia and have clinical classification of low and medium; -
(2) Those who have been diagnosed with TCM as epidemic-closed lungs; -
(3) Inpatients aged 18 to 75 years, regardless of gender; -
(4) Voluntarily receive treatment with the drug and sign informed consent. The informed consent process complies with relevant GCP regulations.","Exclusion criteria: (1) Immunodeficiency disease, or those who have used immunosuppressive agents or glucocorticoids within the past 3 months; -
(2) Preparing pregnant, pregnant and lactating women; -
(3) Patients with allergies (referring to allergies to two or more medicines, foods or known ingredients in this study); -
(4) Patients with mental illness, or have no cognitive ability; -
(5) Patients with an estimated survival time of less than 48 hours from the start of screening; -
(6) Those who have been intubated or mechanically ventilated at the time of screening; -
(7) Obvious symptoms of heart, liver, kidney or various other systems, ALT, AST exceed 1.5 times the upper limit of normal value; -
(8) Believed to be not suitable to participate in clinical trials by investigator.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Conventional Treatment & Tanreqing Capsules (oral, 3 capsules at a time, 3 times a day);Control Group:Conventional Treatment;","Time of viral nucleic acid turns negative;Antipyretic time;",,,,"Yes","False"," ", -"ChiCTR2000029811","17 February 2020","Clinical Study for Anti-aging Active Freeze-dried Powder Granules in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)","Clinical Study for Anti-aging Active Freeze-dried Powder Granules in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19) ",,"Guangzhou reborn health management consultation co., LTD","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49355","Not Recruiting","No",18,,"Both","2020-02-20","Experimental group:30;Control group:30;","Interventional study","Parallel",0,,"Chao Xu",,"1 Fourth Nanyun Road, Hi-Tech District, Guangzhou, Guangdong, China","164972769@qq.com","+86 15018720816",,"Inclusion criteria: 1. Patients with confirmed new coronavirus-infected pneumonia; -
2. Voluntarily sign written informed consent. ","Exclusion criteria: 1. Extremely ill patients with shock, acute respiratory distress syndrome, and multiple organ failure; -
2. Pregnant or lactating women; -
3. In the opinion of the investigator, previous or present illnesses may affect patients' participation in the trial or influence the outcome of the study, including: malignant disease, autoimmune disease, liver and kidney disease, blood disease, neurological disease, and endocrine Disease; currently suffering from diseases that seriously affect the immune system, such as: human immunodeficiency virus (HIV) infection, or the blood system, or splenectomy, organ transplantation, etc .; -
4. The investigator believes that the patient has other conditions that are not suitable for enrollment","novel coronavirus pneumonia (COVID-19)","Experimental group:Conventional treatment+Anti-aging Active Freeze-dried Powder Granules;Control group:Conventional treatment;","Time to disease recovery;",,,,"Yes","False"," ", -"ChiCTR2000029810","17 February 2020","Clinical study of a novel high sensitivity nucleic acid assay for novel coronavirus pneumonia (COVID-19) based on CRISPR-cas protein","Development and application of a novel high sensitivity nucleic acid assay for novel coronavirus pneumonia (COVID-19) based on CRISPR-cas protein ",,"Shenzhen Second People's Hospital","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49407","Recruiting","No",1,100,"Both","2020-02-16","Target condition:10000;Difficult condition:300","Diagnostic test","Factorial",0,"China","Weiren Huang",,"3002 Sungang Road West, Futian District, Shenzhen","pony8980@163.com","+86 13923781386","Shenzhen Second People's Hospital","Inclusion criteria: Pneumonia cases with suspected SARS-CoV-2have either of the following epidemiological histories consistent with the following two clinical manifestations: -
A comprehensive analysis was conducted based on the following epidemiological history and clinical manifestations -
1. Epidemiological history -
(1) Travel history or residence history of wuhan and surrounding areas or other communities shall provide case reports within 14 days before the onset of the disease; -
(2) Cases have been reported in the past 14 days in patients with fever or respiratory symptoms in community residents of wuhan and surrounding areas; -
(3) Aggressive attack; -
(4) History of exposure to new coronavirus infections people with new coronavirus infections are those who have tested positive for nucleic acid; -
2. Clinical manifestations -
(1) Fever and/or respiratory symptoms; -
(2) Pneumonia with the above imaging features; -
(3) The total number of white blood cells was normal or decreased or the number of lymphocytes decreased at the initial stage of the disease.","Exclusion criteria: Suspected patients with inability to collect deep sputum, throat swabs, or nose swabs from alveolar lavage.","Novel Coronavirus Pneumonia (COVID-19)","Gold Standard:Nucleic acid test for new coronavirus, RT-PCR;Index test:RT-PCR product of SARS-CoV-2.;","SEN, SPE, ACC, AUC of ROC;",,,,"Yes","False"," ", -"ChiCTR2000029806","17 February 2020","Immunomodulatory Therapy for Severe Novel Coronavirus Pneumonia (COVID-19)","Optimization of treatment and diagnosis plan for critically ill patients ",,"Wuhan Jinyintan Hospital (Wuhan Infectious Diseases Hospital)","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49161","Recruiting","No",18,,"Both","2020-02-12","Thymosin treatment group:40;PD-1 treatment group:40;Conventional treatment group:40;","Interventional study","Parallel","N/A","China","Xia Jiaan",,"1 Yintan Road, Dongxihu District, Wuhan, Hubei, China","3131862959@qq.com","+86 13871120171","Wuhan Jinyintan Hospital (Wuhan Infectious Diseases Hospital) ","Inclusion criteria: 1. 2019 adult patients with new-type coronavirus pneumonia diagnosed with 2019-nCoV infection by PCR according to the ""Pneumonitis Diagnosis and Treatment Protocol for New-type Coronavirus Infection (Trial Version 5)"" -
2. The absolute value of lymphocytes <0.6x10^9/L; -
3. Severe respiratory failure does not exceed 48 hours and requires ICU treatment. Among them, severe respiratory failure is defined as PaO2 / FiO2 <200 mmHg and requires positive pressure mechanical ventilation (including non-invasive and invasive mechanical ventilation, PEEP >=5 cmH2O); -
4. Sign the informed consent.","Exclusion criteria: 1. Aged <18 years; -
2. Pregnant or lactating women; -
3. Allergic to the test drug; -
4. The underlying disease is very serious, and the expected survival time is less than 6 months (such as advanced malignant tumors); -
5. COPD or end-stage lung disease requires home oxygen therapy; -
6. Expected survival time does not exceed 48 hours; -
7. Participated in other clinical intervention trials in the past 3 months; -
8. Suffering from autoimmune diseases; -
9. History of organ, bone marrow or hematopoietic stem cell transplant Received radiotherapy and chemotherapy for malignant tumors within 10.6 months; -
11. HIV-infected patients or acquired immune deficiency diagnosed within the past year (CD4 T cells <= 200 / mm3); -
12. Patients receiving anti-HCV treatment; -
13. 90 days with retinal detachment or eye surgery; -
14. Permanent blindness in one eye; -
15. History of iritis, endophthalmitis, scleritis, or retinitis; -
16. The doctor in charge considers it inappropriate to participate in this study.","Novel Coronavirus Pneumonia (COVID-19)","Thymosin treatment group:Thymosin for injection 1.6 mg sc qd for 5 days;PD-1 treatment group:Camrelizumab 200 mg single dose, diluted to 100 ml intravenous infusion;Conventional treatment group:Conventional treatment;","Proportion of patients with a lung injury score reduction of 1-point or more 7 days after randomization;",,,,"No","False"," ", -"ChiCTR2000029805","17 February 2020","Analysis of clinical characteristics of severe novel coronavirus pneumonia (COVID-19)","Optimization of treatment and diagnosis plan for critically ill patients ",,"Wuhan Jinyintan Hospital (Wuhan Infectious Diseases Hospital)","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49188","Recruiting","No",,,"Both","2020-02-12","case series:100;","Observational study","Sequential","N/A","China","Wu Wenjuan",,"1 Yintan Road, Dongxihu District, Wuhan, Hubei, China","88071718@qq.com","+86 13397192695","Wuhan Jinyintan Hospital (Wuhan Infectious Diseases Hospital) ","Inclusion criteria: (1) Patients diagnosed with 2019-nCoV pneumonia; -
(2) Patients admitted to the ICU during the study period.","Exclusion criteria: N/A","Novel Coronavirus Pneumonia (COVID-19)","case series:N/A;","28-day mortality and 90-day mortality.;",,,,"No","False"," ", -"ChiCTR2000029804","17 February 2020","Clinical Application of ECMO in the Treatment of Patients with Very Serious Respiratory Failure due to novel Coronavirus Pneumonia (COVID-19)","Optimization of treatment and diagnosis plan for critically ill patients ",,"Wuhan Jinyintan Hospital (Wuhan Infectious Diseases Hospital)","2020-02-14",20200214,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49178","Recruiting","No",,,"Both","2020-02-12","Case series:100;","Prognosis study","Cohort study","Retrospective study","China","Wu Wenjuan",,"1 Yintan Road, Dongxihu District, Wuhan, Hubei, China","1346801465@qq.com","+86 13397192695","Wuhan Jinyintan Hospital (Wuhan Infectious Diseases Hospital) ","Inclusion criteria: 1. Patients who meet the requirements of the ""New Coronavirus Infected Pneumonia Diagnosis and Treatment Scheme (Trial Version 4)"" which issued by the General Office of the National Health Commission. -
2. ECMO-treated patients with severe hypoxic respiratory failure.","Exclusion criteria: 1. Age> 75 years. -
2. After CPR. -
3. Accompanied by other serious organ dysfunction (including severe liver and kidney dysfunction, upper gastrointestinal bleeding, DIC, etc.).","Novel Coronavirus Pneumonia (COVID-19)","Case series:NA;","Inpatient mortality;",,,,"No","False"," ", -"ChiCTR2000029790","17 February 2020","Clinical study for the integration of traditional Chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19)","Clinical study for the integration of traditional Chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Shanghai Pulmonary Hospital","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49453","Recruiting","No",18,80,"Both","2020-02-17","Control group:60;Experimental group:60;","Interventional study","Parallel","N/A","China","Lixin Wang",,"507 Zhengmin Road, Yangpu District, Shanghai, China ","wlx1126@hotmail.com","+86 18917962300","Shanghai Pulmonary Hospital ","Inclusion criteria: (1) Comply with the standards of diagnosis and classification of western medicine, and the standards of syndromes of traditional Chinese medicine. -
(2) Aged 18-80 years. -
(3) Those who voluntarily participated in this research and signed written informed consent.","Exclusion criteria: (1) Impaired consciousness or mental illness cannot cooperate with treating the observer. -
(2) Those with severe organ dysfunction. -
(3) Pregnant women.","Novel Coronavirus Pneumonia (COVID-19)","Control group:Western medicine basic treatment;Experimental group:Western medicine basic treatment combined with traditional Chinese medicine;","TCM symptoms efficacy;",,,,"Yes","False"," ", -"ChiCTR2000029789","17 February 2020","Randomized controlled trial for TCM syndrome differentiation treatment impacting quality of life of post-discharge patients with novel coronavirus pneumonia (COVID-19)","Randomized controlled trial for TCM syndrome differentiation treatment impacting quality of life of post-discharge patients with novel coronavirus pneumonia (COVID-19) ",,"The First Affiliated Hospital of He'nan University of Chinese Medicine","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49348","Recruiting","No",18,90,"Both","2020-02-15","Experimental group:50;Control group:50;","Interventional study","Parallel",0,"China","Li Jiansheng",,"156 Jinshui Road East, Zhengzhou, He'nan, China","li_js8@163.com","+86 371-65676568","He'nan University of Chinese Medicine","Inclusion criteria: 1. General/severe/critical patients who meet the diagnostic criteria of new coronavirus pneumonia; -
2. Patients whose viral nucleic acid has turned negative after treatment; -
3. Patients who are characterized by respiratory symptoms such as cough, shortness of breath, chest tightness or corresponding chest imaging features; -
4. Patients who meet TCM syndrome; -
5. Patients who voluntarily participate in the study and sign informed consent.","Exclusion criteria: 1. Patients with cognitive disorder or known mental illness; -
2. Pregnant or lactating women; -
3. Patients with active tuberculosis, pulmonary abscess or chronic respiratory failure; -
4. Patients with tumor; -
5. Patients with severe liver or kidney diseases; -
6. Patients with severe cardiovascular or cerebrovascular diseases; -
7. Patients who are participating in clinical trials of other drugs, or known to be allergic to therapeutic drugs.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:TCM based on symptomatic treatment;Control group:Placebo TCM based on symptomatic treatment;","St. George's Respiratory Questionnaire;",,,,"Yes","False"," ", -"ChiCTR2000029788","17 February 2020","Traditional Chinese medicine cooperative therapy for patients with novel coronavirus pneumonia (COVID-19): a randomized controlled trial","Traditional Chinese medicine cooperative therapy for patients with novel coronavirus pneumonia (COVID-19): a randomized controlled trial ",,"Dongzhimen Hospital Affiliated to Beijing University of Chinese Medicine","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49452","Not Recruiting","No",18,80,"Both","2020-03-01","Control group :30;Intervention group :30;","Interventional study","Parallel","N/A","China"," Yaosheng Zhang, Jianwei Shang",,"5 Hai-Yun-Cang Lane, Dongcheng District, Beijing, China","zysjsgzs@163.com","+86 18134048843","Dongzhimen Hospital Affiliated to Beijing University of Chinese Medicine","Inclusion criteria: 1. Meet the diagnostic criteria of the ""New Coronavirus Pneumonia Diagnosis and Treatment Scheme"", patients with pneumonia confirmed by new coronavirus infection; -
2. Pneumonia Severity Index (PSI) grade is I ~ II; -
3. Aged 18-80 years; -
4. Those who have signed the informed consent voluntarily.","Exclusion criteria: 1. People with allergies and allergies to experimental drugs; -
2. Combined with other malignant tumors; -
3. Patients with hematological diseases, coagulopathy and autoimmune diseases; -
4. Combined with severe cardiovascular diseases, Patients with vascular disease, hematopoietic system disease, and neuropathy; -
5. Participated in other clinical researchers 3 months before the trial.","Novel Coronavirus Pneumonia (COVID-19)","Control group :Western medicine routine treatment plan;Intervention group :Western medicine routine treatment plan plus TCM syndrome differentiation treatment;","Antipyretic time;Pharyngeal swab nucleic acid negative time;Blood gas analysis;Traditional Chinese medicine syndrome score;",,,,"Yes","False"," ", -"ChiCTR2000029782","17 February 2020","Clinical study for the changes in mental state of medical staff in the department of radiotherapy in a comprehensive tertiary hospital in Zhejiang Province during the epidemic of novel coronavirus infection (COVID-19)","Clinical study for the changes in mental state of medical staff in the department of radiotherapy in a comprehensive tertiary hospital in Zhejiang Province during the epidemic of novel coronavirus infection (COVID-19) ",,"Zhejiang Provincial People's Hospital","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49445","Not Recruiting","No",18,80,"Both","2020-01-30","Case series:27;","Observational study","Sequential","N/A","China","Yongshi Jia",,"158 Shangtang Road, Xiacheng District, Hangzhou, China","jiayongshi@medmail.com.cn","+86 13605813177","Zhejiang Provincial People's Hospital","Inclusion criteria: Medical staff who are currently working during the epidemic of new coronavirus (Covid-19)","Exclusion criteria: 1. Rest or unattended staff; -
2. Staff with respiratory symptoms; -
3. Staff who need the necessary isolation.","novel coronavirus pneumonia (COVID-19); mental health status","Case series:Not applicable.;","PSQI;",,,,"No","False"," ", -"ChiCTR2000029779","17 February 2020","Study for the key issues of the diagnosis and treatment of novel coronavirus pneumonia (COVID-19) based on the medical imaging","Study for the key issues of the diagnosis and treatment of novel coronavirus pneumonia (COVID-19) based on the medical imaging ",,"Wuxi People's Hospital","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49378","Recruiting","No",,,"Both","2020-02-14","Target condition:0;Difficult condition:0","Diagnostic test","Factorial",0,"China","Xiangming Fang",,"299 Qingyang Road, Liangxi District, Wuxi, Jiangsu","xiangming_fang@njmu.edu.cn","+86 13861779030","Wuxi People's Hospital","Inclusion criteria: Patients diagnosed by nucleic acid and/or genetic test in Wuxi (later expanded to southern Jiangsu and Jiangsu Province) with novel coronavirus pneumonia, and other types of viral pneumonia confirmed by nucleic acid and/or genetic testing and/or pathological testing, cases of mycoplasma pneumonia, fungal pneumonia, hypersensitivity pneumonia, and mixed pulmonary infections with similar imaging findings that need to be differentiated from novel coronavirus pneumonia.","Exclusion criteria: N/A","Novel Coronavirus Pneumonia (COVID-19)","Gold Standard:Guidelines for novel coronavirus pneumonia (fifth edition);Index test:Diagnosis model based on Artificial Intelligence (Epidemiological history, clinical information, laboratory examination, hospitalization profile, pulmonary function examination, blood gas test, chest plain film, chest CT, complications, final classification, disease stage).;","Chest CT findings;Epidemiological history;Laboratory examination;Pulmonary function test;SEN, SPE, ACC, AUC of ROC;",,,,"Yes","False"," ", -"ChiCTR2000029778","17 February 2020","Clinical Study for Traditional Chinese Medicine Combined With Western Medicine in Treatment of Novel Coronavirus Pneumonia (COVID-19)","Clinical Study for Traditional Chinese Medicine Combined With Western Medicine in Treatment of Novel Coronavirus Pneumonia (COVID-19) ",,"Shanghai University of TCM","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49422","Recruiting","No",15,85,"Both","2020-02-14","TCM Group:150;QFPD decoction group:150;SFJD capsuale group:150;control group:150;","Interventional study","Non randomized control",0,"China","Wei Zhang",,"Pulmonary Department, 5A Ward, 528 Zhanghen Road, Pudong New Area District, Shanghai, China","zhangw1190@sina.com","+86 13601733045","Shuguang Hospital Affiliated to Shanghai University of TCM.","Inclusion criteria: Meet the diagnostic criteria of Novel Coronavirus Pneumonia (COVID-19).","Exclusion criteria: 1. Pregnant or lactating women, allergic to the research drug; -
2. Combined with cardiovascular, liver, kidney and hematopoietic systems and other serious primary diseases, mental illness; -
3. Those with observational factors affecting efficacy; -
4. Those who do not meet the inclusion criteria, do not use the prescribed drugs, can not determine the efficacy or incomplete information and other effects of efficacy or safety judgment.","Novel Coronavirus Pneumonia (COVID-19)","TCM Group:herbal medicine and conventional treatment;QFPD decoction group:QFPD decoction and conventional treatment;SFJD capsuale group:SFJD capsuale and conventional treatment;control group:conventional treatment;","Length of hospital stay;fever clearance time;",,,,"Yes","False"," ", -"ChiCTR2000029777","17 February 2020","A multicenter, randomized, controlled trial for integrated chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19) based on the 'Truncated Torsion' strategy","A multicenter, randomized, controlled trial for integrated chinese and western medicine in the treatment of novel coronavirus pneumonia (COVID-19) based on the 'Truncated Torsion' strategy ",,"Huangshi Hospital of Traditional Chinese Medicine","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49380","Recruiting","No",18,80,"Both","2020-02-05","experimental group:80;control group:80;","Interventional study","Parallel",0,"China","Tingrong Huang, Bangjiang Fang, Jun Feng, Jianguo Zuo, Gang Wang",,"6 Guangchang Road, Huangshi, Hubei ","fangbji@163.com","+86 0714-6224162","Huangshi Hospital of Traditional Chinese Medicine","Inclusion criteria: 1. Hospitalized patients with novel coronavirus pneumonia confirmed by pathogenic detection -
2. Meet any one of the criteria for severe type: -
1) Respiratory distress: RP >= 30/min; -
2) At rest, the oxygen saturation <= 93%; -
3) Arterial partial pressure of oxygen (PaO2)/Fraction of inspiration (FiO2)(Oxygenation Index, P/F) <= 300mmHg. -
3. Aged 18 to 75 years; -
4. Signed informed consent.","Exclusion criteria: 1. Pregancy or lactating women; -
2. People with allergies or allergies to components of Truncated Torsion formula; -
3. Patients with serious basic diseases such as malignant tumor, cirrhosis, chronic renal failure (uremic stage), hematological disease, HIV, etc.; -
4. Patients with obstructive pneumonia caused by lung tumor, pulmonary fibrosis, alveolar proteinosis and allergic alveolitis; -
5. Patients with long-term use of hormone, immunosuppressant and other drugs; -
6. Severe mental illness or inability to cooperate with investigators.","severe novel coronavirus pneumonia (COVID-19)","experimental group:Truncation and Torsion Formula and Routine treatment of Western Medicine;control group:Routine treatment of Western Medicine;","14 day outcome of the subjects, including: recovery, improvement, turning critical, death.;lung CT;",,,,"No","False"," ", -"ChiCTR2000029776","17 February 2020","A randomized, open-label, blank-controlled, multicenter trial for Polyinosinic-Polycytidylic Acid Injection in the treatment of novel coronavirus pneumonia (COVID-19)","A randomized, open-label, blank-controlled, multicenter trial for Polyinosinic-Polycytidylic Acid Injection in the treatment of novel coronavirus pneumonia (COVID-19) ",,"The First Affiliated of Wenzhou Medical University","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49342","Recruiting","No",,,"Both","2020-02-11","experimental group:20;control group:20;","Interventional study","Parallel",4,"China","Xiaoyin Huang",,"Nanbaixiang, Ouhai District, Wenzhou, Zhejiang","zjwzhxy@126.com","+86 13819711719","The First Affiliated of Wenzhou Medical University","Inclusion criteria: 1. Patients with confirmed new coronavirus-infected pneumonia; -
2. Above 18 years old (inclusive); -
3. Voluntarily sign written informed consent. ","Exclusion criteria: 1. Severe pneumonia requires mechanical ventilationcritically severe cases; -
2. Estimated Time of Death is less than 48 hours; -
3. There is clear evidence of bacterial infection in respiratory tract infections caused by basic diseases such as primary immunodeficiency disease, acquired immunodeficiency syndrome, congenital respiratory malformations, congenital heart disease, gastroesophageal reflux disease, and abnormal lung development; -
4. Subjects with the following conditions: asthma requiring daily treatment, any other chronic respiratory disease, respiratory bacterial infections such as purulent tonsillitis, acute tracheobronchitis, sinusitis, otitis media, and other respiratory tracts diseases that affecting clinical trial evaluation. Chest CT confirmed that patients with basic pulmonary diseases such as severe pulmonary interstitial lesions and bronchiectasis; -
5. In the opinion of the investigator, previous or present illnesses may affect patients' participation in the trial or influence the outcome of the study, including: malignant disease, autoimmune disease, liver and kidney disease, blood disease, neurological disease, and endocrine Disease; currently suffering from diseases that seriously affect the immune system, such as: human immunodeficiency virus (HIV) infection, or the blood system, or splenectomy, organ transplantation, etc.; -
6. Mental state unable to cooperate, suffering from mental illness, unable to control, unable to express clearly -
7. An allergic condition, such as a history of allergies to two or more drugs or foods, or a known allergy to the ingredients of the drug; -
8. Patients with a history of substance abuse or dependence; -
9. Pregnant or lactating women; -
10. Patients who participated in other clinical trials within the last 3 months; -
11. The investigator believes that there are any factors that are not suitable for enrollment or affect the evaluation of the efficacy. ","Novel Coronavirus Pneumonia (COVID-19)","experimental group:Polyinosinic-Polycytidylic Acid Injection and conventional therapy;control group:conventional therapy;","Time to Clinical recovery;",,,,"No","False"," ", -"ChiCTR2000029769","17 February 2020","Babaodan Capsule used for the adjuvant treatment of severe novel coronavirus pneumonia (COVID-19)","Babaodan Capsule used for the adjuvant treatment of severe novel coronavirus pneumonia (COVID-19) ",,"Enze Hospital of Taizhou Enze Medical Center (Group)","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49415","Not Recruiting","No",18,80,"Both","2020-02-15","Experimental group:20;Control group:20;","Interventional study","Parallel",0,"China","Lv Dongqing",,"1 Tongyang Road East, Luqiao District, Taizhou, Zhejiang, China","lvdq@enzemed.com","+86 13867622009","Enze Hospital of Taizhou Enze Medical Center (Group)","Inclusion criteria: Severe patients (according to any of the following): respiratory distress (RR> 30 beats / min); at rest, means oxygen saturation <= 93%; arterial oxygen pressure (PaO2) / oxygen concentration (FiO2) < = 300 mmHg","Exclusion criteria: Children, pregnant women","novel coronavirus pneumonia (COVID-19)","Experimental group:Routine treatment + Babaodan 6 capsules, bid orally;Control group:Conventional treatment;","28-day survival;Inflammatory factor levels;",,,,"Yes","False"," ", -"ChiCTR2000029768","17 February 2020","A randomized, open, controlled trial for diammonium glycyrrhizinate enteric-coated capsules combined with vitamin C tablets in the treatment of common novel coronavirus pneumonia (COVID-19) in the basic of clinical standard antiviral treatment to evaluate the safety and efficiency","A randomized, open, controlled trial for diammonium glycyrrhizinate enteric-coated capsules combined with vitamin C tablets in the treatment of common novel coronavirus pneumonia (COVID-19) in the basic of clinical standard antiviral treatment to evaluate the safety and efficiency ",,"Zhongnan Hospital of Wuhan University","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49131","Recruiting","No",18,75,"Both","2020-02-12","experimental group:30;control group:30;","Interventional study","Parallel",0,"China","Jun Lin",,"169 Donghu Road, Wuchang District, Wuhan, Hubei ","wdznyy@126.com","+86 13971156723","Zhongnan Hospital of Wuhan University ","Inclusion criteria: 1. Aged 18-75 years male or female; -
2. Body weight 40-100 kg and BMI >= 18kg/m2; -
3. Been Confirmed with commom 2019-nCoV pneumonia inpatient; -
4. With fever, respiratory tract and other symptoms, imaging shows pneumonia; -
5. 2019-nCoV nucleic acid test was positive by pathogenic detection within 72 hours; -
6. Have undergone surgical sterilization or take effective contraception during the trial; -
7. Written the informed consent.","Exclusion criteria: 1. Infected with other viruses such as HCV, HIV, and syphilis; -
2. Used non-steroidal anti-inflammatory drugs within 3 days before enrollment; -
3. Have severe liver disease; -
4. Those who are known to be allergic to the test drug and its ingredients; -
5. Any of the following risk factors: -
1) Chronic respiratory diseases such as chronic dual lung disease, acute bronchial respiratory disease; -
2) Severe cardiovascular diseases such as congenital hypertension, congestive heart failure, coronary artery disease, except hypertension; -
3) Nervous system and neuromuscular diseases, such as cerebral palsy, epilepsy, stroke,Intellectual Disability, muscular dystrophy or spinal cord injury, etc .; -
4) Severe blood system diseases such as sickle cell disease; -
5) Malignant tumor. -
6. Pregnancy or breastfeeding,or positive pregnancy test in a predose examination; -
7. Patients who participated in other clinical trials within the last 3 months; -
8. Patients who are pregnant or in lactation period.","Novel Coronavirus Pneumonia (COVID-19)","experimental group:Diammonium Glycyrrhizinate Enteric-coated Capsules (oral, 150mg, Tid), Vitamin C tablets (oral, 0.5g, QD) and clinical standard antiviral treatment;control group:clinical standard antiviral treatment;","Time to Clinical recovery;",,,,"No","False"," ", -"ChiCTR2000029765","17 February 2020","A multicenter, randomized controlled trial for the efficacy and safety of tocilizumab in the treatment of new coronavirus pneumonia (COVID-19)","A multicenter, randomized controlled trial for the efficacy and safety of tocilizumab in the treatment of new coronavirus pneumonia (COVID-19) ",,"The First Affiliated Hospital of University of science and technology of China (Anhui Provincial Hospital)","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49409","Recruiting","No",18,85,"Both","2020-02-10","control group:94;Experience group:94;","Interventional study","Parallel",4,"China","Xiaoling Xu",,"17 Lujiang Road, Luyang District, Hefei, Anhui, China","xxlahh08@163.com","+86 18963789002","The First Affiliated Hospital of University of science and technology of China (Anhui Provincial Hospital)","Inclusion criteria: 1. The patients who were diagnosed with the common type of NCP (including severe risk factors) and severe cases of new coronavirus pneumonia; -
2. Aged 18 to 85 years; -
3. IL-6 elevated (using Elisa method, using the same company kit); -
4. Patients or authorized family members volunteered to participate in this study and signed informed consent. -
Definition of Novel Coronavirus Pneumonia (NCP) clinical cases: -
1. Regular patients with NCP (including severe risk factors): patients with dual pulmonary lesions based on common NCP clinical symptoms accompanied by fever or no fever; -
2. Critical NCP patient: Refer to the ""New Coronavirus Pneumonia Diagnosis and Treatment Plan (Fifth Edition)"" formulated by the National Health Commission.","Exclusion criteria: 1. Patients who are participating in other drug clinical trials; -
2. Pregnant or lactating women; -
3. ALT / AST> 5 ULN, neutrophils <0.5, platelets less than 50; -
4. Definite diagnosis of rheumatic immune-related diseases; -
5. Long-term oral anti-rejection or immunomodulatory drugs; -
6. Hypersensitivity to tocilizumab or any excipients; -
7. Patients with active pulmonary tuberculosis, with definite bacterial and fungal infections.","new coronavirus pneumonia","control group:conventional therapy;Experience group:conventional therapy+tocilizumab;","cure rate;",,,,"No","False"," ", -"ChiCTR2000029764","17 February 2020","Imaging Features and Mechanisms of Novel Coronavirus Pneumonia (COVID-19): a Multicenter Study","Imaging Features and Mechanisms of Novel Coronavirus Pneumonia (COVID-19): a Multicenter Study ",,"West China Hospital, Sichuan University","2020-02-13",20200213,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49388","Not Recruiting","No",,,"Both","2020-02-16","case series:100;","Observational study","Sequential",0,"China","Bin Song",,"37 Guoxue Lane, Wuhou District, Chengdu, Sichuan, China","songlab_radiology@163.com","86 28 85423680","West China Hospital, Sichuan University","Inclusion criteria: 1. Patients diagnosed with COVID-19; -
2. Underwent chest CT scan during the treatment and at least one chest CT scan during follow-up; -
3. Able to complete the study.","Exclusion criteria: 1. CT image quality does not meet the analysis criteria; -
2. Pregnant and lactating women.","Novel Coronavirus Pneumonia (COVID-19)","case series:N/A;","imaging feature;",,,,"Yes","False"," ", -"ChiCTR2000029763","17 February 2020","The efficacy of traditional chinese medicine on Novel Coronavirus Pneumonia (COVID-19) patients treated in square cabin hospital: a prospective, randomized controlled trial","Study on Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19) With Traditional Chinese Medicine ",,"China Academy of Chinese Medical Sciences; Zhongnan Hospital of Wuhan University","2020-02-12",20200212,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49408","Recruiting","No",18,75,"Both","2020-02-13","experimental group:204;control group:204;","Interventional study","Parallel","N/A","China","Huang Luqi; Li Zhiqiang",,"16 Nanxiao Street, Dongzhimennei, Dongcheng District, Beijing, China","huangluqi01@126.com","+86 010-64089801","China Academy of Chinese Medical Sciences","Inclusion criteria: (1) Comply with the diagnostic criteria for general type COVID-19 in the ""Diagnosis and Treatment Program for COVID-19""(trial version 5th). -
(2) Agree to participate in the study and the patient or legal guardian signs the informed consent form.","Exclusion criteria: (1) Patients who can not guarantee compliance of using TCM during the treatment period, or patients who are difficult to take medicine by oral or nasal route. -
(2) Patients who have been more than 7 days since definite diagnosis. -
(3) Patients with severe primary respiratory disease or other pathogenic microbial pneumonia that needs to be identified with COVID-19. -
(4) Maternal, or patients with a positive urine pregnancy test. -
(5) Patients with other systemic malignant diseases such as malignant tumors, mental illnesses, etc., which the researchers consider unsuitable for participation in the study.","novel coronavirus pneumonia (COVID-19)","experimental group:TCM and general treatment;control group:general treatment;","Rate of conversion to severe or critical illness;",,,,"Yes","False"," ", -"ChiCTR2000029758","17 February 2020","Cohort Study of Novel Coronavirus Pneumonia (COVID-19) Critical Ill Patients","Cohort Study of Novel Coronavirus Pneumonia (COVID-19) Critical Ill Patients ",,"Department of Critical Care Medicine, West China Hospital of Sichuan University","2020-02-12",20200212,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49295","Recruiting","No",,,"Both","2020-02-03","Case series:100;","Observational study","Sequential",0,"China","Kang Yan",,"37 Guoxue Lane, Wuhou District, Chengdu, Sichuan, China","Kangyan@scu.edu.cn","+86 18980601566","Department of Critical Care Medicine, West China Hospital of Sichuan University","Inclusion criteria: Patients who meet the diagnostic criteria of pneumonia caused by novel coronavirus.","Exclusion criteria: N/A","novel coronavirus pneumonia (COVID-19)","Case series:Nil;","length of stay;length of stay in ICU;Antibiotic use;Hospital costs;Organ function support measures;Organ function;",,,,"No","False"," ", -"ChiCTR2000029756","17 February 2020","Clinical study of nebulized Xiyanping injection in the treatment of novel coronavirus pneumonia (COVID-19)","Clinical study of nebulized Xiyanping injection in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Renmin Hospital of Wuhan University","2020-02-12",20200212,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49222","Recruiting","No",18,60,"Both","2020-02-15","experimental group:119;control group:119;","Interventional study","Parallel",0,"China","Zhan Zhang",,"99 Zhangzhidong Road, Wuchang District, Wuhan, Hubei, China","doctorzhang2003@163.com","+86 18062567610","Renmin Hospital of Wuhan University","Inclusion criteria: 1. 18 years old <= age <= 60 years old at the time of screening; -
2. Pharyngeal swabs, alveolar lavage fluid, or sputum specimens during screening showed that 2019-nCoV virus nucleic acid test results were positive for at least two of nCov-EP, nCov-NP, and nCovORF1ab, in line with the release of a new coronavirus infection by the National Health and Medical Commission Diagnostic criteria for confirmed cases in the pneumonia diagnosis and treatment plan (trial version 5); -
3. The investigator determined that aerosolized inhalation treatment was appropriate, and volunteered to participate in the study and signed informed consent.","Exclusion criteria: 1. Chronic lung diseases requiring long-term oxygen therapy; -
2. Long-term application of glucocorticoids due to underlying diseases; -
3. Based on the researcher's judgment, previous or current diseases may affect patients' participation in the trial or influence the outcome of the study, including: malignant disease, autoimmune disease, liver and kidney disease, blood disease, neurological disease, and endocrine Disease; currently suffering from diseases that seriously affect the immune system, such as: human immunodeficiency virus (HIV) infection, or the blood system, or splenectomy, organ transplantation, etc.; -
Subjects with the following conditions: asthma requiring daily treatment, any other chronic respiratory disease, respiratory bacterial infections such as purulent tonsillitis, acute tracheobronchitis, sinusitis, otitis media, and other respiratory diseases affecting clinical trial evaluation, Chest CT confirmed that patients with severe pulmonary interstitial lesions, bronchiectasis and other underlying lung diseases; -
4. Breastfeeding or pregnancy test result is positive during screening or test; -
5. Allergic constitution (persons who are allergic to more than 2 types of substances), persons who are allergic to similar drugs in the past or those who are known to be allergic to the ingredients and auxiliary materials in the test drugs; -
6. The investigator decides that it is not in the best interest of the subject to participate in the study, or that the subject has any situation in which the protocol cannot be fully followed.","novel coronavirus pneumonia (COVID-19)","experimental group:Xiyanping injection;control group:alpha-interferon;","vital signs (Body temperature, blood pressure, heart rate, breathing rate);Respiratory symptoms and signs (Lung sounds, cough, sputum);Etiology and laboratory testing;PaO2/SPO2;Liquid balance;Ventilator condition;Imaging changes;",,,,"Yes","False"," ", -"ChiCTR2000029754","17 February 2020","Study for the Effect of Novel Coronavirus Pneumonia (COVID-19) on the Health of Different People","Effect of Novel Coronavirus Pneumonia (COVID-19) on the Health of Different People ",,"West China Hospital, Sichuan University","2020-02-12",20200212,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49370","Recruiting","No",,,"Both","2020-02-10","Epilepsy group:500;Health Control group:1000;","Observational study","Factorial","N/A","China","Chen Lei",,"37 Guoxuexiang, Wuhou District, Chengdu, Sichuan, China","leilei_25@126.com","+86 18980605819","West China Hospital, Sichuan University","Inclusion criteria: Long-term follow-up of patients with epilepsy and healthy subjects in the natural population cohort study of west China hospital, sichuan university.","Exclusion criteria: 1. Patients who are unable to complete the questionnaire; -
2. Patients and healthy people who are not willing to participate in the survey.","Epilepsy, Chronic diseases, Novel Coronavirus Pneumonia (COVID-19)","Epilepsy group:N/A;Health Control group:N/A;","Physical and mental health;",,,,"No","False"," ", -"ChiCTR2000029751","17 February 2020","Clinical Study for Traditional Chinese Medicine in the Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19)","Clinical Study for Traditional Chinese Medicine in the Prevention and Treatment of Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital of Zhejiang University of Traditional Chinese Medicine","2020-02-12",20200212,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49354","Recruiting","No",,,"Both","2020-02-01","Suspected patient control group:100;Suspected patient Treatment group:100;Common NCP patient control group:50;Common NCP patient Treatment group:50;Severe NCP patient:50;","Observational study","Non randomized control","N/A","China","Mao Wei",,"54 Youdian Road, Shangcheng District, Hangzhou, Zhejiang, China","maoweilw@163.com","+86 0571-87068001","The First Affiliated Hospital of Zhejiang University of Traditional Chinese Medicine","Inclusion criteria: 1. Patients diagnosed with suspected or confirmed NCP (divided into ordinary type and severe type according to their clinical classification); -
2. Be between 18-85 years of age; -
3. Informed consent and signed informed consent.","Exclusion criteria: 1. Patients with severe primary diseases such as heart, lung, liver, kidney, brain, and hematopoietic system; -
2. pregnant or lactating women; -
3. Patients with mental illness; -
4. Those who are participating in other clinical trials or taking other Chinese herbal medicines.","novel coronavirus pneumonia (COVID-19)","Suspected patient control group:Routine respiratory disease treatment;Suspected patient Treatment group:Oral Chinese medicine treatment based on control group;Common NCP patient control group:treatment according to the guideline;Common NCP patient Treatment group:Oral Chinese medicine treatment based on control group;Severe NCP patient:Oral Chinese medicine treatment and treatment according to the guideline;","blood routine examination;CRP;PCT;Chest CT;Liver and kidney function;Etiology test;",,,,"No","False"," ", -"ChiCTR2000029747","17 February 2020","Effect evaluation and prognosis of Chinese medicine based on Novel Coronavirus Pneumonia (COVID-19)","Effect evaluation and prognosis of Chinese medicine based on Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital of Anhui University of Traditional Chinese Medicine","2020-02-11",20200211,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49287","Recruiting","No",12,80,"Both","2020-02-11","Experimental group:100;control group:100;","Interventional study","Parallel",0,"China","Nianzhi Zhang",,"117 Meishan Road, Hefei, Anhui, China","13505615645@163.com","+86 13505615645","The First Affiliated Hospital of Anhui University of Traditional Chinese Medicine","Inclusion criteria: Conforming to the diagnostic standard of COVID-19; Participants in the first and second trials need to meet the diagnostic criteria of traditional Chinese medicine for epidemic diseases; Participants in the third trial need to meet the diagnostic criteria of deficiency of qi in lung and spleen of epidemic diseases.","Exclusion criteria: Patients over 80 years of age or less than 12 years of age (trial 3 and less than 18 years old); patients with contraindications to study drugs; cancer patients, life expectancy <6 months; participants in other clinical trials in the past three months; pregnant women, breastfeeding Women.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Traditional Chinese Medicine;control group:Basic treatment of modern medicine;","Chest CT;Routine blood test;liver and renal function;TCM syndrome;",,,,"Yes","False"," ", -"ChiCTR2000029742","17 February 2020","A randomized, parallel controlled trial for the efficacy and safety of Sodium Aescinate Injection in the treatment of patients with pneumonia (COVID-19)","A randomized, parallel controlled trial for the efficacy and safety of Sodium Aescinate Injection in the treatment of patients with pneumonia (COVID-19) ",,"Tongji Hospital,Tongji Medical College, Huazhong University of Science and Technology","2020-02-11",20200211,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49297","Recruiting","No",18,70,"Both","2020-02-10","General patients treated with normal treatment:30;General patients experimental group:30;Severe patients control group 1:10;Severe patients control group 2:10;Severe patients experimental group:10;","Interventional study","Parallel",4,"China","Qin Ning, Meifang Han",,"1095 Jiefang Avenue, Qiaokou District, Wuhan, Hubei, China","31531955@qq.com","+86 27 83662688","Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","Inclusion criteria: 1. Aged >=18 to 70 years; -
2. Diagnosed 2019-nCoV infected patients by viral nucleic acid,or although the test was negative and even not be detected, the reseachers judged it to be a novel coronavirus pneumonia; -
3. Understand and agree to participate in this study and sign informed consent; -
4. According to the guideline of clinical classification of novel coronavirus pneumonia (2019-nCoV) diagnosis and treatment plan (trial version fifth), the general patients were included in the selection criteria: fever, respiratory tract symptoms, imaging findings of pneumonia; Severe patients were selected according to the following criteria: -
1) respiratory distress, RR >= 30 times / minute; -
2) resting state, mean oxygen saturation less than 93%; -
3) artery. PaO2 / FiO2 <= 300MMHG (1mmhg = 0.133kpa).","Exclusion criteria: 1. Pregnant or lactating women, or pregnant; -
2. Those who are allergic to the drug ingredients of this program; -
3. Severe cardiovascular diseases, such as severe center of gravity dysfunction, second or third degree atrioventricular block, etc.; -
4. Severe hepatic insufficiency: defined as the upper limit of ALT > 2 times normal value or AST > 2 times normal value; -
5. Severe renal insufficiency: defined as creatinine > 1.5 times the upper limit of normal value; -
6. Have asthma, COPD serious respiratory disease; -
7. Serious blood diseases, such as coagulation disorders, systemic bleeding, platelet diseases, etc; -
8. Serious endocrine system diseases, such as type II diabetes; -
9. Patients with malignant tumor; -
10. Patients taking antiedematous drugs for a long time; -
11. Major operation history; -
12. Other clinical researchers.","Novel Coronavirus Pneumonia (COVID-19)","General patients treated with normal treatment:Normal Treatment;General patients experimental group:Normal Treatment plus Sodium Aescinate for Injection;Severe patients control group 1:Normal treatment plus hormonotherapy;Severe patients control group 2:Normal Treatment;Severe patients experimental group:Normal Treatment plus Sodium Aescinate for Injection;","Chest imaging (CT);",,,,"No","False"," ", -"ChiCTR2000029741","17 February 2020","Efficacy of Chloroquine and Lopinavir/ Ritonavir in mild/general novel coronavirus (CoVID-19) infections: a prospective, open-label, multicenter randomized controlled clinical study","Efficacy of Chloroquine and Lopinavir/ Ritonavir in mild/general novel coronavirus (CoVID-19) infections: a prospective, open-label, multicenter randomized controlled clinical study ",,"The Fifth Affiliated Hospital Sun Yat-Sen University","2020-02-11",20200211,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49263","Recruiting","No",,,"Both","2020-02-12","experimental group:56;control group:56;","Interventional study","Parallel",4,"China","Xia Jinyu",,"52 Meihua Road East, Xiangzhou District, Zhuhai, China","xiajinyu@mail.sysu.edu.cn","+86 13823078064","The Fifth Affiliated Hospital Sun Yat-Sen University","Inclusion criteria: (All the following criteria are met before being selected): -
1. Aged >= 18 years; -
2. Meet all the following criteria (refer to confirmed cases in the 5th edition of the diagnosis and treatment plan): -
(1) Epidemiological history; -
(2) Clinical manifestations (according to any of the following 2): fever; normal or decreased white blood cell count or reduced lymphocyte count in the early stages of onset; multiple small patchy shadows and interstitial changes in early chest imaging, which are evident in the extrapulmonary zone. Furthermore, it develops multiple ground glass infiltration and infiltrates in both lungs. In severe cases, pulmonary consolidation and pleural effusion are rare. -
(3) Confirmed: Suspected cases have one of the following pathogenic evidence: respiratory specimens, blood specimens, or fecal specimens are detected by real-time fluorescent RT-PCR to detect novel coronavirus nucleic acid; the above-mentioned specimens are genetically sequenced and highly homologous to known new coronaviruses . -
(4) Light or ordinary patients; -
(5) With or without anti-viral drugs other than chloroquine phosphate, lopinavir/ritonavir.","Exclusion criteria: (Subjects cannot enter the study if they meet any of the following conditions): -
1. Patients with a history of allergy to chloroquine phosphate, lopinavir, and ritonavir; -
2. Patients with hematological diseases; -
3. Patients with chronic liver and kidney disease and reaching the end stage; -
4. Patients with arrhythmia and chronic heart disease; -
5. Patients known to have retinal disease, hearing loss or hearing loss; -
6. Patients with known mental illness; -
7. Patients who must use digitalis because of the original underlying disease; -
8. Pancreatitis; -
9. Hemophilia; -
10. Broad bean disease; -
11. Female patients during pregnancy.","2019 Novel Coronavirus Infection (CoVID-19)","experimental group:Chloroquine Phosphate;control group:Lopinavir / Ritonavir;","Length of stay;Length of severe;oxygenation index during treatment;all-cause mortality in 28 days;Peripheral blood cell count (including white blood cells, lymphocytes, neutrophils, etc.);procalcitonin;C-reactive protein;Inflammatory factors (including IL-6, IL-10, TNF-a, etc.);Lymphocyte subsets and complement;Coagulation indicators (prothrombin time, activated partial prothrombin time, fibrinogen, D-dimer, platelet count);Virus nucleic acid;",,,,"Yes","False"," ", -"ChiCTR2000029739","17 February 2020","A Multicenter, Randomized, Parallel Controlled Clinical Study of Hydrogen-Oxygen Nebulizer to Improve the Symptoms of Patients With Novel Coronavirus Pneumonia (COVID-19)","A Multicenter, Randomized, Parallel Controlled Clinical Study of Hydrogen-Oxygen Nebulizer to Improve the Symptoms of Patients With Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital of Guangzhou Medical University","2020-02-11",20200211,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49283","Recruiting","No",18,85,"Both","2020-02-12","Experimental group:220;Control group:220;","Interventional study","Parallel","N/A","China","Nanshan Zhong, Zeguang Zheng",,"151 Yanjing Road, Yuexiu District, Guangzhou, China","zheng862080@139.com","+86 18928868242","The First Affiliated Hospital of Guangzhou Medical University","Inclusion criteria: Subjects participating in this clinical study must meet all of the following criteria: -
1. General- severe hospitalized patients who meet the diagnostic criteria of the ""New Coronavirus Infected Pneumonia Diagnosis and Treatment Plan (Trial Version 5)"". That is, one of the following three conditions is met on the premise that the general diagnostic criteria are met: -
1) Respiratory frequency (RR): 20-30 times / minute; -
2) Peripheral oxygen saturation: 93-95%; -
3) Arterial blood oxygen partial pressure (PaO2) / oxygen concentration (FiO2): 300-400mmHg (1mmHg = 0.133kPa). -
2. Patients aged >= 18 and <= 85 years, with normal autonomous judgment ability, regardless of gender and region; -
3. Patients who voluntarily participated in the study and signed informed consent.","Exclusion criteria: 1. Patients with a significant disease or condition other than the new coronavirus pneumonia, that is, a disease that, according to the investigator's judgment, may cause the subject to be at risk due to participation in the study, or affect the results of the study and the ability of the subject to participate in the study. -
2. Women who are pregnant or nursing or plan to become pregnant during the study. -
3. Have one of the following respiratory diseases: -
1) Asthma: Based on the investigator's judgment, the subject is currently diagnosed with asthma. -
2) Subjects with a previous history of COPD or long-term medication or imaging that showed significant lung structural damage (eg, giant pulmonary bullae). -
3) Other respiratory diseases: subjects with other active lung diseases, such as active tuberculosis, lung cancer, wet bronchiectasis (high-resolution CT shows bronchiectasis, yellow sputum every day), sarcoidosis, idiopathic Interstitial Pulmonary Fibrosis (IPF), Primary Pulmonary Arterial Hypertension, Uncontrolled Sleep Apnea (ie, the severity of the disease will affect the implementation of the study at the investigator's discretion), combined with pneumothorax, pleural effusion and pulmonary embolism , Bronchial asthma, tumors, fever of unknown origin, etc. -
4) Lung volume reduction: Lung volume reduction, lobectomy, or bronchoscopic lung volume reduction within 6 months (bronchial obstruction, airway bypass, bronchial valve, steam thermal ablation, biological sealant, Implants). -
5) Patients who are critically ill or unstable. Definition of Severe Pneumonia: -
A. Increased breathing rate ( >= 30 beats / min), difficulty breathing; -
B. Peripheral blood oxygen saturation <= 93% when inhaling air, or arterial blood oxygen partial pressure (PaO2) / oxygen concentration (FiO2) <= 300mmHg; -
C. Lung imaging showed multi-leaf disease or lesion progression> 50% within 48 hours; -
D. Combined with pneumothorax. -
6) Pneumonia risk factors: immunosuppression (HIV), severe neurological disease affecting upper respiratory tract control, or other risk factors that the investigator believes may put the subject at a significant risk of pneumonia. -
4. Complicate serious primary diseases such as heart, liver, kidney, and hematopoietic system. -
5. People with mental disorders and cognitive impairment. -
6. Non-compliance: Subjects who did not comply with the study procedures, including non-compliance completion logs. -
7. Questions about the effectiveness of informed consent: subjects with a history of psychosis, mental retardation, poor motivation, substance abuse (including drugs and alcohol), or other medical conditions that limit the effectiveness of informed consent in this study. -
8. Those who use non-expectorant antioxidant drugs, including large doses of vitamin C and vitamin E. -
9. Researchers consider it inappropriate to participate in this research.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:Hydrogen-Oxygen Nebulizer;Control group:Oxygen concentrator;","the condition worsens and develops into severe or critical condition;the condition improves significantly and reaches the discharge standard;The overall treatment time is no longer than 14 days;",,,,"Yes","False"," ", -"ChiCTR2000029735","17 February 2020","Risks of Death and Severe cases in Patients with 2019 Novel Coronavirus Pneumonia (COVID-19)","Risks of Death and Severe cases in Patients with 2019 Novel Coronavirus Pneumonia (COVID-19) ",,"Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","2020-02-10",20200210,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49279","Recruiting","No",,,"Both","2020-01-26","non-severe group and severe gorup:500;","Observational study","Factorial","N/A","China","Min Xie",,"1095 Jiefang Avenue, Wuhan, Hubei, China","xie_m@126.com","+86 18602724678","Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","Inclusion criteria: SARI -
1. An ARI with history of fever or measured temperature >= 38 degree C and cough; onset within the last ~10 days; and requiring hospitalization. However, the absence of fever does NOT exclude viral infection. -
2. Surveillance case definitions for 2019-nCoV: -
(1) Patients with severe acute respiratory infection (fever, cough, and requiring admission to hospital), AND with no other etiology that fully explains the clinical presentation1 AND at least one of the following: -
A. a history of travel to or residence in the city of Wuhan, Hubei Province, China in the 14 days prior to symptom onset, or -
B. patient is a health care worker who has been working in an environment where severe acute respiratory infections of unknown etiology are being cared for. -
(2) Patients with any acute respiratory illness AND at least one of the following: -
A. close contact2 with a confirmed or probable case of 2019-nCoV in the 14 days prior to illness onset, or -
B. visiting or working in a live animal market in Wuhan, Hubei Province, China in the 14 days prior to symptom onset, or -
C. worked or attended a health care facility in the 14 days prior to onset of symptoms where patients with hospital-associated 2019-nCov infections have been reported.","Exclusion criteria: Researchers believe that patients are not suitable for any other situation in this study.","Novel Coronavirus Pneumonia (COVID-19)","non-severe group and severe gorup:N/A;","incidence;mortality;",,,,"No","False"," ", -"ChiCTR2000029734","17 February 2020","Epidemiological investigation and clinical characteristics analysis of novel coronavirus pneumonia (COVID-19)","Epidemiological investigation and clinical characteristics analysis of novel coronavirus pneumonia (COVID-19) ",,"The First People's Hospital of Huaihua","2020-02-10",20200210,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48868","Recruiting","No",,,"Both","2020-02-08","Case series:40;","Observational study","Sequential","N/A","China","Chengfeng Qiu",,"144 Jinxi Road South, Hecheng District, Huaihua, Hu'nan, China","qiuchengfeng0721@163.com","+86 14786531725","The First People's Hospital of Huaihua","Inclusion criteria: Patients who are positive for novel coronary virus detected by RC-PCR and second-generation sequencing.","Exclusion criteria: No","Novel Coronavirus Pneumonia (COVID-19)","Case series:N/A;","Epidemiological history;haematological;First symptom;blood glucose;blood glucose;prognosis;Blood gas analysis;complication;",,,,"No","False"," ", -"ChiCTR2000029732","17 February 2020","Impact of vitamin D deficiency on prognosis of patients with novel coronavirus pneumonia (COVID-19)","Impact of vitamin D deficiency on prognosis of patients novel coronavirus pneumonia (COVID-19) ",,"West China Hospital, Sichuan University","2020-02-10",20200210,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49302","Not Recruiting","No",,,"Both","2020-02-10","Vitamin D deficiency group:104;Vitamin D normal group:52;","Observational study","Factorial",0,"China","Jun Guo",,"37 Guoxue Lane, Wuhou District, Chengdu, Sichuan, China ","guojun@wchscu.cn","+86 15388178461","West China Hospital, Sichuan University ","Inclusion criteria: 1. Aged >= 18 years. -
2. Patients who meet the diagnostic criteria of suspected cases of pneumonia caused by novel coronavirus infection. ","Exclusion criteria: 1. Patients without any clinical and chest imaging findings; -
2. Supplementation with vitamin D or calcium within one week before admission -
3. Patients with severe failure with chronic organ dysfunction; -
4. Malignant tumors; diseases of the immune system; radiation and chemotherapy. -
5. Pregnancy: The pregnancy test is positive for women of childbearing age; the breastfeeding women have not stopped breastfeeding.","novel coronavirus pneumonia (COVID-19)","Vitamin D deficiency group:N/A;Vitamin D normal group:N/A;","ROX index;",,,,"Yes","False"," ", -"ChiCTR2000029695","17 February 2020","Early Detection of Novel Coronavirus Pneumonia (COVID-19) Based on a Novel High-Throughput Mass Spectrometry Analysis With Exhaled Breath","Early Detection of Novel Coronavirus Pneumonia (COVID-19) Based on a Novel High-Throughput Mass Spectrometry Analysis With Volatile Organic Compounds in Exhaled Breath ",,"Shenzhen Third People's Hospital","2020-02-10",20200210,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49219","Not Recruiting","No",1,100,"Both","2020-03-01","Target condition:300;Difficult condition:300","Diagnostic test","Sequential",0,"China","Deng Guofang",,"29 Bulan Road, Longgang District, Shenzhen, Guangdong, China","jxxk1035@yeah.net","+86 13530027001","Pulmonary Diseases Department, Shenzhen Third People's Hospital","Inclusion criteria: Suspected cases of pneumonitis with the novel coronavirus infection. Suspected case criteria: Any one of the following epidemiological histories meets any two of the clinical manifestations: -
Comprehensive analysis based on the following epidemiological history and clinical manifestations: -
1. Epidemiological history: -
(1) Travel history or residence history of Wuhan and surrounding areas or other communities with case reports within 14 days before the onset of illness; -
(2) Onset of illness Patients with fever or respiratory symptoms from Wuhan and surrounding areas, or from communities with case reports in the previous 14 days; -
(3) Aggressive onset; -
(4) History of contact with new coronavirus infection. People with a new coronavirus infection are those who test positive for nucleic acid. -
2. Clinical manifestations -
(1) fever and/or respiratory symptoms; -
(2) with the imaging mentioned above characteristics of pneumonia; -
(3) the total number of white blood cells is normal or decreased in the early stage of onset, or the lymphocyte count is decreased.","Exclusion criteria: Severe novel coronavirus pneumonia patients who cannot provide exhaled breath samples.","novel coronavirus pneumonia (COVID-19)","Gold Standard:RT-PCR of the novel coronavirus;Index test:Exhaled breath detection by mass spectrometry;","Sensitivity of detection of NCP;Specificity of detection of NCP;",,,,"Yes","False"," ", -"ChiCTR2000029658","17 February 2020","Nasal high-fow preoxygenation assisted fibre-optic bronchoscope intubation in patients with critical novel coronavirus pneumonia (COVID-19)","Nasal high-fow preoxygenation assisted fibre-optic bronchoscope intubation in patients with critical novel coronavirus pneumonia (COVID-19): a randomized clinical trial ",,"The First Affiliated Hospital of Guangzhou University of TCM","2020-02-09",20200209,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49074","Recruiting","No",18,80,"Both","2020-02-10","experimental group:30;control group:30;","Interventional study","Parallel","N/A","China","Wu Caineng",,"16 Jichang Road, Guangzhou, Guangdong, China ","wucaineng861010@163.com","+86 13580315308","The First Affiliated Hospital of Guangzhou University of TCM","Inclusion criteria: 1. Eligible patients were adults ((aged 18-80 years); -
2. Were identified as laboratory-confirmed 2019-nCoV infection; -
3. Those who need intubation in ICU, and with no severe hypoxemia.","Exclusion criteria: 1. Intubation required immidiately in case of cardiac arrest or asphyxia; -
2. Pregnancy, severe chronic respiratory, uncontrolled gastric reflux disease and any nasopharyngeal anatomical obstacle; -
3. Those patients has intubated in ICU.","novel coronavirus pneumonia (COVID-19)","experimental group:high-fow therapy by nasal cannulae (HFNC);control group:bag- valve mask oxygenation (SMO);","the lowest SpO2 during intubation;",,,,"Yes","False"," ", -"ChiCTR2000029656","17 February 2020","A randomized, open-label study to evaluate the efficacy and safety of low-dose corticosteroids in hospitalized patients with novel coronavirus pneumonia (COVID-19)","A randomized, open-label study to evaluate the efficacy and safety of low-dose corticosteroids in hospitalized patients with novel coronavirus pneumonia (COVID-19) ",,"Wuhan Pulmonary Hosptial","2020-02-09",20200209,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49086","Not Recruiting","No",18,,"Both","2020-02-14","control group:50;experimental group:50;","Interventional study","Parallel",0,"China","Ronghui Du",,"28 Baofeng Road, Qiaokou District, Wuhan, Hubei, China","bluesearh006@sina.com","+86 15337110926","Wuhan Pulmonary Hospital","Inclusion criteria: 1. Adults (defined as age >= 18 years); -
2. Patients with new type of coronavirus infection confirmed by PCR / serum antibodies; -
3. The time interval between symptom onset and random enrollment is within 10 days.The onset of symptoms is mainly based on fever. If there is no fever, cough or other related symptoms can be used; -
4. Imaging confirmed pneumonia; -
5. In the state of no oxygen at rest, the patient's blood oxygen saturation SPO2 <= 94% or shortness of breath (breathing frequency >= 24) or oxygenation index <= 300mmHg.","Exclusion criteria: 1. Known to receive hormone therapy orally or intravenously; -
2. Hormone therapy is needed due to concomitant disease upon admission; -
3. Patients with diabetes are receiving oral medication or insulin therapy; -
4. Known contraindications to dexamethasone or other excipients (such as refractory hypertension; epilepsy or delirium and glaucoma); -
5. Known active gastrointestinal bleeding in the past 3 months; -
6. Known difficulties in correcting hypokalemia; -
7. Known secondary bacterial or fungal infections; -
8. Known immunosuppressive status (such as chemotherapy / radiotherapy / HIV infection within one month after surgery); -
9. The clinician thinks that participating in the trial may cause patient damage (such as severe lymphocyte reduction); -
10. The patient may be transferred to a non-participating hospital within 72 hours.","novel coronavirus pneumonia (COVID-19)","control group:Standard treatment;experimental group:Standard treatment and methylprednisolone for injection;","ECG;Chest imaging;Complications;vital signs;NEWS2 score;",,,,"Yes","False"," ", -"ChiCTR2000029639","17 February 2020","Study for Mental health and psychological status of doctors, nurses and patients in novel coronavirus pneumonia (COVID-19) designated hospital and effect of interventions","Mental health and psychological interventions on doctors, nurses and patients at the novel coronavirus pneumonia (COVID-19) designated hospitals: a prospective, open, single-center clinical study ",,"The Fifth Affiliated Hospital Sun Yat-Sen University","2020-02-08",20200208,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49187","Recruiting","No",14,"??","Both","2020-02-10","doctors group:48;nurses group:48;suspected cases group:48;cases group:48;","Interventional study","Factorial",0,"China","Wen Shenglin, Xia Jinyu",,"52 Meihua Road East, Zhuhai, Guangdong, China","wenshl@mail.sysu.edu.cn","+86 13312883618","Department of Psychology, the Fifth Affiliated Hospital Sun Yat-Sen University","Inclusion criteria: 1) Medical staff involved in the diagnosis and treatment of new coronavirus pneumonia; -
2) 2019-nCoV infection suspected or confirmed cases; -
3) Voluntarily participate in this research project and sign informed consent; -
4) Able to cooperate with the scale assessor.","Exclusion criteria: no exclusion criteria.","novel coronavirus pneumonia (NCP)","doctors group:Psychological intervention;nurses group:Psychological intervention;suspected cases group:Psychological intervention or drug intervention;cases group:Psychological intervention or drug intervention;","Physical examination;Nucleic acid;Oxygenation index;GAD-7;PHQ-9;SASRQ;PSQI;Lymphocyte subsets;",,,,"Yes","False"," ", -"ChiCTR2000029637","17 February 2020","An observational study for Xin-Guan-1 formula in the treatment of novel coronavirus pneumonia (COVID-19)","An observational study for Xin-Guan-1 formula in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Guangdong Provincial Hospital of Chinese Medicine","2020-02-08",20200208,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49127","Not Recruiting","No",,,"Both","2020-02-07","Experimental group:50;Control group:50;","Observational study","Sequential",0,"China","Zhang Zhongde",,"111 Dade Road, Yuexiu District, Guangzhou, Guangdong, China","doctorzzd99@163.com","+86 13903076359","Guangdong Provincial Hospital of Chinese Medicine","Inclusion criteria: Patients who meet the diagnostic criteria of Hubei Province pneumonia infected by novel coronavirus(2019-nCoV), and clinical classification of mild, moderate and severe were included.","Exclusion criteria: ?Allergic constitution, ie, allergic history to 2 or more kinds of medicine or food, or to the medicines of our study. -
?Patients who do not agree with taking traditional Chinese medicine.","novel coronavirus pneumonia (COVID-19)","Experimental group:Xinguan-1 formula+Standard treatment;Control group:Standard treatment;","Completely antipyretic time: completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Time to remission/disappearance of primary symptoms: defined as the number of days when the three main symptoms of fever, cough, and shortness of breath are all relieved / disappeared;",,,,"No","False"," ", -"ChiCTR2000029636","17 February 2020","Efficacy and safety of aerosol inhalation of vMIP in the treatment of novel coronavirus pneumonia (COVID-19): a single arm clinical trial","Efficacy and safety of aerosol inhalation of vMIP in the treatment of novel coronavirus pneumonia (COVID-19): a single arm clinical trial ",,"Union Hospital, Tongji Medical College, Huazhong University of Science and Technology","2020-02-08",20200208,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49215","Recruiting","No",18,,"Both","2020-02-09","Case series:40;","Interventional study","Single arm",0,"China","Hu bo, Li wei",,"1277 Jiefang Avenue, Jianghan District, Wuhan, Hubei, China","hubo@mail.hust.edu.cn","+86 13707114863","Union Hospital, Tongji Medical College, Huazhong University of Science and Technology","Inclusion criteria: 1) Aged >=18 years, gender unlimited, inpatient; -
2) Patients with new coronavirus infection were confirmed: respiratory or blood samples were positive for 2019 ncov nucleic acid by real-time fluorescent RT-PCR, or respiratory or blood samples were highly homologous with known 2019 ncov gene sequencing; -
3) According to the standard of ""diagnosis and treatment plan for pneumonia with new coronavirus infection (trial version 5)"", the clinical types are common type or severe type; -
4) The time interval between symptom onset and enrollment was within 7 days. The symptom onset was mainly based on fever. If there was no fever, coughing or other related symptoms could be used, such as fatigue, nasal obstruction, runny nose, chest distress, sore throat, muscle ache, diarrhea, etc; -
5) Informed consent has been signed.","Exclusion criteria: 1) Known or suspected to be allergic to the components of vMIP. -
2) Confirmed hepatitis B, C, AIDS and other viral infections. -
3) Acute respiratory distress syndrome (ARDS) was found. -
4) According to the judgment of the researchers, there are other conditions that are not suitable for the experiment. -
5) Pregnant, lactating women or during the trial period and within 6 months after the end of the family planning. -
6) Have participated in other clinical trials or are using experimental drugs within 12 weeks before administration.","novel coronavirus pneumonia (COVID-19)","Case series:Conventional standardized treatment and vMIP atomized inhalation;","2019-nCoV nucleic acid turning negative time (from respiratory secretion), or the time to release isolation;",,,,"Yes","False"," ", -"ChiCTR2000029628","17 February 2020","A clinical observational study for Xin-Guan-2 formula in the treatment of suspected novel coronavirus pneumonia (COVID-19)","Observational study of Xin-Guan-2 formula in the treatment of suspected novel coronavirus pneumonia (COVID-19) ",,"Guangdong Provincial Hospital of Chinese Medicine","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49155","Not Recruiting","No",,,"Both","2020-02-07","Experimental group:50;Control group:50;","Observational study","Non randomized control",0,"China","Zhang Zhongde",,"111 Dade Road, Yuexiu District, Guangzhou, Guangdong, China","doctorzzd99@163.com","+86 13903076359","Guangdong Provincial Hospital of Chinese Medicine","Inclusion criteria: Patients who meet the diagnostic criteria of suspected cases of pneumonia caused by novel coronavirus infection.","Exclusion criteria: An allergic condition, such as a history of allergies to two or more drugs or foods, or a known allergy to the ingredients in Xin-Guan-2 formula.","novel coronavirus pneumonia (COVID-19)","Experimental group:Xinguan-2 formula+Standard treatment;Control group:Standard treatment;","Time to completely antipyretic time:completely antipyretic was defined as the body temperature return to normal for over 24 hours.;Main symptom relief/disappearance time: defined as the days when the three main symptoms of fever, cough and shortness of breath all remission/disappear.;",,,,"Yes","False"," ", -"ChiCTR2000029626","17 February 2020","Immune Repertoire (TCR & BCR) Evaluation and Immunotherapy Research in Peripheral Blood of Novel Coronavirus Pneumonia (COVID-19)","Immune Repertoire (TCR & BCR) Evaluation and Immunotherapy Research in Peripheral Blood of Novel Coronavirus Pneumonia (COVID-19) Patients ",,"The First Affiliated Hospital of Zhejiang University School of Medicine","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49170","Not Recruiting","No",18,90,"Both","2020-02-17","Normal group:10;Severe group:10;","Basic Science","Factorial",0,"China","Fang Xueling",,"79 Qingchun Road, Hangzhou, China","13588867114@163.com","+86 13588867114","The First Affiliated Hospital of Zhejiang University School of Medicine ","Inclusion criteria: 1. Patients with novel coronavirus infection pneumonia were confirmed by RT-PCR and clinical symptoms. The diagnosic criteria refer to ""Pneumonitis Diagnosis and Treatment Scheme for Novel Coronavirus Infection (Trial Version 5)""; -
2. Patients with newly diagnosed respiratory system discomfort who have been hospitalized (the diagnosis time of respiratory system discomfort shall not exceed 10 days); -
3. Patients who voluntarily signed informed consent. ","Exclusion criteria: Physician judged the patient was not suitable for this clinical trial (for example, patient may be transferred to another hospital during the study period; patient with immune system diseases or cancers etc.)","novel coronavirus pneumonia (COVID-19)","Normal group:No;Severe group:No;","TCR sequencing;BCR sequencing;HLA sequencing;",,,,"Yes","False"," ", -"ChiCTR2000029625","17 February 2020","Construction of Early Warning and Prediction System for Patients with Severe / Critical Novel Coronavirus Pneumonia (COVID-19)","Construction of Early Warning and Prediction System for Patients with Severe / Critical Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital of Zhejiang University School of Medicine","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49177","Not Recruiting","No",18,90,"Both","2020-02-17","Target condition:80;Difficult condition:0","Diagnostic test","Sequential",0,"China","Cai Hongliu",,"79 Qingchun Road, Hangzhou, Zhejiang, China","caiicu@163.com","+86 13505811696","The First Affiliated Hospital of Zhejiang University School of Medicine ","Inclusion criteria: 1. Patients with novel coronavirus infection pneumonia were confirmed by RT-PCR and clinical symptoms. The diagnosic criteria refer to ""Pneumonitis Diagnosis and Treatment Scheme for Novel Coronavirus Infection (Trial Version 5)""; -
2. Patients with newly diagnosed respiratory system discomfort who have been hospitalized (the diagnosis time of respiratory system discomfort shall not exceed 10 days); -
3. Patients who voluntarily signed informed consent. ","Exclusion criteria: Physician judged the patient was not suitable for this clinical trial (for example, patient may be transferred to another hospital during the study period; patient with immune system diseases or cancers etc.)","novel coronavirus pneumonia (COVID-19)","Gold Standard:Clinical outcome;Index test:early warning and prediction system;","Lymphocyte subpopulation analysis;Cytokine detection;Single cell sequencing of bronchial lavage fluid cells;",,,,"Yes","False"," ", -"ChiCTR2000029624","17 February 2020","A real world study for traditional Chinese Medicine in the treatment of novel coronavirus pneumonia (COVID-19)","A real world study for traditional Chinese Medicine in the treatment of novel coronavirus pneumonia ((COVID-19) ",,"Shanghai Public Health Clinical Center","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49132","Not Recruiting","No",,,"Both","2020-02-08","Case series:500;","Observational study","Sequential","N/A","China","Lu Hongzhou",,"2901 Caolang Road, Jinshan District, Shanghai, China","Luhongzhou@shphc.org.cn","+86 18930810088","Shanghai Public Health Clinical Center","Inclusion criteria: 1. Suspected case: -
Patients in observation period of traditional Chinese medicine who are in line with the diagnostic criteria for suspected cases of pneumonia caused by 2019 novel coronavirus infection in the ""diagnosis and treatment plan for pneumonia caused by 2019 novel coronavirus infection (trial version IV)"", formulated by the National Health Commission, and in accordance with the ""diagnosis and treatment plan for pneumonia caused by 2019 nove coronavirus infection in Shanghai (Trial Implementation)"",formulated by the office of the leading group for the prevention and control of pneumonia caused by 2019 novel coronavirus infection in Shanghai,. -
Any one with epidemiological history and any two with clinical manifestations. -
(1) Epidemiological history -
1) Within 14 days before the onset of the disease, there was a travel history or residential history in Wuhan or other areas where the local cases continued to spread; -
2) Within 14 days before the onset of the disease, the patient had been exposed to fever or respiratory symptoms from Wuhan city or other areas where local cases continue to spread; -
3) There is a clustering disease or an epidemiological association with the new coronavirus infection. -
(2) Clinical manifestations: -
1) Fever; -
2) It has the imaging characteristics of pneumonia: in the early stage, there are multiple small spot shadow and interstitial changes, especially in the extrapulmonary zone. In severe cases, lung consolidation and pleural effusion are rare; -
3) In the early stage of the disease, the total number of leukocytes was normal or decreased, or the lymphocyte count was decreased.","Exclusion criteria: Patients who have mental confusion, pregnant or lactating women, who with a history of drug abuse or dependence, who allergic to study medication, who have participated in another clinical trial within 3 months,or who have other conditions not suitable for clinical study. ","novel coronavirus pneumonia (COVID-19)","Case series:Traditional Chinese Medicine;","Time for body temperature recovery;Chest CT absorption;Time of nucleic acid test turning negative;",,,,"Yes","False"," ", -"ChiCTR2000029621","17 February 2020","Clinical study of arbidol hydrochloride tablets in the treatment of novel coronavirus pneumonia (COVID-19)","Multicenter, randomized, open-label, controlled trial for the efficacy and safety of arbidol hydrochloride tablets in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Ruijin Hospital, Shanghai Jiao Tong University School of Medicine","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49165","Recruiting","No",18,,"Both","2020-02-07","Experimental group:190;Control group:190;","Interventional study","Parallel",4,"China","Qu Jieming",,"197 Second Ruijin Road, Huangpu District, Shanghai, China","jmqu0906@163.com","+86 21 64370045","Ruijin Hospital, Shanghai Jiao Tong University School of Medicine","Inclusion criteria: 1. Sign the informed consent form; -
2. Aged >=18 years; -
3. Subjects diagnosed as 2019-nCoV pneumonia; -
(1) Detection of 2019-nCoV nucleic acid positive by RT-PCR in respiratory tract or blood samples; -
(2) The virus gene sequence of respiratory tract or blood samples is highly homologous to the known 2019-nCoV; -
4. According to the standard of ""2019-nCoV pneumonia diagnosis and treatment Program of New Coronavirus infection (trial Fifth Edition)"" issued by National Health Commission of China, clinical classification: mild, ordinary subjects; -
(1) Mild type, the clinical symptoms were mild and no pneumonia was found in imaging; -
(2) Common type, With fever, respiratory tract and other symptoms, the manifestations of pneumonia can be seen on imaging.","Exclusion criteria: 1. Critical type: If one of the following conditions is met -
(1) Respiratory failure occurs and mechanical ventilation is needed; -
(2) Shock occurred; -
(3) Patients with other organ failure need ICU monitoring treatment; -
2. Severe type: If one of the following conditions is met -
(1) Respiratory distress, RR >= 30 beats / min; -
(2) In resting state, finger oxygen saturation (SaO2) <= 93%; -
(3) Partial pressure of arterial oxygen (PaO2) / concentration of oxygen inhaled (FiO2)<= 300mmHg; -
3. Those who have a history of allergy to this class of drugs and / or severe allergic constitution; -
4. The results of laboratory tests are abnormal: -
(1) Hematological dysfunction is defined as: -
1) Platelet (PLT) count <100x10^9/L; -
2) Hemoglobin (Hb) level <90g/L; -
(2) Abnormal liver function is defined as: -
1) Level of total bilirubin(TBil) >2 ULN; -
2) The levels of aspartate aminotransferase (AST) and Alanine transaminase (ALT)>3 ULN; -
3) Definition of renal dysfunction: -
Serum creatinine>1.5 ULN, or calculated creatinine clearance<50ml/min; -
4) Definition of abnormal blood coagulation: -
International normalized ratio(INR) >1.5 ULN, and the prothrombin time ((PT)) or activated partial thromboplastin time (aPTT) 1.5 ULN, unless the subject is receiving anticoagulant therapy; -
5. Abidor was used before inclusion(Tablets, capsules, granules); -
6. Women who are nursing or pregnant; -
7. Serum or urine pregnancy tests were positive for women of child-bearing age; -
8. Immunodeficient patient(Patients with malignant tumors, Organ or bone marrow transplant, HIV patient, those who took immunosuppressive drugs within 3 months before the screening test ); -
9. With the following history of present illness: -
(1) Neurological and neurodevelopmental disorders, These include diseases of the brain, spinal cord, peripheral nerves and muscles(Such as cerebral palsy, epilepsy, stroke, mental retardation, moderate to severe developmental delay, muscular malnutrition or spinal cord injury ); -
(2) Circulation system disease( congenital heart disease, Congestive heart failure or coronary artery disease); -
(3) Severe heart disease or a history of clinically significant arrhythmias that the researchers believe will affect participants' safety (According to the ECG or medical history); -
10. Other patients considered ineligible for this study were considered ineligible by the investigators.","novel coronavirus pneumonia (COVID-19)","Experimental group:Arbidol tablets + basic treatment;Control group:Basic treatment;","Virus negative conversion rate in the first week;",,,,"Yes","False"," ", -"ChiCTR2000029609","17 February 2020","A prospective, open-label, multiple-center study for the efficacy of chloroquine phosphate in patients with novel coronavirus pneumonia (COVID-19)","A prospective, open-label, multiple-center study for the efficacy of chloroquine phosphate in hospitalized patients with novel coronavirus pneumonia (COVID-19) ",,"The Fifth Affiliated Hospital of Sun Yat-Sen University","2020-02-06",20200206,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49145","Not Recruiting","No",18,80,"Both","2020-02-10","mild-moderate chloroquine group:59;mild-moderate Lopinavir/ritonavir group:59;mild-moderate combination group:59;severe-chloroquine group :14;severe- Lopinavir/ritonavir group:14;","Interventional study","Non randomized control",4,"China","Hong Shan",,"52 Meihua Road East, Zhuhai, Guangdong, China","shanhong@mail.sysu.edu.cn","+86 0756 2528573","The Fifth Affiliated Hospital of Sun Yat-Sen University","Inclusion criteria: 1. Aged >=18 years old; -
2. Patients has been diagnosed with 2019-nCoV pneumonia according to the fifth version of 2019-nCoV pneumonia management guideline made by the national health commission of the People's Repulic of China. -
More details see: http://www.nhc.gov.cn/yzygj/s7653p/202002/3b09b894ac9b4204a79db5b8912d4440.shtml","Exclusion criteria: 1. Pregnant woman patients; -
2. Documented allergic history to any of chloroquine phosphate, ritonavir and lopinavir; -
3. Documented history of hematological system diseases; -
4. Documented history of chronic liver and kidney diseases; -
5. Documented history of cardiac arrhythmia or chronic heart diseases; -
6. Documented history of retina or hearing dysfunction; -
7. Documented history of mental illnesses; -
8. Use of digitalis due to the previous disease; -
9. Onging pancreatitis; -
10. Documented history of hemophilia; -
11. Documented history of glucose-6 phosphate dehydrogenase (G-6-PD) deficiency.","novel coronavirus pneumonia (COVID-19)","mild-moderate chloroquine group:oral chloroquine phosphate;mild-moderate Lopinavir/ritonavir group:oral Lopinavir/ritonavir;mild-moderate combination group:chloroquine phosphate plus Lopinavir/ritonavir;severe-chloroquine group :oral chloroquine phosphate ;severe- Lopinavir/ritonavir group:oral Lopinavir/ritonavir;","virus nucleic acid negative-transforming time;",,,,"Yes","False"," ", -"ChiCTR2000029606","17 February 2020","Clinical Study for Human Menstrual Blood-Derived Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19)","Clinical Study for Human Menstrual Blood-derived Stem Cells in the Treatment of Acute Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital, College of Medicine, Zhejiang University","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49146","Recruiting","No",1,99,"Both","2020-01-25","experimental group A:18;control gorup A:15;Experimental Group B1:10;Experimental Group B2:10;Control Gorup A:10;","Interventional study","Parallel",0,"China","Lanjuan Li /Xiaowei Xu/Charile Xiang",,"79 Qingchun Road, Hangzhou, Zhejiang, China","ljli@zju.edu.cn","+86 0571-87236426","The First Affiliated Hospital, College of Medicine, Zhejiang University","Inclusion criteria: 1. Diagnosed as novel coronavirus pneumonia (NCP) Patient: -
1) Basis of diagnostic criteria: ""Notice on Printing and Distributing Pneumonia Diagnosis and Treatment Plan for New Coronavirus Infection (Trial Implementation Fourth Edition)"" (National Health Office Medical Letter C2020377) -
2019-nCoV diagnosis of pneumonia: -
(1) Epidemiological history: A. Travel history or residence history in Wuhan area or other areas with continuous local case transmission within 14 days before onset; B. Contact history within 14 days before onset Patients with fever or respiratory symptoms from Wuhan City or other areas where local case transmission is ongoing; C. Aggregative onset or epidemiological association with new coronavirus infection. -
(2) Clinical manifestations: A. fever; B. imaging characteristics of pneumonia: multiple small patchy shadows and interstitial changes in the early stage, which are obvious in the extrapulmonary zone, and then develop into multiple ground glass infiltrates and infiltrates, which are severe Patients may have pulmonary consolidation, and pleural effusion is rare; C. The total number of white blood cells is normal or reduced in the early stage of onset, or the lymphocyte count is reduced. -
(3) Any one of the epidemiological history meets any two of the clinical manifestations as suspected cases, and those who have one of the following pathogenic evidence are confirmed cases: A. A new type of real-time fluorescence RT-PCR test for respiratory specimens or blood specimen Coronavirus-positive nucleic acid; B. Sequencing of viral genes in respiratory specimens or blood specimens, highly homologous to known new coronaviruses. -
(4) It is severe if it meets any of the following: A. Respiratory distress, RR > 30 beats / min; B. In resting state, means oxygen saturation < 93%; C. Arterial partial pressure of oxygen (PaO2) / oxygen Concentration (FiO2) <= 300mmHg (lmmHg = 0.133kPa). -
(5) It is critical if it meets any of the following: 1) respiratory failure occurs and requires mechanical ventilation; 2) shock occurs; 3) combined organ failure requires ICU monitoring and treatment -
2. The patient or legal donor agrees to participate in the study and signs an informed consent form.","Exclusion criteria: 1. Pregnant or lactating women; -
2. There are comorbidities that affect the judgment of the efficacy, such as those with malignant tumors or long-term immunosuppressants; -
3. The investigator believes that the patient has other conditions that are not suitable for enrollment; -
4. Allergic to dimethyl sulfoxide (DMSO), dextran 40 or human albumin; -
5. Contraindicated signs of artificial liver therapy","Novel Coronavirus Pneumonia (COVID-19)","experimental group A:Conventional treatment followed by Intravenous infusion of Human Menstrual Blood-derived Stem Cells preparations;control gorup A:Conventional treatment;Experimental Group B1:Artificial liver therapy+conventional treatment;Experimental Group B2:Artificial liver therapy followed by Intravenous infusion of Human Menstrual Blood-derived Stem Cells preparations+conventional treatment;Control Gorup A:Conventional treatment;","Mortality in patients;",,,,"No","False"," ", -"ChiCTR2000029605","17 February 2020","A randomized, open-label, blank-controlled, multicenter trial for Shuang-Huang-Lian oral solution in the treatment of ovel coronavirus pneumonia (COVID-19)","A randomized, open-label, blank-controlled, multicenter trial for Shuang-Huang-Lian oral solution in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","2020-02-07",20200207,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49051","Recruiting","No",18,,"Both","2020-02-06","Low dose group:100;Medium dose of group:100;High dose of group:100;Control group:100;","Interventional study","Parallel",4,"Wuhan","Wang Daowen, Zhao Jianping",,"1095 Jiefang Avenue, Wuhan, Hubei, China","dwwang@tjh.tjmu.edu.cn","+86 13971301060","Department of Cardiovascular Medicine, Tongji Hospital","Inclusion criteria: 1. Patients with confirmed new coronavirus-infected pneumonia; -
2. Above 18 years old (inclusive); -
3. Voluntarily sign written informed consent. ","Exclusion criteria: 1. Severe pneumonia requires mechanical ventilationcritically severe cases; -
2. Estimated Time of Death is less than 48 hours; -
3. There is clear evidence of bacterial infection in respiratory tract infections caused by basic diseases such as primary immunodeficiency disease, acquired immunodeficiency syndrome, congenital respiratory malformations, congenital heart disease, gastroesophageal reflux disease, and abnormal lung development; -
4. Subjects with the following conditions: asthma requiring daily treatment, any other chronic respiratory disease, respiratory bacterial infections such as purulent tonsillitis, acute tracheobronchitis, sinusitis, otitis media, and other respiratory tracts diseases that affecting clinical trial evaluation . Chest CT confirmed that patients with basic pulmonary diseases such as severe pulmonary interstitial lesions and bronchiectasis; -
5. In the opinion of the investigator, previous or present illnesses may affect patients' participation in the trial or influence the outcome of the study, including: malignant disease, autoimmune disease, liver and kidney disease, blood disease, neurological disease, and endocrine Disease; currently suffering from diseases that seriously affect the immune system, such as: human immunodeficiency virus (HIV) infection, or the blood system, or splenectomy, organ transplantation, etc .; -
6. Mental state unable to cooperate, suffering from mental illness, unable to control, unable to express clearly -
7. An allergic condition, such as a history of allergies to two or more drugs or foods, or a known allergy to the ingredients of the drug; -
8. Patients with a history of substance abuse or dependence; -
9. Pregnant or lactating women; -
10. Patients who participated in other clinical trials within the last 3 months; -
11. The investigator believes that there are any factors that are not suitable for enrollment or affect the evaluation of the efficacy.","novel coronavirus pneumonia (NCP)","Low dose group:Shuanghuanglian 2 bottles/time, 3 times a day; Routine treatment.;Medium dose of group:Shuanghuanglian 4 bottles/time, 3 times a day; routine treatment.;High dose of group:Shuanghuanglian 6 bottles/time, 3 times a day; routine treatment.;Control group:Routine treatment;","Time to disease recovery;",,,,"No","False"," ", -"ChiCTR2000029603","17 February 2020","A Randomized, Open-Label, Multi-Centre Clinical Trial Evaluating and Comparing the Safety and Efficiency of ASC09/Ritonavir and Lopinavir/Ritonavir for Confirmed Cases of Novel Coronavirus Pneumonia (COVID-19)","A Randomized, Open-Label, Multi-Centre Clinical Trial Evaluating and Comparing the Safety and Efficiency of ASC09/Ritonavir and Lopinavir/Ritonavir for Confirmed Cases of Novel Coronavirus Pneumonia (COVID-19) ",,"The First Affiliated Hospital of Zhejiang University School of Medicine","2020-02-06",20200206,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49075","Recruiting","No",18,75,"Both","2020-02-06","Experimental group:80;Control group:80;","Interventional study","Parallel",0,"China","Qiu Yunqing",,"79 Qingchun Road, Hangzhou, Zhejiang, China","qiuyq@zju.edu.cn","+86 13588189339","The First Affiliated Hospital of Zhejiang University School of Medicine","Inclusion criteria: 1. Aged 18-75 years old; -
2. Patients with novel coronavirus infection pneumonia were confirmed by RT-PCR and clinical symptoms. The diagnostic criteria refer to ""Pneumonitis Diagnosis and Treatment Scheme for Novel Coronavirus Infection (Trial Version 5)""; -
3. Patients with newly diagnosed respiratory system discomfort who have been hospitalized (the diagnosis time of respiratory system discomfort shall not exceed 7 days); -
4. Women and partners who have no planned pregnancy within the past six months, and are willing to take effective contraceptive measures within 30 days from the first administration of the study drug to the last administration; -
5. Agree not to participate in other clinical studies within 30 days from the first administration of the study drug to the last administration; -
6. Patients who voluntarily signed informed consent.","Exclusion criteria: 1. Patients with severe 2019-nCoV pneumonia met one of the following conditions: respiratory distress, RR >= 30 times / min; or SaO2 / SpO2 <= 93% in resting state; or arterial partial pressure of oxygen (PaO2) / concentration of oxygen (FiO2) <= 300MMHG (1mmhg = 0.133kpa); -
2. Patients with critical 2019-nCoV pneumonia met one of the following conditions: respiratory failure and mechanical ventilation required; or shock; or combined with other organ failure required ICU monitoring treatment; -
3. Severe liver disease (such as child Pugh score >= C, AST > 5 times upper limit); -
4. Patients were allergic to the components of ASC09 / ritonavir compound tablets; -
5. Patients with definite contraindications in the label of ritonavir tablets; -
6. Female subjects pregnancy test was positive during the screening period; -
7. Patients who are taking HIV protease inhibitor drugs; -
8. Physician judged the patient was not suitable for this clinical trial (for example, patient may be transferred to another hospital during the study period; patient with multiple basic diseases, etc.).","novel coronavirus pneumonia (COVID-19)","Experimental group:Conventional standardized treatment and ASC09/Ritonavir;Control group:Conventional standardized treatment and Lopinavir/Ritonavir;","The incidence of composite adverse outcome within 14 days after admission: Defined as (one of them) SPO2<= 93% without oxygen supplementation, PaO2/FiO2 <= 300mmHg or RR <=30 breaths per minute.;",,,,"Yes","False"," ", -"ChiCTR2000029602","17 February 2020","Clinical study for community based prevention and control strategy of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population","Clinical study for community based prevention and control strategy of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population ",,"Hubei Provincial Hospital of TCM","2020-02-06",20200206,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48985","Recruiting","No",18,65,"Both","2020-02-01","Experimental group:300;Control group:300;","Interventional study","Parallel",0,"China","Xiaolin Tong",,"856 Luoyu Road, Hongshan District, Wuhan, Hubei, China","Xiaolintong66@sina.com","+86 13910662116","Hubei Provincial Hospital of TCM","Inclusion criteria: 1. Conforming to the diagnostic criteria for the above close contacts; -
2. Aged between 18 and 65 years old; -
3. Signing the generalized informed consent form. (The intervention objects is incorporated in the clinical study as desired).","Exclusion criteria: 1. Severe or critically severe patients; -
2. Clear evidence of bacterial infection; -
3. Patients with severe primary diseases such as heart, kidney, lung, endocrine, blood, metabolism, and gastrointestinal tract, etc., may affect participation in the trial or may affect the outcome of the study by the judgment of the researcher; -
4. Patients who have a family history of mental illness or have had a mental illness; -
5. Patients who are allergic constitution or allergy to multiple drug; -
6. pregnant or lactating women.","Novel Coronavirus Pneumonia (COVID-19)","Experimental group:health education, follow-up condition management by team of family doctors, Chinese medicine treatment;Control group:health education, follow-up condition management by team of family doctors;","Incidence of onset at home / designated isolation population who progressed to designated isolation treatment or were diagnosed with novel coronavirus-infected pneumonia;days of onset at home / designated isolation population who progressed to designated isolation treatment or were diagnosed with novel coronavirus-infected pneumonia;",,,,"No","False"," ", -"ChiCTR2000029601","17 February 2020","Community based prevention and control for Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) in the isolate suspected and confirmed population","Community based prevention and control for Chinese medicine in the treatment of novel coronavirus pneumonia (COVID-19) in the isolated population ",,"Hubei Provincial Hospital of TCM","2020-02-06",20200206,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48988","Recruiting","No",18,65,"Both","2020-02-01","Control group:200;Experimental group:200;","Interventional study","Parallel",0,"China","Tong Xiaolin",,"856 Luoyu Road, Hongshan District, Wuhan, Hubei, China","252417083@qq.com","+86 18908628577","Hubei Provincial Hospital of TCM","Inclusion criteria: 1. Suspected and confirmed cases of pneumonia in accordance with the above new signs of coronavirus infection and the standard of clinical common diagnosis; -
2. Aged 18-65 years old; -
3. Signing the general informed consent form.","Exclusion criteria: 1. Clear evidences?of bacterial infection; -
2. Serious primary diseases judged by researchers,such as heart, kidney, lung, endocrine, blood, metabolism and gastrointestinal tract,?may affect the patients' participation in the trial or the outcome of the study; -
3. Family history of mental illness or mental illness; -
4. Allergic constitution or multi drug allergy; -
5. Pregnant or lactating women.","novel coronavirus pneumonia (COVID-19)","Control group:Health education+Basic treatment of western medicine;Experimental group:Health education+Basic treatment of Western medicine+Dialectical?treatment of traditional Chinese medicine;","the negative conversion ratio;the proportion of general patients with advanced severe disease;confirmed rate of suspected cases;",,,,"No","False"," ", -"ChiCTR2000029600","17 February 2020","Clinical study for safety and efficacy of Favipiravir in the treatment of novel coronavirus pneumonia (COVID-19)","Clinical study on safety and efficacy of Favipiravir in the treatment of novel coronavirus pneumonia (COVID-19) ",,"The Third People's Hospital of Shenzhen","2020-02-06",20200206,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49042","Recruiting","No",16,75,"Both","2020-01-30","Group A:30;Group B:30;Group C:30;","Interventional study","Non randomized control",0,"China","Liu Yingxia",,"29 Bulan Road, Longgang District, Shenzhen, Guangdong, China","yingxialiu@hotmail.com","+86 755 61238922","The Third People's Hospital of Shenzhen","Inclusion criteria: 1. 16 to 75 years of age, male or female; -
2. Respiratory or blood samples tested positive for novel coronavirus; -
3. Within 7 days of onset: Onset is defined as body temperature exceeding 38 degree C (armpit temperature) or at least one 2019-nCoV pneumonia related systemic or respiratory symptom; -
4. Willing to take contraception during the study and within 7 days after treatment; -
5. No difficulty in swallowing the Pills; -
6. Willing to sign informed consent form.","Exclusion criteria: 1. Any situation which the protocol cannot be carried out safely; -
2. Patient refuses to receive invasive tracheal support (if needed); -
3. Pregnant or lactating women:childbearing age women with positive pregnancy test, breastfeeding, miscarriage or within 2 weeks after delivery.Postmenopausal and hysterectomy women do not need a pregnancy test; -
4. Patients with chronic liver and kidney disease and reaching end-stage; -
5. Previous history of allergic reactions to Fapiravir or Lopinavir and Ritonavir; -
6. Currently or in the past 28 days, participated in another clinical trial against novel coronavirus treatment; -
7. After the investigator's judgment, the subjects could not participate the study protocol, follow-up or self-evaluation after enrollment.","novel coronavirus pneumonia (COVID-19)","Group A:alpha-Interferon atomization;Group B:Lopinavir and Ritonavir + alpha-Interferon atomization;Group C:Favipiravir + alpha-Interferon atomization;","Declining speed of Novel Coronavirus by PCR;Negative Time of Novel Coronavirus by PCR;Incidentce rate of chest imaging;Incidence rate of liver enzymes;Incidence rate of kidney damage;",,,,"No","False"," ", -"ChiCTR2000029589","17 February 2020","An open, prospective, multicenter clinical study for the efficacy and safety of Reduning injection in the treatment of ovel coronavirus pneumonia (COVID-19)","An open, prospective, multicenter clinical study for the efficacy and safety of Reduning injection in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Beijing hospital of Traditional Chinese Medicine; Hubei Integrated Traditional Chinese and Western Medicine Hospital","2020-02-05",20200205,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49104","Recruiting","No",,,"Both","2020-02-06","control group:30;experimental group:30;","Interventional study","Non randomized control",0,"China","LIU QINGQUAN",,"23 Art Gallery Back Street, Dongcheng District, Beijing, China ","Liuqingquan2003@126.com","+86 010-52176520","Beijing hospital of Traditional Chinese Medicine; Hubei Integrated Traditional Chinese and Western Medicine Hospital ","Inclusion criteria: (1) Comply with the diagnostic criteria of ""Pneumonitis Diagnosis and Treatment Scheme for New Coronavirus Infection (Trial Version 5)""; -
(2) The classification was judged as common type; -
(3) Body temperature > 37.3 degree C; -
(4) Subjects are >= 18 years of age.","Exclusion criteria: (1) Patients whose estimated survival time does not exceed 48 hours from the start of screening; -
(2) Tracheal intubation and mechanical ventilation have been performed during screening; -
(3) Other problems that doctor's judgment is not suitable for the study.","novel coronavirus pneumonia (COVID-19)","control group:basic western medical therapies;experimental group:Reduning injection combined with basic western medical therapies;","Antipyretic time;",,,,"Yes","False"," ", -"ChiCTR2000029578","17 February 2020","Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19): a perspective, sing-arm trial","Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19) ",,"Zhejiang Chinese Medical University","2020-02-05",20200205,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49080","Recruiting","No",,,"Both","2020-02-06","Treatment group:1000;","Interventional study","Single arm",0,"China","Chengping Wen",,"548 Binwen Road, Hangzhou, Zhejiang, China","wengcp@163.com","+86 571 86613587","Zhejiang Chinese Medical University","Inclusion criteria: 1. Patients who meet the diagnostic criteria of the fifth edition of pneumonia diagnosis and treatment plan for new coronavirus infection issued by the national health and health commission (annex 1) for the confirmed cases of light (medical observation period), common (early stage of TCM clinical treatment) or heavy (middle stage of TCM clinical treatment); -
2. Prospective study patients informed and consented to participate in this study.","Exclusion criteria: Patients with other serious organ diseases or mental illness.","novel coronavirus pneumonia (COVID-19)","Treatment group:Integrated Traditional Chinese and Western Medicine;","Cure rate;The cure time;The rate and time at which the normal type progresses to the heavy type;Rate and time of progression from heavy to critical type and even death;",,,,"Yes","False"," ", -"ChiCTR2000029572","17 February 2020","Safety and efficacy of umbilical cord blood mononuclear cells in the treatment of severe and critically novel coronavirus pneumonia(COVID-19): a randomized controlled clinical trial","Safety and efficacy of umbilical cord blood mononuclear cells in the treatment of severe and critically novel coronavirus pneumonia(COVID-19): a randomized controlled clinical trial ",,"Xiangyang First People's Hospital","2020-02-05",20200205,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=41760","Recruiting","No",18,,"Both","2020-02-05","control group:15;experimental group:15;","Interventional study","Parallel",0,"China","Pei Bei",,"15 Jiefang Road, Fancheng District, Xiangyang, Hubei, China ","xyxzyxzh@163.com","+86 18995678520","Xiangyang First People's Hospital ","Inclusion criteria: On January 27, 2020, the general office of the national health commission and the office of the state administration of traditional Chinese medicine issued the pneumonia diagnosis and treatment plan for new coronavirus infection (trial version 4). -
Only patients with severe and critical 2019-ncov were included in this study. -
1. Patients with severe 2019-ncov according to the clinical stage met any of the following criteria: -
(1) Respiratory distress, RR >= 30 times/min; -
(2) In resting state, oxygen saturation is less than 93%; -
(3) Partial arterial oxygen pressure (PaO2)/oxygen absorption concentration (FiO2) <= 300mmHg (1mmHg= 0.133kpa); -
2. According to the clinical stage of critical 2019-ncov, one of the following conditions is met: -
(1) Respiratory failure occurs and mechanical ventilation is required; -
(2) Shock; -
(3) Combined with other organ failure, intensive care unit is required. -
3. Other inclusion criteria: good compliance, willingness to cooperate with the study, and informed consent signed by the patient.","Exclusion criteria: 1. Have any known disease that seriously affects the immune system, such as a history of infection with the human immunodeficiency virus (HIV), or malignant tumors of the blood system or solid organs, or splenectomy; -
2. Other circumstances that the researcher considers inappropriate to participate in this study.","novel coronavirus pneumonia (COVID-19)","control group:Conventional treatment;experimental group:conventional treatment combined with umbilical cord blood mononuclear cells group;","PSI;",,,,"Yes","False"," ", -"ChiCTR2000029569","17 February 2020","Safety and efficacy of umbilical cord blood mononuclear cells conditioned medium in the treatment of severe and critically novel coronavirus pneumonia (COVID-19): a randomized controlled trial","Safety and efficacy of umbilical cord blood mononuclear cells conditioned medium in the treatment of severe and critically novel coronavirus pneumonia (COVID-19): a randomized controlled trial ",,"Xiangyang 1st People's Hospital","2020-02-04",20200204,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49062","Not Recruiting","No",18,,"Both","2020-02-05","control group :15;Experimental group :15;","Interventional study","Parallel",0,"China","Pei Bin",,"15 Jiefang Road, Fancheng District, Xiangyang, Hubei, China ","xyxzyxzh@163.com","+86 18995678520","Xiangyang 1st People's Hospital ","Inclusion criteria: On January 27, 2020, the general office of the national health commission and the office of the state administration of traditional Chinese medicine issued the pneumonia diagnosis and treatment plan for new coronavirus infection (trial version 4). -
1. patients with severe 2019-ncov according to the clinical stage met any of the following criteria: -
(1) Respiratory distress, RR>=30 times/min; -
(2) In resting state, oxygen saturation is less than 93%; -
(3) Partial arterial oxygen pressure (PaO2)/oxygen absorption concentration (FiO2) <=300mmHg (1mmHg= 0.133kpa); -
2. according to the clinical stage of critical 2019-ncov, meet one of the following conditions: -
(1) Respiratory failure occurs and mechanical ventilation is required; -
(2) Shock; -
(3) Combined with other organ failure, intensive care unit is required; -
3. other inclusion criteria: good compliance, willingness to cooperate with the study, and informed consent signed by the patient.","Exclusion criteria: (1) diseases need to be differentiated from 2019-ncov, such as influenza virus, parainfluenza virus, adenovirus, respiratory syncytial virus, rhinovirus, human partial pulmonary virus, SARS coronavirus and other known viral pneumonia, mycoplasma pneumoniae, chlamydia pneumonia, bacterial pneumonia and non-infectious diseases; -
(2) suspected case of 2019-ncov with no confirmed patient; -
(3) the clinical stage was mild: the clinical symptoms were mild, and no pneumonia was observed on imaging; -
(4) clinical stage: common type: fever, respiratory tract and other symptoms, and imaging findings of pneumonia; -
(5) have any known disease that seriously affects the immune system, such as a history of infection with the human immunodeficiency virus (HIV), or malignant tumors of the blood system or solid organs, or splenectomy; -
(6) other circumstances that the researcher considers inappropriate to participate in this study.","novel coronavirus pneumonia (COVID-19)","control group :Conventional treatment ;Experimental group :conventional treatment combined with umbilical cord mesenchymal stem cell conditioned medium group;","PSI;",,,,"Yes","False"," ", -"ChiCTR2000029559","17 February 2020","Therapeutic effect of hydroxychloroquine on novel coronavirus pneumonia (COVID-19)","Therapeutic effect of hydroxychloroquine on novel coronavirus pneumonia (COVID-19) ",,"Renmin Hospital of Wuhan University","2020-02-04",20200204,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48880","Recruiting","No",30,65,"Both","2020-01-31","experimental group 1:100;experimental group 2:100;Placebo control group:100;","Interventional study","Parallel",4,"China","Zhang Zhan",,"238 Jiefang Road, Wuchang District, Wuhan, Hubei, China","doctorzhang2003@163.com","+86 18962567610","Renmin Hospital of Wuhan University","Inclusion criteria: Patients with novel coronavirus pneumonia who agreed to participate in this trial and signed the informed consent form.","Exclusion criteria: The investigator considers that the subject has other conditions that make him/her unsuitable to participate in the clinical trial or other special circumstances.","novel coronavirus pneumonia (COVID-19)","experimental group 1:Hydroxychloroquine 0.1 oral 2/ day;experimental group 2:Hydroxychloroquine 0.2 oral 2/ day;Placebo control group:Starch pill oral 2/ day;","The time when the nucleic acid of the novel coronavirus turns negative;T cell recovery time;",,,,"No","False"," ", -"ChiCTR2000029558","17 February 2020","Recommendations of Integrated Traditional Chinese and Western Medicine for Diagnosis and Treatment of Novel Coronavirus Pneumonia (COVID-19) in Sichuan Province","Recommendations of Integrated Traditional Chinese and Western Medicine for Diagnosis and Treatment of Novel Coronavirus Pneumonia (COVID-19) in Sichuan Province ",,"Hospital of Chengdu University of Traditional Chinese Medicine","2020-02-04",20200204,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48792","Recruiting","No",,,"Both","2020-01-29","single arm:200;","Interventional study","Single arm",0,"China","Xie Chunguang",,"39 Shi-Er-Qiao Road, Jinniu District, Chengdu, Sichuan, China","xcg718@aliyun.com","+86 18980880132","Hospital of Chengdu University of Traditional Chinese Medicine","Inclusion criteria: Patients who meet the suspected and confirmed diagnostic criteria for the 2019-nCoV pneumonia version 4.0 of the National Health and Medical Commission (released 2020.01.27).","Exclusion criteria: No exclusion criteria.","novel coronavirus pneumonia (COVID-19)","single arm:Chinese medicine treatment combined with western medicine treatment;","blood routine;urine routines;CRP;PCT;ESR;creatase;troponin;myoglobin;D-Dimer;arterial blood gas analysis;Nucleic acid test for 2019-nCoV ;chest CT;Biochemical complete set;",,,,"No","False"," ", -"ChiCTR2000029548","17 February 2020","Randomized, open-label, controlled trial for evaluating of the efficacy and safety of Baloxavir Marboxil, Favipiravir, and Lopinavir-Ritonavir in the treatment of novel coronavirus pneumonia (COVID-19) patients","Randomized, open-label, controlled trial for evaluating of the efficacy and safety of Baloxavir Marboxil, Favipiravir, and Lopinavir-Ritonavir in the treatment of novel coronavirus pneumonia (COVID-19) patients ",,"The First Affiliated Hospital, Zhejiang University School of Medicine","2020-02-04",20200204,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49015","Not Recruiting","No",18,75,"Both","2020-02-04","A:10;B:10;C:10;","Interventional study","Parallel",0,"China","Yunqing Qiu",,"79 Qingchun Road, Hangzhou, Zhejiang, China","qiuyq@zju.edu.cn","+86 13588189339","The First Affiliated Hospital, Zhejiang University School of Medicine","Inclusion criteria: 1. Aged 18 to 75 years male or female, willing to sign the informed consent; -
2. Tested positive for novel coronavirus infection after the onset of symptoms using a real time polymerase chain -
reaction (RT-PCR)-based diagnostic assay; -
3. Enrollment and initiation of study drug treatment <=96 hours after onset of symptoms; -
4. No difficulty in swallowing the pills; -
5. Willing to abide by the protocol.","Exclusion criteria: 1. Hypersensitive to study drug; -
2. Body weight <40 kg; -
3. Considered as severe disease: has an ongoing respiratory deficiency and subjected to invasive mechanical ventilation; or presence of shock; or admitted to the ICU due to complications; -
4. Has known kidney dysfunction determined as CLcr<60 mL/min; -
5. Increase in alanine aminotransferase (ALT) / aspartate aminotransferase (AST) is more than 5 times the upper limit of normal; or increase in ALT or AST is more than 3 ULN and increase in total bilirubin more than 2 ULN; -
6. Pregnancy or breastfeeding,or positive pregnancy test in a predose examination, or have a plan to be pregnant within 3 months after the study.","novel coronavirus pneumonia (COVID-19)","A:BaloxavirMarboxil:80mg on day1,80mg on day4;and 80mg on day7 as neccessary. No more than 3 times administration in total.BaloxavirMarboxil:80mg on day1,80mg on day4;and 80mg on day7 as neccessary. No more than 3 times administration in total.;B:Favipiravir: 600 mg tid with 1600mg first loading dosage for no more than 14 days.;C:Lopinavir-Ritonavir: 2# (200mg/50 mg), twice daily, for 14days.;","Time to viral negativityby RT-PCR;Time to clinical improvement: Time from start of study drug to hospital discharge or to NEWS2<2 for 24 hours.;",,,,"Yes","False"," ", -"ChiCTR2000029544","17 February 2020","A randomized controlled trial for the efficacy and safety of Baloxavir Marboxil, Favipiravir tablets in novel coronavirus pneumonia (COVID-19) patients who are still positive on virus detection under the current antiviral therapy","A randomized controlled trial for the efficacy and safety of Baloxavir Marboxil, Favipiravir tablets in novel coronavirus pneumonia (COVID-19) patients who are still positive on virus detection under the current antiviral therapy ",,"The First Hospital Affiliated to Zhejiang University's Medical School","2020-02-03",20200203,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=49013","Not Recruiting","No",18,75,"Both","2020-02-04","Experimental group 1:10;Experimental group 2:10;Control group:10;","Interventional study","Parallel",0,"China","Qiu Yunqing",,"79 Qingchun Road, Hangzhou, Zhejiang, China","qiuyq@zju.edu.cn","+86 13588189339","The First Hospital Affiliated to Zhejiang University's Medical School","Inclusion criteria: 1. 18 to 75 years of age, male or female, willing to sign informed consent; -
2. Tested positive for novel coronavirus infection after the onset of symptoms using a real time polymerase chain reaction (RT-PCR)-based diagnostic assay; -
3. At least 2 viral nucleic acid tests are still positive under current antiviral therapy; -
4. No difficulty in swallowing the pills; -
5. Willing to abide by the protocol.","Exclusion criteria: 1. Allergic constitution, known to be allergic to balosavir or farpiravir or pharmaceutical excipients; -
2. Body weight <40 kg; -
3. Considered as severe disease: has an ongoing respiratory deficiency and subjected to invasive mechanical ventilation; or presence of shock; or admitted to the ICU due to complications; -
4. Has known kidney dysfunction determined as CLcr<60 mL/min; -
5. Increase in alanine aminotransferase (ALT) / aspartate aminotransferase (AST) is more than 5 times the upper limit of normal; or increase in ALT or AST is more than 3 ULN and increase in total bilirubin more than 2 ULN; -
6. In the investigator's judgment, there are other factors that may cause the subject to be forced to terminate the study, such as other serious illnesses, serious laboratory abnormalities, and other factors that may affect the safety of the subject or the collection of test data and blood samples.","novel coronavirus pneumonia (COVID-19)","Experimental group 1:current antiviral treatment+Baloxavir Marboxil tablets;Experimental group 2:current antiviral treatment+fabiravir tablets;Control group:current antiviral treatment;","Time to viral negativity by RT-PCR;Time to clinical improvement;",,,,"Yes","False"," ", -"ChiCTR2000029542","17 February 2020","Study for the efficacy of chloroquine in patients with novel coronavirus pneumonia (COVID-19)","A prospective cohort study for the efficacy and safety of chloroquine in hospitalized patients with novel coronavirus pneumonia (COVID-19) ",,"Sun Yat sen Memorial Hospital of Sun Yat sen University","2020-02-03",20200203,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48968","Recruiting","No",18,80,"Both","2020-02-03","Experimental group:10;control group:10;","Interventional study","Non randomized control",4,"China","Jiang Shanping",,"102 Yanjiang Road West, Guangzhou, Guangdong, China","shanpingjiang@126.com","+86 13922738892","Sun Yat sen Memorial Hospital of Sun Yat sen University","Inclusion criteria: 1. Aged >=18 years old; -
2. Patients has been diagnosed with 2019-nCoV pneumonia according to WHO interim guidance*. -
* WHO. Clinical management of severe acute respiratory infection when Novel coronavirus (nCoV) infection is suspected: interim guidance. Jan 11, 2020. https://www.who.int/internalpublications-detail/clinical-management-of-severe-acute-respiratoryinfection-when-novel-coronavirus-(ncov)-infection-is-suspected (accessed Jan 29, 2020).","Exclusion criteria: 1. pregnant woman patients; -
2. Documented allergic history to chloroquine; -
3. Documented history of hematological system diseases; -
4. Documented history of chronic liver and kidney diseases; -
5. Documented history of cardiac arrhythmia or chronic heart diseases; -
6. Documented history of retina or hearing dysfunction; -
7. Documented history of mental illnesses; -
8. Use of digitalis due to the previous disease.","novel coronavirus pneumonia (COVID-19)","Experimental group:chloroquine;control group:conventional management;","viral negative-transforming time;30-day cause-specific mortality;",,,,"Yes","False"," ", -"ChiCTR2000029541","17 February 2020","A randomised, open, controlled trial for darunavir/cobicistat or Lopinavir/ritonavir combined with thymosin a1 in the treatment of novel coronavirus pneumonia (COVID-19)","A randomised, open, controlled trial for darunavir/cobicistat or Lopinavir/ritonavir combined with thymosin a1 in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Zhongnan Hospital of Wuhan University","2020-02-03",20200203,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48992","Not Recruiting","No",18,65,"Both","2020-02-10","DRV/c group:40;LPV/r group:40;other group:20;","Interventional study","Parallel","N/A","China","Wang Xinghuan/Ke Hengning ",,"169 Donghu Road, Wuchang District, Wuhan, Hubei, China","wangxinghuan@whu.edu.cn","+86 18971387168/+86 15729577635","Zhongnan Hospital of Wuhan University","Inclusion criteria: 1. Aged 18-65 years; -
2. been Confirmed with 2019-nCoV pneumonia, hospitalized or will be hospitalized; -
3. Sign the ICF; -
4. no more than 10 days from the occurrence of relevant clinical symptoms to the diagnosis been confirmed.","Exclusion criteria: 1. Allergic history to study medicines; -
2. ALT/AST >5 UNL or Child-Pugh Class C; -
3. Severely ill patients with life expectance <48 hours; -
4. Contraindication of DRV or thymosin; -
5. Pregnancy testing positive for child-bearing woman; -
6. Known HIV infection; -
7. not adequate to be enrolled.","novel coronavirus pneumonia (COVID-19)","DRV/c group:DRV/c (800mg/150mg QD) + Conventional treatment containing thymosin (1.6 mg SC QOD) ;LPV/r group:LPV/r (400mg/100mg bid) + Conventional treatment containing thymosin (1.6 mg SC QOD);other group:Conventional treatment containing thymosin (1.6 mg SC QOD) ;","Time to conversion of 2019-nCoV RNA result from RI sample;",,,,"Yes","False"," ", -"ChiCTR2000029539","17 February 2020","A randomized, open-label study to evaluate the efficacy and safety of Lopinavir-Ritonavir in patients with mild novel coronavirus pneumonia (COVID-19)","A randomized, open-label study to evaluate the efficacy and safety of Lopinavir-Ritonavir in patients with mild novel coronavirus pneumonia (COVID-19) ",,"Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","2020-02-03",20200203,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48991","Recruiting","No",18,,"Both","2020-02-04","experimental group:164;control group:164;","Interventional study","Parallel",0,"China","Jianping Zhao",,"1095 Jiefang Avenue, Wuhan, Hubei","zhaojp@tjh.tjmu.edu.cn","+86 13507138234","Tongji Hospital, Tongji Medical College, Huazhong University of Science and Technology","Inclusion criteria: 1. Adult aged >= 18 years old; -
2. Patients with unexplained viral pneumonia that have been clinically diagnosed or patients with novel coronavirus serum antibody (IgM or IgG) positive or patients with novel coronavirus infection confirmed by PCR when no rapid diagnostic kit has been developed; -
3. The interval between the onset of symptoms and randomized is within 7 days. The onset of symptoms is mainly based on fever. If there is no fever, cough or other related symptoms can be used;","Exclusion criteria: 1) Any situation that makes the programme cannot proceed safely; -
2) patients who have used Kaletra or remdesivir; -
3) no clinical or chest imaging manifestations; -
4) In the state of no oxygen at rest, the patient's SPO2 <= 94% or the oxygenation index is less than 300mmHg respiratory rate >= 24/min; -
5) Patients who need to be admitted to ICU judged by clinicians; -
6) Known allergy or hypersensitivity reaction to lopinavir / ritonavir; -
7) Increase in alanine aminotransferase (ALT) / aspartate aminotransferase (AST) is more than 3 times the upper limit of normal; -
8) Drugs that are forbidden to be treated with lopinavir / ritonavir and cannot be replaced or stopped during the study period, such as afzosin, amiodarone, fusidic acid, astemizole, terfenadine, piperazine, dihydroergomethane, ergometrine Alkali, ergotamine, methylergometrine, cisapride, lovastatin, simvastatin, sildenafil, vartanafi, midazolam, triazolam, St. John's wort (Hypericum perforatum extract), etc.; -
9) Pregnancy: positive pregnancy test for women of childbearing age; -
10) lactating women did not stop lactation; -
11) Known HIV infection, because of concerns about the development of resistance to lopinavir/rionavir if used without combination with other anti-HIV drugs; -
12) Patient likely to be transferred to a non-participating hospital within 72 hours.","novel coronavirus pneumonia (COVID-19)","experimental group:conventional standardized treatment and Lopinavir-Ritonavir;control group:Conventional standardized treatment;","The incidence of adverse outcome within 14 days after admission: Patients with conscious dyspnea, SpO2 = 94% or respiratory frequency = 24 times / min in the state of resting without oxygen inhalation;",,,,"Yes","False"," ", -"ChiCTR2000029518","17 February 2020","Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19): a perspective, double-blind, placebo, randomised controlled trial","A prospective randomized double-blind placebo-controlled study of traditional Chinese medicine staging regimen in the treatment of novel coronavirus pneumonia (COVID-19) ",,"Zhejiang Chinese Medical University","2020-02-03",20200203,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48860","Recruiting","No",14,80,"Both","2020-02-04","(ordinary) Western medicine group:40;(ordinary) Chinese and Western Medicine Group:40;(severe) Western medicine group:30;(severe) Chinese and Western Medicine Group:30;","Interventional study","Parallel",0,"China","Wen Chengping",,"548 Binwen Road, Binjiang District, Hangzhou, Zhejiang","wengcp@163.com","+86 13906514781","Zhejiang Chinese Medical University","Inclusion criteria: (1) Patients who meet the diagnostic criteria of the common type of confirmed cases (the initial stage of clinical treatment of traditional Chinese medicine) or the severe cases of confirmed cases (the middle stage of clinical treatment of traditional Chinese medicine); -
(2) The cases of common type (the initial stage of clinical treatment of traditional Chinese medicine) belong to the type of cold-dampness stagnant lung; -
(3) The confirmed cases were severe (in the middle stage of clinical treatment of traditional Chinese medicine). -
(4) The patients knew and agreed to participate in this study.","Exclusion criteria: (1) The critically ill patients in the diagnosis and treatment program of pneumonia with new coronavirus infection issued by the National Health Commission; -
(2) It is not suitable for patients who take traditional Chinese medicine decoction; -
(3) Those with other serious organ diseases or mental diseases; -
(4) Those who are allergic to or have contraindications to the drugs involved in the study scheme.","novel coronavirus pneumonia (COVID-19)","(ordinary) Western medicine group:Use the (ordinary) western medicine treatment plan in ""the diagnosis and treatment plan of new coronavirus infection pneumonia"" issued by the National Health Commission of the fourth edition.;(ordinary) Chinese and Western Medicine Group:Use the (ordinary) TCM clinical prescription combined with the western medicine treatment plan in ""the diagnosis and treatment plan of new coronavirus infection pneumonia"" issued by the National Health Commission of the fourth edition.;(severe) Western medicine group:Use the (severe) TCM clinical prescription combined with the western medicine treatment plan in ""the diagnosis and treatment plan of new coronavirus infection pneumonia"" issued by the National Health Commission of the fourth edition.;(severe) Chinese and Western Medicine Group:Use the(severe)TCM clinical prescription combined with the western medicine treatment plan in ""the diagnosis and treatment plan of new coronavirus infection pneumonia"" issued by the National Health Commission of the fourth edition.;","Recovery time;Ratio and time for the general type to progress to heavy;Ratio and time of severe progression to critical or even death;",,,,"Yes","False"," ", -"ChiCTR2000029517","17 February 2020","Chinese medicine prevention and treatment program for suspected novel coronavirus pneumonia (COVID-19): a perspective, double-blind, placebo, randomised controlled trial","Chinese medicine prevention and treatment program for novel coronavirus pneumonia (COVID-19) ",,"Zhejiang Chinese Medical University","2020-02-03",20200203,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48861","Recruiting","No",14,80,"Both","2020-02-04","treament group:50;placebo group:50;","Interventional study","Parallel",0,"China","Chengping Wen",,"548 Binwen Road, Hangzhou, Zhejiang, China","wengcp@163.com","+86 13601331063","Zhejiang Chinese Medical University","Inclusion criteria: (1) Conforming to the diagnostic criteria of suspected cases (Chiese medicine observation period) in the fourth edition of pneumonia diagnosis and treatment program for new coronavirus infection issued by the national health and health commission; -
(2) Age between 14 and 80 years old; -
(3) Patients informed and agreed to participate in the study.","Exclusion criteria: (1) Patients are not suitable to take Chinese medicine decoction. -
(2) Patients have other serious organ disease or mental illness; -
(3) Patients allergy or have contraindications to the drugs involved in the research program.","novel coronavirus pneumonia (COVID-19)","treament group:Chinese medicine decoction;placebo group:placebo;","Relief of clinical symptoms and duration;",,,,"Yes","False"," ", -"ChiCTR2000029495","17 February 2020","Traditional Chinese Medicine, Psychological Intervention and Investigation of Mental Health for Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period","Traditional Chinese Medicine, Psychological Intervention and Investigation of Mental Health for Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period ",,"1. Xinhua Affiliated Hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48971","Not Recruiting","No",18,70,"Both","2020-02-03","experimental group:30; Control group:30;Control group:30;","Interventional study","Parallel",0,"China","Min Huang",,"11 Lingjiao Lake Road, Jianghan District, Wuhan, Hubei, China","1025823309@qq.com","+86 13307161995","1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","Inclusion criteria: 1. patients diagnosed as Pneumonia caused by new coronavirus infection (2019-nCoV); -
2. virus turned negative after treatment; -
3. aged 18-70 years old; -
4. patients with clear consciousness -
5. Signing the informed consent form. ","Exclusion criteria: 1. Patients with serious illnesses, such as heart, liver, kidney, endocrine diseases and hematopoietic system disease; -
2. Pregnant or lactating women; -
3. Patients who have mental confusion, who with a history of drug abuse or dependence, who allergic to study medication, who have participated in another clinical trial within 3 months,or who have other conditions not suitable for clinical study. ","novel coronavirus pneumonia (COVID-19)","experimental group:Traditional Chinese Medicine+psychological intervention; Control group:Traditional Chinese Medicine;Control group:psychological intervention;","Self-rating depression scale, SDS;Self-Rating Anxiety Scale, SAS;ocial support rate scale, SSRS;",,,,"Yes","False"," ", -"ChiCTR2000029493","17 February 2020","Traditional Chinese Medicine for Pulmonary Fibrosis, Pulmonary Function and Quality of Life in Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period: a Randomized Controlled Trial","Traditional Chinese Medicine for Pulmonary Fibrosis, Pulmonary Function and Quality of Life in Patients With Novel Coronavirus Pneumonia (COVID-19) in Convalescent Period: a Randomized Controlled Trial ",,"1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48931","Not Recruiting","No",18,70,"Both","2020-02-03","experimental group :50;control group :50;","Interventional study","Parallel",0,"China","Jixian Zhang",,"11 Lingjiao Lake Road, Jianghan District, Wuhan, Hubei, China ","jxzhang1607@163.com","+86 13377897297","1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","Inclusion criteria: 1. patients diagnosed as Pneumonia caused by new coronavirus infection (2019-nCoV); -
2. virus turned negative after treatment; -
3. Patients diagnosed with pulmonary fibrosis; -
4. aged 18-70 years old; -
5. patients with clear consciousness; -
6. Signing the informed consent form. ","Exclusion criteria: 1. Patients with serious illnesses, such as heart, liver, kidney, endocrine diseases and hematopoietic system disease; -
2. Pregnant or lactating women; -
3. Patients who have mental confusion, who with a history of drug abuse or dependence, who allergic to study medication, who have participated in another clinical trial within 3 months, or who have other conditions not suitable for clinical study.","novel coronavirus pneumonia (COVID-19)","experimental group :TCM decoctions+basic western medical therapies ;control group :basic western medical therapies ;","pulmonary function;St Georges respiratory questionnaire, SGRQ;Modified Barthel Index, MBI;",,,,"Yes","False"," ", -"ChiCTR2000029487","17 February 2020","Clinical Study for Gu-Biao Jie-Du-Ling in Preventing of Novel Coronavirus Pneumonia (COVID-19) in Children","Clinical Study for Gu-Biao Jie-Du-Ling in Preventing of Novel Coronavirus Pneumonia (COVID-19) in Children ",,"Wuhan Hospital of Integrated Traditional Chinese and Western Medicine","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48965","Not Recruiting","No",,,"Both","2020-02-10","Experimental group:100;Control group:100;","Prevention","Case-Control study","N/A","China","Su Wen",,"215 Zhongshan Avenue, Qiaokou District, Wuhan, Hubei, China","784404524@qq.com","+86 13659897175","Wuhan Hospital of Integrated Traditional Chinese and Western Medicine","Inclusion criteria: Healthy children between the ages of 1 and 18 who meet the TCM constitutional doctrine: -
(1) Main features: moderate body shape, ruddy complexion, energetic, etc .; -
(2) Common manifestations: Symmetric body shape, complexion, moisturized complexion, thick and shiny hair, bright eyes, clear nose, moist olfactory, rosy lips, not easy to fatigue, energetic, cold and heat tolerance, good sleep, stomach Najia, the second stool is normal, the tongue is reddish, the moss is thin and white, the veins are gentle and strong, and the fingerprint is faint purple. Lively and cheerful character. Usual disease is less common.","Exclusion criteria: 1. Clinical suspected or confirmed cases [Refer to the recommendations for diagnosis and treatment of 2019-nCoV infection in children in Hubei Province (trial version 1)] -
2. Those who have received other traditional Chinese medicine, proprietary Chinese medicines or immunomodulators to prevent new coronavirus pneumonia; -
3. Participants in clinical trials of other drugs in the past 12 weeks; -
4. People with other serious primary diseases such as cardiovascular and cerebrovascular diseases, liver and kidney or hematopoietic diseases, genetic metabolic diseases; -
5. Those who are known to be allergic to the test drug and its ingredients; -
6. Other constitutions in TCM constitution theory.","novel coronavirus pneumonia (COVID-19) in children","Experimental group:Isolation and oral Gubiao Jiedu Ling Chinese medicine;Control group:Isolated observation;","body temperature;Whole blood count and five classifications;C-reactive protein;",,,,"Yes","False"," ", -"ChiCTR2000029468","17 February 2020","A real-world study for lopinavir/ritonavir (LPV/r) and emtritabine (FTC) / Tenofovir alafenamide Fumarate tablets (TAF) regimen in the treatment of novel coronavirus pneumonia (COVID-19)","The early use of lopinavir/litonavir (LPV/r) and emtritabine (FTC)/ Tenofovir alafenamide Fumarate tablets (TAF) regimen in the treatment of the novel coronavirus pneumonia (COVID-19): a real-world study ",,"Institute of Emergency Medicine and Disaster Medicine Sichuan People's Hospital, Sichuan Academy of Medical Sciences","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48919","Not Recruiting","No",18,80,"Both","2020-02-01","experimental group:60;Historical Control:60;","Interventional study","Non randomized control","N/A","China","Jiang Hua",,"32 Second Section, First Ring Road West, Chengdu, Sichuan, China","cdjianghua@qq.com","+86 028 87393881","Sichuan Academy of Medical Sciences & Sichuan Provincial People's Hospital","Inclusion criteria: 1. diagnosis of 2019-new coronavirus (2019-nCoV) pneumonia; -
2. adult patients aged 18-80 years old.","Exclusion criteria: 1. ARDS was developed after infection without antiviral treatment; -
2. suffering from HBV, HIV, pancreatitis, intrahepatic bile duct stones or having the previous history mentioned above ; -
3. severe heart, liver, kidney and respiratory diseases before infection; -
4. history of metabolic and endocrine diseases such as osteoporosis; -
5. pregnant or nursing women; -
6. those who are unable to cooperate in mental state, suffer from mental disease, have no self-control and cannot express clearly; -
7. participating in other clinical trials.","novel coronavirus pneumonia (COVID-19)","experimental group:Lopinavir/litonavir (LPV/r)+ emtritabine (FTC)/ Tenofovir alafenamide Fumarate tablets (TAF) in combination;Historical Control:LPV/r;","Patient survival rate;",,,,"No","False"," ", -"ChiCTR2000029462","17 February 2020","Study for clinical characteristics and distribution of TCM syndrome of novel coronavirus pneumonia (COVID-19)","Study for clinical characteristics and distribution of TCM syndrome of novel coronavirus pneumonia (COVID-19) ",,"The First Affiliated Hospital of He'nan University of Chinese Medicine","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48922","Not Recruiting","No",18,90,"Both","2020-02-01","Case series:200;","Observational study","Sequential","N/A","China","Li Jiansheng",,"156 Jinshui East Road, Zhengzhou, He'nan, China","li_js8@163.com","+86 371 65676568","The First Affiliated Hospital of He'nan University of Chinese Medicine","Inclusion criteria: 1. Patients with pneumonia infected by new coronavirus; -
2. To sign informed consent.","Exclusion criteria: Serious cognitive or mental disorder.","novel coronavirus pneumonia (COVID-19)","Case series:NA;","Clinical characteristics;TCM syndrome;",,,,"No","False"," ", -"ChiCTR2000029461","17 February 2020","A Randomized Controlled Trial for Integrated Traditional Chinese Medicine and Western Medicine in the Treatment of Common Type Novel Coronavirus Pneumonia (COVID-19)","A Randomized Controlled Trial for Integrated Traditional Chinese Medicine and Western Medicine in the Treatment of Common Type Novel Coronavirus Pneumonia (COVID-19) ",,"1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48927","Not Recruiting","No",18,70,"Both","2020-02-03","experimental group:50;Control group:50;","Interventional study","Parallel",0,"China","Wenguang Xia",,"11 Lingjiao Lake Road, Jianghan District, Wuhan, Hubei, China ","docxwg@163.com","+86 13377897278","1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine ","Inclusion criteria: 1. patients diagnosed as Pneumonia caused by new coronavirus infection (2019-nCoV);The classification was judged as common type; -
2. aged 18-70 years old; -
3. patients with clear consciousness; -
4. Signing the informed consent form. ","Exclusion criteria: 1. Patients with serious illnesses, such as heart, liver, kidney, endocrine diseases and hematopoietic system disease; -
2. Pregnant or lactating women; -
3. Patients who have mental confusion, who with a history of drug abuse or dependence, who allergic to study medication, who have participated in another clinical trial within 3 months,or who have other conditions not suitable for clinical study.","Novel Coronavirus Pneumonia (COVID-19)","experimental group:TCM decoctions+basic conventional therapy;Control group:basic conventional therapies;","pulmonary function;Antipyretic time;Time of virus turning negative;",,,,"Yes","False"," ", -"ChiCTR2000029460","17 February 2020","The effect of shadowboxing for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period","The effect of shadowboxing for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period ",,"1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","2020-02-02",20200202,"3/18/2020 11:25:42 AM","ChiCTR","http://www.chictr.org.cn/showproj.aspx?proj=48930","Not Recruiting","No",18,70,"Both","2020-02-02","experimental group:50;Control group:50;","Interventional study","Parallel",0,"China","Chanjuan Zheng",,"11 Lingjiao Lake Road, Jianghan District, Wuhan, Hubei, China ","chanjuanzheng@163.com","+86 18971317115","1. Xinhua affiliated hospital, Hubei University of Chinese Medicine; 2. Hubei Provincial Hospital of Integrated Chinese and Western Medicine","Inclusion criteria: 1. patients diagnosed as Pneumonia caused by new coronavirus infection (2019-nCoV); -
2. virus turned negative after treatment; -
3. aged 18-70 years old; -
4. patients with clear consciousness -
5. Signing the informed consent form. ","Exclusion criteria: 1. Patients with serious illnesses, such as heart, liver, kidney, endocrine diseases and hematopoietic system disease; -
2. Pregnant or lactating women; -
3. Patients who have mental confusion, who with a history of drug abuse or dependence, who allergic to study medication, who have participated in another clinical trial within 3 months,or who have other conditions not suitable for clinical study.","novel coronavirus pneumonia (COVID-19)","experimental group:shadowboxing +conventional treatment;Control group:conventional treatments;","pulmonary function;St Georges respiratory questionnaire, SGRQ;Modified Barthel Index, MBI;Incidence of adverse events;",,,,"Yes","False"," ", -"ChiCTR2000029459","17 February 2020","The effect of pulmonary rehabilitation for pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period","Pulmonary rehabilitation to improve pulmonary function and quality of life in patients with novel coronavirus pneumonia (COVID-19) in rehabilitation period