Notebook: Mortality in the United States

Introduction

This project contains the source code to support a report on Mortality in the United States created by the following individuals.

  • Kunihiro Fujita
  • Qi Lu
  • Segun Akinyemi
  • Gowtham Anbumani

Key Problems & Questions

The following are the key questions that were the focus of the analysis presented in our report.

  1. What are the major causes of death in the U.S?

  2. For the major causes of death in the U.S, what does the death distribution look like when plotted against age? (For example, histogram of 5 year age band).

  3. For each 5-year age band, what are the top 3 causes of death? Do they differ?

  4. Are the causes of death in the United States changing over time? Are there any significant increasing or decreasing trends in the prevalence of some causes?

  5. Given the medical transcripts of 5000 patients in the file medicaltranscriptions.csv, determine if any of those patients have medical conditions that are associated with the ICD codes of major causes of death.
    • Design a similarity measure metric comparing ICD codes to medical transcripts.
    • Calculate the similarity measure between ICD code descriptions and medical transcripts.
    • Assign ICD codes to a medical transcript only if the similarity score is above certain threshold.

Data & Library Imports

This section contains the various libraries and data files that we're used throughout our code.

In [3]:
import re
import sys
import nltk 
import json
import copy
import warnings
import numpy as np
import pandas as pd
import texttable as tt
from numpy import genfromtxt
from tensorflow import keras
from tabulate import tabulate
import numpy.linalg as linalg
from collections import Counter
import matplotlib.pyplot as plt
from nltk.corpus import stopwords
from collections import defaultdict
from prettytable import PrettyTable
from tensorflow.keras import layers
import statsmodels.api as statsmodels
from gensim.models import KeyedVectors, Word2Vec
from sklearn.linear_model import LinearRegression
from sklearn.ensemble import RandomForestRegressor
from sklearn.linear_model import LogisticRegression
from sklearn.metrics.pairwise import cosine_similarity
from nltk.tokenize import word_tokenize, wordpunct_tokenize

# Ensuring that output warnings are not displayed and setting some formatting options
warnings.filterwarnings('ignore')
pd.options.display.float_format = '{:,}'.format

cdc_data_2005 = pd.read_csv('./mortality-data/2005_data.csv', na_values=['NA','?'])
cdc_data_2006 = pd.read_csv( './mortality-data/2006_data.csv', na_values=['NA','?'])
cdc_data_2007 = pd.read_csv( './mortality-data/2007_data.csv', na_values=['NA','?'])
cdc_data_2008 = pd.read_csv( './mortality-data/2008_data.csv', na_values=['NA','?'])
cdc_data_2009 = pd.read_csv( './mortality-data/2009_data.csv', na_values=['NA','?'])
cdc_data_2010 = pd.read_csv( './mortality-data/2010_data.csv', na_values=['NA','?'])
cdc_data_2011 = pd.read_csv( './mortality-data/2011_data.csv', na_values=['NA','?'])
cdc_data_2012 = pd.read_csv( './mortality-data/2012_data.csv', na_values=['NA','?'])
cdc_data_2013 = pd.read_csv( './mortality-data/2013_data.csv', na_values=['NA','?'])
cdc_data_2014 = pd.read_csv( './mortality-data/2014_data.csv', na_values=['NA','?'])
cdc_data_2015 = pd.read_csv( './mortality-data/2015_data.csv', na_values=['NA','?'])

# Importing ICD Codes
with open ('./mortality-data/2005_codes.json') as json_file: 
    icd_codes_2005 = json.load(json_file)   
with open ('./mortality-data/2006_codes.json') as json_file: 
    icd_codes_2006 = json.load(json_file)
with open ('./mortality-data/2007_codes.json') as json_file: 
    icd_codes_2007 = json.load(json_file)
with open ('./mortality-data/2008_codes.json') as json_file: 
    icd_codes_2008 = json.load(json_file)
with open ('./mortality-data/2009_codes.json') as json_file: 
    icd_codes_2009 = json.load(json_file)
with open ('./mortality-data/2010_codes.json') as json_file: 
    icd_codes_2010 = json.load(json_file)
with open ('./mortality-data/2011_codes.json') as json_file: 
    icd_codes_2011 = json.load(json_file)
with open ('./mortality-data/2012_codes.json') as json_file: 
    icd_codes_2012 = json.load(json_file)
with open ('./mortality-data/2013_codes.json') as json_file: 
    icd_codes_2013 = json.load(json_file)
with open ('./mortality-data/2014_codes.json') as json_file: 
    icd_codes_2014 = json.load(json_file)
with open ('./mortality-data/2015_codes.json') as json_file: 
    icd_codes_2015 = json.load(json_file)

Function Definitions

This section defines some functions that are used repeatedly throughout our analysis.

Function Definition: Retrieving the full name of an ICD code.

In [4]:
    def FindFullNameFromCode(target_code, icd_codes): 
        target_code = str(target_code).zfill(3)
        for code in icd_codes: 
            if code == target_code: 
                return icd_codes[code]

Function Definition: Finding the single most frequent cause of death in a data set

In [5]:
    def MostFrequentCauseOfDeath(data, icd_codes): 
        most_frequent_death = str(int(data.mode()[0])).zfill(3)
        for code in icd_codes: 
            if code == most_frequent_death: 
                return icd_codes[code]

Function Definition: Finding the top n causes of death in a data set

In [6]:
    def TopCausesOfDeath(cdc_data, icd_descriptions, n = 10):
        
        deathsByFrequency = cdc_data.value_counts()
        top_n_deaths = deathsByFrequency.head(n).rename_axis('Code').reset_index(name='Deaths')
        
        codeDescriptions = [icd_descriptions[code] for code in top_n_deaths['Code']]
        top_n_deaths["Description"] = codeDescriptions
        
        return top_n_deaths

Function Definition: Creating a dictionary of ICD codes and their associated named descriptions.

In [7]:
    def MapIcdToDesc(cdc_data, icd_codes): 
        codeToDescDict = {}
        
        for code in set(cdc_data): 
            zeroPaddedCode = str(code).zfill(3)
            codeToDescDict.update({
                code: icd_codes[icd] 
                for icd in icd_codes if icd == zeroPaddedCode
            }) 

        return codeToDescDict

Function Definition: Checking the results of POS tagging. Prints out pre-tag and post-tag lists for comparison

In [8]:
    def CheckTaggingResults(pre_tagging_list, tagged_list): 
        for index, desc in enumerate(pre_tagging_list):
            if(len(desc) != len(tagged_list[index])): 
                print("Pre-Tagging:", desc)
                print("Post-Tagging:", tagged_list[index], "\n\n")

Major Causes of Death in the United States

This section contains the source code for the conclusions, visualizations and understandings our report presented on the major causes of death in the United States.

In [9]:
# Creating dictionaries to hold {key, value} pairs containing {icd code, description} for each year. 
icd_desc_2005 = MapIcdToDesc(cdc_data_2005["113_cause_recode"], icd_codes_2005["113_cause_recode"])
icd_desc_2006 = MapIcdToDesc(cdc_data_2006["113_cause_recode"], icd_codes_2006["113_cause_recode"])
icd_desc_2007 = MapIcdToDesc(cdc_data_2007["113_cause_recode"], icd_codes_2007["113_cause_recode"])
icd_desc_2008 = MapIcdToDesc(cdc_data_2008["113_cause_recode"], icd_codes_2008["113_cause_recode"])
icd_desc_2009 = MapIcdToDesc(cdc_data_2009["113_cause_recode"], icd_codes_2009["113_cause_recode"])
icd_desc_2010 = MapIcdToDesc(cdc_data_2010["113_cause_recode"], icd_codes_2010["113_cause_recode"])
icd_desc_2011 = MapIcdToDesc(cdc_data_2011["113_cause_recode"], icd_codes_2011["113_cause_recode"])
icd_desc_2012 = MapIcdToDesc(cdc_data_2012["113_cause_recode"], icd_codes_2012["113_cause_recode"])
icd_desc_2013 = MapIcdToDesc(cdc_data_2013["113_cause_recode"], icd_codes_2013["113_cause_recode"])
icd_desc_2014 = MapIcdToDesc(cdc_data_2014["113_cause_recode"], icd_codes_2014["113_cause_recode"])
icd_desc_2015 = MapIcdToDesc(cdc_data_2015["113_cause_recode"], icd_codes_2015["113_cause_recode"])
In [10]:
# Finding the top 10 causes of death in the United States for each year. 
top_ten_2005 = TopCausesOfDeath(cdc_data_2005["113_cause_recode"], icd_desc_2005)
top_ten_2006 = TopCausesOfDeath(cdc_data_2006["113_cause_recode"], icd_desc_2006)
top_ten_2007 = TopCausesOfDeath(cdc_data_2007["113_cause_recode"], icd_desc_2007)
top_ten_2008 = TopCausesOfDeath(cdc_data_2008["113_cause_recode"], icd_desc_2008)
top_ten_2009 = TopCausesOfDeath(cdc_data_2009["113_cause_recode"], icd_desc_2009)
top_ten_2010 = TopCausesOfDeath(cdc_data_2010["113_cause_recode"], icd_desc_2010)
top_ten_2011 = TopCausesOfDeath(cdc_data_2011["113_cause_recode"], icd_desc_2011)
top_ten_2012 = TopCausesOfDeath(cdc_data_2012["113_cause_recode"], icd_desc_2012)
top_ten_2013 = TopCausesOfDeath(cdc_data_2013["113_cause_recode"], icd_desc_2013)
top_ten_2014 = TopCausesOfDeath(cdc_data_2014["113_cause_recode"], icd_desc_2014)
top_ten_2015 = TopCausesOfDeath(cdc_data_2015["113_cause_recode"], icd_desc_2015)
In [11]:
# Finding top deaths of all years combined and sorting by death count, highest to lowest. 
topTenAllYears = pd.concat([top_ten_2005, top_ten_2006, top_ten_2007, top_ten_2008, top_ten_2009, top_ten_2010,
                           top_ten_2011, top_ten_2012, top_ten_2013, top_ten_2014, top_ten_2015])\
                   .groupby(['Code']).sum()\
                   .sort_values(by='Deaths', ascending=False)\
                   .reset_index()

# Re-adding Description column after calculation and formatting death data with commas. 
topTenAllYears['Description'] = [icd_desc_2015[code] for code in topTenAllYears['Code']]
#topTenAllYears['Deaths'] = topTenAllYears['Deaths'].apply("{:,}".format)

# The 125s is just adding spaces to center the header. 
print('{:^125s}'.format("Top 12 Deaths in the United States from 2005 - 2015"))
topTenAllYears.style.hide_index()
                                     Top 12 Deaths in the United States from 2005 - 2015                                     
Out[11]:
Code Deaths Description
111 3028258 All other diseases (Residual) (D65-E07,E15-E34,E65-F99,G04-G14,G23-G25,G31-H93, K00-K22,K29-K31,K50-K66,K71-K72,K75-K76,K83-M99, N13.0-N13.5,N13.7-N13.9, N14,N15.0,N15.8-N15.9,N20-N23,N28-N39,N41-N64,N80-N98)
63 2212520 All other forms of chronic ischemic heart disease (I20,I25.1-I25.9)
27 1733447 Malignant neoplasms of trachea, bronchus and lung (C33-C34)
70 1471444 Cerebrovascular diseases (I60-I69)
59 1392415 Acute myocardial infarction (I21-I22)
86 1378763 Other chronic lower respiratory diseases (J44,J47)
68 1327848 All other forms of heart disease (I26-I28,I34-I38,I42-I49,I51)
52 921265 Alzheimer's disease (G30)
46 807571 Diabetes mellitus (E10-E14)
43 586856 All other and unspecified malignant neoplasms (C17,C23-C24,C26-C31,C37-C41, C44-C49,C51-C52,C57-C60,C62-C63,C66,C68-C69,C73-C80,C97)
67 75310 Heart failure (I50)
62 63082 Atherosclerotic cardiovascular disease, so described (I25.0)

Visualizations of Major Causes of Death

This section contains the code we used to create visualizations for the various leading causes of death.

In [12]:
ax = topTenAllYears.plot.barh(x="Description", y="Deaths")
ax
Out[12]:
<matplotlib.axes._subplots.AxesSubplot at 0x1ad60278198>
In [17]:
# Plot of All other diseases against age. 
x111 = cdc_data_2015["age_recode_27"].values
plt.title("All other diseases")
plt.xlim(0, 26)
plt.ylim(0,600000)
binblock = np.arange(1, 28, 1)
plt.hist(x111, bins = binblock, rwidth=0.9)
plt.xlabel("age_recode_27")
plt.ylabel("Numbers")
plt.show()
In [18]:
# Plot of Ischemic heart disease against age. 
x63 = cdc_data_2015["age_recode_27"].values
plt.title("All other forms of chronic ischemic heart disease")
plt.xlim(0, 26)
plt.ylim(0,500000)
binblock=np.arange(1, 28, 1)
plt.hist(x63, bins = binblock, rwidth=0.9)
plt.xlabel("age_recode_27")
plt.ylabel("Numbers")
plt.show()
In [19]:
# Plot of Malignant neoplasms of trachea, bronchus and lung aganist age. 
x27 = cdc_data_2015["age_recode_27"].values
plt.title("Malignant neoplasms of trachea, bronchus and lung")
plt.xlim(0, 26)
plt.ylim(0,300000)
binblock=np.arange(1, 28, 1)
plt.hist(x27 ,bins = binblock, rwidth=0.9)
plt.xlabel("age_recode_27")
plt.ylabel("Numbers")
plt.show()
In [20]:
# Plot of Cerebrovascular diseases aganist age. 
x70 = cdc_data_2015["age_recode_27"].values
plt.title("Cerebrovascular diseases")
plt.xlim(0, 26)
plt.ylim(0,350000)
binblock=np.arange(1, 28, 1)
plt.hist(x70 ,bins = binblock, rwidth=0.9)
plt.xlabel("age_recode_27")
plt.ylabel("Numbers")
plt.show()
In [21]:
# Plot of Acute myocardial infarction againist age. 
x59 =cdc_data_2015["age_recode_27"].values
plt.title("Acute myocardial infarction")
plt.xlim(0, 26)
plt.ylim(0,250000)
binblock=np.arange(1, 28, 1)
plt.hist(x59 ,bins = binblock, rwidth=0.9)
plt.xlabel("age_recode_27")
plt.ylabel("Numbers")
plt.show()

Regression & Relational Analysis

Please see the file titled FinalProject-GroupA-ModelCode.html for the source code that was used to generated the models used throughout our analysis and report.

Medical Transcripts & ICD Codes

This section contains our code for completing the tasks assigned in question 5. Here we take the medical transcripts of 5000 patients and determine the likelihood of those patients having a medical condition associated with a top 12 cause of death in the U.S (taking into consideration the top 12 from 2005 - 2015, as calculated earlier).

In [323]:
# Importing Medical Transcript Data and a pre-made binary file for vectorizing our data. 
medical_data = pd.read_csv('./data-from-canvas/medicaltranscriptions.csv', sep=',', header=0)
pub_med_model = KeyedVectors.load_word2vec_format('./data-from-canvas/PubMed-and-PMC-w2v.bin', binary=True)
stop_words = set(stopwords.words('english'))
In [357]:
# Ignore this. Used to check that we aren't losing data
    def check(): 
        print("Tagged Desriptions", len(medical_desc_tagged))
        print("Tokenixed Desriptions", len(medical_desc_tokenized))
        print("Long Desc", len(long_descriptions))
        print("766 Long Desc", long_descriptions[766])
        print("766 Tokenized", medical_desc_tokenized[766])        
        print("766 Tagged", medical_desc_tagged[766])
In [399]:
# Creating a list of lists, where each internal list is a tokenized description, one for each patient description in the 
# medicaltranscripts.csv file. 

patientId = 0
long_descriptions = {}
medical_desc_tokenized = []

for desc in medical_data['description']:
    if(desc.isspace()): 
        continue
    long_descriptions[patientId] = desc
    token_desc = word_tokenize(desc) 
    token_desc = [word for word in token_desc if word]
    token_desc = [word.lower() for word in token_desc] 
    token_desc = [word.lower() for word in token_desc if not word in stop_words] 
    token_desc = [word.lower() for word in token_desc if word.isalpha()]
    medical_desc_tokenized.append(token_desc)
    patientId += 1
In [400]:
# Removing duplicates from each individual description, for example "heart pain heart" becomes "heart pain". 
medical_desc_tokenized = [list(set(desc_list)) for desc_list in medical_desc_tokenized]
In [401]:
# Part of Speech tagging for each word in each patient description. We keep nouns, verbs and adjectives. We tried
# this with only nouns and found that adding verbs and adjectives gives us better cosine similarity scores. 
accpetable_tags = ['NN', 'NNP', 'NNS', 'NNPS', 'JJ', 'JJR', 'JJS', 'VBG']
medical_desc_tagged = copy.deepcopy(medical_desc_tokenized)

for index, desc_list in enumerate(medical_desc_tagged): 
    token_list = nltk.pos_tag(desc_list)
    for word, pos in token_list:
        if (pos not in accpetable_tags):
            desc_list.remove(word)
    if(len(desc_list) == 0): 
        del medical_desc_tagged[index]
        del long_descriptions[index]
In [404]:
# All possible POS tags returned by this function. 
# nltk.help.upenn_tagset()
#pd.set_option('display.max_colwidth', -1)

# Using a function to check the results of POS tagging. Prints each description before & after tagging.
CheckTaggingResults(medical_desc_tokenized, medical_desc_tagged)
Pre-Tagging: ['years', 'anastomosis', 'female', 'many', 'diets', 'eea', 'gastric', 'unsuccessful', 'antecolic', 'bypass', 'tried', 'obesity', 'laparoscopic', 'overweight', 'morbid', 'different', 'antegastric']
Post-Tagging: ['years', 'female', 'many', 'diets', 'gastric', 'unsuccessful', 'antecolic', 'bypass', 'obesity', 'laparoscopic', 'overweight', 'morbid', 'different', 'antegastric'] 


Pre-Tagging: ['revision', 'breast', 'soft', 'fullness', 'supraumbilical', 'tissue', 'lateral', 'abdomen', 'flank', 'excision', 'reconstruction', 'liposuction', 'right']
Post-Tagging: ['revision', 'breast', 'soft', 'supraumbilical', 'tissue', 'lateral', 'abdomen', 'flank', 'excision', 'reconstruction', 'liposuction', 'right'] 


Pre-Tagging: ['mild', 'pressures', 'biatrial', 'tricuspid', 'heart', 'enlargement', 'normal', 'increase', 'ventricle', 'left', 'right', 'regurgitation', 'moderate']
Post-Tagging: ['mild', 'pressures', 'biatrial', 'tricuspid', 'heart', 'enlargement', 'normal', 'increase', 'ventricle', 'right', 'regurgitation'] 


Pre-Tagging: ['angiogram', 'disease', 'moyamoya', 'cerebral']
Post-Tagging: ['angiogram', 'disease', 'cerebral'] 


Pre-Tagging: ['roux', 'service', 'surgery', 'en', 'consideration', 'gastric', 'bypass', 'patient', 'laparoscopic', 'presented', 'bariatric']
Post-Tagging: ['roux', 'service', 'surgery', 'consideration', 'gastric', 'bypass', 'patient', 'laparoscopic', 'bariatric'] 


Pre-Tagging: ['impacted', 'teeth', 'bony', 'removal', 'completely', 'surgical']
Post-Tagging: ['teeth', 'bony', 'removal', 'surgical'] 


Pre-Tagging: ['cannula', 'bronchoscopy', 'distal', 'tracheal', 'body', 'exploration', 'tube', 'dilation', 'flexible', 'removal', 'metallic', 'tracheostomy', 'single', 'material', 'via', 'placement', 'shiley', 'trachea', 'neck', 'stent', 'site', 'urgent', 'foreign']
Post-Tagging: ['cannula', 'bronchoscopy', 'distal', 'tracheal', 'body', 'exploration', 'tube', 'dilation', 'flexible', 'removal', 'metallic', 'tracheostomy', 'single', 'material', 'placement', 'shiley', 'trachea', 'neck', 'stent', 'site', 'urgent', 'foreign'] 


Pre-Tagging: ['post', 'band', 'lap', 'placement', 'patient', 'status']
Post-Tagging: ['post', 'band', 'placement', 'patient', 'status'] 


Pre-Tagging: ['male', 'via', 'fertile', 'sterilization', 'elective', 'completed', 'vasectomy', 'bilateral', 'family']
Post-Tagging: ['male', 'fertile', 'sterilization', 'elective', 'vasectomy', 'bilateral', 'family'] 


Pre-Tagging: ['compromise', 'taken', 'airway', 'presents', 'female', 'room', 'emergency', 'operating', 'fishbone', 'body', 'patient', 'intubated', 'foreign']
Post-Tagging: ['compromise', 'female', 'room', 'emergency', 'operating', 'fishbone', 'body', 'patient', 'intubated', 'foreign'] 


Pre-Tagging: ['gastric', 'bypass', 'patient', 'discharged', 'laparoscopic']
Post-Tagging: ['gastric', 'bypass', 'patient', 'laparoscopic'] 


Pre-Tagging: ['vas', 'skeletonized', 'next', 'clamp', 'voluntary', 'sterility', 'grasped', 'deferens', 'distally', 'clipped', 'vasectomy', 'twice', 'bilateral', 'proximally']
Post-Tagging: ['vas', 'next', 'clamp', 'voluntary', 'sterility', 'deferens', 'vasectomy', 'bilateral'] 


Pre-Tagging: ['bladder', 'enlarged', 'neck', 'prostate', 'male', 'obstruction', 'patient', 'hispanic', 'admitted', 'symptoms']
Post-Tagging: ['bladder', 'neck', 'prostate', 'male', 'obstruction', 'patient', 'hispanic', 'symptoms'] 


Pre-Tagging: ['reduced', 'back', 'interrupted', 'mattress', 'closed', 'vertical', 'sutures', 'repair', 'hernia', 'carefully', 'template', 'cavity', 'fascia', 'approximate', 'umbilical']
Post-Tagging: ['interrupted', 'mattress', 'vertical', 'sutures', 'hernia', 'cavity', 'fascia', 'approximate', 'umbilical'] 


Pre-Tagging: ['years', 'cryopreservation', 'failed', 'azoospermic', 'ago', 'two', 'reversal', 'interested', 'sperm', 'vasectomy', 'harvesting']
Post-Tagging: ['years', 'cryopreservation', 'azoospermic', 'reversal', 'interested', 'sperm', 'vasectomy', 'harvesting'] 


Pre-Tagging: ['identified', 'vas', 'skin', 'used', 'incised', 'sterility', 'instruments', 'scalpel', 'desire', 'vasectomy', 'dissect']
Post-Tagging: ['vas', 'skin', 'incised', 'sterility', 'instruments', 'desire', 'vasectomy', 'dissect'] 


Pre-Tagging: ['retention', 'vaginal', 'urine', 'postop', 'possible', 'prolapse', 'noted', 'improving', 'patient', 'concerned', 'reconstruction']
Post-Tagging: ['retention', 'vaginal', 'urine', 'postop', 'possible', 'prolapse', 'improving', 'patient', 'reconstruction'] 


Pre-Tagging: ['hypertrophy', 'thought', 'prostatic', 'benign', 'since', 'transplant', 'symptoms', 'event', 'male', 'passed', 'fill', 'incur', 'kidney', 'retention', 'recurrent', 'pull', 'signs', 'study', 'urinary']
Post-Tagging: ['hypertrophy', 'prostatic', 'benign', 'transplant', 'symptoms', 'event', 'male', 'fill', 'incur', 'kidney', 'retention', 'recurrent', 'pull', 'signs', 'urinary'] 


Pre-Tagging: ['showing', 'ureteral', 'lower', 'calculus', 'shaped', 'distal', 'also', 'urogram', 'teardrop', 'ureter', 'kub', 'ct', 'patient', 'calcification', 'hematuria', 'right', 'cm', 'apparently']
Post-Tagging: ['showing', 'ureteral', 'lower', 'calculus', 'distal', 'urogram', 'teardrop', 'ureter', 'ct', 'patient', 'calcification', 'hematuria'] 


Pre-Tagging: ['combination', 'dissection', 'sac', 'metzenbaum', 'bovie', 'curvilinear', 'standard', 'repair', 'scissors', 'electrocautery', 'hernia', 'carried', 'using', 'made', 'incision', 'umbilical']
Post-Tagging: ['combination', 'dissection', 'sac', 'metzenbaum', 'bovie', 'curvilinear', 'standard', 'repair', 'scissors', 'hernia', 'using', 'incision', 'umbilical'] 


Pre-Tagging: ['bladder', 'frequency', 'urgency', 'neurogenic', 'patient', 'stroke', 'history', 'persistent']
Post-Tagging: ['bladder', 'frequency', 'urgency', 'neurogenic', 'patient', 'history', 'persistent'] 


Pre-Tagging: ['time', 'examination', 'performed', 'well', 'color', 'imaging', 'testicles', 'flow', 'due', 'pain', 'ultrasound', 'scrotal', 'scrotum', 'duplex', 'real']
Post-Tagging: ['time', 'examination', 'color', 'imaging', 'testicles', 'due', 'pain', 'scrotal', 'scrotum', 'duplex', 'real'] 


Pre-Tagging: ['bladder', 'medium', 'wall', 'turbt', 'resection', 'tumor', 'lateral', 'left', 'transurethral']
Post-Tagging: ['bladder', 'medium', 'wall', 'turbt', 'resection', 'tumor', 'lateral', 'transurethral'] 


Pre-Tagging: ['torsion', 'versus', 'problem', 'detorsion', 'testicular', 'acute', 'patient', 'possibly']
Post-Tagging: ['torsion', 'versus', 'problem', 'detorsion', 'testicular', 'acute', 'patient'] 


Pre-Tagging: ['spermatocele', 'planning', 'left', 'vasectomy', 'partial', 'bilateral', 'family']
Post-Tagging: ['spermatocele', 'planning', 'vasectomy', 'partial', 'bilateral', 'family'] 


Pre-Tagging: ['one', 'compatible', 'hypervascularity', 'day', 'testicular', 'swelling', 'left', 'ultrasound', 'hydroceles', 'epididymis', 'epididymitis', 'bilateral']
Post-Tagging: ['compatible', 'hypervascularity', 'day', 'testicular', 'swelling', 'ultrasound', 'hydroceles', 'bilateral'] 


Pre-Tagging: ['exploration', 'appendix', 'bilateral', 'testes', 'detorsion', 'fixation', 'left', 'scrotal', 'cautery', 'already']
Post-Tagging: ['exploration', 'bilateral', 'testes', 'detorsion', 'fixation', 'scrotal', 'cautery'] 


Pre-Tagging: ['ureteropelvic', 'biopsy', 'difficult', 'cystoscopy', 'obstruction', 'renal', 'anesthesia', 'antegrade', 'retrograde', 'pyeloureteroscopy', 'left', 'open', 'junction']
Post-Tagging: ['ureteropelvic', 'biopsy', 'difficult', 'cystoscopy', 'obstruction', 'renal', 'anesthesia', 'antegrade', 'retrograde', 'pyeloureteroscopy', 'open', 'junction'] 


Pre-Tagging: ['bladder', 'prostate', 'prostatectomy', 'robotic', 'retropubic', 'suspension', 'adenocarcinoma', 'radical', 'assisted']
Post-Tagging: ['bladder', 'prostate', 'prostatectomy', 'robotic', 'retropubic', 'suspension', 'radical'] 


Pre-Tagging: ['ago', 'week', 'penile', 'circumcision', 'swelling', 'days', 'history']
Post-Tagging: ['week', 'penile', 'circumcision', 'swelling', 'days', 'history'] 


Pre-Tagging: ['cancer', 'dissection', 'prostate', 'prostatectomy', 'lymph', 'due', 'retropubic', 'pelvic', 'node', 'radical']
Post-Tagging: ['cancer', 'dissection', 'prostatectomy', 'lymph', 'due', 'retropubic', 'pelvic', 'radical'] 


Pre-Tagging: ['dissection', 'prostatectomy', 'lymph', 'retropubic', 'node', 'radical', 'without']
Post-Tagging: ['dissection', 'prostatectomy', 'lymph', 'retropubic', 'radical'] 


Pre-Tagging: ['crossing', 'ureteropelvic', 'ureteral', 'transposition', 'nephrolithotomy', 'obstruction', 'anterograde', 'stent', 'anterior', 'vessels', 'placement', 'pyeloplasty', 'junction', 'right']
Post-Tagging: ['crossing', 'ureteropelvic', 'ureteral', 'transposition', 'nephrolithotomy', 'obstruction', 'stent', 'anterior', 'vessels', 'placement', 'pyeloplasty', 'junction', 'right'] 


ere', 'worsening', 'shortness', 'valvular', 'breath', 'insufficiency', 'mitral', 'failure', 'effusion', 'patient', 'pleural', 'underwent', 'shows'] 


Pre-Tagging: ['gastric', 'bypass', 'patient', 'laparoscopic', 'scheduled']
Post-Tagging: ['gastric', 'bypass', 'patient', 'laparoscopic'] 


Pre-Tagging: ['weight', 'via', 'opposed', 'elective', 'loss', 'bypass', 'gastric', 'surgical', 'evaluation']
Post-Tagging: ['weight', 'opposed', 'elective', 'loss', 'bypass', 'gastric', 'surgical', 'evaluation'] 


Pre-Tagging: ['currently', 'died', 'embolism', 'undetermined', 'pulmonary', 'patient', 'underlying', 'cause']
Post-Tagging: ['embolism', 'undetermined', 'pulmonary', 'patient', 'underlying', 'cause'] 


Pre-Tagging: ['weight', 'years', 'without', 'many', 'attempts', 'loss', 'success', 'patient', 'obesity', 'made', 'nonsurgical', 'morbid', 'suffered', 'multiple']
Post-Tagging: ['weight', 'years', 'many', 'attempts', 'loss', 'success', 'patient', 'obesity', 'nonsurgical', 'morbid', 'multiple'] 


Pre-Tagging: ['service', 'surgery', 'consideration', 'gastric', 'bypass', 'patient', 'laparoscopic', 'presented', 'bariatric']
Post-Tagging: ['service', 'surgery', 'consideration', 'gastric', 'bypass', 'patient', 'laparoscopic', 'bariatric'] 


Pre-Tagging: ['died', 'drug', 'autopsy', 'female', 'acute', 'white', 'combined', 'intoxication']
Post-Tagging: ['drug', 'autopsy', 'female', 'acute', 'white', 'intoxication'] 


Pre-Tagging: ['chest', 'neck', 'injuries', 'incised', 'sharp', 'cutting', 'involving', 'abdomen', 'multiple', 'force', 'wounds']
Post-Tagging: ['chest', 'neck', 'injuries', 'sharp', 'cutting', 'involving', 'abdomen', 'multiple', 'force', 'wounds'] 


Pre-Tagging: ['weight', 'via', 'opposed', 'elective', 'loss', 'bypass', 'gastric', 'surgical', 'evaluation']
Post-Tagging: ['weight', 'opposed', 'elective', 'loss', 'bypass', 'gastric', 'surgical', 'evaluation'] 

Pre-Tagging: ['strangulation', 'injuries', 'autopsy', 'craniocerebral', 'ligature']
Post-Tagging: ['strangulation', 'injuries', 'craniocerebral', 'ligature'] 


Pre-Tagging: ['environmental', 'chronic', 'inhalant', 'probable', 'glossitis', 'allergies', 'xerostomia', 'food', 'history', 'asthma']
Post-Tagging: ['environmental', 'chronic', 'inhalant', 'probable', 'glossitis', 'allergies', 'food', 'history', 'asthma'] 


Pre-Tagging: ['congestion', 'ago', 'three', 'two', 'eye', 'facial', 'discomfort', 'pain', 'drip', 'nasal', 'symptoms', 'patient', 'severe', 'months', 'postnasal', 'sinusitis']
Post-Tagging: ['congestion', 'eye', 'facial', 'discomfort', 'pain', 'drip', 'nasal', 'symptoms', 'severe', 'months', 'sinusitis'] 


Pre-Tagging: ['rash', 'edema', 'diagnosis', 'thrombocytosis', 'days', 'boy', 'resolving', 'mild', 'conjunctivitis', 'baby', 'caucasian', 'elevated', 'esr', 'arthritis', 'presumptive', 'fever', 'kawasaki', 'crp', 'neutrophils', 'came']
Post-Tagging: ['rash', 'edema', 'diagnosis', 'thrombocytosis', 'days', 'resolving', 'mild', 'conjunctivitis', 'baby', 'caucasian', 'esr', 'arthritis', 'presumptive', 'fever', 'kawasaki', 'crp', 'neutrophils'] 


Pre-Tagging: ['follow', 'female', 'allergic', 'rhinitis', 'physical', 'asthma', 'complete']
Post-Tagging: ['female', 'allergic', 'rhinitis', 'physical', 'asthma', 'complete'] 


Pre-Tagging: ['etiology', 'uncertain', 'reaction', 'keflex', 'allergic', 'acute', 'however', 'suspicious']
Post-Tagging: ['etiology', 'uncertain', 'reaction', 'allergic', 'acute', 'suspicious'] 


In [403]:
# Tokenizing and cleaning up the ICD code descriptions. We don't want the uneccesary stuff in there. . 
icd_desc_tokenized = []
for desc in topTenAllYears['Description']: 
    token_desc = word_tokenize(desc) 
    token_desc = [word for word in token_desc if word]
    token_desc = [word for word in token_desc if word.isalpha()]
    icd_desc_tokenized.append(token_desc)

icd_desc_tokenized
Out[403]:
[['All', 'other', 'diseases', 'Residual'],
 ['All', 'other', 'forms', 'of', 'chronic', 'ischemic', 'heart', 'disease'],
 ['Malignant', 'neoplasms', 'of', 'trachea', 'bronchus', 'and', 'lung'],
 ['Cerebrovascular', 'diseases'],
 ['Acute', 'myocardial', 'infarction'],
 ['Other', 'chronic', 'lower', 'respiratory', 'diseases'],
 ['All', 'other', 'forms', 'of', 'heart', 'disease'],
 ['Alzheimer', 'disease'],
 ['Diabetes', 'mellitus'],
 ['All', 'other', 'and', 'unspecified', 'malignant', 'neoplasms'],
 ['Heart', 'failure'],
 ['Atherosclerotic', 'cardiovascular', 'disease', 'so', 'described']]
In [405]:
# Creating a new list of lists, where each internal list is a patient visit description with ONLY words that can be 
# converted to a vector. 
medical_desc_modeled = []
for desc in medical_desc_tagged: 
    desc_list = [word for word in desc if word in pub_med_model]
    medical_desc_modeled.append(desc_list)
In [440]:
# Calculating a similarity score between the ICD code description and the description of each patients medical visit. We
# use a cutoff similarity score of 0.40, or 40%. Meaning, the cosine similarity between the patients visit description and
# an ICD code description must be 40% or higher for us to consider it in our final output. This is our similarity measure
# metric 

patientId = 0
similarities_and_desc = []

for desc in medical_desc_modeled: 
    patient_desc_sentence = ' '.join(word for word in desc)
    for code_desc in icd_desc_tokenized:
        cosine_sim = pub_med_model.n_similarity(desc, code_desc)
        if(cosine_sim < 0.4): 
            continue
        icd_desc_sentence = ' '.join(word for word in code_desc)
        data = (patientId, patient_desc_sentence, icd_desc_sentence, cosine_sim)
        similarities_and_desc.append(data)
    patientId += 1
In [441]:
# Creating a final output data frame, sorting by highest similarity scores to lowest, and converting from a pos tagged
# list description back to the long form sentence descriptions, for display purposes. 

final_patient_data = pd.DataFrame(similarities_and_desc, columns = ["Patient Id", 
                                                                    "Visit Description", 
                                                                    "ICD Code Description", 
                                                                    "Cosine Similarity"])

# Converting from the tokenized description back to the long form description.
for index, row in final_patient_data.iterrows(): 
    final_patient_data.loc[index, "Visit Description"] = long_descriptions[row["Patient Id"]]

final_patient_data = final_patient_data.sort_values("Cosine Similarity", ascending=False)
final_patient_data["Cosine Similarity"] = ["{0:.0%}".format(sim) for sim in final_patient_data["Cosine Similarity"]]
pd.set_option('display.max_rows', 45000)
pd.set_option('display.max_colwidth', -1)

# Length of 3864 with 0.40 as the cutoff similarity score. 
final_patient_data.style.hide_index()
Out[441]:
Patient Id Visit Description ICD Code Description Cosine Similarity
1415 Followup diabetes mellitus, type 1. Diabetes mellitus 82%
3799 Followup diabetes mellitus, type 1. Diabetes mellitus 82%
3420 Followup diabetes mellitus, type 1. Diabetes mellitus 82%
1394 5-month recheck on type II diabetes mellitus, as well as hypertension. Diabetes mellitus 81%
3310 5-month recheck on type II diabetes mellitus, as well as hypertension. Diabetes mellitus 81%
4753 Specimen - Lung, left lower lobe resection. Sarcomatoid carcinoma with areas of pleomorphic/giant cell carcinoma and spindle cell carcinoma. The tumor closely approaches the pleural surface but does not invade the pleura. Malignant neoplasms of trachea bronchus and lung 78%
3078 Specimen - Lung, left lower lobe resection. Sarcomatoid carcinoma with areas of pleomorphic/giant cell carcinoma and spindle cell carcinoma. The tumor closely approaches the pleural surface but does not invade the pleura. Malignant neoplasms of trachea bronchus and lung 78%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. All other forms of chronic ischemic heart disease 76%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. All other forms of chronic ischemic heart disease 76%
1112 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Acute myocardial infarction 75%
4917 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Acute myocardial infarction 75%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Acute myocardial infarction 75%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Acute myocardial infarction 75%
1144 Fiberoptic bronchoscopy for diagnosis of right lung atelectasis and extensive mucus plugging in right main stem bronchus. Malignant neoplasms of trachea bronchus and lung 74%
4944 Fiberoptic bronchoscopy for diagnosis of right lung atelectasis and extensive mucus plugging in right main stem bronchus. Malignant neoplasms of trachea bronchus and lung 74%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Acute myocardial infarction 74%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Acute myocardial infarction 74%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. All other forms of chronic ischemic heart disease 74%
3878 Patient presents with a chief complaint of chest pain admitted to Coronary Care Unit due to acute inferior myocardial infarction. Acute myocardial infarction 73%
4967 Patient presents with a chief complaint of chest pain admitted to Coronary Care Unit due to acute inferior myocardial infarction. Acute myocardial infarction 73%
4588 Patient presents with a chief complaint of chest pain admitted to Coronary Care Unit due to acute inferior myocardial infarction. Acute myocardial infarction 73%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. All other forms of chronic ischemic heart disease 73%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. All other forms of chronic ischemic heart disease 73%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Other chronic lower respiratory diseases 73%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Other chronic lower respiratory diseases 73%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. All other forms of chronic ischemic heart disease 72%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. All other forms of chronic ischemic heart disease 71%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. All other forms of chronic ischemic heart disease 71%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. All other forms of chronic ischemic heart disease 71%
4294 Pancreatic and left adrenal lesions. The adrenal lesion is a small lesion, appears as if probable benign adenoma, where as the pancreatic lesion is the cystic lesion, and neoplasm could not be excluded. Malignant neoplasms of trachea bronchus and lung 71%
3789 Pancreatic and left adrenal lesions. The adrenal lesion is a small lesion, appears as if probable benign adenoma, where as the pancreatic lesion is the cystic lesion, and neoplasm could not be excluded. Malignant neoplasms of trachea bronchus and lung 71%
3269 Pancreatic and left adrenal lesions. The adrenal lesion is a small lesion, appears as if probable benign adenoma, where as the pancreatic lesion is the cystic lesion, and neoplasm could not be excluded. Malignant neoplasms of trachea bronchus and lung 71%
4528 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. All other forms of chronic ischemic heart disease 71%
4898 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. All other forms of chronic ischemic heart disease 71%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. All other forms of chronic ischemic heart disease 70%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. All other forms of chronic ischemic heart disease 70%
4791 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. Malignant neoplasms of trachea bronchus and lung 70%
793 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. Malignant neoplasms of trachea bronchus and lung 70%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Diabetes mellitus 70%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Diabetes mellitus 70%
3531 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Other chronic lower respiratory diseases 70%
3918 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Other chronic lower respiratory diseases 70%
2984 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. All other forms of chronic ischemic heart disease 70%
4131 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. All other forms of chronic ischemic heart disease 70%
3972 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Other chronic lower respiratory diseases 69%
4846 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Other chronic lower respiratory diseases 69%
550 Right pleural effusion and suspected malignant mesothelioma. Malignant neoplasms of trachea bronchus and lung 69%
3141 Right pleural effusion and suspected malignant mesothelioma. Malignant neoplasms of trachea bronchus and lung 69%
4727 Right pleural effusion and suspected malignant mesothelioma. Malignant neoplasms of trachea bronchus and lung 69%
3765 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. Other chronic lower respiratory diseases 69%
4496 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. Other chronic lower respiratory diseases 69%
3138 Right nodular malignant mesothelioma. Malignant neoplasms of trachea bronchus and lung 69%
546 Right nodular malignant mesothelioma. Malignant neoplasms of trachea bronchus and lung 69%
1567 MRI: Right parietal metastatic adenocarcinoma (LUNG) metastasis. Malignant neoplasms of trachea bronchus and lung 68%
4721 MRI: Right parietal metastatic adenocarcinoma (LUNG) metastasis. Malignant neoplasms of trachea bronchus and lung 68%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Atherosclerotic cardiovascular disease so described 68%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Atherosclerotic cardiovascular disease so described 68%
3277 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. All other forms of chronic ischemic heart disease 68%
4315 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. All other forms of chronic ischemic heart disease 68%
4756 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. All other forms of chronic ischemic heart disease 68%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Acute myocardial infarction 68%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Acute myocardial infarction 68%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. All other forms of chronic ischemic heart disease 68%
3978 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Other chronic lower respiratory diseases 68%
4865 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Other chronic lower respiratory diseases 68%
1432 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Other chronic lower respiratory diseases 68%
3442 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Other chronic lower respiratory diseases 68%
3045 Followup on chronic kidney disease. All other forms of chronic ischemic heart disease 68%
3960 Death summary of patient with advanced non-small cell lung carcinoma with left malignant pleural effusion status post chest tube insertion status post chemical pleurodesis. Malignant neoplasms of trachea bronchus and lung 68%
802 Diagnostic fiberoptic bronchoscopy with biopsies and bronchoalveolar lavage. Bilateral upper lobe cavitary lung masses. Airway changes including narrowing of upper lobe segmental bronchi, apical and posterior on the right, and anterior on the left. There are also changes of inflammation throughout. Malignant neoplasms of trachea bronchus and lung 68%
4802 Diagnostic fiberoptic bronchoscopy with biopsies and bronchoalveolar lavage. Bilateral upper lobe cavitary lung masses. Airway changes including narrowing of upper lobe segmental bronchi, apical and posterior on the right, and anterior on the left. There are also changes of inflammation throughout. Malignant neoplasms of trachea bronchus and lung 68%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. Other chronic lower respiratory diseases 68%
3155 Newly diagnosed head and neck cancer. The patient was recently diagnosed with squamous cell carcinoma of the base of the tongue bilaterally and down extension into the right tonsillar fossa. Malignant neoplasms of trachea bronchus and lung 68%
4336 Newly diagnosed head and neck cancer. The patient was recently diagnosed with squamous cell carcinoma of the base of the tongue bilaterally and down extension into the right tonsillar fossa. Malignant neoplasms of trachea bronchus and lung 68%
803 Fiberoptic bronchoscopy, diagnostic. Hemoptysis and history of lung cancer. Tumor occluding right middle lobe with friability. Malignant neoplasms of trachea bronchus and lung 67%
4798 Fiberoptic bronchoscopy, diagnostic. Hemoptysis and history of lung cancer. Tumor occluding right middle lobe with friability. Malignant neoplasms of trachea bronchus and lung 67%
4915 Left cardiac catheterization with selective right and left coronary angiography. Post infarct angina. Acute myocardial infarction 67%
1107 Left cardiac catheterization with selective right and left coronary angiography. Post infarct angina. Acute myocardial infarction 67%
4939 Fiberoptic bronchoscopy with endobronchial biopsies. A CT scan done of the chest there which demonstrated bilateral hilar adenopathy with extension to the subcarinal space as well as a large 6-cm right hilar mass, consistent with a primary lung carcinoma. Malignant neoplasms of trachea bronchus and lung 67%
1134 Fiberoptic bronchoscopy with endobronchial biopsies. A CT scan done of the chest there which demonstrated bilateral hilar adenopathy with extension to the subcarinal space as well as a large 6-cm right hilar mass, consistent with a primary lung carcinoma. Malignant neoplasms of trachea bronchus and lung 67%
3140 Malignant mass of the left neck, squamous cell carcinoma. Left neck mass biopsy and selective surgical neck dissection, left. Malignant neoplasms of trachea bronchus and lung 66%
524 Malignant mass of the left neck, squamous cell carcinoma. Left neck mass biopsy and selective surgical neck dissection, left. Malignant neoplasms of trachea bronchus and lung 66%
3131 Left neck dissection. Metastatic papillary cancer, left neck. The patient had thyroid cancer, papillary cell type, removed with a total thyroidectomy and then subsequently recurrent disease was removed with a paratracheal dissection. Malignant neoplasms of trachea bronchus and lung 66%
3727 Left neck dissection. Metastatic papillary cancer, left neck. The patient had thyroid cancer, papillary cell type, removed with a total thyroidectomy and then subsequently recurrent disease was removed with a paratracheal dissection. Malignant neoplasms of trachea bronchus and lung 66%
527 Left neck dissection. Metastatic papillary cancer, left neck. The patient had thyroid cancer, papillary cell type, removed with a total thyroidectomy and then subsequently recurrent disease was removed with a paratracheal dissection. Malignant neoplasms of trachea bronchus and lung 66%
3790 Squamous cell carcinoma of the larynx. Total laryngectomy, right level 2, 3, 4 neck dissection, tracheoesophageal puncture, cricopharyngeal myotomy, right thyroid lobectomy. Malignant neoplasms of trachea bronchus and lung 66%
3744 Squamous cell carcinoma of the larynx. Total laryngectomy, right level 2, 3, 4 neck dissection, tracheoesophageal puncture, cricopharyngeal myotomy, right thyroid lobectomy. Malignant neoplasms of trachea bronchus and lung 66%
613 Squamous cell carcinoma of the larynx. Total laryngectomy, right level 2, 3, 4 neck dissection, tracheoesophageal puncture, cricopharyngeal myotomy, right thyroid lobectomy. Malignant neoplasms of trachea bronchus and lung 66%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. All other forms of chronic ischemic heart disease 66%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. All other forms of chronic ischemic heart disease 66%
4730 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. Acute myocardial infarction 66%
1613 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. Acute myocardial infarction 66%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. All other forms of chronic ischemic heart disease 66%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. All other forms of chronic ischemic heart disease 66%
3105 Hospice care for a 55-year-old woman with carcinoma of the cervix metastatic to retroperitoneum and lungs. Malignant neoplasms of trachea bronchus and lung 66%
4936 Bronchoscopy with aspiration and left upper lobectomy. Carcinoma of the left upper lobe. Malignant neoplasms of trachea bronchus and lung 66%
1130 Bronchoscopy with aspiration and left upper lobectomy. Carcinoma of the left upper lobe. Malignant neoplasms of trachea bronchus and lung 66%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. All other forms of chronic ischemic heart disease 66%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. All other forms of chronic ischemic heart disease 66%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. All other forms of chronic ischemic heart disease 65%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. All other forms of chronic ischemic heart disease 65%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Other chronic lower respiratory diseases 65%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Other chronic lower respiratory diseases 65%
66 Moderate to poorly differentiated adenocarcinoma in the right lobe and poorly differentiated tubular adenocarcinoma in the left lobe of prostate. Malignant neoplasms of trachea bronchus and lung 65%
1318 Moderate to poorly differentiated adenocarcinoma in the right lobe and poorly differentiated tubular adenocarcinoma in the left lobe of prostate. Malignant neoplasms of trachea bronchus and lung 65%
2990 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. All other forms of chronic ischemic heart disease 65%
4264 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. All other forms of chronic ischemic heart disease 65%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Alzheimer disease 65%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Alzheimer disease 65%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. All other forms of chronic ischemic heart disease 65%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. All other forms of chronic ischemic heart disease 65%
781 Flexible fiberoptic bronchoscopy with right lower lobe bronchoalveolar lavage and right upper lobe endobronchial biopsy. Severe tracheobronchitis, mild venous engorgement with question varicosities associated pulmonary hypertension, right upper lobe submucosal hemorrhage without frank mass underneath it status post biopsy. Malignant neoplasms of trachea bronchus and lung 65%
4789 Flexible fiberoptic bronchoscopy with right lower lobe bronchoalveolar lavage and right upper lobe endobronchial biopsy. Severe tracheobronchitis, mild venous engorgement with question varicosities associated pulmonary hypertension, right upper lobe submucosal hemorrhage without frank mass underneath it status post biopsy. Malignant neoplasms of trachea bronchus and lung 65%
551 Left metastasectomy of metastatic renal cell carcinoma with additional mediastinal lymph node dissection and additional fiberoptic bronchoscopy. Malignant neoplasms of trachea bronchus and lung 65%
4731 Left metastasectomy of metastatic renal cell carcinoma with additional mediastinal lymph node dissection and additional fiberoptic bronchoscopy. Malignant neoplasms of trachea bronchus and lung 65%
416 Port insertion through the right subclavian vein percutaneously under radiological guidance. Metastatic carcinoma of the bladder and bowel obstruction. Malignant neoplasms of trachea bronchus and lung 65%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. All other forms of chronic ischemic heart disease 64%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. All other forms of chronic ischemic heart disease 64%
4263 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. All other forms of chronic ischemic heart disease 64%
2987 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. All other forms of chronic ischemic heart disease 64%
4359 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. All other forms of chronic ischemic heart disease 64%
3333 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. All other forms of chronic ischemic heart disease 64%
593 Right upper lung lobectomy. Mediastinal lymph node dissection Malignant neoplasms of trachea bronchus and lung 64%
4740 Right upper lung lobectomy. Mediastinal lymph node dissection Malignant neoplasms of trachea bronchus and lung 64%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. All other forms of chronic ischemic heart disease 64%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. All other forms of chronic ischemic heart disease 64%
3138 Right nodular malignant mesothelioma. All other and unspecified malignant neoplasms 64%
546 Right nodular malignant mesothelioma. All other and unspecified malignant neoplasms 64%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. All other forms of chronic ischemic heart disease 64%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. All other forms of chronic ischemic heart disease 64%
4637 Left thoracoscopy and left thoracotomy with declaudication and drainage of lung abscesses, and multiple biopsies of pleura and lung. Malignant neoplasms of trachea bronchus and lung 64%
287 Left thoracoscopy and left thoracotomy with declaudication and drainage of lung abscesses, and multiple biopsies of pleura and lung. Malignant neoplasms of trachea bronchus and lung 64%
3704 Left thoracoscopy and left thoracotomy with declaudication and drainage of lung abscesses, and multiple biopsies of pleura and lung. Malignant neoplasms of trachea bronchus and lung 64%
2980 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. All other forms of chronic ischemic heart disease 64%
4137 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. All other forms of chronic ischemic heart disease 64%
4434 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. All other forms of chronic ischemic heart disease 64%
4806 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. All other forms of chronic ischemic heart disease 64%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. All other forms of chronic ischemic heart disease 64%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. All other forms of chronic ischemic heart disease 64%
2118 MRI T-spine: Metastatic Adenocarcinoma of the T3-T4 vertebrae and invading the spinal canal. Malignant neoplasms of trachea bronchus and lung 64%
2809 MRI T-spine: Metastatic Adenocarcinoma of the T3-T4 vertebrae and invading the spinal canal. Malignant neoplasms of trachea bronchus and lung 64%
1546 MRI T-spine: Metastatic Adenocarcinoma of the T3-T4 vertebrae and invading the spinal canal. Malignant neoplasms of trachea bronchus and lung 64%
4670 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. All other forms of chronic ischemic heart disease 64%
1532 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. All other forms of chronic ischemic heart disease 64%
3947 The patient is a 53-year-old woman with history of hypertension, diabetes, and depression. Serotonin syndrome secondary to high doses of Prozac and atypical chest pain with myocardial infarction ruled out. Acute myocardial infarction 64%
3404 The patient is a 53-year-old woman with history of hypertension, diabetes, and depression. Serotonin syndrome secondary to high doses of Prozac and atypical chest pain with myocardial infarction ruled out. Acute myocardial infarction 64%
1320 Prostate gland showing moderately differentiated infiltrating adenocarcinoma - Excised prostate including capsule, pelvic lymph nodes, seminal vesicles, and small portion of bladder neck. Malignant neoplasms of trachea bronchus and lung 64%
59 Prostate gland showing moderately differentiated infiltrating adenocarcinoma - Excised prostate including capsule, pelvic lymph nodes, seminal vesicles, and small portion of bladder neck. Malignant neoplasms of trachea bronchus and lung 64%
852 Endotracheal intubation. Respiratory failure. The patient is a 52-year-old male with metastatic osteogenic sarcoma. He was admitted two days ago with small bowel obstruction. Malignant neoplasms of trachea bronchus and lung 64%
4812 Endotracheal intubation. Respiratory failure. The patient is a 52-year-old male with metastatic osteogenic sarcoma. He was admitted two days ago with small bowel obstruction. Malignant neoplasms of trachea bronchus and lung 64%
3994 Skin biopsy, scalp mole. Darkened mole status post punch biopsy, scalp lesion. Rule out malignant melanoma with pulmonary metastasis. Malignant neoplasms of trachea bronchus and lung 63%
360 Skin biopsy, scalp mole. Darkened mole status post punch biopsy, scalp lesion. Rule out malignant melanoma with pulmonary metastasis. Malignant neoplasms of trachea bronchus and lung 63%
3269 Pancreatic and left adrenal lesions. The adrenal lesion is a small lesion, appears as if probable benign adenoma, where as the pancreatic lesion is the cystic lesion, and neoplasm could not be excluded. All other and unspecified malignant neoplasms 63%
3789 Pancreatic and left adrenal lesions. The adrenal lesion is a small lesion, appears as if probable benign adenoma, where as the pancreatic lesion is the cystic lesion, and neoplasm could not be excluded. All other and unspecified malignant neoplasms 63%
4294 Pancreatic and left adrenal lesions. The adrenal lesion is a small lesion, appears as if probable benign adenoma, where as the pancreatic lesion is the cystic lesion, and neoplasm could not be excluded. All other and unspecified malignant neoplasms 63%
3714 Nasal endoscopy and partial rhinectomy due to squamous cell carcinoma, left nasal cavity. Malignant neoplasms of trachea bronchus and lung 63%
377 Nasal endoscopy and partial rhinectomy due to squamous cell carcinoma, left nasal cavity. Malignant neoplasms of trachea bronchus and lung 63%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. Atherosclerotic cardiovascular disease so described 63%
3794 The patient with left completion hemithyroidectomy and reimplantation of the left parathyroid and left sternocleidomastoid region in the inferior 1/3rd region. Papillary carcinoma of the follicular variant of the thyroid in the right lobe, status post right hemithyroidectomy. Malignant neoplasms of trachea bronchus and lung 63%
414 The patient with left completion hemithyroidectomy and reimplantation of the left parathyroid and left sternocleidomastoid region in the inferior 1/3rd region. Papillary carcinoma of the follicular variant of the thyroid in the right lobe, status post right hemithyroidectomy. Malignant neoplasms of trachea bronchus and lung 63%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Diabetes mellitus 63%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Diabetes mellitus 63%
4243 A patient with non-Q-wave myocardial infarction. No definite chest pains. The patient is breathing okay. The patient denies orthopnea or PND. Acute myocardial infarction 63%
4714 A patient with non-Q-wave myocardial infarction. No definite chest pains. The patient is breathing okay. The patient denies orthopnea or PND. Acute myocardial infarction 63%
1383 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. Other chronic lower respiratory diseases 63%
3304 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. Other chronic lower respiratory diseases 63%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Atherosclerotic cardiovascular disease so described 63%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Atherosclerotic cardiovascular disease so described 63%
3928 The patient with multiple medical conditions including coronary artery disease, hypothyroidism, and severe peripheral vascular disease status post multiple revascularizations. All other forms of chronic ischemic heart disease 63%
4871 Right hemothorax. Insertion of a #32 French chest tube on the right hemithorax. This is a 54-year-old female with a newly diagnosed carcinoma of the cervix. The patient is to have an Infuse-A-Port insertion. Malignant neoplasms of trachea bronchus and lung 63%
1050 Right hemothorax. Insertion of a #32 French chest tube on the right hemithorax. This is a 54-year-old female with a newly diagnosed carcinoma of the cervix. The patient is to have an Infuse-A-Port insertion. Malignant neoplasms of trachea bronchus and lung 63%
1129 Bronchoscopy with brush biopsies. Persistent pneumonia, right upper lobe of the lung, possible mass. Malignant neoplasms of trachea bronchus and lung 63%
4937 Bronchoscopy with brush biopsies. Persistent pneumonia, right upper lobe of the lung, possible mass. Malignant neoplasms of trachea bronchus and lung 63%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. All other forms of chronic ischemic heart disease 63%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. All other forms of chronic ischemic heart disease 63%
3304 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other forms of chronic ischemic heart disease 63%
1383 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other forms of chronic ischemic heart disease 63%
3015 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Other chronic lower respiratory diseases 63%
3921 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Other chronic lower respiratory diseases 63%
132 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Other chronic lower respiratory diseases 63%
1885 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. Malignant neoplasms of trachea bronchus and lung 62%
3793 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. Malignant neoplasms of trachea bronchus and lung 62%
4100 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. Malignant neoplasms of trachea bronchus and lung 62%
3107 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. Malignant neoplasms of trachea bronchus and lung 62%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. All other forms of chronic ischemic heart disease 62%
2934 Heidenhain variant of Creutzfeldt-Jakob Disease (CJD) Alzheimer disease 62%
4639 Left mesothelioma, focal. Left anterior pleural-based nodule, which was on a thin pleural pedicle with no invasion into the chest wall. Malignant neoplasms of trachea bronchus and lung 62%
285 Left mesothelioma, focal. Left anterior pleural-based nodule, which was on a thin pleural pedicle with no invasion into the chest wall. Malignant neoplasms of trachea bronchus and lung 62%
3409 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Diabetes mellitus 62%
3956 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Diabetes mellitus 62%
590 VATS right middle lobectomy, fiberoptic bronchoscopy, mediastinal lymph node sampling, tube thoracostomy x2, multiple chest wall biopsies and excision of margin on anterior chest wall adjacent to adherent tumor. Malignant neoplasms of trachea bronchus and lung 62%
4741 VATS right middle lobectomy, fiberoptic bronchoscopy, mediastinal lymph node sampling, tube thoracostomy x2, multiple chest wall biopsies and excision of margin on anterior chest wall adjacent to adherent tumor. Malignant neoplasms of trachea bronchus and lung 62%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Other chronic lower respiratory diseases 62%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Other chronic lower respiratory diseases 62%
3487 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. Other chronic lower respiratory diseases 62%
3819 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. Other chronic lower respiratory diseases 62%
3266 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. Other chronic lower respiratory diseases 62%
1350 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. Other chronic lower respiratory diseases 62%
3972 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. All other forms of chronic ischemic heart disease 62%
4846 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. All other forms of chronic ischemic heart disease 62%
528 Nonpalpable neoplasm, right breast. Needle localized wide excision of nonpalpable neoplasm, right breast. Malignant neoplasms of trachea bronchus and lung 62%
2555 Nonpalpable neoplasm, right breast. Needle localized wide excision of nonpalpable neoplasm, right breast. Malignant neoplasms of trachea bronchus and lung 62%
3133 Nonpalpable neoplasm, right breast. Needle localized wide excision of nonpalpable neoplasm, right breast. Malignant neoplasms of trachea bronchus and lung 62%
3747 Fiberoptic nasolaryngoscopy. Dysphagia with no signs of piriform sinus pooling or aspiration. Right parapharyngeal lesion, likely thyroid cartilage, nonhemorrhagic. Malignant neoplasms of trachea bronchus and lung 62%
795 Fiberoptic nasolaryngoscopy. Dysphagia with no signs of piriform sinus pooling or aspiration. Right parapharyngeal lesion, likely thyroid cartilage, nonhemorrhagic. Malignant neoplasms of trachea bronchus and lung 62%
2830 MRI Brain & T-spine - Demyelinating disease. Alzheimer disease 62%
2154 MRI Brain & T-spine - Demyelinating disease. Alzheimer disease 62%
1588 MRI Brain & T-spine - Demyelinating disease. Alzheimer disease 62%
4364 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Other chronic lower respiratory diseases 62%
3329 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Other chronic lower respiratory diseases 62%
4670 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Acute myocardial infarction 62%
1532 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Acute myocardial infarction 62%
1112 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. All other forms of chronic ischemic heart disease 61%
4917 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. All other forms of chronic ischemic heart disease 61%
4430 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Other chronic lower respiratory diseases 61%
3011 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Other chronic lower respiratory diseases 61%
4189 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. Malignant neoplasms of trachea bronchus and lung 61%
4705 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. Malignant neoplasms of trachea bronchus and lung 61%
3046 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. All other forms of chronic ischemic heart disease 61%
4523 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. All other forms of chronic ischemic heart disease 61%
4756 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Acute myocardial infarction 61%
3277 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Acute myocardial infarction 61%
4315 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Acute myocardial infarction 61%
1106 Patient with significant angina with moderate anteroapical ischemia on nuclear perfusion stress imaging only. He has been referred for cardiac catheterization. Acute myocardial infarction 61%
4923 Patient with significant angina with moderate anteroapical ischemia on nuclear perfusion stress imaging only. He has been referred for cardiac catheterization. Acute myocardial infarction 61%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. Acute myocardial infarction 61%
412 Right subclavian Port-a-Cath insertion in a patient with bilateral breast carcinoma. Malignant neoplasms of trachea bronchus and lung 61%
4430 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. All other forms of chronic ischemic heart disease 61%
3011 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. All other forms of chronic ischemic heart disease 61%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. All other forms of chronic ischemic heart disease 61%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. All other forms of chronic ischemic heart disease 61%
808 Excision of right upper eyelid squamous cell carcinoma with frozen section and full-thickness skin grafting from the opposite eyelid. Malignant neoplasms of trachea bronchus and lung 61%
3163 Excision of right upper eyelid squamous cell carcinoma with frozen section and full-thickness skin grafting from the opposite eyelid. Malignant neoplasms of trachea bronchus and lung 61%
2428 Excision of right upper eyelid squamous cell carcinoma with frozen section and full-thickness skin grafting from the opposite eyelid. Malignant neoplasms of trachea bronchus and lung 61%
2994 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. All other forms of chronic ischemic heart disease 61%
4265 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. All other forms of chronic ischemic heart disease 61%
4828 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. All other forms of chronic ischemic heart disease 61%
3934 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. All other forms of chronic ischemic heart disease 61%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. Other chronic lower respiratory diseases 61%
3928 The patient with multiple medical conditions including coronary artery disease, hypothyroidism, and severe peripheral vascular disease status post multiple revascularizations. Atherosclerotic cardiovascular disease so described 61%
3483 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of chronic ischemic heart disease 61%
3900 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of chronic ischemic heart disease 61%
4722 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of chronic ischemic heart disease 61%
3262 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of chronic ischemic heart disease 61%
4307 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. All other forms of chronic ischemic heart disease 61%
3515 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. All other forms of chronic ischemic heart disease 61%
1526 Stress test - Adenosine Myoview. Ischemic cardiomyopathy. Inferoseptal and apical transmural scar. Acute myocardial infarction 61%
4656 Stress test - Adenosine Myoview. Ischemic cardiomyopathy. Inferoseptal and apical transmural scar. Acute myocardial infarction 61%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction All other forms of chronic ischemic heart disease 61%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction All other forms of chronic ischemic heart disease 61%
2994 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Other chronic lower respiratory diseases 61%
4265 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Other chronic lower respiratory diseases 61%
139 Discharge Summary of a patient with hematuria, benign prostatic hyperplasia, complex renal cyst versus renal cell carcinoma, and osteoarthritis. Malignant neoplasms of trachea bronchus and lung 61%
3924 Discharge Summary of a patient with hematuria, benign prostatic hyperplasia, complex renal cyst versus renal cell carcinoma, and osteoarthritis. Malignant neoplasms of trachea bronchus and lung 61%
4888 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. Heart failure 61%
1439 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. Heart failure 61%
2987 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Other chronic lower respiratory diseases 61%
4263 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Other chronic lower respiratory diseases 61%
4724 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. All other forms of chronic ischemic heart disease 61%
4272 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. All other forms of chronic ischemic heart disease 61%
3981 Decreased ability to perform daily living activities secondary to exacerbation of chronic back pain. Other chronic lower respiratory diseases 60%
2301 Decreased ability to perform daily living activities secondary to exacerbation of chronic back pain. Other chronic lower respiratory diseases 60%
4922 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. Acute myocardial infarction 60%
1114 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. Acute myocardial infarction 60%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Atherosclerotic cardiovascular disease so described 60%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Atherosclerotic cardiovascular disease so described 60%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Atherosclerotic cardiovascular disease so described 60%
4011 Excision of left upper cheek skin neoplasm and left lower cheek skin neoplasm with two-layer closure. Shave excision of the right nasal ala skin neoplasm. Malignant neoplasms of trachea bronchus and lung 60%
814 Excision of left upper cheek skin neoplasm and left lower cheek skin neoplasm with two-layer closure. Shave excision of the right nasal ala skin neoplasm. Malignant neoplasms of trachea bronchus and lung 60%
4987 Chronic glossitis, xerostomia, probable environmental inhalant allergies, probable food allergies, and history of asthma. Other chronic lower respiratory diseases 60%
1395 Chronic glossitis, xerostomia, probable environmental inhalant allergies, probable food allergies, and history of asthma. Other chronic lower respiratory diseases 60%
3348 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency All other forms of chronic ischemic heart disease 60%
4382 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency All other forms of chronic ischemic heart disease 60%
4513 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. Malignant neoplasms of trachea bronchus and lung 60%
3653 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. Malignant neoplasms of trachea bronchus and lung 60%
3179 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. Malignant neoplasms of trachea bronchus and lung 60%
3045 Followup on chronic kidney disease. Other chronic lower respiratory diseases 60%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Other chronic lower respiratory diseases 60%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Other chronic lower respiratory diseases 60%
552 Posterior mediastinal mass with possible neural foraminal involvement (benign nerve sheath tumor by frozen section). Left thoracotomy with resection of posterior mediastinal mass. Malignant neoplasms of trachea bronchus and lung 60%
4729 Posterior mediastinal mass with possible neural foraminal involvement (benign nerve sheath tumor by frozen section). Left thoracotomy with resection of posterior mediastinal mass. Malignant neoplasms of trachea bronchus and lung 60%
3961 Upper respiratory illness with apnea, possible pertussis. a one plus-month-old female with respiratory symptoms for approximately a week prior to admission. This involved cough, post-tussive emesis, and questionable fever. Other chronic lower respiratory diseases 60%
3407 Upper respiratory illness with apnea, possible pertussis. a one plus-month-old female with respiratory symptoms for approximately a week prior to admission. This involved cough, post-tussive emesis, and questionable fever. Other chronic lower respiratory diseases 60%
4367 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. Other chronic lower respiratory diseases 60%
3334 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. Other chronic lower respiratory diseases 60%
3931 Patient with left renal cell carcinoma, left renal cyst, had robotic-Assisted laparoscopic left renal cyst decortication and cystoscopy. Malignant neoplasms of trachea bronchus and lung 60%
3012 Patient with left renal cell carcinoma, left renal cyst, had robotic-Assisted laparoscopic left renal cyst decortication and cystoscopy. Malignant neoplasms of trachea bronchus and lung 60%
4888 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. All other forms of chronic ischemic heart disease 60%
1439 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. All other forms of chronic ischemic heart disease 60%
4898 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Acute myocardial infarction 60%
4528 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Acute myocardial infarction 60%
2980 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Other chronic lower respiratory diseases 60%
4137 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Other chronic lower respiratory diseases 60%
4346 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. All other and unspecified malignant neoplasms 60%
3158 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. All other and unspecified malignant neoplasms 60%
815 Re-excision of squamous cell carcinoma site, right hand. Malignant neoplasms of trachea bronchus and lung 60%
3162 Re-excision of squamous cell carcinoma site, right hand. Malignant neoplasms of trachea bronchus and lung 60%
2934 Heidenhain variant of Creutzfeldt-Jakob Disease (CJD) All other forms of heart disease 60%
3792 Return visit to the endocrine clinic for followup management of type 1 diabetes mellitus. Plan today is to make adjustments to her pump based on a total daily dose of 90 units of insulin. Diabetes mellitus 60%
1420 Return visit to the endocrine clinic for followup management of type 1 diabetes mellitus. Plan today is to make adjustments to her pump based on a total daily dose of 90 units of insulin. Diabetes mellitus 60%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Acute myocardial infarction 60%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Acute myocardial infarction 60%
4824 Patient had some cold symptoms, was treated as bronchitis with antibiotics. Other chronic lower respiratory diseases 60%
3967 Patient had some cold symptoms, was treated as bronchitis with antibiotics. Other chronic lower respiratory diseases 60%
4131 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. Other chronic lower respiratory diseases 60%
2984 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. Other chronic lower respiratory diseases 60%
2934 Heidenhain variant of Creutzfeldt-Jakob Disease (CJD) All other forms of chronic ischemic heart disease 59%
4506 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. All other forms of chronic ischemic heart disease 59%
4851 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. All other forms of chronic ischemic heart disease 59%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. Heart failure 59%
4279 Patient with Hypertension, atrial fibrillation, large cardioembolic stroke initially to the right brain requesting medical management All other forms of chronic ischemic heart disease 59%
3270 Patient with Hypertension, atrial fibrillation, large cardioembolic stroke initially to the right brain requesting medical management All other forms of chronic ischemic heart disease 59%
1149 Left excisional breast biopsy due to atypical ductal hyperplasia of left breast. Malignant neoplasms of trachea bronchus and lung 59%
3209 Chronic snoring in children Other chronic lower respiratory diseases 59%
1458 Chronic snoring in children Other chronic lower respiratory diseases 59%
4717 Myocardial perfusion imaging - patient had previous abnormal stress test. Stress test with imaging for further classification of CAD and ischemia. Acute myocardial infarction 59%
1552 Myocardial perfusion imaging - patient had previous abnormal stress test. Stress test with imaging for further classification of CAD and ischemia. Acute myocardial infarction 59%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. All other forms of heart disease 59%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. All other forms of heart disease 59%
2301 Decreased ability to perform daily living activities secondary to exacerbation of chronic back pain. All other forms of chronic ischemic heart disease 59%
3981 Decreased ability to perform daily living activities secondary to exacerbation of chronic back pain. All other forms of chronic ischemic heart disease 59%
4742 Probable right upper lobe lung adenocarcinoma. Specimen is received fresh for frozen section, labeled with the patient's identification and "Right upper lobe lung". Malignant neoplasms of trachea bronchus and lung 59%
3081 Probable right upper lobe lung adenocarcinoma. Specimen is received fresh for frozen section, labeled with the patient's identification and "Right upper lobe lung". Malignant neoplasms of trachea bronchus and lung 59%
4868 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain All other forms of chronic ischemic heart disease 59%
2493 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain All other forms of chronic ischemic heart disease 59%
3221 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. All other forms of chronic ischemic heart disease 59%
1309 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. All other forms of chronic ischemic heart disease 59%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Atherosclerotic cardiovascular disease so described 59%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Atherosclerotic cardiovascular disease so described 59%
4947 Bronchoscopy, right upper lobe biopsies and right upper lobe bronchial washing as well as precarinal transbronchial needle aspiration. Malignant neoplasms of trachea bronchus and lung 59%
1140 Bronchoscopy, right upper lobe biopsies and right upper lobe bronchial washing as well as precarinal transbronchial needle aspiration. Malignant neoplasms of trachea bronchus and lung 59%
3843 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. Malignant neoplasms of trachea bronchus and lung 59%
798 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. Malignant neoplasms of trachea bronchus and lung 59%
4794 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. Malignant neoplasms of trachea bronchus and lung 59%
3403 The patient is a 93-year-old Caucasian female with a past medical history of chronic right hip pain, osteoporosis, hypertension, depression, and chronic atrial fibrillation admitted for evaluation and management of severe nausea and vomiting and urinary tract infection. Other chronic lower respiratory diseases 59%
3950 The patient is a 93-year-old Caucasian female with a past medical history of chronic right hip pain, osteoporosis, hypertension, depression, and chronic atrial fibrillation admitted for evaluation and management of severe nausea and vomiting and urinary tract infection. Other chronic lower respiratory diseases 59%
3326 History and Physical - A history of stage IIIC papillary serous adenocarcinoma of the ovary, presented to the office today left leg pain (left leg DVT). Malignant neoplasms of trachea bronchus and lung 59%
4350 History and Physical - A history of stage IIIC papillary serous adenocarcinoma of the ovary, presented to the office today left leg pain (left leg DVT). Malignant neoplasms of trachea bronchus and lung 59%
354 Selective coronary angiography, coronary angioplasty. Acute non-ST-elevation MI. Acute myocardial infarction 59%
4669 Selective coronary angiography, coronary angioplasty. Acute non-ST-elevation MI. Acute myocardial infarction 59%
4226 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. Other chronic lower respiratory diseases 59%
3241 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. Other chronic lower respiratory diseases 59%
1909 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. Other chronic lower respiratory diseases 59%
2472 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. Other chronic lower respiratory diseases 59%
3918 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. All other forms of chronic ischemic heart disease 59%
3531 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. All other forms of chronic ischemic heart disease 59%
4739 The right upper lobe wedge biopsy shows a poorly differentiated non-small cell carcinoma with a solid growth pattern and without definite glandular differentiation by light microscopy. Malignant neoplasms of trachea bronchus and lung 59%
3083 The right upper lobe wedge biopsy shows a poorly differentiated non-small cell carcinoma with a solid growth pattern and without definite glandular differentiation by light microscopy. Malignant neoplasms of trachea bronchus and lung 59%
4828 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Other chronic lower respiratory diseases 58%
3934 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Other chronic lower respiratory diseases 58%
1446 Stage IIA right breast cancer. The pathology showed an infiltrating ductal carcinoma Nottingham grade II. The tumor was ER positive, PR positive and HER-2/neu negative. Malignant neoplasms of trachea bronchus and lung 58%
3176 Stage IIA right breast cancer. The pathology showed an infiltrating ductal carcinoma Nottingham grade II. The tumor was ER positive, PR positive and HER-2/neu negative. Malignant neoplasms of trachea bronchus and lung 58%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. All other forms of heart disease 58%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. All other forms of heart disease 58%
1277 Congenital chylous ascites and chylothorax and rule out infradiaphragmatic lymphatic leak. Diffuse intestinal and mesenteric lymphangiectasia. Malignant neoplasms of trachea bronchus and lung 58%
3685 Congenital chylous ascites and chylothorax and rule out infradiaphragmatic lymphatic leak. Diffuse intestinal and mesenteric lymphangiectasia. Malignant neoplasms of trachea bronchus and lung 58%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Acute myocardial infarction 58%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Acute myocardial infarction 58%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Acute myocardial infarction 58%
4817 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. All other forms of chronic ischemic heart disease 58%
1656 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. All other forms of chronic ischemic heart disease 58%
1771 Bipolar disorder, apparently stable on medications. Mild organic brain syndrome, presumably secondary to her chronic inhalant, paint, abuse. Other chronic lower respiratory diseases 58%
4153 Bipolar disorder, apparently stable on medications. Mild organic brain syndrome, presumably secondary to her chronic inhalant, paint, abuse. Other chronic lower respiratory diseases 58%
359 Removal of infected sebaceous cyst, right neck. Malignant neoplasms of trachea bronchus and lung 58%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. All other forms of heart disease 58%
3778 Adenotonsillectomy. Recurrent tonsillitis. The adenoid bed was examined and was moderately hypertrophied. Adenoid curettes were used to remove this tissue and packs placed. Malignant neoplasms of trachea bronchus and lung 58%
1271 Adenotonsillectomy. Recurrent tonsillitis. The adenoid bed was examined and was moderately hypertrophied. Adenoid curettes were used to remove this tissue and packs placed. Malignant neoplasms of trachea bronchus and lung 58%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. All other forms of chronic ischemic heart disease 58%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. All other forms of chronic ischemic heart disease 58%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Other chronic lower respiratory diseases 58%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Other chronic lower respiratory diseases 58%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Other chronic lower respiratory diseases 58%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Other chronic lower respiratory diseases 58%
3528 Gastroscopy. A short-segment Barrett esophagus, hiatal hernia, and incidental fundic gland polyps in the gastric body; otherwise, normal upper endoscopy to the transverse duodenum. Malignant neoplasms of trachea bronchus and lung 58%
766 Gastroscopy. A short-segment Barrett esophagus, hiatal hernia, and incidental fundic gland polyps in the gastric body; otherwise, normal upper endoscopy to the transverse duodenum. Malignant neoplasms of trachea bronchus and lung 58%
4728 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. All other forms of chronic ischemic heart disease 58%
4273 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. All other forms of chronic ischemic heart disease 58%
3273 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. All other forms of chronic ischemic heart disease 58%
3916 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. All other forms of chronic ischemic heart disease 58%
1901 A 23-month-old girl has a history of reactive airway disease, is being treated on an outpatient basis for pneumonia, presents with cough and fever. Other chronic lower respiratory diseases 58%
4671 A 23-month-old girl has a history of reactive airway disease, is being treated on an outpatient basis for pneumonia, presents with cough and fever. Other chronic lower respiratory diseases 58%
3824 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. Malignant neoplasms of trachea bronchus and lung 58%
3009 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. Malignant neoplasms of trachea bronchus and lung 58%
4296 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. Malignant neoplasms of trachea bronchus and lung 58%
1348 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. Other chronic lower respiratory diseases 58%
1464 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. Other chronic lower respiratory diseases 58%
3227 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. Other chronic lower respiratory diseases 58%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other forms of chronic ischemic heart disease 58%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other forms of chronic ischemic heart disease 58%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other forms of chronic ischemic heart disease 58%
1044 Resection of left chest wall tumor, partial resection of left diaphragm, left lower lobe lung wedge resection, left chest wall reconstruction with Gore-Tex mesh. Malignant neoplasms of trachea bronchus and lung 58%
4862 Resection of left chest wall tumor, partial resection of left diaphragm, left lower lobe lung wedge resection, left chest wall reconstruction with Gore-Tex mesh. Malignant neoplasms of trachea bronchus and lung 58%
1141 Rigid bronchoscopy, removal of foreign body, excision of granulation tissue tumor, bronchial dilation , Argon plasma coagulation, placement of a tracheal and bilateral bronchial stents. Malignant neoplasms of trachea bronchus and lung 58%
4935 Rigid bronchoscopy, removal of foreign body, excision of granulation tissue tumor, bronchial dilation , Argon plasma coagulation, placement of a tracheal and bilateral bronchial stents. Malignant neoplasms of trachea bronchus and lung 58%
1693 A 68-year-old white male with recently diagnosed adenocarcinoma by sputum cytology. An abnormal chest radiograph shows right middle lobe infiltrate and collapse. Patient needs staging CT of chest with contrast. Malignant neoplasms of trachea bronchus and lung 57%
4838 A 68-year-old white male with recently diagnosed adenocarcinoma by sputum cytology. An abnormal chest radiograph shows right middle lobe infiltrate and collapse. Patient needs staging CT of chest with contrast. Malignant neoplasms of trachea bronchus and lung 57%
3316 Weakness, malaise dyspnea on exertion, 15-pound weight loss - Bilateral pneumonia, hepatitis, renal insufficiency, Other chronic lower respiratory diseases 57%
4348 Weakness, malaise dyspnea on exertion, 15-pound weight loss - Bilateral pneumonia, hepatitis, renal insufficiency, Other chronic lower respiratory diseases 57%
3795 Central neck reoperation with removal of residual metastatic lymphadenopathy and thyroid tissue in the central neck. Left reoperative neck dissection levels 1 and the infraclavicular fossa on the left side. Right levels 2 through 5 neck dissection and superior mediastinal dissection of lymph nodes and pretracheal dissection of lymph nodes in a previously operative field. Malignant neoplasms of trachea bronchus and lung 57%
548 Central neck reoperation with removal of residual metastatic lymphadenopathy and thyroid tissue in the central neck. Left reoperative neck dissection levels 1 and the infraclavicular fossa on the left side. Right levels 2 through 5 neck dissection and superior mediastinal dissection of lymph nodes and pretracheal dissection of lymph nodes in a previously operative field. Malignant neoplasms of trachea bronchus and lung 57%
2490 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. All other forms of chronic ischemic heart disease 57%
3311 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. All other forms of chronic ischemic heart disease 57%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. All other forms of heart disease 57%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. All other forms of heart disease 57%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. All other forms of heart disease 57%
4605 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias All other forms of chronic ischemic heart disease 57%
191 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias All other forms of chronic ischemic heart disease 57%
4644 Thoracentesis, left. Malignant pleural effusion, left, with dyspnea. Malignant neoplasms of trachea bronchus and lung 57%
290 Thoracentesis, left. Malignant pleural effusion, left, with dyspnea. Malignant neoplasms of trachea bronchus and lung 57%
4457 Dietary consultation for diabetes during pregnancy. Diabetes mellitus 57%
1410 Dietary consultation for diabetes during pregnancy. Diabetes mellitus 57%
3986 Dietary consultation for diabetes during pregnancy. Diabetes mellitus 57%
3184 Excision of nasal tip basal carcinoma, previous positive biopsy. Malignant neoplasms of trachea bronchus and lung 57%
1186 Excision of nasal tip basal carcinoma, previous positive biopsy. Malignant neoplasms of trachea bronchus and lung 57%
1440 Dietary consultation for carbohydrate counting for type I diabetes. Diabetes mellitus 57%
4538 Dietary consultation for carbohydrate counting for type I diabetes. Diabetes mellitus 57%
3996 Dietary consultation for carbohydrate counting for type I diabetes. Diabetes mellitus 57%
4382 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Other chronic lower respiratory diseases 57%
3348 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Other chronic lower respiratory diseases 57%
3802 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. Other chronic lower respiratory diseases 57%
4018 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. Other chronic lower respiratory diseases 57%
4105 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. Other chronic lower respiratory diseases 57%
3203 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. Other chronic lower respiratory diseases 57%
4808 Exercise myocardial perfusion study. The exercise myocardial perfusion study shows possibility of mild ischemia in the inferolateral wall and normal LV systolic function with LV ejection fraction of 59% Acute myocardial infarction 57%
1633 Exercise myocardial perfusion study. The exercise myocardial perfusion study shows possibility of mild ischemia in the inferolateral wall and normal LV systolic function with LV ejection fraction of 59% Acute myocardial infarction 57%
170 Recurrent bladder tumor. The patient on recent followup cystoscopy for transitional cell carcinomas of the bladder neck was found to have a 5-cm area of papillomatosis just above the left ureteric orifice. Malignant neoplasms of trachea bronchus and lung 57%
4548 Recurrent bladder tumor. The patient on recent followup cystoscopy for transitional cell carcinomas of the bladder neck was found to have a 5-cm area of papillomatosis just above the left ureteric orifice. Malignant neoplasms of trachea bronchus and lung 57%
3978 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of chronic ischemic heart disease 57%
3442 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of chronic ischemic heart disease 57%
1432 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of chronic ischemic heart disease 57%
4865 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of chronic ischemic heart disease 57%
3323 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. Other chronic lower respiratory diseases 57%
4354 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. Other chronic lower respiratory diseases 57%
4187 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. All other forms of chronic ischemic heart disease 57%
67 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. All other forms of chronic ischemic heart disease 57%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Other chronic lower respiratory diseases 57%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Other chronic lower respiratory diseases 57%
3350 Patient with hypertension, dementia, and depression. Alzheimer disease 57%
4375 Patient with hypertension, dementia, and depression. Alzheimer disease 57%
4401 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Other chronic lower respiratory diseases 57%
3378 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Other chronic lower respiratory diseases 57%
1396 Fifth disease with sinusitis Other chronic lower respiratory diseases 57%
3383 Fifth disease with sinusitis Other chronic lower respiratory diseases 57%
787 Flexible fiberoptic bronchoscopy diagnostic with right middle and upper lobe lavage and lower lobe transbronchial biopsies. Mild tracheobronchitis with history of granulomatous disease and TB, rule out active TB/miliary TB. Malignant neoplasms of trachea bronchus and lung 57%
4792 Flexible fiberoptic bronchoscopy diagnostic with right middle and upper lobe lavage and lower lobe transbronchial biopsies. Mild tracheobronchitis with history of granulomatous disease and TB, rule out active TB/miliary TB. Malignant neoplasms of trachea bronchus and lung 57%
3697 Tonsillectomy and adenoidectomy and Left superficial nasal cauterization. Recurrent tonsillitis. Deeply cryptic hypertrophic tonsils with numerous tonsillolith. Residual adenoid hypertrophy and recurrent epistaxis. Malignant neoplasms of trachea bronchus and lung 57%
266 Tonsillectomy and adenoidectomy and Left superficial nasal cauterization. Recurrent tonsillitis. Deeply cryptic hypertrophic tonsils with numerous tonsillolith. Residual adenoid hypertrophy and recurrent epistaxis. Malignant neoplasms of trachea bronchus and lung 57%
4449 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. Other chronic lower respiratory diseases 57%
3166 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. Other chronic lower respiratory diseases 57%
3396 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. Other chronic lower respiratory diseases 57%
4767 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. All other forms of chronic ischemic heart disease 57%
742 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. All other forms of chronic ischemic heart disease 57%
3015 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. All other forms of chronic ischemic heart disease 57%
3921 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. All other forms of chronic ischemic heart disease 57%
132 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. All other forms of chronic ischemic heart disease 57%
632 Chronic cholecystitis, cholelithiasis, and liver cyst. Laparoscopic cholecystectomy and excision of liver cyst. Exploration of the abdomen revealed multiple adhesions of omentum overlying the posterior aspect of the gallbladder. Malignant neoplasms of trachea bronchus and lung 57%
3496 Chronic cholecystitis, cholelithiasis, and liver cyst. Laparoscopic cholecystectomy and excision of liver cyst. Exploration of the abdomen revealed multiple adhesions of omentum overlying the posterior aspect of the gallbladder. Malignant neoplasms of trachea bronchus and lung 57%
4654 Chest pain, hypertension. Stress test negative for dobutamine-induced myocardial ischemia. Normal left ventricular size, regional wall motion, and ejection fraction. Acute myocardial infarction 57%
1522 Chest pain, hypertension. Stress test negative for dobutamine-induced myocardial ischemia. Normal left ventricular size, regional wall motion, and ejection fraction. Acute myocardial infarction 57%
3273 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. Other chronic lower respiratory diseases 57%
3916 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. Other chronic lower respiratory diseases 57%
763 Chest pain and non-Q-wave MI with elevation of troponin I only. Left heart catheterization, left ventriculography, and left and right coronary arteriography. Acute myocardial infarction 57%
4787 Chest pain and non-Q-wave MI with elevation of troponin I only. Left heart catheterization, left ventriculography, and left and right coronary arteriography. Acute myocardial infarction 57%
4737 Lung, wedge biopsy right lower lobe and resection right upper lobe. Lymph node, biopsy level 2 and 4 and biopsy level 7 subcarinal. PET scan demonstrated a mass in the right upper lobe and also a mass in the right lower lobe, which were also identified by CT scan. Malignant neoplasms of trachea bronchus and lung 57%
3086 Lung, wedge biopsy right lower lobe and resection right upper lobe. Lymph node, biopsy level 2 and 4 and biopsy level 7 subcarinal. PET scan demonstrated a mass in the right upper lobe and also a mass in the right lower lobe, which were also identified by CT scan. Malignant neoplasms of trachea bronchus and lung 57%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. All other forms of chronic ischemic heart disease 57%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. All other forms of chronic ischemic heart disease 57%
4087 Well child - Left lacrimal duct stenosis Malignant neoplasms of trachea bronchus and lung 57%
1887 Well child - Left lacrimal duct stenosis Malignant neoplasms of trachea bronchus and lung 57%
3786 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Other chronic lower respiratory diseases 57%
4090 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Other chronic lower respiratory diseases 57%
4735 Lexiscan myoview stress study. Chest discomfort. Normal stress/rest cardiac perfusion with no indication of ischemia. Normal LV function and low likelihood of significant epicardial coronary narrowing. Acute myocardial infarction 56%
1610 Lexiscan myoview stress study. Chest discomfort. Normal stress/rest cardiac perfusion with no indication of ischemia. Normal LV function and low likelihood of significant epicardial coronary narrowing. Acute myocardial infarction 56%
4586 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. All other forms of chronic ischemic heart disease 56%
4970 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. All other forms of chronic ischemic heart disease 56%
1592 MRI brain & Cerebral Angiogram: CNS Vasculitis with evidence of ischemic infarction in the right and left frontal lobes. Acute myocardial infarction 56%
2831 MRI brain & Cerebral Angiogram: CNS Vasculitis with evidence of ischemic infarction in the right and left frontal lobes. Acute myocardial infarction 56%
2990 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. All other forms of heart disease 56%
4264 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. All other forms of heart disease 56%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. All other forms of heart disease 56%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. All other forms of heart disease 56%
3323 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. All other forms of chronic ischemic heart disease 56%
4354 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. All other forms of chronic ischemic heart disease 56%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Acute myocardial infarction 56%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Acute myocardial infarction 56%
2987 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Acute myocardial infarction 56%
4263 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Acute myocardial infarction 56%
4333 Patient with right-sided arm weakness with speech difficulties, urinary tract infection, dehydration, and diabetes mellitus type 2 Other chronic lower respiratory diseases 56%
3288 Patient with right-sided arm weakness with speech difficulties, urinary tract infection, dehydration, and diabetes mellitus type 2 Other chronic lower respiratory diseases 56%
3515 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. Acute myocardial infarction 56%
4307 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. Acute myocardial infarction 56%
3777 Adenoidectomy. Adenoid hypertrophy. The McIvor mouth gag was placed in the oral cavity and the tongue depressor applied. Malignant neoplasms of trachea bronchus and lung 56%
1263 Adenoidectomy. Adenoid hypertrophy. The McIvor mouth gag was placed in the oral cavity and the tongue depressor applied. Malignant neoplasms of trachea bronchus and lung 56%
3198 Sore throat - Upper respiratory infection. Other chronic lower respiratory diseases 56%
1293 Sore throat - Upper respiratory infection. Other chronic lower respiratory diseases 56%
1146 Bronchoscopy. Atelectasis and mucous plugging. Malignant neoplasms of trachea bronchus and lung 56%
4941 Bronchoscopy. Atelectasis and mucous plugging. Malignant neoplasms of trachea bronchus and lung 56%
3323 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. Acute myocardial infarction 56%
4354 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. Acute myocardial infarction 56%
4352 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. Other chronic lower respiratory diseases 56%
3320 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. Other chronic lower respiratory diseases 56%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Acute myocardial infarction 56%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Acute myocardial infarction 56%
241 Tracheotomy for patient with respiratory failure. Other chronic lower respiratory diseases 56%
4626 Tracheotomy for patient with respiratory failure. Other chronic lower respiratory diseases 56%
1350 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of chronic ischemic heart disease 56%
3266 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of chronic ischemic heart disease 56%
3487 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of chronic ischemic heart disease 56%
3819 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of chronic ischemic heart disease 56%
4595 Evaluation for chronic pain program Other chronic lower respiratory diseases 56%
2193 Evaluation for chronic pain program Other chronic lower respiratory diseases 56%
3979 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. Other chronic lower respiratory diseases 56%
4943 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. Other chronic lower respiratory diseases 56%
1646 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. Acute myocardial infarction 56%
4814 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. Acute myocardial infarction 56%
1345 A woman with end-stage peritoneal mesothelioma with multiple bowel perforations. Malignant neoplasms of trachea bronchus and lung 56%
4503 The patient is a 57-year-old female with invasive ductal carcinoma of the left breast, T1c, Nx, M0 left breast carcinoma. Malignant neoplasms of trachea bronchus and lung 56%
3171 The patient is a 57-year-old female with invasive ductal carcinoma of the left breast, T1c, Nx, M0 left breast carcinoma. Malignant neoplasms of trachea bronchus and lung 56%
4359 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. Diabetes mellitus 56%
3333 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. Diabetes mellitus 56%
4330 Leukocytosis, acute deep venous thrombosis, right lower extremity with bilateral pulmonary embolism, on intravenous heparin complicated with acute renal failure for evaluation. Acute myocardial infarction 56%
3156 Leukocytosis, acute deep venous thrombosis, right lower extremity with bilateral pulmonary embolism, on intravenous heparin complicated with acute renal failure for evaluation. Acute myocardial infarction 56%
1744 MRI brain & PET scan - Dementia of Alzheimer type with primary parietooccipital involvement. Alzheimer disease 56%
2977 MRI brain & PET scan - Dementia of Alzheimer type with primary parietooccipital involvement. Alzheimer disease 56%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Acute myocardial infarction 56%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Acute myocardial infarction 56%
3731 Nasal septal reconstruction, bilateral submucous resection of the inferior turbinates, and bilateral outfracture of the inferior turbinates. Chronic nasal obstruction secondary to deviated nasal septum and inferior turbinate hypertrophy. Malignant neoplasms of trachea bronchus and lung 56%
529 Nasal septal reconstruction, bilateral submucous resection of the inferior turbinates, and bilateral outfracture of the inferior turbinates. Chronic nasal obstruction secondary to deviated nasal septum and inferior turbinate hypertrophy. Malignant neoplasms of trachea bronchus and lung 56%
4528 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. All other forms of heart disease 56%
4898 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. All other forms of heart disease 56%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. Heart failure 56%
4722 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Other chronic lower respiratory diseases 56%
3900 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Other chronic lower respiratory diseases 56%
3483 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Other chronic lower respiratory diseases 56%
3262 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Other chronic lower respiratory diseases 56%
4188 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. Malignant neoplasms of trachea bronchus and lung 56%
1902 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. Malignant neoplasms of trachea bronchus and lung 56%
3719 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. Malignant neoplasms of trachea bronchus and lung 56%
3762 Chronic headaches and pulsatile tinnitus. Other chronic lower respiratory diseases 56%
4480 Chronic headaches and pulsatile tinnitus. Other chronic lower respiratory diseases 56%
496 Bilateral orchiopexy. This 8-year-old boy has been found to have a left inguinally situated undescended testes. Ultrasound showed metastasis to be high in the left inguinal canal. The right testis is located in the right inguinal canal on ultrasound and apparently ultrasound could not be displaced into the right hemiscrotum. Malignant neoplasms of trachea bronchus and lung 56%
77 Bilateral orchiopexy. This 8-year-old boy has been found to have a left inguinally situated undescended testes. Ultrasound showed metastasis to be high in the left inguinal canal. The right testis is located in the right inguinal canal on ultrasound and apparently ultrasound could not be displaced into the right hemiscrotum. Malignant neoplasms of trachea bronchus and lung 56%
4439 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. All other forms of chronic ischemic heart disease 56%
3387 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. All other forms of chronic ischemic heart disease 56%
2980 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Acute myocardial infarction 56%
4137 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Acute myocardial infarction 56%
4693 Atypical pneumonia, hypoxia, rheumatoid arthritis, and suspected mild stress-induced adrenal insufficiency. This very independent 79-year old had struggled with cough, fevers, weakness, and chills for the week prior to admission. Other chronic lower respiratory diseases 56%
3224 Atypical pneumonia, hypoxia, rheumatoid arthritis, and suspected mild stress-induced adrenal insufficiency. This very independent 79-year old had struggled with cough, fevers, weakness, and chills for the week prior to admission. Other chronic lower respiratory diseases 56%
3894 Atypical pneumonia, hypoxia, rheumatoid arthritis, and suspected mild stress-induced adrenal insufficiency. This very independent 79-year old had struggled with cough, fevers, weakness, and chills for the week prior to admission. Other chronic lower respiratory diseases 56%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. Acute myocardial infarction 56%
3270 Patient with Hypertension, atrial fibrillation, large cardioembolic stroke initially to the right brain requesting medical management Acute myocardial infarction 56%
4279 Patient with Hypertension, atrial fibrillation, large cardioembolic stroke initially to the right brain requesting medical management Acute myocardial infarction 56%
4781 Right heart catheterization. Refractory CHF to maximum medical therapy. All other forms of chronic ischemic heart disease 55%
756 Right heart catheterization. Refractory CHF to maximum medical therapy. All other forms of chronic ischemic heart disease 55%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. All other forms of heart disease 55%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. All other forms of heart disease 55%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Heart failure 55%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Heart failure 55%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Heart failure 55%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Other chronic lower respiratory diseases 55%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Other chronic lower respiratory diseases 55%
3840 Patient in ER with upper respiratory infection Other chronic lower respiratory diseases 55%
3390 Patient in ER with upper respiratory infection Other chronic lower respiratory diseases 55%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. All other forms of chronic ischemic heart disease 55%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. All other forms of chronic ischemic heart disease 55%
4817 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Acute myocardial infarction 55%
1656 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Acute myocardial infarction 55%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. Other chronic lower respiratory diseases 55%
3189 Excision of large basal cell carcinoma, right lower lid, and repaired with used dorsal conjunctival flap in the upper lid and a large preauricular skin graft. Malignant neoplasms of trachea bronchus and lung 55%
1185 Excision of large basal cell carcinoma, right lower lid, and repaired with used dorsal conjunctival flap in the upper lid and a large preauricular skin graft. Malignant neoplasms of trachea bronchus and lung 55%
2443 Excision of large basal cell carcinoma, right lower lid, and repaired with used dorsal conjunctival flap in the upper lid and a large preauricular skin graft. Malignant neoplasms of trachea bronchus and lung 55%
3366 1-year-old male who comes in with a cough and congestion. Clinical sinusitis and secondary cough. Other chronic lower respiratory diseases 55%
4396 1-year-old male who comes in with a cough and congestion. Clinical sinusitis and secondary cough. Other chronic lower respiratory diseases 55%
2071 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. All other forms of chronic ischemic heart disease 55%
1862 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. All other forms of chronic ischemic heart disease 55%
3045 Followup on chronic kidney disease. All other forms of heart disease 55%
4843 Acute on chronic COPD exacerbation and community acquired pneumonia both resolving. However, she may need home O2 for a short period of time. Other chronic lower respiratory diseases 55%
3424 Acute on chronic COPD exacerbation and community acquired pneumonia both resolving. However, she may need home O2 for a short period of time. Other chronic lower respiratory diseases 55%
1421 Acute on chronic COPD exacerbation and community acquired pneumonia both resolving. However, she may need home O2 for a short period of time. Other chronic lower respiratory diseases 55%
360 Skin biopsy, scalp mole. Darkened mole status post punch biopsy, scalp lesion. Rule out malignant melanoma with pulmonary metastasis. All other and unspecified malignant neoplasms 55%
3994 Skin biopsy, scalp mole. Darkened mole status post punch biopsy, scalp lesion. Rule out malignant melanoma with pulmonary metastasis. All other and unspecified malignant neoplasms 55%
4603 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. Acute myocardial infarction 55%
4092 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. Acute myocardial infarction 55%
1547 Myocardial perfusion imaging - patient with history of MI, stents placement, and chest pain. Acute myocardial infarction 55%
4716 Myocardial perfusion imaging - patient with history of MI, stents placement, and chest pain. Acute myocardial infarction 55%
380 Cadaveric renal transplant to right pelvis - endstage renal disease. All other forms of chronic ischemic heart disease 55%
2981 Cadaveric renal transplant to right pelvis - endstage renal disease. All other forms of chronic ischemic heart disease 55%
3786 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Alzheimer disease 55%
4090 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Alzheimer disease 55%
4603 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. All other forms of chronic ischemic heart disease 55%
4092 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. All other forms of chronic ischemic heart disease 55%
3764 Cauterization of epistaxis, left nasal septum. Fiberoptic nasal laryngoscopy. Atrophic dry nasal mucosa. Epistaxis. Atrophic laryngeal changes secondary to inhaled steroid use. Malignant neoplasms of trachea bronchus and lung 55%
1060 Cauterization of epistaxis, left nasal septum. Fiberoptic nasal laryngoscopy. Atrophic dry nasal mucosa. Epistaxis. Atrophic laryngeal changes secondary to inhaled steroid use. Malignant neoplasms of trachea bronchus and lung 55%
1716 A 62-year-old male with a history of ischemic cardiomyopathy and implanted defibrillator. All other forms of chronic ischemic heart disease 55%
4845 A 62-year-old male with a history of ischemic cardiomyopathy and implanted defibrillator. All other forms of chronic ischemic heart disease 55%
1437 Problem of essential hypertension. Symptoms that suggested intracranial pathology. All other forms of chronic ischemic heart disease 55%
4884 Problem of essential hypertension. Symptoms that suggested intracranial pathology. All other forms of chronic ischemic heart disease 55%
4756 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Heart failure 55%
4315 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Heart failure 55%
3277 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Heart failure 55%
4834 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. All other forms of chronic ischemic heart disease 55%
3963 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. All other forms of chronic ischemic heart disease 55%
2907 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. All other forms of chronic ischemic heart disease 55%
3750 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. Malignant neoplasms of trachea bronchus and lung 55%
4433 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. Malignant neoplasms of trachea bronchus and lung 55%
4272 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Other chronic lower respiratory diseases 55%
4724 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Other chronic lower respiratory diseases 55%
1613 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. All other forms of chronic ischemic heart disease 55%
4730 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. All other forms of chronic ischemic heart disease 55%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. All other forms of heart disease 55%
3333 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. Other chronic lower respiratory diseases 55%
4359 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. Other chronic lower respiratory diseases 55%
3674 Acute appendicitis, gangrenous. Appendectomy. Acute myocardial infarction 55%
1223 Acute appendicitis, gangrenous. Appendectomy. Acute myocardial infarction 55%
4434 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. All other forms of heart disease 55%
4806 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. All other forms of heart disease 55%
3939 A patient with preoperative diagnosis of right pleural mass and postoperative diagnosis of mesothelioma. Malignant neoplasms of trachea bronchus and lung 54%
3165 A patient with preoperative diagnosis of right pleural mass and postoperative diagnosis of mesothelioma. Malignant neoplasms of trachea bronchus and lung 54%
4575 Acute allergic reaction, etiology uncertain, however, suspicious for Keflex. Other chronic lower respiratory diseases 54%
4992 Acute allergic reaction, etiology uncertain, however, suspicious for Keflex. Other chronic lower respiratory diseases 54%
134 Cystoscopy, TUR, and electrofulguration of recurrent bladder tumors. Malignant neoplasms of trachea bronchus and lung 54%
862 Cystoscopy, TUR, and electrofulguration of recurrent bladder tumors. Malignant neoplasms of trachea bronchus and lung 54%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Other chronic lower respiratory diseases 54%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Other chronic lower respiratory diseases 54%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Other chronic lower respiratory diseases 54%
3017 Cystourethroscopy, bilateral retrograde pyelogram, and transurethral resection of bladder tumor of 1.5 cm in size. Recurrent bladder tumor and history of bladder carcinoma. Malignant neoplasms of trachea bronchus and lung 54%
939 Cystourethroscopy, bilateral retrograde pyelogram, and transurethral resection of bladder tumor of 1.5 cm in size. Recurrent bladder tumor and history of bladder carcinoma. Malignant neoplasms of trachea bronchus and lung 54%
142 Cystourethroscopy, bilateral retrograde pyelogram, and transurethral resection of bladder tumor of 1.5 cm in size. Recurrent bladder tumor and history of bladder carcinoma. Malignant neoplasms of trachea bronchus and lung 54%
3647 History of polyps. Total colonoscopy and photography. Normal colonoscopy, left colonic diverticular disease. 3+ benign prostatic hypertrophy. Malignant neoplasms of trachea bronchus and lung 54%
1002 History of polyps. Total colonoscopy and photography. Normal colonoscopy, left colonic diverticular disease. 3+ benign prostatic hypertrophy. Malignant neoplasms of trachea bronchus and lung 54%
4786 H&P for a female with Angina pectoris. Acute myocardial infarction 54%
4341 H&P for a female with Angina pectoris. Acute myocardial infarction 54%
3924 Discharge Summary of a patient with hematuria, benign prostatic hyperplasia, complex renal cyst versus renal cell carcinoma, and osteoarthritis. All other and unspecified malignant neoplasms 54%
139 Discharge Summary of a patient with hematuria, benign prostatic hyperplasia, complex renal cyst versus renal cell carcinoma, and osteoarthritis. All other and unspecified malignant neoplasms 54%
4888 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. Acute myocardial infarction 54%
1439 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. Acute myocardial infarction 54%
3832 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. All other forms of chronic ischemic heart disease 54%
4766 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. All other forms of chronic ischemic heart disease 54%
1940 A 14-month-old with history of chronic recurrent episodes of otitis media, totalling 6 bouts, requiring antibiotics since birth. Other chronic lower respiratory diseases 54%
4518 A 14-month-old with history of chronic recurrent episodes of otitis media, totalling 6 bouts, requiring antibiotics since birth. Other chronic lower respiratory diseases 54%
3763 A 14-month-old with history of chronic recurrent episodes of otitis media, totalling 6 bouts, requiring antibiotics since birth. Other chronic lower respiratory diseases 54%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Other chronic lower respiratory diseases 54%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Other chronic lower respiratory diseases 54%
3140 Malignant mass of the left neck, squamous cell carcinoma. Left neck mass biopsy and selective surgical neck dissection, left. All other and unspecified malignant neoplasms 54%
524 Malignant mass of the left neck, squamous cell carcinoma. Left neck mass biopsy and selective surgical neck dissection, left. All other and unspecified malignant neoplasms 54%
4307 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. Other chronic lower respiratory diseases 54%
3515 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. Other chronic lower respiratory diseases 54%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. Heart failure 54%
1862 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. Other chronic lower respiratory diseases 54%
2071 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. Other chronic lower respiratory diseases 54%
4315 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. All other forms of heart disease 54%
4756 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. All other forms of heart disease 54%
3277 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. All other forms of heart disease 54%
4291 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. All other forms of chronic ischemic heart disease 54%
2167 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. All other forms of chronic ischemic heart disease 54%
1438 He is a 67-year-old man who suffers from chronic anxiety and coronary artery disease and DJD. He has been having some chest pains, but overall he does not sound too concerning. He does note some more shortness of breath than usual. He has had no palpitations or lightheadedness. No problems with edema. Other chronic lower respiratory diseases 54%
4921 He is a 67-year-old man who suffers from chronic anxiety and coronary artery disease and DJD. He has been having some chest pains, but overall he does not sound too concerning. He does note some more shortness of breath than usual. He has had no palpitations or lightheadedness. No problems with edema. Other chronic lower respiratory diseases 54%
527 Left neck dissection. Metastatic papillary cancer, left neck. The patient had thyroid cancer, papillary cell type, removed with a total thyroidectomy and then subsequently recurrent disease was removed with a paratracheal dissection. All other and unspecified malignant neoplasms 54%
3131 Left neck dissection. Metastatic papillary cancer, left neck. The patient had thyroid cancer, papillary cell type, removed with a total thyroidectomy and then subsequently recurrent disease was removed with a paratracheal dissection. All other and unspecified malignant neoplasms 54%
3727 Left neck dissection. Metastatic papillary cancer, left neck. The patient had thyroid cancer, papillary cell type, removed with a total thyroidectomy and then subsequently recurrent disease was removed with a paratracheal dissection. All other and unspecified malignant neoplasms 54%
4929 Bronchoscopy brushings, washings and biopsies. Patient with a bilateral infiltrates, immunocompromised host, and pneumonia. Malignant neoplasms of trachea bronchus and lung 54%
1133 Bronchoscopy brushings, washings and biopsies. Patient with a bilateral infiltrates, immunocompromised host, and pneumonia. Malignant neoplasms of trachea bronchus and lung 54%
3061 The patient is being referred for evaluation of diabetic retinopathy. Diabetes mellitus 54%
2416 The patient is being referred for evaluation of diabetic retinopathy. Diabetes mellitus 54%
4750 Direct laryngoscopy, rigid bronchoscopy and dilation of subglottic upper tracheal stenosis. Malignant neoplasms of trachea bronchus and lung 54%
3740 Direct laryngoscopy, rigid bronchoscopy and dilation of subglottic upper tracheal stenosis. Malignant neoplasms of trachea bronchus and lung 54%
609 Direct laryngoscopy, rigid bronchoscopy and dilation of subglottic upper tracheal stenosis. Malignant neoplasms of trachea bronchus and lung 54%
173 Cystoscopy, bladder biopsies, and fulguration. Bladder lesions with history of previous transitional cell bladder carcinoma, pathology pending. Malignant neoplasms of trachea bronchus and lung 54%
1165 Cystoscopy, bladder biopsies, and fulguration. Bladder lesions with history of previous transitional cell bladder carcinoma, pathology pending. Malignant neoplasms of trachea bronchus and lung 54%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Atherosclerotic cardiovascular disease so described 54%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Atherosclerotic cardiovascular disease so described 54%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. All other forms of heart disease 54%
3988 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Diabetes mellitus 54%
1406 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Diabetes mellitus 54%
4453 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Diabetes mellitus 54%
4502 Patient with a history of right upper pons and right cerebral peduncle infarction. Acute myocardial infarction 54%
2948 Patient with a history of right upper pons and right cerebral peduncle infarction. Acute myocardial infarction 54%
3620 Colonoscopy with multiple biopsies, including terminal ileum, cecum, hepatic flexure, and sigmoid colon. Malignant neoplasms of trachea bronchus and lung 54%
980 Colonoscopy with multiple biopsies, including terminal ileum, cecum, hepatic flexure, and sigmoid colon. Malignant neoplasms of trachea bronchus and lung 54%
3877 Hispanic male patient was admitted because of enlarged prostate and symptoms of bladder neck obstruction. Malignant neoplasms of trachea bronchus and lung 54%
26 Hispanic male patient was admitted because of enlarged prostate and symptoms of bladder neck obstruction. Malignant neoplasms of trachea bronchus and lung 54%
3395 Patient admitted after an extensive workup for peritoneal carcinomatosis from appendiceal primary. Malignant neoplasms of trachea bronchus and lung 54%
3953 Patient admitted after an extensive workup for peritoneal carcinomatosis from appendiceal primary. Malignant neoplasms of trachea bronchus and lung 54%
4092 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. Atherosclerotic cardiovascular disease so described 54%
4603 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. Atherosclerotic cardiovascular disease so described 54%
4523 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. All other forms of heart disease 54%
3046 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. All other forms of heart disease 54%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. All other forms of heart disease 54%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. All other forms of heart disease 54%
2994 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Acute myocardial infarction 54%
4265 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Acute myocardial infarction 54%
1332 Outpatient rehabilitation physical therapy progress note. A 52-year-old male referred to physical therapy secondary to chronic back pain, weakness, and debilitation secondary to chronic pain. Other chronic lower respiratory diseases 54%
1864 Outpatient rehabilitation physical therapy progress note. A 52-year-old male referred to physical therapy secondary to chronic back pain, weakness, and debilitation secondary to chronic pain. Other chronic lower respiratory diseases 54%
4945 Rigid bronchoscopy with dilation, excision of granulation tissue tumor, application of mitomycin-C, endobronchial ultrasound. Malignant neoplasms of trachea bronchus and lung 54%
1138 Rigid bronchoscopy with dilation, excision of granulation tissue tumor, application of mitomycin-C, endobronchial ultrasound. Malignant neoplasms of trachea bronchus and lung 54%
4922 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. All other forms of chronic ischemic heart disease 54%
1114 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. All other forms of chronic ischemic heart disease 54%
4131 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. All other forms of heart disease 54%
2984 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. All other forms of heart disease 54%
173 Cystoscopy, bladder biopsies, and fulguration. Bladder lesions with history of previous transitional cell bladder carcinoma, pathology pending. All other and unspecified malignant neoplasms 54%
1165 Cystoscopy, bladder biopsies, and fulguration. Bladder lesions with history of previous transitional cell bladder carcinoma, pathology pending. All other and unspecified malignant neoplasms 54%
1586 MRI Brain: Subacute right thalamic infarct. Acute myocardial infarction 54%
2821 MRI Brain: Subacute right thalamic infarct. Acute myocardial infarction 54%
1598 A middle-aged male with increasing memory loss and history of Lyme disease. All other forms of chronic ischemic heart disease 54%
2838 A middle-aged male with increasing memory loss and history of Lyme disease. All other forms of chronic ischemic heart disease 54%
3947 The patient is a 53-year-old woman with history of hypertension, diabetes, and depression. Serotonin syndrome secondary to high doses of Prozac and atypical chest pain with myocardial infarction ruled out. All other forms of chronic ischemic heart disease 54%
3404 The patient is a 53-year-old woman with history of hypertension, diabetes, and depression. Serotonin syndrome secondary to high doses of Prozac and atypical chest pain with myocardial infarction ruled out. All other forms of chronic ischemic heart disease 54%
2863 Caudate Nuclei atrophy, bilaterally, in patient with Huntington Disease. Alzheimer disease 54%
4325 Caudate Nuclei atrophy, bilaterally, in patient with Huntington Disease. Alzheimer disease 54%
1446 Stage IIA right breast cancer. The pathology showed an infiltrating ductal carcinoma Nottingham grade II. The tumor was ER positive, PR positive and HER-2/neu negative. All other and unspecified malignant neoplasms 54%
3176 Stage IIA right breast cancer. The pathology showed an infiltrating ductal carcinoma Nottingham grade II. The tumor was ER positive, PR positive and HER-2/neu negative. All other and unspecified malignant neoplasms 54%
631 Right hand-assisted laparoscopic cryoablation of renal lesions x2. Lysis of adhesions and renal biopsy. Malignant neoplasms of trachea bronchus and lung 54%
3001 Right hand-assisted laparoscopic cryoablation of renal lesions x2. Lysis of adhesions and renal biopsy. Malignant neoplasms of trachea bronchus and lung 54%
4364 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. All other forms of chronic ischemic heart disease 54%
3329 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. All other forms of chronic ischemic heart disease 54%
791 Flexible bronchoscopy to evaluate the airway (chronic wheezing). Other chronic lower respiratory diseases 54%
4788 Flexible bronchoscopy to evaluate the airway (chronic wheezing). Other chronic lower respiratory diseases 54%
891 Insertion of a double lumen port through the left femoral vein, radiological guidance. Open exploration of the left subclavian and axillary vein. Metastatic glossal carcinoma, needing chemotherapy and a port. Malignant neoplasms of trachea bronchus and lung 54%
4821 Insertion of a double lumen port through the left femoral vein, radiological guidance. Open exploration of the left subclavian and axillary vein. Metastatic glossal carcinoma, needing chemotherapy and a port. Malignant neoplasms of trachea bronchus and lung 54%
1433 Followup cervical spinal stenosis. Her symptoms of right greater than left upper extremity pain, weakness, paresthesias had been worsening after an incident when she thought she had exacerbated her conditions while lifting several objects. Other chronic lower respiratory diseases 54%
2951 Followup cervical spinal stenosis. Her symptoms of right greater than left upper extremity pain, weakness, paresthesias had been worsening after an incident when she thought she had exacerbated her conditions while lifting several objects. Other chronic lower respiratory diseases 54%
2277 Followup cervical spinal stenosis. Her symptoms of right greater than left upper extremity pain, weakness, paresthesias had been worsening after an incident when she thought she had exacerbated her conditions while lifting several objects. Other chronic lower respiratory diseases 54%
3743 Microscopic suspension direct laryngoscopy with biopsy of left true vocal cord stripping. Hoarseness, bilateral true vocal cord lesions, and leukoplakia. Malignant neoplasms of trachea bronchus and lung 54%
605 Microscopic suspension direct laryngoscopy with biopsy of left true vocal cord stripping. Hoarseness, bilateral true vocal cord lesions, and leukoplakia. Malignant neoplasms of trachea bronchus and lung 54%
4735 Lexiscan myoview stress study. Chest discomfort. Normal stress/rest cardiac perfusion with no indication of ischemia. Normal LV function and low likelihood of significant epicardial coronary narrowing. All other forms of chronic ischemic heart disease 54%
1610 Lexiscan myoview stress study. Chest discomfort. Normal stress/rest cardiac perfusion with no indication of ischemia. Normal LV function and low likelihood of significant epicardial coronary narrowing. All other forms of chronic ischemic heart disease 54%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Other chronic lower respiratory diseases 54%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Other chronic lower respiratory diseases 54%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Other chronic lower respiratory diseases 54%
1721 A 51-year-old male with chest pain and history of coronary artery disease. All other forms of chronic ischemic heart disease 54%
4835 A 51-year-old male with chest pain and history of coronary artery disease. All other forms of chronic ischemic heart disease 54%
4843 Acute on chronic COPD exacerbation and community acquired pneumonia both resolving. However, she may need home O2 for a short period of time. All other forms of chronic ischemic heart disease 54%
3424 Acute on chronic COPD exacerbation and community acquired pneumonia both resolving. However, she may need home O2 for a short period of time. All other forms of chronic ischemic heart disease 54%
1421 Acute on chronic COPD exacerbation and community acquired pneumonia both resolving. However, she may need home O2 for a short period of time. All other forms of chronic ischemic heart disease 54%
4855 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. All other forms of chronic ischemic heart disease 54%
3421 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. All other forms of chronic ischemic heart disease 54%
4494 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. All other forms of chronic ischemic heart disease 54%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Cerebrovascular diseases 54%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Cerebrovascular diseases 54%
4434 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Atherosclerotic cardiovascular disease so described 54%
4806 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Atherosclerotic cardiovascular disease so described 54%
1885 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. All other and unspecified malignant neoplasms 54%
3793 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. All other and unspecified malignant neoplasms 54%
4100 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. All other and unspecified malignant neoplasms 54%
3107 Thyroid mass diagnosed as papillary carcinoma. The patient is a 16-year-old young lady with a history of thyroid mass that is now biopsy proven as papillary. The pattern of miliary metastatic lesions in the chest is consistent with this diagnosis. All other and unspecified malignant neoplasms 54%
3693 Tonsillectomy and adenoidectomy. Obstructive adenotonsillar hypertrophy with chronic recurrent pharyngitis. Other chronic lower respiratory diseases 54%
267 Tonsillectomy and adenoidectomy. Obstructive adenotonsillar hypertrophy with chronic recurrent pharyngitis. Other chronic lower respiratory diseases 54%
1484 X-RAY of the soft tissues of the neck. Malignant neoplasms of trachea bronchus and lung 54%
350 Excision of sebaceous cyst, right lateral eyebrow. Malignant neoplasms of trachea bronchus and lung 54%
4728 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. Malignant neoplasms of trachea bronchus and lung 54%
4273 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. Malignant neoplasms of trachea bronchus and lung 54%
4272 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Acute myocardial infarction 54%
4724 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Acute myocardial infarction 54%
4200 Back pain and right leg pain. Small cell lung cancer with metastasis at the lower lumbar spine, pelvis, and both femurs Malignant neoplasms of trachea bronchus and lung 54%
2088 Back pain and right leg pain. Small cell lung cancer with metastasis at the lower lumbar spine, pelvis, and both femurs Malignant neoplasms of trachea bronchus and lung 54%
3928 The patient with multiple medical conditions including coronary artery disease, hypothyroidism, and severe peripheral vascular disease status post multiple revascularizations. All other forms of heart disease 54%
3191 Chronic lymphocytic leukemia (CLL), autoimmune hemolytic anemia, and oral ulcer. The patient was diagnosed with chronic lymphocytic leukemia and was noted to have autoimmune hemolytic anemia at the time of his CLL diagnosis. Other chronic lower respiratory diseases 53%
1454 Chronic lymphocytic leukemia (CLL), autoimmune hemolytic anemia, and oral ulcer. The patient was diagnosed with chronic lymphocytic leukemia and was noted to have autoimmune hemolytic anemia at the time of his CLL diagnosis. Other chronic lower respiratory diseases 53%
4911 Cardiac catheterization. Coronary artery disease plus intimal calcification in the mid abdominal aorta without significant stenosis. Atherosclerotic cardiovascular disease so described 53%
1100 Cardiac catheterization. Coronary artery disease plus intimal calcification in the mid abdominal aorta without significant stenosis. Atherosclerotic cardiovascular disease so described 53%
4211 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. All other forms of chronic ischemic heart disease 53%
3809 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. All other forms of chronic ischemic heart disease 53%
3230 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. All other forms of chronic ischemic heart disease 53%
282 Empyema. Right thoracotomy, total decortication and intraoperative bronchoscopy. A thoracostomy tube was placed at the bedside with only partial resolution of the pleural effusion. On CT scan evaluation, there is evidence of an entrapped right lower lobe with loculations. Malignant neoplasms of trachea bronchus and lung 53%
4635 Empyema. Right thoracotomy, total decortication and intraoperative bronchoscopy. A thoracostomy tube was placed at the bedside with only partial resolution of the pleural effusion. On CT scan evaluation, there is evidence of an entrapped right lower lobe with loculations. Malignant neoplasms of trachea bronchus and lung 53%
3729 Nasal septoplasty, bilateral submucous resection of the inferior turbinates, and tonsillectomy and resection of soft palate. Nasal septal deviation with bilateral inferior turbinate hypertrophy. Tonsillitis with hypertrophy. Edema to the uvula and soft palate. Malignant neoplasms of trachea bronchus and lung 53%
525 Nasal septoplasty, bilateral submucous resection of the inferior turbinates, and tonsillectomy and resection of soft palate. Nasal septal deviation with bilateral inferior turbinate hypertrophy. Tonsillitis with hypertrophy. Edema to the uvula and soft palate. Malignant neoplasms of trachea bronchus and lung 53%
755 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. Atherosclerotic cardiovascular disease so described 53%
4784 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. Atherosclerotic cardiovascular disease so described 53%
270 Tonsillectomy. Chronic tonsillitis. Other chronic lower respiratory diseases 53%
3696 Tonsillectomy. Chronic tonsillitis. Other chronic lower respiratory diseases 53%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. All other forms of heart disease 53%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. All other forms of heart disease 53%
36 Transurethral resection of a medium bladder tumor (TURBT), left lateral wall. Malignant neoplasms of trachea bronchus and lung 53%
240 Transurethral resection of a medium bladder tumor (TURBT), left lateral wall. Malignant neoplasms of trachea bronchus and lung 53%
1315 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. Other chronic lower respiratory diseases 53%
4688 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. Other chronic lower respiratory diseases 53%
220 Transurethral electrosurgical resection of the prostate for benign prostatic hyperplasia. Malignant neoplasms of trachea bronchus and lung 53%
37 Transurethral electrosurgical resection of the prostate for benign prostatic hyperplasia. Malignant neoplasms of trachea bronchus and lung 53%
1448 A critically ill 67-year-old with multiple medical problems probably still showing signs of volume depletion with hypotension and atrial flutter with difficult to control rate. All other forms of chronic ischemic heart disease 53%
4950 A critically ill 67-year-old with multiple medical problems probably still showing signs of volume depletion with hypotension and atrial flutter with difficult to control rate. All other forms of chronic ischemic heart disease 53%
4779 Left heart catheterization and bilateral selective coronary angiography. Left ventriculogram was not performed. Acute myocardial infarction 53%
753 Left heart catheterization and bilateral selective coronary angiography. Left ventriculogram was not performed. Acute myocardial infarction 53%
4835 A 51-year-old male with chest pain and history of coronary artery disease. Atherosclerotic cardiovascular disease so described 53%
1721 A 51-year-old male with chest pain and history of coronary artery disease. Atherosclerotic cardiovascular disease so described 53%
1346 Multiple Progress Notes for different dates in a patient with respiratory failure, on ventilator. Other chronic lower respiratory diseases 53%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Other chronic lower respiratory diseases 53%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Other chronic lower respiratory diseases 53%
1588 MRI Brain & T-spine - Demyelinating disease. Cerebrovascular diseases 53%
2154 MRI Brain & T-spine - Demyelinating disease. Cerebrovascular diseases 53%
2830 MRI Brain & T-spine - Demyelinating disease. Cerebrovascular diseases 53%
65 Complete urinary obstruction, underwent a transurethral resection of the prostate - adenocarcinoma of the prostate. Malignant neoplasms of trachea bronchus and lung 53%
1321 Complete urinary obstruction, underwent a transurethral resection of the prostate - adenocarcinoma of the prostate. Malignant neoplasms of trachea bronchus and lung 53%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. All other forms of heart disease 53%
3970 A 67-year-old male with COPD and history of bronchospasm, who presents with a 3-day history of increased cough, respiratory secretions, wheezings, and shortness of breath. Other chronic lower respiratory diseases 53%
4848 A 67-year-old male with COPD and history of bronchospasm, who presents with a 3-day history of increased cough, respiratory secretions, wheezings, and shortness of breath. Other chronic lower respiratory diseases 53%
3706 Functional endoscopic sinus surgery, excision of nasopharyngeal mass via endoscopic technique, and excision of right upper lid skin lesion 1 cm in diameter with adjacent tissue transfer closure. Malignant neoplasms of trachea bronchus and lung 53%
339 Functional endoscopic sinus surgery, excision of nasopharyngeal mass via endoscopic technique, and excision of right upper lid skin lesion 1 cm in diameter with adjacent tissue transfer closure. Malignant neoplasms of trachea bronchus and lung 53%
3078 Specimen - Lung, left lower lobe resection. Sarcomatoid carcinoma with areas of pleomorphic/giant cell carcinoma and spindle cell carcinoma. The tumor closely approaches the pleural surface but does not invade the pleura. All other and unspecified malignant neoplasms 53%
4753 Specimen - Lung, left lower lobe resection. Sarcomatoid carcinoma with areas of pleomorphic/giant cell carcinoma and spindle cell carcinoma. The tumor closely approaches the pleural surface but does not invade the pleura. All other and unspecified malignant neoplasms 53%
1346 Multiple Progress Notes for different dates in a patient with respiratory failure, on ventilator. All other forms of heart disease 53%
1149 Left excisional breast biopsy due to atypical ductal hyperplasia of left breast. All other and unspecified malignant neoplasms 53%
1000 Colonoscopy. Rectal bleeding and perirectal abscess. Normal colonoscopy to the terminal ileum. Opening in the skin at the external anal verge, consistent with drainage from a perianal abscess, with no palpable abscess at this time, and with no evidence of fistulous connection to the bowel lumen. Malignant neoplasms of trachea bronchus and lung 53%
3646 Colonoscopy. Rectal bleeding and perirectal abscess. Normal colonoscopy to the terminal ileum. Opening in the skin at the external anal verge, consistent with drainage from a perianal abscess, with no palpable abscess at this time, and with no evidence of fistulous connection to the bowel lumen. Malignant neoplasms of trachea bronchus and lung 53%
4632 Left muscle sparing mini thoracotomy with left upper lobectomy and mediastinal lymph node dissection. Intercostal nerve block for postoperative pain relief at five levels. Malignant neoplasms of trachea bronchus and lung 53%
4355 GI Consultation for chronic abdominal pain, nausea, vomiting, abnormal liver function tests. Other chronic lower respiratory diseases 53%
3523 GI Consultation for chronic abdominal pain, nausea, vomiting, abnormal liver function tests. Other chronic lower respiratory diseases 53%
824 Esophagogastroduodenoscopy with gastric biopsies. Antral erythema; 2 cm polypoid pyloric channel tissue, questionable inflammatory polyp which was biopsied; duodenal erythema and erosion. Malignant neoplasms of trachea bronchus and lung 53%
3551 Esophagogastroduodenoscopy with gastric biopsies. Antral erythema; 2 cm polypoid pyloric channel tissue, questionable inflammatory polyp which was biopsied; duodenal erythema and erosion. Malignant neoplasms of trachea bronchus and lung 53%
4852 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. All other forms of chronic ischemic heart disease 53%
4505 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. All other forms of chronic ischemic heart disease 53%
1346 Multiple Progress Notes for different dates in a patient with respiratory failure, on ventilator. All other forms of chronic ischemic heart disease 53%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Atherosclerotic cardiovascular disease so described 53%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Atherosclerotic cardiovascular disease so described 53%
2493 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain Atherosclerotic cardiovascular disease so described 53%
4868 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain Atherosclerotic cardiovascular disease so described 53%
765 Pyogenic granuloma, left lateral thigh. Excision of recurrent pyogenic granuloma. Malignant neoplasms of trachea bronchus and lung 53%
4906 Left heart cardiac catheterization. All other forms of chronic ischemic heart disease 53%
1091 Left heart cardiac catheterization. All other forms of chronic ischemic heart disease 53%
3304 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other forms of heart disease 53%
1383 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other forms of heart disease 53%
4090 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. All other forms of chronic ischemic heart disease 53%
3786 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. All other forms of chronic ischemic heart disease 53%
3680 Excision of abscess, removal of foreign body. Repair of incisional hernia. Recurrent re-infected sebaceous cyst of abdomen. Abscess secondary to retained foreign body and incisional hernia. Malignant neoplasms of trachea bronchus and lung 53%
1276 Excision of abscess, removal of foreign body. Repair of incisional hernia. Recurrent re-infected sebaceous cyst of abdomen. Abscess secondary to retained foreign body and incisional hernia. Malignant neoplasms of trachea bronchus and lung 53%
4931 Diagnostic bronchoscopy and limited left thoracotomy with partial pulmonary decortication and insertion of chest tubes x2. Bilateral bronchopneumonia and empyema of the chest, left. Malignant neoplasms of trachea bronchus and lung 53%
1135 Diagnostic bronchoscopy and limited left thoracotomy with partial pulmonary decortication and insertion of chest tubes x2. Bilateral bronchopneumonia and empyema of the chest, left. Malignant neoplasms of trachea bronchus and lung 53%
4510 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. All other forms of chronic ischemic heart disease 53%
4858 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. All other forms of chronic ischemic heart disease 53%
4261 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. Malignant neoplasms of trachea bronchus and lung 53%
2799 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. Malignant neoplasms of trachea bronchus and lung 53%
1918 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. Malignant neoplasms of trachea bronchus and lung 53%
3128 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. Malignant neoplasms of trachea bronchus and lung 53%
4375 Patient with hypertension, dementia, and depression. All other forms of chronic ischemic heart disease 53%
3350 Patient with hypertension, dementia, and depression. All other forms of chronic ischemic heart disease 53%
3333 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. All other forms of heart disease 53%
4359 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. All other forms of heart disease 53%
4905 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. Acute myocardial infarction 53%
4536 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. Acute myocardial infarction 53%
1372 Patient with NIDDM, hypertension, CAD status post CABG, hyperlipidemia, etc. Diabetes mellitus 53%
3298 Patient with NIDDM, hypertension, CAD status post CABG, hyperlipidemia, etc. Diabetes mellitus 53%
4621 Tracheostomy change. A #6 Shiley with proximal extension was changed to a #6 Shiley with proximal extension. Ventilator-dependent respiratory failure and laryngeal edema. Malignant neoplasms of trachea bronchus and lung 53%
244 Tracheostomy change. A #6 Shiley with proximal extension was changed to a #6 Shiley with proximal extension. Ventilator-dependent respiratory failure and laryngeal edema. Malignant neoplasms of trachea bronchus and lung 53%
12 Cerebral Angiogram - moyamoya disease. Atherosclerotic cardiovascular disease so described 53%
1607 Cerebral Angiogram - moyamoya disease. Atherosclerotic cardiovascular disease so described 53%
4364 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Cerebrovascular diseases 53%
3329 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Cerebrovascular diseases 53%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Other chronic lower respiratory diseases 52%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Other chronic lower respiratory diseases 52%
3960 Death summary of patient with advanced non-small cell lung carcinoma with left malignant pleural effusion status post chest tube insertion status post chemical pleurodesis. All other and unspecified malignant neoplasms 52%
1923 4-day-old with hyperbilirubinemia and heart murmur. Heart failure 52%
3833 4-day-old with hyperbilirubinemia and heart murmur. Heart failure 52%
4562 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. Acute myocardial infarction 52%
3049 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. Acute myocardial infarction 52%
502 Left facial cellulitis and possible odontogenic abscess. Attempted incision and drainage (I&D) of odontogenic abscess. Malignant neoplasms of trachea bronchus and lung 52%
4031 Left facial cellulitis and possible odontogenic abscess. Attempted incision and drainage (I&D) of odontogenic abscess. Malignant neoplasms of trachea bronchus and lung 52%
4963 Left heart catheterization, bilateral selective coronary angiography, left ventriculography, and right heart catheterization. Positive nuclear stress test involving reversible ischemia of the lateral wall and the anterior wall consistent with left anterior descending artery lesion. Acute myocardial infarction 52%
1266 Left heart catheterization, bilateral selective coronary angiography, left ventriculography, and right heart catheterization. Positive nuclear stress test involving reversible ischemia of the lateral wall and the anterior wall consistent with left anterior descending artery lesion. Acute myocardial infarction 52%
3421 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. Other chronic lower respiratory diseases 52%
4855 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. Other chronic lower respiratory diseases 52%
4494 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. Other chronic lower respiratory diseases 52%
4853 Congestive heart failure (CHF). The patient is a 75-year-old gentleman presented through the emergency room. Symptoms are of shortness of breath, fatigue, and tiredness. Main complaints are right-sided and abdominal pain. Initial blood test in the emergency room showed elevated BNP suggestive of congestive heart failure. Other chronic lower respiratory diseases 52%
4495 Congestive heart failure (CHF). The patient is a 75-year-old gentleman presented through the emergency room. Symptoms are of shortness of breath, fatigue, and tiredness. Main complaints are right-sided and abdominal pain. Initial blood test in the emergency room showed elevated BNP suggestive of congestive heart failure. Other chronic lower respiratory diseases 52%
410 Insertion of Port-A-Cath via left subclavian vein using fluoroscopy in a patient with renal cell carcinoma. Malignant neoplasms of trachea bronchus and lung 52%
4884 Problem of essential hypertension. Symptoms that suggested intracranial pathology. Other chronic lower respiratory diseases 52%
1437 Problem of essential hypertension. Symptoms that suggested intracranial pathology. Other chronic lower respiratory diseases 52%
742 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. Acute myocardial infarction 52%
4767 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. Acute myocardial infarction 52%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Cerebrovascular diseases 52%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Cerebrovascular diseases 52%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Cerebrovascular diseases 52%
4099 Viral upper respiratory infection (URI) with sinus and eustachian congestion. Patient is a 14-year-old white female who presents with her mother complaining of a four-day history of cold symptoms consisting of nasal congestion and left ear pain. Other chronic lower respiratory diseases 52%
1884 Viral upper respiratory infection (URI) with sinus and eustachian congestion. Patient is a 14-year-old white female who presents with her mother complaining of a four-day history of cold symptoms consisting of nasal congestion and left ear pain. Other chronic lower respiratory diseases 52%
3690 Viral upper respiratory infection (URI) with sinus and eustachian congestion. Patient is a 14-year-old white female who presents with her mother complaining of a four-day history of cold symptoms consisting of nasal congestion and left ear pain. Other chronic lower respiratory diseases 52%
3361 An 18-month-old white male here with his mother for complaint of intermittent fever for the past five days. - Allergic rhinitis, fever history, sinusitis resolved, and teething. Other chronic lower respiratory diseases 52%
4397 An 18-month-old white male here with his mother for complaint of intermittent fever for the past five days. - Allergic rhinitis, fever history, sinusitis resolved, and teething. Other chronic lower respiratory diseases 52%
612 LEEP procedure of endocervical polyp and Electrical excision of pigmented mole of inner right thigh. Malignant neoplasms of trachea bronchus and lung 52%
2575 LEEP procedure of endocervical polyp and Electrical excision of pigmented mole of inner right thigh. Malignant neoplasms of trachea bronchus and lung 52%
1379 Multiple problems including left leg swelling, history of leukocytosis, joint pain left shoulder, low back pain, obesity, frequency with urination, and tobacco abuse. Other chronic lower respiratory diseases 52%
3299 Multiple problems including left leg swelling, history of leukocytosis, joint pain left shoulder, low back pain, obesity, frequency with urination, and tobacco abuse. Other chronic lower respiratory diseases 52%
1190 Left axillary dissection with incision and drainage of left axillary mass. Right axillary mass excision and incision and drainage. Bilateral axillary masses, rule out recurrent Hodgkin's disease. Malignant neoplasms of trachea bronchus and lung 52%
3192 Left axillary dissection with incision and drainage of left axillary mass. Right axillary mass excision and incision and drainage. Bilateral axillary masses, rule out recurrent Hodgkin's disease. Malignant neoplasms of trachea bronchus and lung 52%
3797 Left axillary dissection with incision and drainage of left axillary mass. Right axillary mass excision and incision and drainage. Bilateral axillary masses, rule out recurrent Hodgkin's disease. Malignant neoplasms of trachea bronchus and lung 52%
38 Transurethral resection of the bladder tumor (TURBT), large. Malignant neoplasms of trachea bronchus and lung 52%
218 Transurethral resection of the bladder tumor (TURBT), large. Malignant neoplasms of trachea bronchus and lung 52%
455 Permacath placement - renal failure. All other forms of chronic ischemic heart disease 52%
2934 Heidenhain variant of Creutzfeldt-Jakob Disease (CJD) Atherosclerotic cardiovascular disease so described 52%
902 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. Other chronic lower respiratory diseases 52%
2618 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. Other chronic lower respiratory diseases 52%
3113 Excisional biopsy with primary closure of a 4 mm right lateral base of tongue lesion. Right lateral base of tongue lesion, probable cancer. Malignant neoplasms of trachea bronchus and lung 52%
276 Excisional biopsy with primary closure of a 4 mm right lateral base of tongue lesion. Right lateral base of tongue lesion, probable cancer. Malignant neoplasms of trachea bronchus and lung 52%
1363 Human immunodeficiency virus, stable on Trizivir. Hepatitis C with stable transaminases. History of depression, stable off meds. Hypertension, moderately controlled on meds. Other chronic lower respiratory diseases 52%
3279 Human immunodeficiency virus, stable on Trizivir. Hepatitis C with stable transaminases. History of depression, stable off meds. Hypertension, moderately controlled on meds. Other chronic lower respiratory diseases 52%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Alzheimer disease 52%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Alzheimer disease 52%
1317 Moderately differentiated adenocarcinoma, 1+ enlarged prostate with normal seminal vesicles. Malignant neoplasms of trachea bronchus and lung 52%
60 Moderately differentiated adenocarcinoma, 1+ enlarged prostate with normal seminal vesicles. Malignant neoplasms of trachea bronchus and lung 52%
755 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. All other forms of chronic ischemic heart disease 52%
4784 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. All other forms of chronic ischemic heart disease 52%
4621 Tracheostomy change. A #6 Shiley with proximal extension was changed to a #6 Shiley with proximal extension. Ventilator-dependent respiratory failure and laryngeal edema. Other chronic lower respiratory diseases 52%
244 Tracheostomy change. A #6 Shiley with proximal extension was changed to a #6 Shiley with proximal extension. Ventilator-dependent respiratory failure and laryngeal edema. Other chronic lower respiratory diseases 52%
210 Urgent cardiac catheterization with coronary angiogram. Acute myocardial infarction 52%
4614 Urgent cardiac catheterization with coronary angiogram. Acute myocardial infarction 52%
3798 Urgent cardiac catheterization with coronary angiogram. Acute myocardial infarction 52%
1006 Colonoscopy. The Olympus video colonoscope was inserted through the anus and was advanced in retrograde fashion through the sigmoid colon, descending colon, around the splenic flexure, into the transverse colon, around the hepatic flexure, down the ascending colon, into the cecum. Malignant neoplasms of trachea bronchus and lung 52%
3652 Colonoscopy. The Olympus video colonoscope was inserted through the anus and was advanced in retrograde fashion through the sigmoid colon, descending colon, around the splenic flexure, into the transverse colon, around the hepatic flexure, down the ascending colon, into the cecum. Malignant neoplasms of trachea bronchus and lung 52%
4869 Patient with palpitations and rcent worsening of chronic chest discomfort. Other chronic lower respiratory diseases 52%
4522 Patient with palpitations and rcent worsening of chronic chest discomfort. Other chronic lower respiratory diseases 52%
1716 A 62-year-old male with a history of ischemic cardiomyopathy and implanted defibrillator. Acute myocardial infarction 52%
4845 A 62-year-old male with a history of ischemic cardiomyopathy and implanted defibrillator. Acute myocardial infarction 52%
4863 Bilateral pleural effusion. Removal of bilateral #32 French chest tubes with closure of wound. Malignant neoplasms of trachea bronchus and lung 52%
1051 Bilateral pleural effusion. Removal of bilateral #32 French chest tubes with closure of wound. Malignant neoplasms of trachea bronchus and lung 52%
742 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. Atherosclerotic cardiovascular disease so described 52%
4767 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. Atherosclerotic cardiovascular disease so described 52%
4273 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. Other chronic lower respiratory diseases 52%
4728 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. Other chronic lower respiratory diseases 52%
1085 Right carotid stenosis and prior cerebrovascular accident. Right carotid endarterectomy with patch angioplasty. Acute myocardial infarction 52%
4880 Right carotid stenosis and prior cerebrovascular accident. Right carotid endarterectomy with patch angioplasty. Acute myocardial infarction 52%
749 Left heart catheterization, left and right coronary angiography, left ventricular angiography, and intercoronary stenting of the right coronary artery. Acute myocardial infarction 52%
4775 Left heart catheterization, left and right coronary angiography, left ventricular angiography, and intercoronary stenting of the right coronary artery. Acute myocardial infarction 52%
4906 Left heart cardiac catheterization. Heart failure 52%
1091 Left heart cardiac catheterization. Heart failure 52%
4663 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. Malignant neoplasms of trachea bronchus and lung 52%
1303 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. Malignant neoplasms of trachea bronchus and lung 52%
1095 Cardiac catheterization and coronary intervention report. Acute myocardial infarction 52%
4904 Cardiac catheterization and coronary intervention report. Acute myocardial infarction 52%
474 Pacemaker ICD interrogation. Severe nonischemic cardiomyopathy with prior ventricular tachycardia. Acute myocardial infarction 52%
4712 Pacemaker ICD interrogation. Severe nonischemic cardiomyopathy with prior ventricular tachycardia. Acute myocardial infarction 52%
4898 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Heart failure 52%
4528 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Heart failure 52%
825 Esophageal foreign body, US penny. Esophagoscopy with foreign body removal. The patient had a penny lodged in the proximal esophagus in the typical location. Malignant neoplasms of trachea bronchus and lung 52%
3544 Esophageal foreign body, US penny. Esophagoscopy with foreign body removal. The patient had a penny lodged in the proximal esophagus in the typical location. Malignant neoplasms of trachea bronchus and lung 52%
623 Pelvic pain, pelvic endometriosis, and pelvic adhesions. Laparoscopy, Harmonic scalpel ablation of endometriosis, lysis of adhesions, and cervical dilation. Laparoscopically, the patient has large omental to anterior abdominal wall adhesions along the left side of the abdomen extending down to the left adnexa. Malignant neoplasms of trachea bronchus and lung 52%
2585 Pelvic pain, pelvic endometriosis, and pelvic adhesions. Laparoscopy, Harmonic scalpel ablation of endometriosis, lysis of adhesions, and cervical dilation. Laparoscopically, the patient has large omental to anterior abdominal wall adhesions along the left side of the abdomen extending down to the left adnexa. Malignant neoplasms of trachea bronchus and lung 52%
4784 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. Acute myocardial infarction 52%
755 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. Acute myocardial infarction 52%
4698 Ultrasound-guided right pleurocentesis for right pleural effusion with respiratory failure and dyspnea. Malignant neoplasms of trachea bronchus and lung 52%
420 Ultrasound-guided right pleurocentesis for right pleural effusion with respiratory failure and dyspnea. Malignant neoplasms of trachea bronchus and lung 52%
1719 Coronary Artery CTA with Calcium Scoring and Cardiac Function Atherosclerotic cardiovascular disease so described 52%
4839 Coronary Artery CTA with Calcium Scoring and Cardiac Function Atherosclerotic cardiovascular disease so described 52%
2646 Excision of left breast mass. The mass was identified adjacent to the left nipple. It was freely mobile and it did not seem to hold the skin. Malignant neoplasms of trachea bronchus and lung 52%
3175 Excision of left breast mass. The mass was identified adjacent to the left nipple. It was freely mobile and it did not seem to hold the skin. Malignant neoplasms of trachea bronchus and lung 52%
1139 Excision of left breast mass. The mass was identified adjacent to the left nipple. It was freely mobile and it did not seem to hold the skin. Malignant neoplasms of trachea bronchus and lung 52%
1608 MRI Brain: Ventriculomegaly of the lateral, 3rd and 4th ventricles secondary to obstruction of the foramen of Magendie secondary to Cryptococcus (unencapsulated) in a non-immune suppressed, HIV negative, individual. Malignant neoplasms of trachea bronchus and lung 52%
2842 MRI Brain: Ventriculomegaly of the lateral, 3rd and 4th ventricles secondary to obstruction of the foramen of Magendie secondary to Cryptococcus (unencapsulated) in a non-immune suppressed, HIV negative, individual. Malignant neoplasms of trachea bronchus and lung 52%
550 Right pleural effusion and suspected malignant mesothelioma. All other and unspecified malignant neoplasms 52%
3141 Right pleural effusion and suspected malignant mesothelioma. All other and unspecified malignant neoplasms 52%
4727 Right pleural effusion and suspected malignant mesothelioma. All other and unspecified malignant neoplasms 52%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Atherosclerotic cardiovascular disease so described 52%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Atherosclerotic cardiovascular disease so described 52%
3336 Patient with one-week history of increased progressive shortness of breath, orthopnea for the past few nights, mild increase in peripheral edema, and active wheezing with dyspnea. Medifast does fatigue Other chronic lower respiratory diseases 52%
4372 Patient with one-week history of increased progressive shortness of breath, orthopnea for the past few nights, mild increase in peripheral edema, and active wheezing with dyspnea. Medifast does fatigue Other chronic lower respiratory diseases 52%
4688 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. All other forms of chronic ischemic heart disease 52%
1315 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. All other forms of chronic ischemic heart disease 52%
3129 Follicular non-Hodgkin's lymphoma. Biopsy of a left posterior auricular lymph node and pathology showed follicular non-Hodgkin's lymphoma. Received six cycles of CHOP chemotherapy. Malignant neoplasms of trachea bronchus and lung 52%
1351 Follicular non-Hodgkin's lymphoma. Biopsy of a left posterior auricular lymph node and pathology showed follicular non-Hodgkin's lymphoma. Received six cycles of CHOP chemotherapy. Malignant neoplasms of trachea bronchus and lung 52%
3950 The patient is a 93-year-old Caucasian female with a past medical history of chronic right hip pain, osteoporosis, hypertension, depression, and chronic atrial fibrillation admitted for evaluation and management of severe nausea and vomiting and urinary tract infection. All other forms of chronic ischemic heart disease 52%
3403 The patient is a 93-year-old Caucasian female with a past medical history of chronic right hip pain, osteoporosis, hypertension, depression, and chronic atrial fibrillation admitted for evaluation and management of severe nausea and vomiting and urinary tract infection. All other forms of chronic ischemic heart disease 52%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. All other forms of chronic ischemic heart disease 52%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. All other forms of chronic ischemic heart disease 52%
3285 Upper respiratory tract infection, persistent. Tinea pedis. Wart on the finger. Hyperlipidemia. Tobacco abuse. Other chronic lower respiratory diseases 52%
1364 Upper respiratory tract infection, persistent. Tinea pedis. Wart on the finger. Hyperlipidemia. Tobacco abuse. Other chronic lower respiratory diseases 52%
4496 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. All other forms of chronic ischemic heart disease 52%
3765 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. All other forms of chronic ischemic heart disease 52%
4272 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Heart failure 52%
4724 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Heart failure 52%
1930 Gastroenteritis versus bowel obstruction, gastroesophageal reflux, Goldenhar syndrome, and anemia, probably iron deficiency. Other chronic lower respiratory diseases 52%
3919 Gastroenteritis versus bowel obstruction, gastroesophageal reflux, Goldenhar syndrome, and anemia, probably iron deficiency. Other chronic lower respiratory diseases 52%
3698 Tonsillectomy & adenoidectomy. Chronic tonsillitis with symptomatic tonsil and adenoid hypertrophy. Malignant neoplasms of trachea bronchus and lung 52%
273 Tonsillectomy & adenoidectomy. Chronic tonsillitis with symptomatic tonsil and adenoid hypertrophy. Malignant neoplasms of trachea bronchus and lung 52%
994 Patient with active flare of Inflammatory Bowel Disease, not responsive to conventional therapy including sulfasalazine, cortisone, local therapy. All other forms of chronic ischemic heart disease 52%
3630 Patient with active flare of Inflammatory Bowel Disease, not responsive to conventional therapy including sulfasalazine, cortisone, local therapy. All other forms of chronic ischemic heart disease 52%
2490 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. Heart failure 52%
3311 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. Heart failure 52%
3398 Patient with complaints of shortness of breath and was found to have acute COPD exacerbation. Other chronic lower respiratory diseases 52%
3949 Patient with complaints of shortness of breath and was found to have acute COPD exacerbation. Other chronic lower respiratory diseases 52%
3334 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. All other forms of chronic ischemic heart disease 52%
4367 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. All other forms of chronic ischemic heart disease 52%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. Acute myocardial infarction 51%
3788 Total thyroidectomy for goiter. Multinodular thyroid goiter with compressive symptoms and bilateral dominant thyroid nodules proven to be benign by fine needle aspiration. Malignant neoplasms of trachea bronchus and lung 51%
278 Total thyroidectomy for goiter. Multinodular thyroid goiter with compressive symptoms and bilateral dominant thyroid nodules proven to be benign by fine needle aspiration. Malignant neoplasms of trachea bronchus and lung 51%
337 Squamous cell carcinoma of right temporal bone/middle ear space. Right temporal bone resection; rectus abdominis myocutaneous free flap for reconstruction of skull base defect; right selective neck dissection zones 2 and 3. Malignant neoplasms of trachea bronchus and lung 51%
2785 Squamous cell carcinoma of right temporal bone/middle ear space. Right temporal bone resection; rectus abdominis myocutaneous free flap for reconstruction of skull base defect; right selective neck dissection zones 2 and 3. Malignant neoplasms of trachea bronchus and lung 51%
2669 Squamous cell carcinoma of right temporal bone/middle ear space. Right temporal bone resection; rectus abdominis myocutaneous free flap for reconstruction of skull base defect; right selective neck dissection zones 2 and 3. Malignant neoplasms of trachea bronchus and lung 51%
1588 MRI Brain & T-spine - Demyelinating disease. Atherosclerotic cardiovascular disease so described 51%
2154 MRI Brain & T-spine - Demyelinating disease. Atherosclerotic cardiovascular disease so described 51%
2830 MRI Brain & T-spine - Demyelinating disease. Atherosclerotic cardiovascular disease so described 51%
3045 Followup on chronic kidney disease. Alzheimer disease 51%
3326 History and Physical - A history of stage IIIC papillary serous adenocarcinoma of the ovary, presented to the office today left leg pain (left leg DVT). All other and unspecified malignant neoplasms 51%
4350 History and Physical - A history of stage IIIC papillary serous adenocarcinoma of the ovary, presented to the office today left leg pain (left leg DVT). All other and unspecified malignant neoplasms 51%
4722 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Acute myocardial infarction 51%
3900 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Acute myocardial infarction 51%
3262 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Acute myocardial infarction 51%
3483 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Acute myocardial infarction 51%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Other chronic lower respiratory diseases 51%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Other chronic lower respiratory diseases 51%
1268 Grade 1 endometrial adenocarcinoma and low-grade mesothelioma of the ovary - Omentectomy, pelvic lymph node dissection, and laparoscopy. Malignant neoplasms of trachea bronchus and lung 51%
1504 Coronary artery bypass surgery and aortic stenosis. Transthoracic echocardiogram was performed of technically limited quality. Concentric hypertrophy of the left ventricle with left ventricular function. Moderate mitral regurgitation. Severe aortic stenosis, severe. Acute myocardial infarction 51%
4611 Coronary artery bypass surgery and aortic stenosis. Transthoracic echocardiogram was performed of technically limited quality. Concentric hypertrophy of the left ventricle with left ventricular function. Moderate mitral regurgitation. Severe aortic stenosis, severe. Acute myocardial infarction 51%
3122 Sepsis. The patient was found to have a CT scan with dilated bladder with thick wall suggesting an outlet obstruction as well as bilateral hydronephrosis and hydroureter. Malignant neoplasms of trachea bronchus and lung 51%
3207 Sepsis. The patient was found to have a CT scan with dilated bladder with thick wall suggesting an outlet obstruction as well as bilateral hydronephrosis and hydroureter. Malignant neoplasms of trachea bronchus and lung 51%
4124 Sepsis. The patient was found to have a CT scan with dilated bladder with thick wall suggesting an outlet obstruction as well as bilateral hydronephrosis and hydroureter. Malignant neoplasms of trachea bronchus and lung 51%
324 Successful stenting of the left anterior descending. Angina pectoris, tight lesion in left anterior descending. Acute myocardial infarction 51%
4660 Successful stenting of the left anterior descending. Angina pectoris, tight lesion in left anterior descending. Acute myocardial infarction 51%
1890 Single frontal view of the chest. Respiratory distress. The patient has a history of malrotation. Other chronic lower respiratory diseases 51%
1529 Single frontal view of the chest. Respiratory distress. The patient has a history of malrotation. Other chronic lower respiratory diseases 51%
935 Benign prostatic hypertrophy and urinary retention. Cystourethroscopy and transurethral resection of prostate (TURP). Malignant neoplasms of trachea bronchus and lung 51%
144 Benign prostatic hypertrophy and urinary retention. Cystourethroscopy and transurethral resection of prostate (TURP). Malignant neoplasms of trachea bronchus and lung 51%
1532 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Other chronic lower respiratory diseases 51%
4670 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Other chronic lower respiratory diseases 51%
4094 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. All other forms of chronic ischemic heart disease 51%
31 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. All other forms of chronic ischemic heart disease 51%
3761 Postoperative hemorrhage. Examination under anesthesia with control of right parapharyngeal space hemorrhage. The patient is a 35-year-old female with a history of a chronic pharyngitis and obstructive adenotonsillar hypertrophy. Other chronic lower respiratory diseases 51%
967 Postoperative hemorrhage. Examination under anesthesia with control of right parapharyngeal space hemorrhage. The patient is a 35-year-old female with a history of a chronic pharyngitis and obstructive adenotonsillar hypertrophy. Other chronic lower respiratory diseases 51%
145 Cystopyelogram, clot evacuation, transurethral resection of the bladder tumor x2 on the dome and on the left wall of the bladder. Malignant neoplasms of trachea bronchus and lung 51%
950 Cystopyelogram, clot evacuation, transurethral resection of the bladder tumor x2 on the dome and on the left wall of the bladder. Malignant neoplasms of trachea bronchus and lung 51%
3019 Cystopyelogram, clot evacuation, transurethral resection of the bladder tumor x2 on the dome and on the left wall of the bladder. Malignant neoplasms of trachea bronchus and lung 51%
1301 The patient is admitted for shortness of breath, continues to do fairly well. The patient has chronic atrial fibrillation, on anticoagulation, INR of 1.72. The patient did undergo echocardiogram, which shows aortic stenosis, severe. The patient does have an outside cardiologist. All other forms of chronic ischemic heart disease 51%
4661 The patient is admitted for shortness of breath, continues to do fairly well. The patient has chronic atrial fibrillation, on anticoagulation, INR of 1.72. The patient did undergo echocardiogram, which shows aortic stenosis, severe. The patient does have an outside cardiologist. All other forms of chronic ischemic heart disease 51%
3164 Mesothelioma, pleural effusion, atrial fibrillation, anemia, ascites, esophageal reflux, and history of deep venous thrombosis. Malignant neoplasms of trachea bronchus and lung 51%
3933 Mesothelioma, pleural effusion, atrial fibrillation, anemia, ascites, esophageal reflux, and history of deep venous thrombosis. Malignant neoplasms of trachea bronchus and lung 51%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. All other forms of heart disease 51%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. All other forms of heart disease 51%
952 Endoscopic and microsurgical transnasal resection of cystic suprasellar tumor. Malignant neoplasms of trachea bronchus and lung 51%
2709 Endoscopic and microsurgical transnasal resection of cystic suprasellar tumor. Malignant neoplasms of trachea bronchus and lung 51%
4187 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. All other forms of heart disease 51%
67 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. All other forms of heart disease 51%
4834 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Acute myocardial infarction 51%
2907 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Acute myocardial infarction 51%
3963 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Acute myocardial infarction 51%
1548 Myocardial perfusion study at rest and stress, gated SPECT wall motion study at stress and calculation of ejection fraction. Acute myocardial infarction 51%
4718 Myocardial perfusion study at rest and stress, gated SPECT wall motion study at stress and calculation of ejection fraction. Acute myocardial infarction 51%
4720 Resting Myoview perfusion scan and gated myocardial scan. Findings consistent with an inferior non-transmural scar Acute myocardial infarction 51%
1545 Resting Myoview perfusion scan and gated myocardial scan. Findings consistent with an inferior non-transmural scar Acute myocardial infarction 51%
4505 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. Acute myocardial infarction 51%
4852 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. Acute myocardial infarction 51%
4884 Problem of essential hypertension. Symptoms that suggested intracranial pathology. Atherosclerotic cardiovascular disease so described 51%
1437 Problem of essential hypertension. Symptoms that suggested intracranial pathology. Atherosclerotic cardiovascular disease so described 51%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Other chronic lower respiratory diseases 51%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Other chronic lower respiratory diseases 51%
3786 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Cerebrovascular diseases 51%
4090 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Cerebrovascular diseases 51%
4376 A male patient presented for evaluation of chronic abdominal pain. Other chronic lower respiratory diseases 51%
3342 A male patient presented for evaluation of chronic abdominal pain. Other chronic lower respiratory diseases 51%
2154 MRI Brain & T-spine - Demyelinating disease. All other forms of chronic ischemic heart disease 51%
1588 MRI Brain & T-spine - Demyelinating disease. All other forms of chronic ischemic heart disease 51%
2830 MRI Brain & T-spine - Demyelinating disease. All other forms of chronic ischemic heart disease 51%
3317 Sepsis due to urinary tract infection. Other chronic lower respiratory diseases 51%
1385 Sepsis due to urinary tract infection. Other chronic lower respiratory diseases 51%
4257 Nephrology Consultation - Patient with renal failure. All other forms of chronic ischemic heart disease 51%
2993 Nephrology Consultation - Patient with renal failure. All other forms of chronic ischemic heart disease 51%
4536 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. All other forms of chronic ischemic heart disease 51%
4905 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. All other forms of chronic ischemic heart disease 51%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. All other forms of chronic ischemic heart disease 51%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. All other forms of chronic ischemic heart disease 51%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. All other forms of chronic ischemic heart disease 51%
4278 Marginal zone lymphoma (MALT-type lymphoma). A mass was found in her right breast on physical examination. she had a mammogram and ultrasound, which confirmed the right breast mass. Malignant neoplasms of trachea bronchus and lung 51%
3139 Marginal zone lymphoma (MALT-type lymphoma). A mass was found in her right breast on physical examination. she had a mammogram and ultrasound, which confirmed the right breast mass. Malignant neoplasms of trachea bronchus and lung 51%
4094 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. All other and unspecified malignant neoplasms 51%
31 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. All other and unspecified malignant neoplasms 51%
1923 4-day-old with hyperbilirubinemia and heart murmur. All other forms of chronic ischemic heart disease 51%
3833 4-day-old with hyperbilirubinemia and heart murmur. All other forms of chronic ischemic heart disease 51%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Cerebrovascular diseases 51%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Cerebrovascular diseases 51%
4905 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. Atherosclerotic cardiovascular disease so described 51%
4536 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. Atherosclerotic cardiovascular disease so described 51%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Diabetes mellitus 51%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Diabetes mellitus 51%
752 Right and left heart catheterization, left ventriculogram, aortogram, and bilateral selective coronary angiography. The patient is a 48-year-old female with severe mitral stenosis diagnosed by echocardiography, moderate aortic insufficiency and moderate to severe pulmonary hypertension who is being evaluated as a part of a preoperative workup for mitral and possible aortic valve repair or replacement. Acute myocardial infarction 51%
4777 Right and left heart catheterization, left ventriculogram, aortogram, and bilateral selective coronary angiography. The patient is a 48-year-old female with severe mitral stenosis diagnosed by echocardiography, moderate aortic insufficiency and moderate to severe pulmonary hypertension who is being evaluated as a part of a preoperative workup for mitral and possible aortic valve repair or replacement. Acute myocardial infarction 51%
4682 Pulmonary function test. Mild-to-moderate obstructive ventilatory impairment. Some improvement in the airflows after bronchodilator therapy. Other chronic lower respiratory diseases 51%
3378 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. All other forms of chronic ischemic heart disease 51%
4401 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. All other forms of chronic ischemic heart disease 51%
1046 Left pleural effusion, parapneumonic, loculated. Left chest tube placement. Malignant neoplasms of trachea bronchus and lung 51%
4860 Left pleural effusion, parapneumonic, loculated. Left chest tube placement. Malignant neoplasms of trachea bronchus and lung 51%
3774 Adenotonsillectomy. Adenotonsillitis with hypertrophy. The patient is a very nice patient with adenotonsillitis with hypertrophy and obstructive symptoms. Adenotonsillectomy is indicated. Other chronic lower respiratory diseases 51%
1270 Adenotonsillectomy. Adenotonsillitis with hypertrophy. The patient is a very nice patient with adenotonsillitis with hypertrophy and obstructive symptoms. Adenotonsillectomy is indicated. Other chronic lower respiratory diseases 51%
1437 Problem of essential hypertension. Symptoms that suggested intracranial pathology. Cerebrovascular diseases 51%
4884 Problem of essential hypertension. Symptoms that suggested intracranial pathology. Cerebrovascular diseases 51%
4434 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Acute myocardial infarction 51%
4806 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Acute myocardial infarction 51%
1100 Cardiac catheterization. Coronary artery disease plus intimal calcification in the mid abdominal aorta without significant stenosis. Acute myocardial infarction 51%
4911 Cardiac catheterization. Coronary artery disease plus intimal calcification in the mid abdominal aorta without significant stenosis. Acute myocardial infarction 51%
3957 Bradycardia, dizziness, diabetes, hypertension, abdominal pain, and sick sinus syndrome. Other chronic lower respiratory diseases 51%
3405 Bradycardia, dizziness, diabetes, hypertension, abdominal pain, and sick sinus syndrome. Other chronic lower respiratory diseases 51%
4766 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. Other chronic lower respiratory diseases 51%
3832 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. Other chronic lower respiratory diseases 51%
4240 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. All other and unspecified malignant neoplasms 51%
3130 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. All other and unspecified malignant neoplasms 51%
4595 Evaluation for chronic pain program All other forms of chronic ischemic heart disease 51%
2193 Evaluation for chronic pain program All other forms of chronic ischemic heart disease 51%
4892 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. All other forms of chronic ischemic heart disease 51%
3982 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. All other forms of chronic ischemic heart disease 51%
942 Exploratory laparotomy, resection of small bowel lesion, biopsy of small bowel mesentery, bilateral extended pelvic and iliac lymphadenectomy (including preaortic and precaval, bilateral common iliac, presacral, bilateral external iliac lymph nodes), salvage radical cystoprostatectomy (very difficult due to previous chemotherapy and radiation therapy), and continent urinary diversion with an Indiana pouch. Malignant neoplasms of trachea bronchus and lung 51%
149 Exploratory laparotomy, resection of small bowel lesion, biopsy of small bowel mesentery, bilateral extended pelvic and iliac lymphadenectomy (including preaortic and precaval, bilateral common iliac, presacral, bilateral external iliac lymph nodes), salvage radical cystoprostatectomy (very difficult due to previous chemotherapy and radiation therapy), and continent urinary diversion with an Indiana pouch. Malignant neoplasms of trachea bronchus and lung 51%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. All other forms of heart disease 51%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. All other forms of heart disease 51%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Heart failure 51%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Heart failure 51%
3383 Fifth disease with sinusitis All other forms of chronic ischemic heart disease 51%
1396 Fifth disease with sinusitis All other forms of chronic ischemic heart disease 51%
4005 Excision of the left upper cheek actinic neoplasm and left lower cheek upper neck skin neoplasm with two-layer plastic closures Malignant neoplasms of trachea bronchus and lung 50%
816 Excision of the left upper cheek actinic neoplasm and left lower cheek upper neck skin neoplasm with two-layer plastic closures Malignant neoplasms of trachea bronchus and lung 50%
2831 MRI brain & Cerebral Angiogram: CNS Vasculitis with evidence of ischemic infarction in the right and left frontal lobes. All other forms of chronic ischemic heart disease 50%
1592 MRI brain & Cerebral Angiogram: CNS Vasculitis with evidence of ischemic infarction in the right and left frontal lobes. All other forms of chronic ischemic heart disease 50%
4370 Patient with a diagnosis of stroke. Acute myocardial infarction 50%
3339 Patient with a diagnosis of stroke. Acute myocardial infarction 50%
3934 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Atherosclerotic cardiovascular disease so described 50%
4828 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Atherosclerotic cardiovascular disease so described 50%
737 Right side craniotomy for temporal lobe intracerebral hematoma evacuation and resection of temporal lobe lesion. Biopsy of dura. Malignant neoplasms of trachea bronchus and lung 50%
2703 Right side craniotomy for temporal lobe intracerebral hematoma evacuation and resection of temporal lobe lesion. Biopsy of dura. Malignant neoplasms of trachea bronchus and lung 50%
2874 Right side craniotomy for temporal lobe intracerebral hematoma evacuation and resection of temporal lobe lesion. Biopsy of dura. Malignant neoplasms of trachea bronchus and lung 50%
401 Punch biopsy of right upper chest skin lesion. Malignant neoplasms of trachea bronchus and lung 50%
3995 Punch biopsy of right upper chest skin lesion. Malignant neoplasms of trachea bronchus and lung 50%
4846 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Cerebrovascular diseases 50%
3972 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Cerebrovascular diseases 50%
4633 Left thoracotomy with total pulmonary decortication and parietal pleurectomy. Empyema of the chest, left. Malignant neoplasms of trachea bronchus and lung 50%
284 Left thoracotomy with total pulmonary decortication and parietal pleurectomy. Empyema of the chest, left. Malignant neoplasms of trachea bronchus and lung 50%
4814 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. All other forms of chronic ischemic heart disease 50%
1646 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. All other forms of chronic ischemic heart disease 50%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. All other forms of chronic ischemic heart disease 50%
2490 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. Acute myocardial infarction 50%
3311 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. Acute myocardial infarction 50%
1330 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. All other forms of chronic ischemic heart disease 50%
3117 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. All other forms of chronic ischemic heart disease 50%
784 Flexible nasal laryngoscopy. Foreign body, left vallecula at the base of the tongue. Airway is patent and stable. Malignant neoplasms of trachea bronchus and lung 50%
3742 Flexible nasal laryngoscopy. Foreign body, left vallecula at the base of the tongue. Airway is patent and stable. Malignant neoplasms of trachea bronchus and lung 50%
1444 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. All other forms of chronic ischemic heart disease 50%
3182 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. All other forms of chronic ischemic heart disease 50%
3453 Upper endoscopy with foreign body removal (Penny in proximal esophagus). Malignant neoplasms of trachea bronchus and lung 50%
215 Upper endoscopy with foreign body removal (Penny in proximal esophagus). Malignant neoplasms of trachea bronchus and lung 50%
3409 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Other chronic lower respiratory diseases 50%
3956 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Other chronic lower respiratory diseases 50%
1598 A middle-aged male with increasing memory loss and history of Lyme disease. Alzheimer disease 50%
2838 A middle-aged male with increasing memory loss and history of Lyme disease. Alzheimer disease 50%
3373 A female for a complete physical and follow up on asthma with allergic rhinitis. Other chronic lower respiratory diseases 50%
4990 A female for a complete physical and follow up on asthma with allergic rhinitis. Other chronic lower respiratory diseases 50%
4783 A female for a complete physical and follow up on asthma with allergic rhinitis. Other chronic lower respiratory diseases 50%
2990 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. Other chronic lower respiratory diseases 50%
4264 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. Other chronic lower respiratory diseases 50%
2990 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. Atherosclerotic cardiovascular disease so described 50%
4264 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. Atherosclerotic cardiovascular disease so described 50%
4476 Sepsis, possible SBP. A 53-year-old Hispanic man with diabetes, morbid obesity, hepatitis C, cirrhosis, history of alcohol and cocaine abuse presented in the emergency room for ground-level fall secondary to weak knees. He complained of bilateral knee pain, but also had other symptoms including hematuria and epigastric pain for at least a month. Other chronic lower respiratory diseases 50%
3418 Sepsis, possible SBP. A 53-year-old Hispanic man with diabetes, morbid obesity, hepatitis C, cirrhosis, history of alcohol and cocaine abuse presented in the emergency room for ground-level fall secondary to weak knees. He complained of bilateral knee pain, but also had other symptoms including hematuria and epigastric pain for at least a month. Other chronic lower respiratory diseases 50%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Cerebrovascular diseases 50%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Cerebrovascular diseases 50%
4831 The patient is a 61-year-old female who was treated with CyberKnife therapy to a right upper lobe stage IA non-small cell lung cancer. CyberKnife treatment was completed one month ago. She is now being seen for her first post-CyberKnife treatment visit. Malignant neoplasms of trachea bronchus and lung 50%
1422 The patient is a 61-year-old female who was treated with CyberKnife therapy to a right upper lobe stage IA non-small cell lung cancer. CyberKnife treatment was completed one month ago. She is now being seen for her first post-CyberKnife treatment visit. Malignant neoplasms of trachea bronchus and lung 50%
1438 He is a 67-year-old man who suffers from chronic anxiety and coronary artery disease and DJD. He has been having some chest pains, but overall he does not sound too concerning. He does note some more shortness of breath than usual. He has had no palpitations or lightheadedness. No problems with edema. All other forms of chronic ischemic heart disease 50%
4921 He is a 67-year-old man who suffers from chronic anxiety and coronary artery disease and DJD. He has been having some chest pains, but overall he does not sound too concerning. He does note some more shortness of breath than usual. He has had no palpitations or lightheadedness. No problems with edema. All other forms of chronic ischemic heart disease 50%
739 Left heart catheterization, left ventriculography, selective coronary angiography. Acute myocardial infarction 50%
4768 Left heart catheterization, left ventriculography, selective coronary angiography. Acute myocardial infarction 50%
4094 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. Other chronic lower respiratory diseases 50%
31 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. Other chronic lower respiratory diseases 50%
4088 Patient with morbid obesity. Diabetes mellitus 50%
3199 Patient with morbid obesity. Diabetes mellitus 50%
4523 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. Other chronic lower respiratory diseases 50%
3046 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. Other chronic lower respiratory diseases 50%
4790 Right and left heart catheterization, coronary angiography, left ventriculography. Acute myocardial infarction 50%
759 Right and left heart catheterization, coronary angiography, left ventriculography. Acute myocardial infarction 50%
3182 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. All other forms of heart disease 50%
1444 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. All other forms of heart disease 50%
4922 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. Atherosclerotic cardiovascular disease so described 50%
1114 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. Atherosclerotic cardiovascular disease so described 50%
1010 Colonoscopy. History of colon polyps and partial colon resection, right colon. Mild diverticulosis of the sigmoid colon. Hemorrhoids. Malignant neoplasms of trachea bronchus and lung 50%
3644 Colonoscopy. History of colon polyps and partial colon resection, right colon. Mild diverticulosis of the sigmoid colon. Hemorrhoids. Malignant neoplasms of trachea bronchus and lung 50%
815 Re-excision of squamous cell carcinoma site, right hand. All other and unspecified malignant neoplasms 50%
3162 Re-excision of squamous cell carcinoma site, right hand. All other and unspecified malignant neoplasms 50%
4738 Newly diagnosed high-risk acute lymphoblastic leukemia; extensive deep vein thrombosis, and pharmacologic thrombolysis following placement of a vena caval filter. Acute myocardial infarction 50%
3272 Newly diagnosed high-risk acute lymphoblastic leukemia; extensive deep vein thrombosis, and pharmacologic thrombolysis following placement of a vena caval filter. Acute myocardial infarction 50%
4286 Newly diagnosed high-risk acute lymphoblastic leukemia; extensive deep vein thrombosis, and pharmacologic thrombolysis following placement of a vena caval filter. Acute myocardial infarction 50%
3142 Newly diagnosed high-risk acute lymphoblastic leukemia; extensive deep vein thrombosis, and pharmacologic thrombolysis following placement of a vena caval filter. Acute myocardial infarction 50%
3481 The patient has had abdominal pain associated with a 30-pound weight loss and then developed jaundice. He had epigastric pain and was admitted to the hospital. A thin-slice CT scan was performed, which revealed a pancreatic mass with involved lymph nodes and ring enhancing lesions consistent with liver metastases. Malignant neoplasms of trachea bronchus and lung 50%
3888 The patient has had abdominal pain associated with a 30-pound weight loss and then developed jaundice. He had epigastric pain and was admitted to the hospital. A thin-slice CT scan was performed, which revealed a pancreatic mass with involved lymph nodes and ring enhancing lesions consistent with liver metastases. Malignant neoplasms of trachea bronchus and lung 50%
2095 The patient continues to suffer from ongoing neck and lower back pain with no recent radicular complaints. Other chronic lower respiratory diseases 50%
2459 The patient continues to suffer from ongoing neck and lower back pain with no recent radicular complaints. Other chronic lower respiratory diseases 50%
4187 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. Other chronic lower respiratory diseases 50%
67 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. Other chronic lower respiratory diseases 50%
4693 Atypical pneumonia, hypoxia, rheumatoid arthritis, and suspected mild stress-induced adrenal insufficiency. This very independent 79-year old had struggled with cough, fevers, weakness, and chills for the week prior to admission. All other forms of chronic ischemic heart disease 50%
3224 Atypical pneumonia, hypoxia, rheumatoid arthritis, and suspected mild stress-induced adrenal insufficiency. This very independent 79-year old had struggled with cough, fevers, weakness, and chills for the week prior to admission. All other forms of chronic ischemic heart disease 50%
3894 Atypical pneumonia, hypoxia, rheumatoid arthritis, and suspected mild stress-induced adrenal insufficiency. This very independent 79-year old had struggled with cough, fevers, weakness, and chills for the week prior to admission. All other forms of chronic ischemic heart disease 50%
4906 Left heart cardiac catheterization. Acute myocardial infarction 50%
1091 Left heart cardiac catheterization. Acute myocardial infarction 50%
4018 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of heart disease 50%
3203 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of heart disease 50%
3802 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of heart disease 50%
4105 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of heart disease 50%
4605 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias Acute myocardial infarction 50%
191 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias Acute myocardial infarction 50%
4439 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. Malignant neoplasms of trachea bronchus and lung 50%
3387 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. Malignant neoplasms of trachea bronchus and lung 50%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Atherosclerotic cardiovascular disease so described 50%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Atherosclerotic cardiovascular disease so described 50%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. All other forms of heart disease 50%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. All other forms of heart disease 50%
1232 Dementia and aortoiliac occlusive disease bilaterally. Aortobifemoral bypass surgery utilizing a bifurcated Hemashield graft. Atherosclerotic cardiovascular disease so described 50%
4958 Dementia and aortoiliac occlusive disease bilaterally. Aortobifemoral bypass surgery utilizing a bifurcated Hemashield graft. Atherosclerotic cardiovascular disease so described 50%
2941 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. All other forms of chronic ischemic heart disease 50%
4472 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. All other forms of chronic ischemic heart disease 50%
1454 Chronic lymphocytic leukemia (CLL), autoimmune hemolytic anemia, and oral ulcer. The patient was diagnosed with chronic lymphocytic leukemia and was noted to have autoimmune hemolytic anemia at the time of his CLL diagnosis. All other forms of chronic ischemic heart disease 50%
3191 Chronic lymphocytic leukemia (CLL), autoimmune hemolytic anemia, and oral ulcer. The patient was diagnosed with chronic lymphocytic leukemia and was noted to have autoimmune hemolytic anemia at the time of his CLL diagnosis. All other forms of chronic ischemic heart disease 50%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Acute myocardial infarction 50%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Acute myocardial infarction 50%
3045 Followup on chronic kidney disease. Atherosclerotic cardiovascular disease so described 50%
3483 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Heart failure 50%
3262 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Heart failure 50%
3900 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Heart failure 50%
4722 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Heart failure 50%
2649 Suspicious calcifications upper outer quadrant, left breast. Left breast excisional biopsy with preoperative guidewire localization and intraoperative specimen radiography. Malignant neoplasms of trachea bronchus and lung 50%
4543 Suspicious calcifications upper outer quadrant, left breast. Left breast excisional biopsy with preoperative guidewire localization and intraoperative specimen radiography. Malignant neoplasms of trachea bronchus and lung 50%
3436 Suspicious calcifications upper outer quadrant, left breast. Left breast excisional biopsy with preoperative guidewire localization and intraoperative specimen radiography. Malignant neoplasms of trachea bronchus and lung 50%
4774 Selective coronary angiography, left heart catheterization, and left ventriculography. Severe stenosis at the origin of the large diagonal artery and subtotal stenosis in the mid segment of this diagonal branch. Acute myocardial infarction 50%
746 Selective coronary angiography, left heart catheterization, and left ventriculography. Severe stenosis at the origin of the large diagonal artery and subtotal stenosis in the mid segment of this diagonal branch. Acute myocardial infarction 50%
4828 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Acute myocardial infarction 50%
3934 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Acute myocardial infarction 50%
1940 A 14-month-old with history of chronic recurrent episodes of otitis media, totalling 6 bouts, requiring antibiotics since birth. All other forms of chronic ischemic heart disease 50%
3763 A 14-month-old with history of chronic recurrent episodes of otitis media, totalling 6 bouts, requiring antibiotics since birth. All other forms of chronic ischemic heart disease 50%
4518 A 14-month-old with history of chronic recurrent episodes of otitis media, totalling 6 bouts, requiring antibiotics since birth. All other forms of chronic ischemic heart disease 50%
4137 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. All other forms of heart disease 50%
2980 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. All other forms of heart disease 50%
1323 Acute supraglottitis with airway obstruction and parapharyngeal cellulitis and peritonsillar cellulitis. Malignant neoplasms of trachea bronchus and lung 50%
3711 Acute supraglottitis with airway obstruction and parapharyngeal cellulitis and peritonsillar cellulitis. Malignant neoplasms of trachea bronchus and lung 50%
4524 Patient having severe sinusitis about two to three months ago with facial discomfort, nasal congestion, eye pain, and postnasal drip symptoms. Other chronic lower respiratory diseases 50%
4988 Patient having severe sinusitis about two to three months ago with facial discomfort, nasal congestion, eye pain, and postnasal drip symptoms. Other chronic lower respiratory diseases 50%
3006 Acute on chronic renal failure and uremia. Insertion of a right internal jugular vein hemodialysis catheter. All other forms of chronic ischemic heart disease 50%
682 Acute on chronic renal failure and uremia. Insertion of a right internal jugular vein hemodialysis catheter. All other forms of chronic ischemic heart disease 50%
3630 Patient with active flare of Inflammatory Bowel Disease, not responsive to conventional therapy including sulfasalazine, cortisone, local therapy. Other chronic lower respiratory diseases 50%
994 Patient with active flare of Inflammatory Bowel Disease, not responsive to conventional therapy including sulfasalazine, cortisone, local therapy. Other chronic lower respiratory diseases 50%
3339 Patient with a diagnosis of stroke. All other forms of chronic ischemic heart disease 50%
4370 Patient with a diagnosis of stroke. All other forms of chronic ischemic heart disease 50%
1330 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. All other and unspecified malignant neoplasms 50%
3117 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. All other and unspecified malignant neoplasms 50%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Diabetes mellitus 50%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Diabetes mellitus 50%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Diabetes mellitus 50%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Diabetes mellitus 50%
4694 Consult for subcutaneous emphysema and a small right-sided pneumothorax secondary to trauma. Malignant neoplasms of trachea bronchus and lung 50%
4175 Consult for subcutaneous emphysema and a small right-sided pneumothorax secondary to trauma. Malignant neoplasms of trachea bronchus and lung 50%
1136 Bronchoscopy for hypoxia and increasing pulmonary secretions Other chronic lower respiratory diseases 50%
4933 Bronchoscopy for hypoxia and increasing pulmonary secretions Other chronic lower respiratory diseases 50%
2493 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain Acute myocardial infarction 50%
4868 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain Acute myocardial infarction 50%
4910 Left heart catheterization with coronary angiography, vein graft angiography and left ventricular pressure measurement and angiography. Acute myocardial infarction 50%
1098 Left heart catheterization with coronary angiography, vein graft angiography and left ventricular pressure measurement and angiography. Acute myocardial infarction 50%
3000 Status post cadaveric kidney transplant with stable function. All other forms of chronic ischemic heart disease 50%
1309 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. Other chronic lower respiratory diseases 50%
3221 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. Other chronic lower respiratory diseases 50%
4773 Left heart catheterization with ventriculography, selective coronary arteriographies, successful stenting of the left anterior descending diagonal. Acute myocardial infarction 50%
754 Left heart catheterization with ventriculography, selective coronary arteriographies, successful stenting of the left anterior descending diagonal. Acute myocardial infarction 50%
4853 Congestive heart failure (CHF). The patient is a 75-year-old gentleman presented through the emergency room. Symptoms are of shortness of breath, fatigue, and tiredness. Main complaints are right-sided and abdominal pain. Initial blood test in the emergency room showed elevated BNP suggestive of congestive heart failure. All other forms of chronic ischemic heart disease 49%
4495 Congestive heart failure (CHF). The patient is a 75-year-old gentleman presented through the emergency room. Symptoms are of shortness of breath, fatigue, and tiredness. Main complaints are right-sided and abdominal pain. Initial blood test in the emergency room showed elevated BNP suggestive of congestive heart failure. All other forms of chronic ischemic heart disease 49%
2799 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. All other and unspecified malignant neoplasms 49%
3128 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. All other and unspecified malignant neoplasms 49%
4261 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. All other and unspecified malignant neoplasms 49%
1918 The patient is an 11-month-old with a diagnosis of stage 2 neuroblastoma of the right adrenal gland with favorable Shimada histology and history of stage 2 left adrenal neuroblastoma, status post gross total resection. All other and unspecified malignant neoplasms 49%
4153 Bipolar disorder, apparently stable on medications. Mild organic brain syndrome, presumably secondary to her chronic inhalant, paint, abuse. All other forms of chronic ischemic heart disease 49%
1771 Bipolar disorder, apparently stable on medications. Mild organic brain syndrome, presumably secondary to her chronic inhalant, paint, abuse. All other forms of chronic ischemic heart disease 49%
4835 A 51-year-old male with chest pain and history of coronary artery disease. Acute myocardial infarction 49%
1721 A 51-year-old male with chest pain and history of coronary artery disease. Acute myocardial infarction 49%
4245 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. All other forms of chronic ischemic heart disease 49%
1794 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. All other forms of chronic ischemic heart disease 49%
2787 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. All other forms of chronic ischemic heart disease 49%
3758 13 years old complaining about severe ear pain - Chronic otitis media. Other chronic lower respiratory diseases 49%
4436 13 years old complaining about severe ear pain - Chronic otitis media. Other chronic lower respiratory diseases 49%
1931 13 years old complaining about severe ear pain - Chronic otitis media. Other chronic lower respiratory diseases 49%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. Atherosclerotic cardiovascular disease so described 49%
4513 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other and unspecified malignant neoplasms 49%
3653 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other and unspecified malignant neoplasms 49%
3179 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other and unspecified malignant neoplasms 49%
599 Intramuscular lipoma, right upper extremity. Excision of intramuscular lipoma with flap closure. Malignant neoplasms of trachea bronchus and lung 49%
1099 Left heart catheterization, left ventriculogram, selective coronary arteriography, aortic arch angiogram, right iliofemoral angiogram, #6 French Angio-Seal placement. Acute myocardial infarction 49%
4908 Left heart catheterization, left ventriculogram, selective coronary arteriography, aortic arch angiogram, right iliofemoral angiogram, #6 French Angio-Seal placement. Acute myocardial infarction 49%
2559 A very pleasant 66-year-old woman with recurrent metastatic ovarian cancer. Malignant neoplasms of trachea bronchus and lung 49%
3132 A very pleasant 66-year-old woman with recurrent metastatic ovarian cancer. Malignant neoplasms of trachea bronchus and lung 49%
4268 A very pleasant 66-year-old woman with recurrent metastatic ovarian cancer. Malignant neoplasms of trachea bronchus and lung 49%
4105 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of chronic ischemic heart disease 49%
3203 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of chronic ischemic heart disease 49%
4018 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of chronic ischemic heart disease 49%
3802 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other forms of chronic ischemic heart disease 49%
377 Nasal endoscopy and partial rhinectomy due to squamous cell carcinoma, left nasal cavity. All other and unspecified malignant neoplasms 49%
3714 Nasal endoscopy and partial rhinectomy due to squamous cell carcinoma, left nasal cavity. All other and unspecified malignant neoplasms 49%
1286 The patient is a 67-year-old white female with a history of uterine papillary serous carcinoma who is status post 6 cycles of carboplatin and Taxol, is here today for followup. Malignant neoplasms of trachea bronchus and lung 49%
2504 The patient is a 67-year-old white female with a history of uterine papillary serous carcinoma who is status post 6 cycles of carboplatin and Taxol, is here today for followup. Malignant neoplasms of trachea bronchus and lung 49%
3114 The patient is a 67-year-old white female with a history of uterine papillary serous carcinoma who is status post 6 cycles of carboplatin and Taxol, is here today for followup. Malignant neoplasms of trachea bronchus and lung 49%
4914 Left Cardiac Catheterization, Left Ventriculography, Coronary Angiography and Stent Placement. Acute myocardial infarction 49%
1105 Left Cardiac Catheterization, Left Ventriculography, Coronary Angiography and Stent Placement. Acute myocardial infarction 49%
3878 Patient presents with a chief complaint of chest pain admitted to Coronary Care Unit due to acute inferior myocardial infarction. All other forms of chronic ischemic heart disease 49%
4588 Patient presents with a chief complaint of chest pain admitted to Coronary Care Unit due to acute inferior myocardial infarction. All other forms of chronic ischemic heart disease 49%
4967 Patient presents with a chief complaint of chest pain admitted to Coronary Care Unit due to acute inferior myocardial infarction. All other forms of chronic ischemic heart disease 49%
4930 Bronchoscopy with bronchoalveolar lavage. Refractory pneumonitis. A 69-year-old man status post trauma, slightly prolonged respiratory failure status post tracheostomy, requires another bronchoscopy for further evaluation of refractory pneumonitis. Other chronic lower respiratory diseases 49%
1131 Bronchoscopy with bronchoalveolar lavage. Refractory pneumonitis. A 69-year-old man status post trauma, slightly prolonged respiratory failure status post tracheostomy, requires another bronchoscopy for further evaluation of refractory pneumonitis. Other chronic lower respiratory diseases 49%
1748 MRI - Intracerebral hemorrhage (very acute clinical changes occurred immediately prior to scan). Acute myocardial infarction 49%
2973 MRI - Intracerebral hemorrhage (very acute clinical changes occurred immediately prior to scan). Acute myocardial infarction 49%
1522 Chest pain, hypertension. Stress test negative for dobutamine-induced myocardial ischemia. Normal left ventricular size, regional wall motion, and ejection fraction. All other forms of chronic ischemic heart disease 49%
4654 Chest pain, hypertension. Stress test negative for dobutamine-induced myocardial ischemia. Normal left ventricular size, regional wall motion, and ejection fraction. All other forms of chronic ischemic heart disease 49%
4187 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. Atherosclerotic cardiovascular disease so described 49%
67 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. Atherosclerotic cardiovascular disease so described 49%
3133 Nonpalpable neoplasm, right breast. Needle localized wide excision of nonpalpable neoplasm, right breast. All other and unspecified malignant neoplasms 49%
2555 Nonpalpable neoplasm, right breast. Needle localized wide excision of nonpalpable neoplasm, right breast. All other and unspecified malignant neoplasms 49%
528 Nonpalpable neoplasm, right breast. Needle localized wide excision of nonpalpable neoplasm, right breast. All other and unspecified malignant neoplasms 49%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other forms of heart disease 49%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other forms of heart disease 49%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other forms of heart disease 49%
4109 Newly diagnosed T-cell lymphoma. The patient reports swelling in his left submandibular region that occurred all of a sudden about a month and a half ago. Malignant neoplasms of trachea bronchus and lung 49%
3115 Newly diagnosed T-cell lymphoma. The patient reports swelling in his left submandibular region that occurred all of a sudden about a month and a half ago. Malignant neoplasms of trachea bronchus and lung 49%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Other chronic lower respiratory diseases 49%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Other chronic lower respiratory diseases 49%
3893 Occupational therapy discharge summary. Traumatic brain injury, cervical musculoskeletal strain. Other chronic lower respiratory diseases 49%
1868 Occupational therapy discharge summary. Traumatic brain injury, cervical musculoskeletal strain. Other chronic lower respiratory diseases 49%
547 Microsuspension direct laryngoscopy with biopsy. Fullness in right base of the tongue and chronic right ear otalgia. Malignant neoplasms of trachea bronchus and lung 49%
3735 Microsuspension direct laryngoscopy with biopsy. Fullness in right base of the tongue and chronic right ear otalgia. Malignant neoplasms of trachea bronchus and lung 49%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Other chronic lower respiratory diseases 49%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Other chronic lower respiratory diseases 49%
4806 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Other chronic lower respiratory diseases 49%
4434 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Other chronic lower respiratory diseases 49%
4375 Patient with hypertension, dementia, and depression. Atherosclerotic cardiovascular disease so described 49%
3350 Patient with hypertension, dementia, and depression. Atherosclerotic cardiovascular disease so described 49%
4433 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. Other chronic lower respiratory diseases 49%
3750 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. Other chronic lower respiratory diseases 49%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Heart failure 49%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Heart failure 49%
1406 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome All other forms of chronic ischemic heart disease 49%
3988 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome All other forms of chronic ischemic heart disease 49%
4453 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome All other forms of chronic ischemic heart disease 49%
809 Exploratory laparotomy. Extensive lysis of adhesions. Right salpingo-oophorectomy. Pelvic mass, suspected right ovarian cyst. Malignant neoplasms of trachea bronchus and lung 49%
2614 Exploratory laparotomy. Extensive lysis of adhesions. Right salpingo-oophorectomy. Pelvic mass, suspected right ovarian cyst. Malignant neoplasms of trachea bronchus and lung 49%
3982 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Atherosclerotic cardiovascular disease so described 49%
4892 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Atherosclerotic cardiovascular disease so described 49%
3814 Complete heart block with pacemaker malfunction and a history of Shone complex. All other forms of chronic ischemic heart disease 49%
4668 Complete heart block with pacemaker malfunction and a history of Shone complex. All other forms of chronic ischemic heart disease 49%
4970 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. Acute myocardial infarction 49%
4586 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. Acute myocardial infarction 49%
928 Dilation and curettage (D&C), laparoscopy, enterolysis, lysis of the pelvic adhesions, and left salpingo-oophorectomy. Complex left ovarian cyst, bilateral complex adnexae, bilateral hydrosalpinx, chronic pelvic inflammatory disease, and massive pelvic adhesions. Malignant neoplasms of trachea bronchus and lung 49%
2628 Dilation and curettage (D&C), laparoscopy, enterolysis, lysis of the pelvic adhesions, and left salpingo-oophorectomy. Complex left ovarian cyst, bilateral complex adnexae, bilateral hydrosalpinx, chronic pelvic inflammatory disease, and massive pelvic adhesions. Malignant neoplasms of trachea bronchus and lung 49%
4992 Acute allergic reaction, etiology uncertain, however, suspicious for Keflex. All other forms of chronic ischemic heart disease 49%
4575 Acute allergic reaction, etiology uncertain, however, suspicious for Keflex. All other forms of chronic ischemic heart disease 49%
2770 Sleep study - patient with symptoms of obstructive sleep apnea with snoring. Other chronic lower respiratory diseases 49%
1463 Sleep study - patient with symptoms of obstructive sleep apnea with snoring. Other chronic lower respiratory diseases 49%
4868 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain Other chronic lower respiratory diseases 49%
2493 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain Other chronic lower respiratory diseases 49%
3770 Cleft soft palate. Repair of cleft soft palate and excise accessory ear tag, right ear. Malignant neoplasms of trachea bronchus and lung 49%
1026 Cleft soft palate. Repair of cleft soft palate and excise accessory ear tag, right ear. Malignant neoplasms of trachea bronchus and lung 49%
743 Left heart catheterization, selective bilateral coronary angiography and left ventriculography. Revascularization of the left anterior descending with angioplasty and implantation of a drug-eluting stent. Right heart catheterization and Swan-Ganz catheter placement for monitoring. Acute myocardial infarction 49%
4769 Left heart catheterization, selective bilateral coronary angiography and left ventriculography. Revascularization of the left anterior descending with angioplasty and implantation of a drug-eluting stent. Right heart catheterization and Swan-Ganz catheter placement for monitoring. Acute myocardial infarction 49%
455 Permacath placement - renal failure. Heart failure 49%
1101 Left Heart Catheterization. Chest pain, coronary artery disease, prior bypass surgery. Left coronary artery disease native. Patent vein graft with obtuse marginal vessel and also LIMA to LAD. Native right coronary artery is patent, mild disease. All other forms of chronic ischemic heart disease 49%
4912 Left Heart Catheterization. Chest pain, coronary artery disease, prior bypass surgery. Left coronary artery disease native. Patent vein graft with obtuse marginal vessel and also LIMA to LAD. Native right coronary artery is patent, mild disease. All other forms of chronic ischemic heart disease 49%
1902 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. Other chronic lower respiratory diseases 49%
4188 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. Other chronic lower respiratory diseases 49%
3719 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. Other chronic lower respiratory diseases 49%
4216 Normal review of systems template. Negative weakness, negative fatigue, native malaise, negative chills, negative fever, negative night sweats, negative allergies. Other chronic lower respiratory diseases 49%
2458 Normal review of systems template. Negative weakness, negative fatigue, native malaise, negative chills, negative fever, negative night sweats, negative allergies. Other chronic lower respiratory diseases 49%
2463 Normal review of systems template. Negative weakness, negative fatigue, native malaise, negative chills, negative fever, negative night sweats, negative allergies. Other chronic lower respiratory diseases 49%
3231 Normal review of systems template. Negative weakness, negative fatigue, native malaise, negative chills, negative fever, negative night sweats, negative allergies. Other chronic lower respiratory diseases 49%
3240 Normal review of systems template. Negative weakness, negative fatigue, native malaise, negative chills, negative fever, negative night sweats, negative allergies. Other chronic lower respiratory diseases 49%
4213 Normal review of systems template. Negative weakness, negative fatigue, native malaise, negative chills, negative fever, negative night sweats, negative allergies. Other chronic lower respiratory diseases 49%
3809 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. All other forms of heart disease 49%
4211 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. All other forms of heart disease 49%
3230 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. All other forms of heart disease 49%
2838 A middle-aged male with increasing memory loss and history of Lyme disease. Other chronic lower respiratory diseases 49%
1598 A middle-aged male with increasing memory loss and history of Lyme disease. Other chronic lower respiratory diseases 49%
4642 Thoracentesis. Left pleural effusion. Left hemothorax. Malignant neoplasms of trachea bronchus and lung 49%
295 Thoracentesis. Left pleural effusion. Left hemothorax. Malignant neoplasms of trachea bronchus and lung 49%
4503 The patient is a 57-year-old female with invasive ductal carcinoma of the left breast, T1c, Nx, M0 left breast carcinoma. All other and unspecified malignant neoplasms 49%
3171 The patient is a 57-year-old female with invasive ductal carcinoma of the left breast, T1c, Nx, M0 left breast carcinoma. All other and unspecified malignant neoplasms 49%
4622 Tracheostomy with skin flaps and SCOOP procedure FastTract. Oxygen dependency of approximately 5 liters nasal cannula at home and chronic obstructive pulmonary disease. Other chronic lower respiratory diseases 49%
250 Tracheostomy with skin flaps and SCOOP procedure FastTract. Oxygen dependency of approximately 5 liters nasal cannula at home and chronic obstructive pulmonary disease. Other chronic lower respiratory diseases 49%
4777 Right and left heart catheterization, left ventriculogram, aortogram, and bilateral selective coronary angiography. The patient is a 48-year-old female with severe mitral stenosis diagnosed by echocardiography, moderate aortic insufficiency and moderate to severe pulmonary hypertension who is being evaluated as a part of a preoperative workup for mitral and possible aortic valve repair or replacement. All other forms of chronic ischemic heart disease 49%
752 Right and left heart catheterization, left ventriculogram, aortogram, and bilateral selective coronary angiography. The patient is a 48-year-old female with severe mitral stenosis diagnosed by echocardiography, moderate aortic insufficiency and moderate to severe pulmonary hypertension who is being evaluated as a part of a preoperative workup for mitral and possible aortic valve repair or replacement. All other forms of chronic ischemic heart disease 49%
4724 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. All other forms of heart disease 49%
4272 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. All other forms of heart disease 49%
1607 Cerebral Angiogram - moyamoya disease. Acute myocardial infarction 49%
12 Cerebral Angiogram - moyamoya disease. Acute myocardial infarction 49%
902 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. All other forms of chronic ischemic heart disease 49%
2618 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. All other forms of chronic ischemic heart disease 49%
3806 Patient with a history of coronary artery disease, status post coronary artery bypass grafting presented to the emergency room following a syncopal episode. Acute myocardial infarction 49%
4114 Patient with a history of coronary artery disease, status post coronary artery bypass grafting presented to the emergency room following a syncopal episode. Acute myocardial infarction 49%
2470 Normal physical exam template. Well developed, well nourished, in no acute distress. Other chronic lower respiratory diseases 49%
4220 Normal physical exam template. Well developed, well nourished, in no acute distress. Other chronic lower respiratory diseases 49%
3238 Normal physical exam template. Well developed, well nourished, in no acute distress. Other chronic lower respiratory diseases 49%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Other chronic lower respiratory diseases 49%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Other chronic lower respiratory diseases 49%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Other chronic lower respiratory diseases 49%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Cerebrovascular diseases 49%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Cerebrovascular diseases 49%
504 Leukemic meningitis. Right frontal side-inlet Ommaya reservoir. The patient is a 49-year-old gentleman with leukemia and meningeal involvement, who was undergoing intrathecal chemotherapy. Malignant neoplasms of trachea bronchus and lung 49%
2680 Leukemic meningitis. Right frontal side-inlet Ommaya reservoir. The patient is a 49-year-old gentleman with leukemia and meningeal involvement, who was undergoing intrathecal chemotherapy. Malignant neoplasms of trachea bronchus and lung 49%
1908 Fever, otitis media, and possible sepsis. Other chronic lower respiratory diseases 49%
3722 Fever, otitis media, and possible sepsis. Other chronic lower respiratory diseases 49%
3889 Fever, otitis media, and possible sepsis. Other chronic lower respiratory diseases 49%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction All other forms of heart disease 49%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction All other forms of heart disease 49%
4094 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. Malignant neoplasms of trachea bronchus and lung 49%
31 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. Malignant neoplasms of trachea bronchus and lung 49%
3221 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. All other forms of heart disease 49%
1309 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. All other forms of heart disease 49%
286 Thrombosed left forearm loop fistula graft, chronic renal failure, and hyperkalemia. Thrombectomy of the left forearm loop graft. The venous outflow was good. There was stenosis in the mid-venous limb of the graft. Acute myocardial infarction 49%
4629 Thrombosed left forearm loop fistula graft, chronic renal failure, and hyperkalemia. Thrombectomy of the left forearm loop graft. The venous outflow was good. There was stenosis in the mid-venous limb of the graft. Acute myocardial infarction 49%
1406 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Other chronic lower respiratory diseases 49%
4453 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Other chronic lower respiratory diseases 49%
3988 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Other chronic lower respiratory diseases 49%
1330 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. Other chronic lower respiratory diseases 49%
3117 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. Other chronic lower respiratory diseases 49%
2493 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain All other forms of heart disease 49%
4868 Patient with a family history of premature coronary artery disease came in for evaluation of recurrent chest pain All other forms of heart disease 49%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. All other forms of heart disease 49%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. All other forms of heart disease 49%
4505 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. Atherosclerotic cardiovascular disease so described 49%
4852 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. Atherosclerotic cardiovascular disease so described 49%
4379 Patient coughing up blood and with severe joint pain. Other chronic lower respiratory diseases 49%
3344 Patient coughing up blood and with severe joint pain. Other chronic lower respiratory diseases 49%
3277 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Atherosclerotic cardiovascular disease so described 49%
4315 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Atherosclerotic cardiovascular disease so described 49%
4756 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Atherosclerotic cardiovascular disease so described 49%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Atherosclerotic cardiovascular disease so described 49%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Atherosclerotic cardiovascular disease so described 49%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Atherosclerotic cardiovascular disease so described 49%
626 Laparoscopy with left salpingo-oophorectomy. Left adnexal mass/ovarian lesion. The labia and perineum were within normal limits. The hymen was found to be intact. Laparoscopic findings revealed a 4 cm left adnexal mass, which appeared fluid filled. Malignant neoplasms of trachea bronchus and lung 49%
2579 Laparoscopy with left salpingo-oophorectomy. Left adnexal mass/ovarian lesion. The labia and perineum were within normal limits. The hymen was found to be intact. Laparoscopic findings revealed a 4 cm left adnexal mass, which appeared fluid filled. Malignant neoplasms of trachea bronchus and lung 49%
4661 The patient is admitted for shortness of breath, continues to do fairly well. The patient has chronic atrial fibrillation, on anticoagulation, INR of 1.72. The patient did undergo echocardiogram, which shows aortic stenosis, severe. The patient does have an outside cardiologist. Acute myocardial infarction 49%
1301 The patient is admitted for shortness of breath, continues to do fairly well. The patient has chronic atrial fibrillation, on anticoagulation, INR of 1.72. The patient did undergo echocardiogram, which shows aortic stenosis, severe. The patient does have an outside cardiologist. Acute myocardial infarction 49%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Atherosclerotic cardiovascular disease so described 49%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Atherosclerotic cardiovascular disease so described 49%
4189 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. All other and unspecified malignant neoplasms 49%
4705 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. All other and unspecified malignant neoplasms 49%
4671 A 23-month-old girl has a history of reactive airway disease, is being treated on an outpatient basis for pneumonia, presents with cough and fever. All other forms of chronic ischemic heart disease 49%
1901 A 23-month-old girl has a history of reactive airway disease, is being treated on an outpatient basis for pneumonia, presents with cough and fever. All other forms of chronic ischemic heart disease 49%
3148 Marginal B-cell lymphoma, status post splenectomy. Testicular swelling - possible epididymitis or possible torsion of the testis. Malignant neoplasms of trachea bronchus and lung 49%
4285 Marginal B-cell lymphoma, status post splenectomy. Testicular swelling - possible epididymitis or possible torsion of the testis. Malignant neoplasms of trachea bronchus and lung 49%
4782 Left heart catheterization and bilateral selective coronary angiography. The patient is a 65-year-old male with known moderate mitral regurgitation with partial flail of the P2 and P3 gallops who underwent outpatient evaluation for increasingly severed decreased functional capacity and retrosternal chest pain that was aggravated by exertion and decreased with rest. Acute myocardial infarction 49%
764 Left heart catheterization and bilateral selective coronary angiography. The patient is a 65-year-old male with known moderate mitral regurgitation with partial flail of the P2 and P3 gallops who underwent outpatient evaluation for increasingly severed decreased functional capacity and retrosternal chest pain that was aggravated by exertion and decreased with rest. Acute myocardial infarction 49%
4984 Cause of death - Anoxic Encephalopathy All other forms of chronic ischemic heart disease 49%
2983 Psychosocial Evaluation of patient before kidney transplant. All other forms of chronic ischemic heart disease 49%
1758 Psychosocial Evaluation of patient before kidney transplant. All other forms of chronic ischemic heart disease 49%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Atherosclerotic cardiovascular disease so described 49%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Atherosclerotic cardiovascular disease so described 49%
4791 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. Other chronic lower respiratory diseases 49%
793 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. Other chronic lower respiratory diseases 49%
1532 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. All other forms of heart disease 49%
4670 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. All other forms of heart disease 49%
3947 The patient is a 53-year-old woman with history of hypertension, diabetes, and depression. Serotonin syndrome secondary to high doses of Prozac and atypical chest pain with myocardial infarction ruled out. Other chronic lower respiratory diseases 49%
3404 The patient is a 53-year-old woman with history of hypertension, diabetes, and depression. Serotonin syndrome secondary to high doses of Prozac and atypical chest pain with myocardial infarction ruled out. Other chronic lower respiratory diseases 49%
4586 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. Other chronic lower respiratory diseases 48%
4970 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. Other chronic lower respiratory diseases 48%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Other chronic lower respiratory diseases 48%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Other chronic lower respiratory diseases 48%
2167 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. Other chronic lower respiratory diseases 48%
4291 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. Other chronic lower respiratory diseases 48%
3416 A 94-year-old female from the nursing home with several days of lethargy and anorexia. She was found to have evidence of UTI and also has renal insufficiency and digitalis toxicity. All other forms of chronic ischemic heart disease 48%
3954 A 94-year-old female from the nursing home with several days of lethargy and anorexia. She was found to have evidence of UTI and also has renal insufficiency and digitalis toxicity. All other forms of chronic ischemic heart disease 48%
3435 The patient is a very pleasant 72-year-old female with previous history of hypertension and also recent diagnosis of C. diff, presents to the hospital with abdominal pain, cramping, and persistent diarrhea. Other chronic lower respiratory diseases 48%
3663 The patient is a very pleasant 72-year-old female with previous history of hypertension and also recent diagnosis of C. diff, presents to the hospital with abdominal pain, cramping, and persistent diarrhea. Other chronic lower respiratory diseases 48%
4540 The patient is a very pleasant 72-year-old female with previous history of hypertension and also recent diagnosis of C. diff, presents to the hospital with abdominal pain, cramping, and persistent diarrhea. Other chronic lower respiratory diseases 48%
1443 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. Acute myocardial infarction 48%
3441 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. Acute myocardial infarction 48%
4954 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. Acute myocardial infarction 48%
4698 Ultrasound-guided right pleurocentesis for right pleural effusion with respiratory failure and dyspnea. Other chronic lower respiratory diseases 48%
420 Ultrasound-guided right pleurocentesis for right pleural effusion with respiratory failure and dyspnea. Other chronic lower respiratory diseases 48%
4858 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. Other chronic lower respiratory diseases 48%
4510 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. Other chronic lower respiratory diseases 48%
4562 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. All other forms of chronic ischemic heart disease 48%
3049 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. All other forms of chronic ischemic heart disease 48%
424 Endoscopic-assisted transsphenoidal exploration and radical excision of pituitary adenoma. Endoscopic exposure of sphenoid sinus with removal of tissue from within the sinus. Malignant neoplasms of trachea bronchus and lung 48%
2674 Endoscopic-assisted transsphenoidal exploration and radical excision of pituitary adenoma. Endoscopic exposure of sphenoid sinus with removal of tissue from within the sinus. Malignant neoplasms of trachea bronchus and lung 48%
2777 Endoscopic-assisted transsphenoidal exploration and radical excision of pituitary adenoma. Endoscopic exposure of sphenoid sinus with removal of tissue from within the sinus. Malignant neoplasms of trachea bronchus and lung 48%
706 Incision and drainage of left neck abscess. Malignant neoplasms of trachea bronchus and lung 48%
4980 Autopsy of a white female who died of acute combined drug intoxication. All other forms of chronic ischemic heart disease 48%
953 CT-guided needle placement, CT-guided biopsy of right renal mass, and embolization of biopsy tract with gelfoam. Malignant neoplasms of trachea bronchus and lung 48%
1661 CT-guided needle placement, CT-guided biopsy of right renal mass, and embolization of biopsy tract with gelfoam. Malignant neoplasms of trachea bronchus and lung 48%
3026 CT-guided needle placement, CT-guided biopsy of right renal mass, and embolization of biopsy tract with gelfoam. Malignant neoplasms of trachea bronchus and lung 48%
4888 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. All other forms of heart disease 48%
1439 Congestive heart failure due to rapid atrial fibrillation and systolic dysfunction. All other forms of heart disease 48%
1633 Exercise myocardial perfusion study. The exercise myocardial perfusion study shows possibility of mild ischemia in the inferolateral wall and normal LV systolic function with LV ejection fraction of 59% All other forms of chronic ischemic heart disease 48%
4808 Exercise myocardial perfusion study. The exercise myocardial perfusion study shows possibility of mild ischemia in the inferolateral wall and normal LV systolic function with LV ejection fraction of 59% All other forms of chronic ischemic heart disease 48%
4933 Bronchoscopy for hypoxia and increasing pulmonary secretions Malignant neoplasms of trachea bronchus and lung 48%
1136 Bronchoscopy for hypoxia and increasing pulmonary secretions Malignant neoplasms of trachea bronchus and lung 48%
748 Left heart catheterization, left ventriculography, selective coronary angiography, and right femoral artery approach. Acute myocardial infarction 48%
4770 Left heart catheterization, left ventriculography, selective coronary angiography, and right femoral artery approach. Acute myocardial infarction 48%
3786 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Atherosclerotic cardiovascular disease so described 48%
4090 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. Atherosclerotic cardiovascular disease so described 48%
2982 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. Other chronic lower respiratory diseases 48%
3225 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. Other chronic lower respiratory diseases 48%
3885 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. Other chronic lower respiratory diseases 48%
682 Acute on chronic renal failure and uremia. Insertion of a right internal jugular vein hemodialysis catheter. Acute myocardial infarction 48%
3006 Acute on chronic renal failure and uremia. Insertion of a right internal jugular vein hemodialysis catheter. Acute myocardial infarction 48%
3394 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. Diabetes mellitus 48%
3952 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. Diabetes mellitus 48%
4829 A 63-year-old man with a dilated cardiomyopathy presents with a chief complaint of heart failure. He has noted shortness of breath with exertion and occasional shortness of breath at rest. All other forms of chronic ischemic heart disease 48%
4446 A 63-year-old man with a dilated cardiomyopathy presents with a chief complaint of heart failure. He has noted shortness of breath with exertion and occasional shortness of breath at rest. All other forms of chronic ischemic heart disease 48%
90 Laparoscopic lysis of adhesions, attempted laparoscopic pyeloplasty, and open laparoscopic pyeloplasty. Right ureteropelvic junction obstruction, severe intraabdominal adhesions, and retroperitoneal fibrosis. Malignant neoplasms of trachea bronchus and lung 48%
3003 Laparoscopic lysis of adhesions, attempted laparoscopic pyeloplasty, and open laparoscopic pyeloplasty. Right ureteropelvic junction obstruction, severe intraabdominal adhesions, and retroperitoneal fibrosis. Malignant neoplasms of trachea bronchus and lung 48%
629 Laparoscopic lysis of adhesions, attempted laparoscopic pyeloplasty, and open laparoscopic pyeloplasty. Right ureteropelvic junction obstruction, severe intraabdominal adhesions, and retroperitoneal fibrosis. Malignant neoplasms of trachea bronchus and lung 48%
4506 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Other chronic lower respiratory diseases 48%
4851 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Other chronic lower respiratory diseases 48%
1055 Laparoscopic resection of cecal polyp. Local anesthetic was infiltrated into the right upper quadrant where a small incision was made. Blunt dissection was carried down to the fascia which was grasped with Kocher clamps. Malignant neoplasms of trachea bronchus and lung 48%
3662 Laparoscopic resection of cecal polyp. Local anesthetic was infiltrated into the right upper quadrant where a small incision was made. Blunt dissection was carried down to the fascia which was grasped with Kocher clamps. Malignant neoplasms of trachea bronchus and lung 48%
1158 Dentigerous cyst, left mandible associated with full bone impacted wisdom tooth #17. Removal of benign cyst and extraction of full bone impacted tooth #17. Malignant neoplasms of trachea bronchus and lung 48%
4046 Dentigerous cyst, left mandible associated with full bone impacted wisdom tooth #17. Removal of benign cyst and extraction of full bone impacted tooth #17. Malignant neoplasms of trachea bronchus and lung 48%
3788 Total thyroidectomy for goiter. Multinodular thyroid goiter with compressive symptoms and bilateral dominant thyroid nodules proven to be benign by fine needle aspiration. All other and unspecified malignant neoplasms 48%
278 Total thyroidectomy for goiter. Multinodular thyroid goiter with compressive symptoms and bilateral dominant thyroid nodules proven to be benign by fine needle aspiration. All other and unspecified malignant neoplasms 48%
2969 Patient seen in Neuro-Oncology Clinic because of increasing questions about what to do next for his anaplastic astrocytoma. All other and unspecified malignant neoplasms 48%
3074 Patient seen in Neuro-Oncology Clinic because of increasing questions about what to do next for his anaplastic astrocytoma. All other and unspecified malignant neoplasms 48%
3190 Patient seen in Neuro-Oncology Clinic because of increasing questions about what to do next for his anaplastic astrocytoma. All other and unspecified malignant neoplasms 48%
3896 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. Other chronic lower respiratory diseases 48%
3822 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. Other chronic lower respiratory diseases 48%
1915 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. Other chronic lower respiratory diseases 48%
3738 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. Other chronic lower respiratory diseases 48%
4268 A very pleasant 66-year-old woman with recurrent metastatic ovarian cancer. All other and unspecified malignant neoplasms 48%
3132 A very pleasant 66-year-old woman with recurrent metastatic ovarian cancer. All other and unspecified malignant neoplasms 48%
2559 A very pleasant 66-year-old woman with recurrent metastatic ovarian cancer. All other and unspecified malignant neoplasms 48%
4497 A 37-year-old admitted through emergency, presented with symptoms of chest pain, described as a pressure-type dull ache and discomfort in the precordial region. Also, shortness of breath is noted without any diaphoresis. Symptoms on and off for the last 3 to 4 days especially when he is under stress. No relation to exertional activity. No aggravating or relieving factors. Other chronic lower respiratory diseases 48%
3427 A 37-year-old admitted through emergency, presented with symptoms of chest pain, described as a pressure-type dull ache and discomfort in the precordial region. Also, shortness of breath is noted without any diaphoresis. Symptoms on and off for the last 3 to 4 days especially when he is under stress. No relation to exertional activity. No aggravating or relieving factors. Other chronic lower respiratory diseases 48%
2838 A middle-aged male with increasing memory loss and history of Lyme disease. All other forms of heart disease 48%
1598 A middle-aged male with increasing memory loss and history of Lyme disease. All other forms of heart disease 48%
3928 The patient with multiple medical conditions including coronary artery disease, hypothyroidism, and severe peripheral vascular disease status post multiple revascularizations. Acute myocardial infarction 48%
3158 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. Malignant neoplasms of trachea bronchus and lung 48%
4346 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. Malignant neoplasms of trachea bronchus and lung 48%
595 Liposuction of the supraumbilical abdomen, revision of right breast reconstruction, excision of soft tissue fullness of the lateral abdomen and flank. Malignant neoplasms of trachea bronchus and lung 48%
6 Liposuction of the supraumbilical abdomen, revision of right breast reconstruction, excision of soft tissue fullness of the lateral abdomen and flank. Malignant neoplasms of trachea bronchus and lung 48%
4062 Liposuction of the supraumbilical abdomen, revision of right breast reconstruction, excision of soft tissue fullness of the lateral abdomen and flank. Malignant neoplasms of trachea bronchus and lung 48%
4898 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Other chronic lower respiratory diseases 48%
4528 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Other chronic lower respiratory diseases 48%
1607 Cerebral Angiogram - moyamoya disease. All other forms of chronic ischemic heart disease 48%
12 Cerebral Angiogram - moyamoya disease. All other forms of chronic ischemic heart disease 48%
735 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. Acute myocardial infarction 48%
4764 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. Acute myocardial infarction 48%
4330 Leukocytosis, acute deep venous thrombosis, right lower extremity with bilateral pulmonary embolism, on intravenous heparin complicated with acute renal failure for evaluation. All other forms of chronic ischemic heart disease 48%
3156 Leukocytosis, acute deep venous thrombosis, right lower extremity with bilateral pulmonary embolism, on intravenous heparin complicated with acute renal failure for evaluation. All other forms of chronic ischemic heart disease 48%
1663 Dobutamine stress test for chest pain, as the patient was unable to walk on a treadmill, and allergic to adenosine. Nondiagnostic dobutamine stress test. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 48%
4823 Dobutamine stress test for chest pain, as the patient was unable to walk on a treadmill, and allergic to adenosine. Nondiagnostic dobutamine stress test. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 48%
3079 Prostate adenocarcinoma and erectile dysfunction - Pathology report. Malignant neoplasms of trachea bronchus and lung 48%
71 Prostate adenocarcinoma and erectile dysfunction - Pathology report. Malignant neoplasms of trachea bronchus and lung 48%
1600 MRI Brain: Probable CNS Lymphoma v/s toxoplasmosis in a patient with AIDS/HIV. All other and unspecified malignant neoplasms 48%
2833 MRI Brain: Probable CNS Lymphoma v/s toxoplasmosis in a patient with AIDS/HIV. All other and unspecified malignant neoplasms 48%
4663 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. All other forms of chronic ischemic heart disease 48%
1303 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. All other forms of chronic ischemic heart disease 48%
740 Exploratory laparotomy, lysis of adhesions, and right hemicolectomy. Right colon cancer, ascites, and adhesions. Malignant neoplasms of trachea bronchus and lung 48%
3517 Exploratory laparotomy, lysis of adhesions, and right hemicolectomy. Right colon cancer, ascites, and adhesions. Malignant neoplasms of trachea bronchus and lung 48%
1515 Transesophageal echocardiogram due to vegetation and bacteremia. Normal left ventricular size and function. Echodensity involving the aortic valve suggestive of endocarditis and vegetation. Doppler study as above most pronounced being moderate-to-severe aortic insufficiency. Acute myocardial infarction 48%
4619 Transesophageal echocardiogram due to vegetation and bacteremia. Normal left ventricular size and function. Echodensity involving the aortic valve suggestive of endocarditis and vegetation. Doppler study as above most pronounced being moderate-to-severe aortic insufficiency. Acute myocardial infarction 48%
4851 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Atherosclerotic cardiovascular disease so described 48%
4506 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Atherosclerotic cardiovascular disease so described 48%
3244 Normal Physical Exam Template. Well developed, well nourished, alert, in no acute distress. Other chronic lower respiratory diseases 48%
2462 Normal Physical Exam Template. Well developed, well nourished, alert, in no acute distress. Other chronic lower respiratory diseases 48%
4225 Normal Physical Exam Template. Well developed, well nourished, alert, in no acute distress. Other chronic lower respiratory diseases 48%
4544 The patient was admitted for symptoms that sounded like postictal state. CT showed edema and slight midline shift. MRI of the brain shows large inhomogeneous infiltrating right frontotemporal neoplasm surrounding the right middle cerebral artery. Malignant neoplasms of trachea bronchus and lung 48%
3185 The patient was admitted for symptoms that sounded like postictal state. CT showed edema and slight midline shift. MRI of the brain shows large inhomogeneous infiltrating right frontotemporal neoplasm surrounding the right middle cerebral artery. Malignant neoplasms of trachea bronchus and lung 48%
3691 Tonsillectomy, uvulopalatopharyngoplasty, and septoplasty for obstructive sleep apnea syndrome with hypertrophy of tonsils and of uvula and soft palate with deviation of nasal septum Malignant neoplasms of trachea bronchus and lung 48%
269 Tonsillectomy, uvulopalatopharyngoplasty, and septoplasty for obstructive sleep apnea syndrome with hypertrophy of tonsils and of uvula and soft palate with deviation of nasal septum Malignant neoplasms of trachea bronchus and lung 48%
4851 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Acute myocardial infarction 48%
4506 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Acute myocardial infarction 48%
1286 The patient is a 67-year-old white female with a history of uterine papillary serous carcinoma who is status post 6 cycles of carboplatin and Taxol, is here today for followup. All other and unspecified malignant neoplasms 48%
3114 The patient is a 67-year-old white female with a history of uterine papillary serous carcinoma who is status post 6 cycles of carboplatin and Taxol, is here today for followup. All other and unspecified malignant neoplasms 48%
2504 The patient is a 67-year-old white female with a history of uterine papillary serous carcinoma who is status post 6 cycles of carboplatin and Taxol, is here today for followup. All other and unspecified malignant neoplasms 48%
4277 Mental status changes after a fall. She sustained a concussion with postconcussive symptoms and syndrome that has resolved. Other chronic lower respiratory diseases 48%
1796 Mental status changes after a fall. She sustained a concussion with postconcussive symptoms and syndrome that has resolved. Other chronic lower respiratory diseases 48%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Cerebrovascular diseases 48%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Cerebrovascular diseases 48%
281 Left thoracotomy with drainage of pleural fluid collection, esophageal exploration and repair of esophageal perforation, diagnostic laparoscopy and gastrostomy, and radiographic gastrostomy tube study with gastric contrast, interpretation. Malignant neoplasms of trachea bronchus and lung 48%
4636 Left thoracotomy with drainage of pleural fluid collection, esophageal exploration and repair of esophageal perforation, diagnostic laparoscopy and gastrostomy, and radiographic gastrostomy tube study with gastric contrast, interpretation. Malignant neoplasms of trachea bronchus and lung 48%
3464 Left thoracotomy with drainage of pleural fluid collection, esophageal exploration and repair of esophageal perforation, diagnostic laparoscopy and gastrostomy, and radiographic gastrostomy tube study with gastric contrast, interpretation. Malignant neoplasms of trachea bronchus and lung 48%
4575 Acute allergic reaction, etiology uncertain, however, suspicious for Keflex. All other and unspecified malignant neoplasms 48%
4992 Acute allergic reaction, etiology uncertain, however, suspicious for Keflex. All other and unspecified malignant neoplasms 48%
1008 Colon cancer screening and family history of polyps. Sigmoid diverticulosis and internal hemorrhoids. Malignant neoplasms of trachea bronchus and lung 48%
3650 Colon cancer screening and family history of polyps. Sigmoid diverticulosis and internal hemorrhoids. Malignant neoplasms of trachea bronchus and lung 48%
4616 Transesophageal Echocardiogram. A woman admitted to the hospital with a large right MCA CVA causing a left-sided neurological deficit incidentally found to have atrial fibrillation on telemetry. Acute myocardial infarction 48%
1503 Transesophageal Echocardiogram. A woman admitted to the hospital with a large right MCA CVA causing a left-sided neurological deficit incidentally found to have atrial fibrillation on telemetry. Acute myocardial infarction 48%
823 Esophagogastroduodenoscopy with pseudo and esophageal biopsy. Hiatal hernia and reflux esophagitis. The patient is a 52-year-old female morbidly obese black female who has a long history of reflux and GERD type symptoms including complications such as hoarseness and chronic cough. Other chronic lower respiratory diseases 48%
3549 Esophagogastroduodenoscopy with pseudo and esophageal biopsy. Hiatal hernia and reflux esophagitis. The patient is a 52-year-old female morbidly obese black female who has a long history of reflux and GERD type symptoms including complications such as hoarseness and chronic cough. Other chronic lower respiratory diseases 48%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Atherosclerotic cardiovascular disease so described 48%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Atherosclerotic cardiovascular disease so described 48%
742 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. All other forms of heart disease 48%
4767 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. All other forms of heart disease 48%
4333 Patient with right-sided arm weakness with speech difficulties, urinary tract infection, dehydration, and diabetes mellitus type 2 Diabetes mellitus 48%
3288 Patient with right-sided arm weakness with speech difficulties, urinary tract infection, dehydration, and diabetes mellitus type 2 Diabetes mellitus 48%
3880 Syncope, end-stage renal disease requiring hemodialysis, congestive heart failure, and hypertension. Cerebrovascular diseases 48%
4576 Comprehensive annual health maintenance examination, dyslipidemia, tinnitus in left ear, and hemorrhoids. Other chronic lower respiratory diseases 48%
3450 Comprehensive annual health maintenance examination, dyslipidemia, tinnitus in left ear, and hemorrhoids. Other chronic lower respiratory diseases 48%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. All other forms of heart disease 48%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. All other forms of heart disease 48%
3954 A 94-year-old female from the nursing home with several days of lethargy and anorexia. She was found to have evidence of UTI and also has renal insufficiency and digitalis toxicity. Other chronic lower respiratory diseases 48%
3416 A 94-year-old female from the nursing home with several days of lethargy and anorexia. She was found to have evidence of UTI and also has renal insufficiency and digitalis toxicity. Other chronic lower respiratory diseases 48%
1107 Left cardiac catheterization with selective right and left coronary angiography. Post infarct angina. All other forms of chronic ischemic heart disease 48%
4915 Left cardiac catheterization with selective right and left coronary angiography. Post infarct angina. All other forms of chronic ischemic heart disease 48%
3918 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Cerebrovascular diseases 48%
3531 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Cerebrovascular diseases 48%
2524 True cut needle biopsy of the breast. This 65-year-old female on exam was noted to have dimpling and puckering of the skin associated with nipple discharge. On exam, she has a noticeable carcinoma of the left breast with dimpling, puckering, and erosion through the skin. Malignant neoplasms of trachea bronchus and lung 48%
227 True cut needle biopsy of the breast. This 65-year-old female on exam was noted to have dimpling and puckering of the skin associated with nipple discharge. On exam, she has a noticeable carcinoma of the left breast with dimpling, puckering, and erosion through the skin. Malignant neoplasms of trachea bronchus and lung 48%
3112 True cut needle biopsy of the breast. This 65-year-old female on exam was noted to have dimpling and puckering of the skin associated with nipple discharge. On exam, she has a noticeable carcinoma of the left breast with dimpling, puckering, and erosion through the skin. Malignant neoplasms of trachea bronchus and lung 48%
4943 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. All other forms of chronic ischemic heart disease 48%
3979 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. All other forms of chronic ischemic heart disease 48%
2419 Bilateral nasolacrimal probing. Tearing, eyelash encrustation with probable tear duct obstruction bilateral. Distal nasolacrimal duct stenosis with obstruction, left and right eye Malignant neoplasms of trachea bronchus and lung 48%
530 Bilateral nasolacrimal probing. Tearing, eyelash encrustation with probable tear duct obstruction bilateral. Distal nasolacrimal duct stenosis with obstruction, left and right eye Malignant neoplasms of trachea bronchus and lung 48%
2432 She is sent for evaluation of ocular manifestations of systemic connective tissue disorders. Denies any eye problems and history includes myopia with astigmatism. Other chronic lower respiratory diseases 48%
4508 She is sent for evaluation of ocular manifestations of systemic connective tissue disorders. Denies any eye problems and history includes myopia with astigmatism. Other chronic lower respiratory diseases 48%
4251 Muscle twitching, clumsiness, progressive pain syndrome, and gait disturbance. Probable painful diabetic neuropathy. Symptoms are predominantly sensory and severely dysfunctioning, with the patient having inability to ambulate independently as well as difficulty with grip and temperature differentiation in his upper extremities. Other chronic lower respiratory diseases 48%
2795 Muscle twitching, clumsiness, progressive pain syndrome, and gait disturbance. Probable painful diabetic neuropathy. Symptoms are predominantly sensory and severely dysfunctioning, with the patient having inability to ambulate independently as well as difficulty with grip and temperature differentiation in his upper extremities. Other chronic lower respiratory diseases 48%
3515 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. Malignant neoplasms of trachea bronchus and lung 48%
4307 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. Malignant neoplasms of trachea bronchus and lung 48%
52 A 65-year-old man with chronic prostatitis returns for recheck. Other chronic lower respiratory diseases 48%
1319 A 65-year-old man with chronic prostatitis returns for recheck. Other chronic lower respiratory diseases 48%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Cerebrovascular diseases 48%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Cerebrovascular diseases 48%
3647 History of polyps. Total colonoscopy and photography. Normal colonoscopy, left colonic diverticular disease. 3+ benign prostatic hypertrophy. All other and unspecified malignant neoplasms 48%
1002 History of polyps. Total colonoscopy and photography. Normal colonoscopy, left colonic diverticular disease. 3+ benign prostatic hypertrophy. All other and unspecified malignant neoplasms 48%
3316 Weakness, malaise dyspnea on exertion, 15-pound weight loss - Bilateral pneumonia, hepatitis, renal insufficiency, All other forms of chronic ischemic heart disease 48%
4348 Weakness, malaise dyspnea on exertion, 15-pound weight loss - Bilateral pneumonia, hepatitis, renal insufficiency, All other forms of chronic ischemic heart disease 48%
4950 A critically ill 67-year-old with multiple medical problems probably still showing signs of volume depletion with hypotension and atrial flutter with difficult to control rate. All other forms of heart disease 48%
1448 A critically ill 67-year-old with multiple medical problems probably still showing signs of volume depletion with hypotension and atrial flutter with difficult to control rate. All other forms of heart disease 48%
235 Insertion of a right brachial artery arterial catheter and a right subclavian vein triple lumen catheter. Hyperpyrexia/leukocytosis, ventilator-dependent respiratory failure, and acute pancreatitis. Acute myocardial infarction 48%
4613 Insertion of a right brachial artery arterial catheter and a right subclavian vein triple lumen catheter. Hyperpyrexia/leukocytosis, ventilator-dependent respiratory failure, and acute pancreatitis. Acute myocardial infarction 48%
4382 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency All other forms of heart disease 48%
3348 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency All other forms of heart disease 48%
4672 Pulmonary function test. Mild restrictive airflow limitation. Clinical correlation is recommended. Other chronic lower respiratory diseases 48%
4765 Left heart catheterization, coronary angiography, left ventriculography. Severe complex left anterior descending and distal circumflex disease with borderline, probably moderate narrowing of a large obtuse marginal branch. All other forms of chronic ischemic heart disease 48%
738 Left heart catheterization, coronary angiography, left ventriculography. Severe complex left anterior descending and distal circumflex disease with borderline, probably moderate narrowing of a large obtuse marginal branch. All other forms of chronic ischemic heart disease 48%
1266 Left heart catheterization, bilateral selective coronary angiography, left ventriculography, and right heart catheterization. Positive nuclear stress test involving reversible ischemia of the lateral wall and the anterior wall consistent with left anterior descending artery lesion. All other forms of chronic ischemic heart disease 48%
4963 Left heart catheterization, bilateral selective coronary angiography, left ventriculography, and right heart catheterization. Positive nuclear stress test involving reversible ischemia of the lateral wall and the anterior wall consistent with left anterior descending artery lesion. All other forms of chronic ischemic heart disease 48%
4439 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. All other forms of heart disease 48%
3387 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. All other forms of heart disease 48%
4668 Complete heart block with pacemaker malfunction and a history of Shone complex. All other forms of heart disease 48%
3814 Complete heart block with pacemaker malfunction and a history of Shone complex. All other forms of heart disease 48%
3418 Sepsis, possible SBP. A 53-year-old Hispanic man with diabetes, morbid obesity, hepatitis C, cirrhosis, history of alcohol and cocaine abuse presented in the emergency room for ground-level fall secondary to weak knees. He complained of bilateral knee pain, but also had other symptoms including hematuria and epigastric pain for at least a month. All other forms of chronic ischemic heart disease 48%
4476 Sepsis, possible SBP. A 53-year-old Hispanic man with diabetes, morbid obesity, hepatitis C, cirrhosis, history of alcohol and cocaine abuse presented in the emergency room for ground-level fall secondary to weak knees. He complained of bilateral knee pain, but also had other symptoms including hematuria and epigastric pain for at least a month. All other forms of chronic ischemic heart disease 48%
1112 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Atherosclerotic cardiovascular disease so described 48%
4917 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Atherosclerotic cardiovascular disease so described 48%
3311 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. All other forms of heart disease 48%
2490 Patient has a past history of known hyperthyroidism and a recent history of atrial fibrillation and congestive cardiac failure with an ejection fraction of 20%-25%. All other forms of heart disease 48%
4336 Newly diagnosed head and neck cancer. The patient was recently diagnosed with squamous cell carcinoma of the base of the tongue bilaterally and down extension into the right tonsillar fossa. All other and unspecified malignant neoplasms 48%
3155 Newly diagnosed head and neck cancer. The patient was recently diagnosed with squamous cell carcinoma of the base of the tongue bilaterally and down extension into the right tonsillar fossa. All other and unspecified malignant neoplasms 48%
1450 Return visit to the endocrine clinic for acquired hypothyroidism, papillary carcinoma of the thyroid gland status post total thyroidectomy in 1992, and diabetes mellitus. All other and unspecified malignant neoplasms 48%
3807 Return visit to the endocrine clinic for acquired hypothyroidism, papillary carcinoma of the thyroid gland status post total thyroidectomy in 1992, and diabetes mellitus. All other and unspecified malignant neoplasms 48%
4240 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. Malignant neoplasms of trachea bronchus and lung 48%
3130 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. Malignant neoplasms of trachea bronchus and lung 48%
1450 Return visit to the endocrine clinic for acquired hypothyroidism, papillary carcinoma of the thyroid gland status post total thyroidectomy in 1992, and diabetes mellitus. Diabetes mellitus 48%
3807 Return visit to the endocrine clinic for acquired hypothyroidism, papillary carcinoma of the thyroid gland status post total thyroidectomy in 1992, and diabetes mellitus. Diabetes mellitus 48%
591 Right lower lobectomy, right thoracotomy, extensive lysis of adhesions, mediastinal lymphadenectomy. Malignant neoplasms of trachea bronchus and lung 48%
4743 Right lower lobectomy, right thoracotomy, extensive lysis of adhesions, mediastinal lymphadenectomy. Malignant neoplasms of trachea bronchus and lung 48%
4439 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. Other chronic lower respiratory diseases 48%
3387 A 50-year-old white male with dog bite to his right leg with a history of pulmonary fibrosis, status post bilateral lung transplant several years ago. Other chronic lower respiratory diseases 48%
2301 Decreased ability to perform daily living activities secondary to exacerbation of chronic back pain. All other forms of heart disease 48%
3981 Decreased ability to perform daily living activities secondary to exacerbation of chronic back pain. All other forms of heart disease 48%
2592 Dilation and curettage (D&C), hysteroscopy, and laparoscopy with right salpingooophorectomy and aspiration of cyst fluid. Thickened endometrium and tamoxifen therapy, adnexal cyst, endometrial polyp, and right ovarian cyst. Malignant neoplasms of trachea bronchus and lung 48%
712 Dilation and curettage (D&C), hysteroscopy, and laparoscopy with right salpingooophorectomy and aspiration of cyst fluid. Thickened endometrium and tamoxifen therapy, adnexal cyst, endometrial polyp, and right ovarian cyst. Malignant neoplasms of trachea bronchus and lung 48%
4772 Left heart catheterization with left ventriculography and selective coronary angiography. Percutaneous transluminal coronary angioplasty and stent placement of the right coronary artery. Acute myocardial infarction 48%
744 Left heart catheterization with left ventriculography and selective coronary angiography. Percutaneous transluminal coronary angioplasty and stent placement of the right coronary artery. Acute myocardial infarction 48%
4128 Well-child check sports physical - Well child asthma with good control, allergic rhinitis. Other chronic lower respiratory diseases 48%
1898 Well-child check sports physical - Well child asthma with good control, allergic rhinitis. Other chronic lower respiratory diseases 48%
3227 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. All other forms of chronic ischemic heart disease 48%
1464 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. All other forms of chronic ischemic heart disease 48%
1348 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. All other forms of chronic ischemic heart disease 48%
4782 Left heart catheterization and bilateral selective coronary angiography. The patient is a 65-year-old male with known moderate mitral regurgitation with partial flail of the P2 and P3 gallops who underwent outpatient evaluation for increasingly severed decreased functional capacity and retrosternal chest pain that was aggravated by exertion and decreased with rest. All other forms of chronic ischemic heart disease 48%
764 Left heart catheterization and bilateral selective coronary angiography. The patient is a 65-year-old male with known moderate mitral regurgitation with partial flail of the P2 and P3 gallops who underwent outpatient evaluation for increasingly severed decreased functional capacity and retrosternal chest pain that was aggravated by exertion and decreased with rest. All other forms of chronic ischemic heart disease 48%
4446 A 63-year-old man with a dilated cardiomyopathy presents with a chief complaint of heart failure. He has noted shortness of breath with exertion and occasional shortness of breath at rest. Other chronic lower respiratory diseases 48%
4829 A 63-year-old man with a dilated cardiomyopathy presents with a chief complaint of heart failure. He has noted shortness of breath with exertion and occasional shortness of breath at rest. Other chronic lower respiratory diseases 48%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Alzheimer disease 48%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Alzheimer disease 48%
4854 A 10-1/2-year-old born with asplenia syndrome with a complex cyanotic congenital heart disease characterized by dextrocardia bilateral superior vena cava, complete atrioventricular septal defect, a total anomalous pulmonary venous return to the right-sided atrium, and double-outlet to the right ventricle with malposed great vessels, the aorta being anterior with a severe pulmonary stenosis. Malignant neoplasms of trachea bronchus and lung 47%
976 A 10-1/2-year-old born with asplenia syndrome with a complex cyanotic congenital heart disease characterized by dextrocardia bilateral superior vena cava, complete atrioventricular septal defect, a total anomalous pulmonary venous return to the right-sided atrium, and double-outlet to the right ventricle with malposed great vessels, the aorta being anterior with a severe pulmonary stenosis. Malignant neoplasms of trachea bronchus and lung 47%
1656 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Atherosclerotic cardiovascular disease so described 47%
4817 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Atherosclerotic cardiovascular disease so described 47%
4851 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. All other forms of heart disease 47%
4506 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. All other forms of heart disease 47%
4174 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery All other forms of chronic ischemic heart disease 47%
4695 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery All other forms of chronic ischemic heart disease 47%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other and unspecified malignant neoplasms 47%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other and unspecified malignant neoplasms 47%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. All other and unspecified malignant neoplasms 47%
3920 Gastrointestinal bleed, source undetermined, but possibly due to internal hemorrhoids. Poor prep with friable internal hemorrhoids, but no gross lesions, no source of bleed. All other and unspecified malignant neoplasms 47%
3536 Gastrointestinal bleed, source undetermined, but possibly due to internal hemorrhoids. Poor prep with friable internal hemorrhoids, but no gross lesions, no source of bleed. All other and unspecified malignant neoplasms 47%
1459 Followup after a full-night sleep study performed to evaluate her for daytime fatigue and insomnia. This patient presents with history of sleep disruption and daytime sleepiness with fatigue. Her symptoms are multifactorial. Other chronic lower respiratory diseases 47%
1306 Followup after a full-night sleep study performed to evaluate her for daytime fatigue and insomnia. This patient presents with history of sleep disruption and daytime sleepiness with fatigue. Her symptoms are multifactorial. Other chronic lower respiratory diseases 47%
3214 Followup after a full-night sleep study performed to evaluate her for daytime fatigue and insomnia. This patient presents with history of sleep disruption and daytime sleepiness with fatigue. Her symptoms are multifactorial. Other chronic lower respiratory diseases 47%
407 The patient is a 9-year-old born with pulmonary atresia, intact ventricular septum with coronary sinusoids. Malignant neoplasms of trachea bronchus and lung 47%
4686 The patient is a 9-year-old born with pulmonary atresia, intact ventricular septum with coronary sinusoids. Malignant neoplasms of trachea bronchus and lung 47%
4980 Autopsy of a white female who died of acute combined drug intoxication. Acute myocardial infarction 47%
3748 Persistent dysphagia. Deviated nasal septum. Inferior turbinate hypertrophy. Chronic rhinitis. Conductive hearing loss. Tympanosclerosis. Other chronic lower respiratory diseases 47%
4429 Persistent dysphagia. Deviated nasal septum. Inferior turbinate hypertrophy. Chronic rhinitis. Conductive hearing loss. Tympanosclerosis. Other chronic lower respiratory diseases 47%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. Cerebrovascular diseases 47%
4186 Pain management for post-laminectomy low back syndrome and radiculopathy. Other chronic lower respiratory diseases 47%
2081 Pain management for post-laminectomy low back syndrome and radiculopathy. Other chronic lower respiratory diseases 47%
4599 Pain management for post-laminectomy low back syndrome and radiculopathy. Other chronic lower respiratory diseases 47%
4923 Patient with significant angina with moderate anteroapical ischemia on nuclear perfusion stress imaging only. He has been referred for cardiac catheterization. All other forms of chronic ischemic heart disease 47%
1106 Patient with significant angina with moderate anteroapical ischemia on nuclear perfusion stress imaging only. He has been referred for cardiac catheterization. All other forms of chronic ischemic heart disease 47%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. All other forms of heart disease 47%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. All other forms of heart disease 47%
738 Left heart catheterization, coronary angiography, left ventriculography. Severe complex left anterior descending and distal circumflex disease with borderline, probably moderate narrowing of a large obtuse marginal branch. Acute myocardial infarction 47%
4765 Left heart catheterization, coronary angiography, left ventriculography. Severe complex left anterior descending and distal circumflex disease with borderline, probably moderate narrowing of a large obtuse marginal branch. Acute myocardial infarction 47%
4097 The patient is having recurrent attacks of imbalance rather than true vertigo following the history of head trauma and loss of consciousness. Symptoms are not accompanied by tinnitus or deafness. Other chronic lower respiratory diseases 47%
3683 The patient is having recurrent attacks of imbalance rather than true vertigo following the history of head trauma and loss of consciousness. Symptoms are not accompanied by tinnitus or deafness. Other chronic lower respiratory diseases 47%
1444 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. All other and unspecified malignant neoplasms 47%
3182 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. All other and unspecified malignant neoplasms 47%
735 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. All other forms of chronic ischemic heart disease 47%
4764 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. All other forms of chronic ischemic heart disease 47%
999 Mild-to-moderate diverticulosis. She was referred for a screening colonoscopy. There is no family history of colon cancer. No evidence of polyps or malignancy. Malignant neoplasms of trachea bronchus and lung 47%
3640 Mild-to-moderate diverticulosis. She was referred for a screening colonoscopy. There is no family history of colon cancer. No evidence of polyps or malignancy. Malignant neoplasms of trachea bronchus and lung 47%
611 Carbon dioxide laser photo-ablation due to recurrent dysplasia of vulva. Malignant neoplasms of trachea bronchus and lung 47%
2576 Carbon dioxide laser photo-ablation due to recurrent dysplasia of vulva. Malignant neoplasms of trachea bronchus and lung 47%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Cerebrovascular diseases 47%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Cerebrovascular diseases 47%
4382 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Atherosclerotic cardiovascular disease so described 47%
3348 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Atherosclerotic cardiovascular disease so described 47%
3855 Consultation for ICU management for a patient with possible portal vein and superior mesenteric vein thrombus leading to mesenteric ischemia. Acute myocardial infarction 47%
4487 Consultation for ICU management for a patient with possible portal vein and superior mesenteric vein thrombus leading to mesenteric ischemia. Acute myocardial infarction 47%
2071 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. All other forms of heart disease 47%
1862 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. All other forms of heart disease 47%
3211 Followup of moderate-to-severe sleep apnea. The patient returns today to review his response to CPAP. Recommended a fiberoptic ENT exam to exclude adenoidal tissue that may be contributing to obstruction. Malignant neoplasms of trachea bronchus and lung 47%
1308 Followup of moderate-to-severe sleep apnea. The patient returns today to review his response to CPAP. Recommended a fiberoptic ENT exam to exclude adenoidal tissue that may be contributing to obstruction. Malignant neoplasms of trachea bronchus and lung 47%
1462 Followup of moderate-to-severe sleep apnea. The patient returns today to review his response to CPAP. Recommended a fiberoptic ENT exam to exclude adenoidal tissue that may be contributing to obstruction. Malignant neoplasms of trachea bronchus and lung 47%
1347 Patient with multiple medical problems (Alzheimer’s dementia, gradual weight loss, fatigue, etc.) Other chronic lower respiratory diseases 47%
3442 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Acute myocardial infarction 47%
1432 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Acute myocardial infarction 47%
3978 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Acute myocardial infarction 47%
4865 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Acute myocardial infarction 47%
4131 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. Acute myocardial infarction 47%
2984 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. Acute myocardial infarction 47%
226 Cystoscopy, transurethral resection of medium bladder tumor (4.0 cm in diameter), and direct bladder biopsy. Malignant neoplasms of trachea bronchus and lung 47%
40 Cystoscopy, transurethral resection of medium bladder tumor (4.0 cm in diameter), and direct bladder biopsy. Malignant neoplasms of trachea bronchus and lung 47%
3105 Hospice care for a 55-year-old woman with carcinoma of the cervix metastatic to retroperitoneum and lungs. All other and unspecified malignant neoplasms 47%
4794 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. Other chronic lower respiratory diseases 47%
3843 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. Other chronic lower respiratory diseases 47%
798 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. Other chronic lower respiratory diseases 47%
1719 Coronary Artery CTA with Calcium Scoring and Cardiac Function Acute myocardial infarction 47%
4839 Coronary Artery CTA with Calcium Scoring and Cardiac Function Acute myocardial infarction 47%
1373 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Diabetes mellitus 47%
3301 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Diabetes mellitus 47%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Heart failure 47%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Heart failure 47%
2076 The patient is a 26-year-old female, referred to Physical Therapy for low back pain. The patient has a history of traumatic injury to low back. Other chronic lower respiratory diseases 47%
1861 The patient is a 26-year-old female, referred to Physical Therapy for low back pain. The patient has a history of traumatic injury to low back. Other chronic lower respiratory diseases 47%
3365 Complaint of left otalgia (serous otitis) and headache. History of atopic dermatitis. Other chronic lower respiratory diseases 47%
4404 Complaint of left otalgia (serous otitis) and headache. History of atopic dermatitis. Other chronic lower respiratory diseases 47%
4781 Right heart catheterization. Refractory CHF to maximum medical therapy. Heart failure 47%
756 Right heart catheterization. Refractory CHF to maximum medical therapy. Heart failure 47%
3542 Exploratory laparotomy, low anterior colon resection, flexible colonoscopy, and transverse loop colostomy and JP placement. Colovesical fistula and intraperitoneal abscess. Malignant neoplasms of trachea bronchus and lung 47%
812 Exploratory laparotomy, low anterior colon resection, flexible colonoscopy, and transverse loop colostomy and JP placement. Colovesical fistula and intraperitoneal abscess. Malignant neoplasms of trachea bronchus and lung 47%
3761 Postoperative hemorrhage. Examination under anesthesia with control of right parapharyngeal space hemorrhage. The patient is a 35-year-old female with a history of a chronic pharyngitis and obstructive adenotonsillar hypertrophy. All other forms of chronic ischemic heart disease 47%
967 Postoperative hemorrhage. Examination under anesthesia with control of right parapharyngeal space hemorrhage. The patient is a 35-year-old female with a history of a chronic pharyngitis and obstructive adenotonsillar hypertrophy. All other forms of chronic ischemic heart disease 47%
4930 Bronchoscopy with bronchoalveolar lavage. Refractory pneumonitis. A 69-year-old man status post trauma, slightly prolonged respiratory failure status post tracheostomy, requires another bronchoscopy for further evaluation of refractory pneumonitis. Malignant neoplasms of trachea bronchus and lung 47%
1131 Bronchoscopy with bronchoalveolar lavage. Refractory pneumonitis. A 69-year-old man status post trauma, slightly prolonged respiratory failure status post tracheostomy, requires another bronchoscopy for further evaluation of refractory pneumonitis. Malignant neoplasms of trachea bronchus and lung 47%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. Alzheimer disease 47%
2994 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Heart failure 47%
4265 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Heart failure 47%
1619 Comprehensive electrophysiology studies with attempted arrhythmia induction and IV Procainamide infusion for Brugada syndrome. All other forms of chronic ischemic heart disease 47%
4754 Comprehensive electrophysiology studies with attempted arrhythmia induction and IV Procainamide infusion for Brugada syndrome. All other forms of chronic ischemic heart disease 47%
3636 Colonoscopy to evaluate prior history of neoplastic polyps. All other and unspecified malignant neoplasms 47%
996 Colonoscopy to evaluate prior history of neoplastic polyps. All other and unspecified malignant neoplasms 47%
2664 Excision of right breast mass. Right breast mass with atypical proliferative cells on fine-needle aspiration. Malignant neoplasms of trachea bronchus and lung 47%
1150 Excision of right breast mass. Right breast mass with atypical proliferative cells on fine-needle aspiration. Malignant neoplasms of trachea bronchus and lung 47%
3178 Excision of right breast mass. Right breast mass with atypical proliferative cells on fine-needle aspiration. Malignant neoplasms of trachea bronchus and lung 47%
2953 Patient reports a six to eight-week history of balance problems with later fatigue and weakness. Other chronic lower respiratory diseases 47%
4529 Patient reports a six to eight-week history of balance problems with later fatigue and weakness. Other chronic lower respiratory diseases 47%
4530 Patient with right-sided chest pain, borderline elevated high blood pressure, history of hyperlipidemia, and obesity. Other chronic lower respiratory diseases 47%
4901 Patient with right-sided chest pain, borderline elevated high blood pressure, history of hyperlipidemia, and obesity. Other chronic lower respiratory diseases 47%
64 Adenocarcinoma of the prostate. The patient underwent a transrectal ultrasound and biopsy and was found to have a Gleason 3+4 for a score of 7, 20% of the tissue removed from the left base. Malignant neoplasms of trachea bronchus and lung 47%
4173 Adenocarcinoma of the prostate. The patient underwent a transrectal ultrasound and biopsy and was found to have a Gleason 3+4 for a score of 7, 20% of the tissue removed from the left base. Malignant neoplasms of trachea bronchus and lung 47%
4143 Patient with complaints of significant coughing and wheezing. Other chronic lower respiratory diseases 47%
4684 Patient with complaints of significant coughing and wheezing. Other chronic lower respiratory diseases 47%
394 Invasive carcinoma of left breast. Left modified radical mastectomy. Malignant neoplasms of trachea bronchus and lung 47%
3121 Invasive carcinoma of left breast. Left modified radical mastectomy. Malignant neoplasms of trachea bronchus and lung 47%
2543 Invasive carcinoma of left breast. Left modified radical mastectomy. Malignant neoplasms of trachea bronchus and lung 47%
597 Excision of lipoma, left knee. A 4 cm mass of adipose tissue most likely representing a lipoma was found in the patient's anteromedial left knee. Malignant neoplasms of trachea bronchus and lung 47%
3921 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Malignant neoplasms of trachea bronchus and lung 47%
3015 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Malignant neoplasms of trachea bronchus and lung 47%
132 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Malignant neoplasms of trachea bronchus and lung 47%
1330 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. Malignant neoplasms of trachea bronchus and lung 47%
3117 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. Malignant neoplasms of trachea bronchus and lung 47%
3350 Patient with hypertension, dementia, and depression. Other chronic lower respiratory diseases 47%
4375 Patient with hypertension, dementia, and depression. Other chronic lower respiratory diseases 47%
1307 The patient was admitted approximately 3 days ago with increasing shortness of breath secondary to pneumonia. Pulmonary Medicine Associates have been contacted to consult in light of the ICU admission. Other chronic lower respiratory diseases 47%
4666 The patient was admitted approximately 3 days ago with increasing shortness of breath secondary to pneumonia. Pulmonary Medicine Associates have been contacted to consult in light of the ICU admission. Other chronic lower respiratory diseases 47%
3208 The patient was admitted approximately 3 days ago with increasing shortness of breath secondary to pneumonia. Pulmonary Medicine Associates have been contacted to consult in light of the ICU admission. Other chronic lower respiratory diseases 47%
1745 Left heart cath, selective coronary angiogram, right common femoral angiogram, and StarClose closure of right common femoral artery. Acute myocardial infarction 47%
4961 Left heart cath, selective coronary angiogram, right common femoral angiogram, and StarClose closure of right common femoral artery. Acute myocardial infarction 47%
756 Right heart catheterization. Refractory CHF to maximum medical therapy. All other forms of heart disease 47%
4781 Right heart catheterization. Refractory CHF to maximum medical therapy. All other forms of heart disease 47%
3688 The patient's main complaint is vertigo. The patient is having recurrent attacks of vertigo and imbalance over the last few years with periods of free symptoms and no concurrent tinnitus or hearing impairment. Other chronic lower respiratory diseases 47%
4095 The patient's main complaint is vertigo. The patient is having recurrent attacks of vertigo and imbalance over the last few years with periods of free symptoms and no concurrent tinnitus or hearing impairment. Other chronic lower respiratory diseases 47%
4240 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. All other forms of heart disease 47%
3130 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. All other forms of heart disease 47%
2832 MRI Brain: Thrombus in torcula of venous sinuses. Malignant neoplasms of trachea bronchus and lung 47%
1593 MRI Brain: Thrombus in torcula of venous sinuses. Malignant neoplasms of trachea bronchus and lung 47%
3745 Functional endoscopic sinus surgery, bilateral maxillary antrostomy, bilateral total ethmoidectomy, bilateral nasal polypectomy, and right middle turbinate reduction. Malignant neoplasms of trachea bronchus and lung 47%
820 Functional endoscopic sinus surgery, bilateral maxillary antrostomy, bilateral total ethmoidectomy, bilateral nasal polypectomy, and right middle turbinate reduction. Malignant neoplasms of trachea bronchus and lung 47%
1383 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other diseases Residual 47%
3304 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other diseases Residual 47%
245 Neck exploration; tracheostomy; urgent flexible bronchoscopy via tracheostomy site; removal of foreign body, tracheal metallic stent material; dilation distal trachea; placement of #8 Shiley single cannula tracheostomy tube. Malignant neoplasms of trachea bronchus and lung 47%
16 Neck exploration; tracheostomy; urgent flexible bronchoscopy via tracheostomy site; removal of foreign body, tracheal metallic stent material; dilation distal trachea; placement of #8 Shiley single cannula tracheostomy tube. Malignant neoplasms of trachea bronchus and lung 47%
3196 Laparoscopic hand-assisted left adrenalectomy and umbilical hernia repair. Patient with a 5.5-cm diameter nonfunctioning mass in his right adrenal. Malignant neoplasms of trachea bronchus and lung 47%
3678 Laparoscopic hand-assisted left adrenalectomy and umbilical hernia repair. Patient with a 5.5-cm diameter nonfunctioning mass in his right adrenal. Malignant neoplasms of trachea bronchus and lung 47%
1265 Laparoscopic hand-assisted left adrenalectomy and umbilical hernia repair. Patient with a 5.5-cm diameter nonfunctioning mass in his right adrenal. Malignant neoplasms of trachea bronchus and lung 47%
180 Laparoscopic hand-assisted left adrenalectomy and umbilical hernia repair. Patient with a 5.5-cm diameter nonfunctioning mass in his right adrenal. Malignant neoplasms of trachea bronchus and lung 47%
3561 Esophagogastroduodenoscopy with bile aspirate. Recurrent right upper quadrant pain with failure of antacid medical therapy. Normal esophageal gastroduodenoscopy. Malignant neoplasms of trachea bronchus and lung 47%
838 Esophagogastroduodenoscopy with bile aspirate. Recurrent right upper quadrant pain with failure of antacid medical therapy. Normal esophageal gastroduodenoscopy. Malignant neoplasms of trachea bronchus and lung 47%
4722 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of heart disease 47%
3262 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of heart disease 47%
3900 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of heart disease 47%
3483 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. All other forms of heart disease 47%
3080 Specimen labeled "right ovarian cyst" is received fresh for frozen section. Malignant neoplasms of trachea bronchus and lung 47%
2551 Specimen labeled "right ovarian cyst" is received fresh for frozen section. Malignant neoplasms of trachea bronchus and lung 47%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. Cerebrovascular diseases 47%
999 Mild-to-moderate diverticulosis. She was referred for a screening colonoscopy. There is no family history of colon cancer. No evidence of polyps or malignancy. All other and unspecified malignant neoplasms 47%
3640 Mild-to-moderate diverticulosis. She was referred for a screening colonoscopy. There is no family history of colon cancer. No evidence of polyps or malignancy. All other and unspecified malignant neoplasms 47%
134 Cystoscopy, TUR, and electrofulguration of recurrent bladder tumors. All other and unspecified malignant neoplasms 47%
862 Cystoscopy, TUR, and electrofulguration of recurrent bladder tumors. All other and unspecified malignant neoplasms 47%
1085 Right carotid stenosis and prior cerebrovascular accident. Right carotid endarterectomy with patch angioplasty. Atherosclerotic cardiovascular disease so described 47%
4880 Right carotid stenosis and prior cerebrovascular accident. Right carotid endarterectomy with patch angioplasty. Atherosclerotic cardiovascular disease so described 47%
3866 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. All other and unspecified malignant neoplasms 47%
4545 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. All other and unspecified malignant neoplasms 47%
3443 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. All other and unspecified malignant neoplasms 47%
171 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. All other and unspecified malignant neoplasms 47%
4586 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. Heart failure 47%
4970 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. Heart failure 47%
3899 Discharge summary of patient with leiomyosarcoma and history of pulmonary embolism, subdural hematoma, pancytopenia, and pneumonia. Malignant neoplasms of trachea bronchus and lung 47%
3146 Discharge summary of patient with leiomyosarcoma and history of pulmonary embolism, subdural hematoma, pancytopenia, and pneumonia. Malignant neoplasms of trachea bronchus and lung 47%
1543 Nuclear medicine tumor localization, whole body - status post subtotal thyroidectomy for thyroid carcinoma. Malignant neoplasms of trachea bronchus and lung 47%
4271 The patient is with multiple neurologic and nonneurologic symptoms including numbness, gait instability, decreased dexterity of his arms and general fatigue. His neurological examination is notable for sensory loss in a length-dependent fashion in his feet and legs with scant fasciculations in his calves. Other chronic lower respiratory diseases 47%
2805 The patient is with multiple neurologic and nonneurologic symptoms including numbness, gait instability, decreased dexterity of his arms and general fatigue. His neurological examination is notable for sensory loss in a length-dependent fashion in his feet and legs with scant fasciculations in his calves. Other chronic lower respiratory diseases 47%
1919 This is a 3-week-old, NSVD, Caucasian baby boy transferred from ABCD Memorial Hospital for rule out sepsis and possible congenital heart disease. All other forms of chronic ischemic heart disease 47%
4260 This is a 3-week-old, NSVD, Caucasian baby boy transferred from ABCD Memorial Hospital for rule out sepsis and possible congenital heart disease. All other forms of chronic ischemic heart disease 47%
747 Left heart catheterization, left ventriculography, coronary angiography, and successful stenting of tight lesion in the distal circumflex and moderately tight lesion in the mid right coronary artery. Acute myocardial infarction 47%
4780 Left heart catheterization, left ventriculography, coronary angiography, and successful stenting of tight lesion in the distal circumflex and moderately tight lesion in the mid right coronary artery. Acute myocardial infarction 47%
3320 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. All other forms of chronic ischemic heart disease 47%
4352 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. All other forms of chronic ischemic heart disease 47%
3211 Followup of moderate-to-severe sleep apnea. The patient returns today to review his response to CPAP. Recommended a fiberoptic ENT exam to exclude adenoidal tissue that may be contributing to obstruction. Other chronic lower respiratory diseases 47%
1462 Followup of moderate-to-severe sleep apnea. The patient returns today to review his response to CPAP. Recommended a fiberoptic ENT exam to exclude adenoidal tissue that may be contributing to obstruction. Other chronic lower respiratory diseases 47%
1308 Followup of moderate-to-severe sleep apnea. The patient returns today to review his response to CPAP. Recommended a fiberoptic ENT exam to exclude adenoidal tissue that may be contributing to obstruction. Other chronic lower respiratory diseases 47%
4359 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. Atherosclerotic cardiovascular disease so described 47%
3333 A female with a past medical history of chronic kidney disease, stage 4; history of diabetes mellitus; diabetic nephropathy; peripheral vascular disease, status post recent PTA of right leg, admitted to the hospital because of swelling of the right hand and left foot. Atherosclerotic cardiovascular disease so described 47%
863 Melena and solitary erosion over a fold at the GE junction, gastric side. Malignant neoplasms of trachea bronchus and lung 47%
3578 Melena and solitary erosion over a fold at the GE junction, gastric side. Malignant neoplasms of trachea bronchus and lung 47%
4291 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. All other forms of heart disease 47%
2167 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. All other forms of heart disease 47%
1161 Excisional biopsy of skin nevus and two-layer plastic closure. Trichloroacetic acid treatment to left lateral nasal skin 2.5 cm to treat actinic keratosis. Malignant neoplasms of trachea bronchus and lung 47%
4034 Excisional biopsy of skin nevus and two-layer plastic closure. Trichloroacetic acid treatment to left lateral nasal skin 2.5 cm to treat actinic keratosis. Malignant neoplasms of trachea bronchus and lung 47%
3170 Patient presents with complaint of lump in the upper outer quadrant of the right breast Malignant neoplasms of trachea bronchus and lung 47%
4501 Patient presents with complaint of lump in the upper outer quadrant of the right breast Malignant neoplasms of trachea bronchus and lung 47%
734 Debulking of hemangioma of the nasal tip through an open rhinoplasty approach and rhinoplasty. Malignant neoplasms of trachea bronchus and lung 47%
4061 Debulking of hemangioma of the nasal tip through an open rhinoplasty approach and rhinoplasty. Malignant neoplasms of trachea bronchus and lung 47%
4137 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Heart failure 47%
2980 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Heart failure 47%
3717 Patient with suspected nasal obstruction, possible sleep apnea. Other chronic lower respiratory diseases 47%
4139 Patient with suspected nasal obstruction, possible sleep apnea. Other chronic lower respiratory diseases 47%
4779 Left heart catheterization and bilateral selective coronary angiography. Left ventriculogram was not performed. All other forms of chronic ischemic heart disease 47%
753 Left heart catheterization and bilateral selective coronary angiography. Left ventriculogram was not performed. All other forms of chronic ischemic heart disease 47%
3972 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Acute myocardial infarction 47%
4846 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Acute myocardial infarction 47%
3609 A 50-year-old female whose 51-year-old sister has a history of multiple colon polyps, which may slightly increase her risk for colon cancer in the future. All other and unspecified malignant neoplasms 47%
4484 A 50-year-old female whose 51-year-old sister has a history of multiple colon polyps, which may slightly increase her risk for colon cancer in the future. All other and unspecified malignant neoplasms 47%
4617 Transesophageal echocardiogram. The transesophageal probe was introduced into the posterior pharynx and esophagus without difficulty. Malignant neoplasms of trachea bronchus and lung 47%
1506 Transesophageal echocardiogram. The transesophageal probe was introduced into the posterior pharynx and esophagus without difficulty. Malignant neoplasms of trachea bronchus and lung 47%
3893 Occupational therapy discharge summary. Traumatic brain injury, cervical musculoskeletal strain. All other forms of chronic ischemic heart disease 47%
1868 Occupational therapy discharge summary. Traumatic brain injury, cervical musculoskeletal strain. All other forms of chronic ischemic heart disease 47%
4628 Aortic stenosis. Insertion of a Toronto stentless porcine valve, cardiopulmonary bypass, and cold cardioplegia arrest of the heart. Acute myocardial infarction 47%
261 Aortic stenosis. Insertion of a Toronto stentless porcine valve, cardiopulmonary bypass, and cold cardioplegia arrest of the heart. Acute myocardial infarction 47%
1166 Excisional biopsy of right cervical lymph node. Malignant neoplasms of trachea bronchus and lung 47%
3183 Excisional biopsy of right cervical lymph node. Malignant neoplasms of trachea bronchus and lung 47%
427 Pilonidal cyst with abscess formation. Excision of infected pilonidal cyst. Malignant neoplasms of trachea bronchus and lung 47%
3127 Pilonidal cyst with abscess formation. Excision of infected pilonidal cyst. Malignant neoplasms of trachea bronchus and lung 47%
4730 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. Atherosclerotic cardiovascular disease so described 47%
1613 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. Atherosclerotic cardiovascular disease so described 47%
4951 The patient is a very pleasant 62-year-old African American female with a history of hypertension, hypercholesterolemia, and CVA, referred for evaluation and management of atrial fibrillation. All other forms of chronic ischemic heart disease 47%
4567 The patient is a very pleasant 62-year-old African American female with a history of hypertension, hypercholesterolemia, and CVA, referred for evaluation and management of atrial fibrillation. All other forms of chronic ischemic heart disease 47%
1424 Still having diarrhea, decreased appetite. Other chronic lower respiratory diseases 47%
3654 Still having diarrhea, decreased appetite. Other chronic lower respiratory diseases 47%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. All other forms of heart disease 46%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. All other forms of heart disease 46%
3737 Suspension microlaryngoscopy, rigid bronchoscopy, dilation of tracheal stenosis. Malignant neoplasms of trachea bronchus and lung 46%
4726 Suspension microlaryngoscopy, rigid bronchoscopy, dilation of tracheal stenosis. Malignant neoplasms of trachea bronchus and lung 46%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Atherosclerotic cardiovascular disease so described 46%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Atherosclerotic cardiovascular disease so described 46%
4091 Blood in urine - Transitional cell cancer of the bladder. Malignant neoplasms of trachea bronchus and lung 46%
24 Blood in urine - Transitional cell cancer of the bladder. Malignant neoplasms of trachea bronchus and lung 46%
619 Laparoscopy with ablation of endometriosis. Allen-Masters window in the upper left portion of the cul-de-sac, bronze lesions of endometriosis in the central portion of the cul-de-sac as well as both the left uterosacral ligament, flame lesions of the right uterosacral ligament approximately 5 mL of blood tinged fluid in the cul-de-sac. Malignant neoplasms of trachea bronchus and lung 46%
2582 Laparoscopy with ablation of endometriosis. Allen-Masters window in the upper left portion of the cul-de-sac, bronze lesions of endometriosis in the central portion of the cul-de-sac as well as both the left uterosacral ligament, flame lesions of the right uterosacral ligament approximately 5 mL of blood tinged fluid in the cul-de-sac. Malignant neoplasms of trachea bronchus and lung 46%
263 Total Abdominal Hysterectomy (TAH). An incision was made into the abdomen down through the subcutaneous tissue, muscular fascia and peritoneum. Once inside the abdominal cavity, a self-retaining retractor was placed to expose the pelvic cavity with 3 lap sponges. Malignant neoplasms of trachea bronchus and lung 46%
2527 Total Abdominal Hysterectomy (TAH). An incision was made into the abdomen down through the subcutaneous tissue, muscular fascia and peritoneum. Once inside the abdominal cavity, a self-retaining retractor was placed to expose the pelvic cavity with 3 lap sponges. Malignant neoplasms of trachea bronchus and lung 46%
3956 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. All other forms of chronic ischemic heart disease 46%
3409 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. All other forms of chronic ischemic heart disease 46%
3832 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. Acute myocardial infarction 46%
4766 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. Acute myocardial infarction 46%
4550 Patient with a history of gross hematuria. CT scan was performed, which demonstrated no hydronephrosis or upper tract process; however, there was significant thickening of the left and posterior bladder wall. Malignant neoplasms of trachea bronchus and lung 46%
175 Patient with a history of gross hematuria. CT scan was performed, which demonstrated no hydronephrosis or upper tract process; however, there was significant thickening of the left and posterior bladder wall. Malignant neoplasms of trachea bronchus and lung 46%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Alzheimer disease 46%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Alzheimer disease 46%
4099 Viral upper respiratory infection (URI) with sinus and eustachian congestion. Patient is a 14-year-old white female who presents with her mother complaining of a four-day history of cold symptoms consisting of nasal congestion and left ear pain. Malignant neoplasms of trachea bronchus and lung 46%
3690 Viral upper respiratory infection (URI) with sinus and eustachian congestion. Patient is a 14-year-old white female who presents with her mother complaining of a four-day history of cold symptoms consisting of nasal congestion and left ear pain. Malignant neoplasms of trachea bronchus and lung 46%
1884 Viral upper respiratory infection (URI) with sinus and eustachian congestion. Patient is a 14-year-old white female who presents with her mother complaining of a four-day history of cold symptoms consisting of nasal congestion and left ear pain. Malignant neoplasms of trachea bronchus and lung 46%
4284 Low back pain, lumbar radiculopathy, degenerative disc disease, lumbar spinal stenosis, history of anemia, high cholesterol, and hypothyroidism. Other chronic lower respiratory diseases 46%
2157 Low back pain, lumbar radiculopathy, degenerative disc disease, lumbar spinal stenosis, history of anemia, high cholesterol, and hypothyroidism. Other chronic lower respiratory diseases 46%
2889 A right-handed female with longstanding intermittent right low back pain, who was involved in a motor vehicle accident with no specific injury at that time. All other forms of chronic ischemic heart disease 46%
1640 A right-handed female with longstanding intermittent right low back pain, who was involved in a motor vehicle accident with no specific injury at that time. All other forms of chronic ischemic heart disease 46%
1871 A right-handed female with longstanding intermittent right low back pain, who was involved in a motor vehicle accident with no specific injury at that time. All other forms of chronic ischemic heart disease 46%
1437 Problem of essential hypertension. Symptoms that suggested intracranial pathology. All other forms of heart disease 46%
4884 Problem of essential hypertension. Symptoms that suggested intracranial pathology. All other forms of heart disease 46%
4828 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Cerebrovascular diseases 46%
3934 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. Cerebrovascular diseases 46%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. Atherosclerotic cardiovascular disease so described 46%
937 Right hydronephrosis, right flank pain, atypical/dysplastic urine cytology, extrarenal pelvis on the right, no evidence of obstruction or ureteral/bladder lesions. Cystoscopy, bilateral retrograde ureteropyelograms, right ureteral barbotage for urine cytology, and right ureterorenoscopy. Malignant neoplasms of trachea bronchus and lung 46%
138 Right hydronephrosis, right flank pain, atypical/dysplastic urine cytology, extrarenal pelvis on the right, no evidence of obstruction or ureteral/bladder lesions. Cystoscopy, bilateral retrograde ureteropyelograms, right ureteral barbotage for urine cytology, and right ureterorenoscopy. Malignant neoplasms of trachea bronchus and lung 46%
3020 Right hydronephrosis, right flank pain, atypical/dysplastic urine cytology, extrarenal pelvis on the right, no evidence of obstruction or ureteral/bladder lesions. Cystoscopy, bilateral retrograde ureteropyelograms, right ureteral barbotage for urine cytology, and right ureterorenoscopy. Malignant neoplasms of trachea bronchus and lung 46%
3965 Death summary of an 80-year-old patient with a history of COPD. All other forms of chronic ischemic heart disease 46%
2993 Nephrology Consultation - Patient with renal failure. Heart failure 46%
4257 Nephrology Consultation - Patient with renal failure. Heart failure 46%
4375 Patient with hypertension, dementia, and depression. Cerebrovascular diseases 46%
3350 Patient with hypertension, dementia, and depression. Cerebrovascular diseases 46%
1101 Left Heart Catheterization. Chest pain, coronary artery disease, prior bypass surgery. Left coronary artery disease native. Patent vein graft with obtuse marginal vessel and also LIMA to LAD. Native right coronary artery is patent, mild disease. Atherosclerotic cardiovascular disease so described 46%
4912 Left Heart Catheterization. Chest pain, coronary artery disease, prior bypass surgery. Left coronary artery disease native. Patent vein graft with obtuse marginal vessel and also LIMA to LAD. Native right coronary artery is patent, mild disease. Atherosclerotic cardiovascular disease so described 46%
4629 Thrombosed left forearm loop fistula graft, chronic renal failure, and hyperkalemia. Thrombectomy of the left forearm loop graft. The venous outflow was good. There was stenosis in the mid-venous limb of the graft. All other forms of chronic ischemic heart disease 46%
286 Thrombosed left forearm loop fistula graft, chronic renal failure, and hyperkalemia. Thrombectomy of the left forearm loop graft. The venous outflow was good. There was stenosis in the mid-venous limb of the graft. All other forms of chronic ischemic heart disease 46%
1656 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. All other forms of heart disease 46%
4817 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. All other forms of heart disease 46%
1844 A 60-year-old female presents today for care of painful calluses and benign lesions. All other and unspecified malignant neoplasms 46%
1436 A 60-year-old female presents today for care of painful calluses and benign lesions. All other and unspecified malignant neoplasms 46%
1121 A 60-year-old female presents today for care of painful calluses and benign lesions. All other and unspecified malignant neoplasms 46%
1101 Left Heart Catheterization. Chest pain, coronary artery disease, prior bypass surgery. Left coronary artery disease native. Patent vein graft with obtuse marginal vessel and also LIMA to LAD. Native right coronary artery is patent, mild disease. Acute myocardial infarction 46%
4912 Left Heart Catheterization. Chest pain, coronary artery disease, prior bypass surgery. Left coronary artery disease native. Patent vein graft with obtuse marginal vessel and also LIMA to LAD. Native right coronary artery is patent, mild disease. Acute myocardial infarction 46%
1143 Right breast excisional biopsy with needle-localization. The patient is a 41-year-old female with abnormal mammogram with a strong family history of breast cancer requesting needle-localized breast biopsy for nonpalpable breast mass. Malignant neoplasms of trachea bronchus and lung 46%
4855 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. All other forms of heart disease 46%
3421 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. All other forms of heart disease 46%
4494 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. All other forms of heart disease 46%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Heart failure 46%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Heart failure 46%
4329 Markedly elevated PT INR despite stopping Coumadin and administering vitamin K. Patient with a history of iron-deficiency anemia due to chronic blood loss from colitis. All other forms of chronic ischemic heart disease 46%
3159 Markedly elevated PT INR despite stopping Coumadin and administering vitamin K. Patient with a history of iron-deficiency anemia due to chronic blood loss from colitis. All other forms of chronic ischemic heart disease 46%
921 Debridement of the necrotic tissue of the left lower abdomen as well as the left peritoneal area. Pannus and left peritoneal specimen sent to Pathology. Malignant neoplasms of trachea bronchus and lung 46%
1047 Delayed primary chest closure. Open chest status post modified stage 1 Norwood operation. The patient is a newborn with diagnosis of hypoplastic left heart syndrome who 48 hours prior to the current procedure has undergone a modified stage 1 Norwood operation. All other forms of chronic ischemic heart disease 46%
1942 Delayed primary chest closure. Open chest status post modified stage 1 Norwood operation. The patient is a newborn with diagnosis of hypoplastic left heart syndrome who 48 hours prior to the current procedure has undergone a modified stage 1 Norwood operation. All other forms of chronic ischemic heart disease 46%
4870 Delayed primary chest closure. Open chest status post modified stage 1 Norwood operation. The patient is a newborn with diagnosis of hypoplastic left heart syndrome who 48 hours prior to the current procedure has undergone a modified stage 1 Norwood operation. All other forms of chronic ischemic heart disease 46%
1864 Outpatient rehabilitation physical therapy progress note. A 52-year-old male referred to physical therapy secondary to chronic back pain, weakness, and debilitation secondary to chronic pain. All other forms of chronic ischemic heart disease 46%
1332 Outpatient rehabilitation physical therapy progress note. A 52-year-old male referred to physical therapy secondary to chronic back pain, weakness, and debilitation secondary to chronic pain. All other forms of chronic ischemic heart disease 46%
3422 Nonhealing right ankle stasis ulcer. A 52-year-old native American-Indian man with hypertension, chronic intermittent bipedal edema, and recurrent leg venous ulcers was admitted for scheduled vascular surgery. All other forms of chronic ischemic heart disease 46%
4473 Nonhealing right ankle stasis ulcer. A 52-year-old native American-Indian man with hypertension, chronic intermittent bipedal edema, and recurrent leg venous ulcers was admitted for scheduled vascular surgery. All other forms of chronic ischemic heart disease 46%
1601 MRI Brain to evaluate sudden onset blindness - Basilar/bilateral thalamic strokes. Acute myocardial infarction 46%
2844 MRI Brain to evaluate sudden onset blindness - Basilar/bilateral thalamic strokes. Acute myocardial infarction 46%
4680 Pulmonary Function Test in a patient with smoking history. All other forms of chronic ischemic heart disease 46%
697 Right inguinal exploration, left inguinal hernia repair, bilateral hydrocele repair, and excision of right appendix testis. Malignant neoplasms of trachea bronchus and lung 46%
106 Right inguinal exploration, left inguinal hernia repair, bilateral hydrocele repair, and excision of right appendix testis. Malignant neoplasms of trachea bronchus and lung 46%
767 Gangrene osteomyelitis, right second toe. The patient is a 58-year-old female with poorly controlled diabetes with severe lower extremity lymphedema. The patient has history of previous right foot infection requiring first ray resection. Other chronic lower respiratory diseases 46%
1836 Gangrene osteomyelitis, right second toe. The patient is a 58-year-old female with poorly controlled diabetes with severe lower extremity lymphedema. The patient has history of previous right foot infection requiring first ray resection. Other chronic lower respiratory diseases 46%
1871 A right-handed female with longstanding intermittent right low back pain, who was involved in a motor vehicle accident with no specific injury at that time. Other chronic lower respiratory diseases 46%
2889 A right-handed female with longstanding intermittent right low back pain, who was involved in a motor vehicle accident with no specific injury at that time. Other chronic lower respiratory diseases 46%
1640 A right-handed female with longstanding intermittent right low back pain, who was involved in a motor vehicle accident with no specific injury at that time. Other chronic lower respiratory diseases 46%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. All other forms of heart disease 46%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. All other forms of heart disease 46%
3802 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other diseases Residual 46%
3203 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other diseases Residual 46%
4018 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other diseases Residual 46%
4105 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other diseases Residual 46%
3982 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Acute myocardial infarction 46%
4892 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Acute myocardial infarction 46%
3130 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. All other forms of chronic ischemic heart disease 46%
4240 New diagnosis of non-small cell lung cancer stage IV metastatic disease. At this point, he and his wife ask about whether this is curable disease and it was difficult to inform that this was not curable disease but would be treatable. All other forms of chronic ischemic heart disease 46%
3928 The patient with multiple medical conditions including coronary artery disease, hypothyroidism, and severe peripheral vascular disease status post multiple revascularizations. Cerebrovascular diseases 46%
472 DDDR permanent pacemaker. Tachybrady syndrome. A ventricular pacemaker lead was advanced through the sheath and into the vascular lumen and under fluoroscopic guidance guided down into the right atrium. Malignant neoplasms of trachea bronchus and lung 46%
4710 DDDR permanent pacemaker. Tachybrady syndrome. A ventricular pacemaker lead was advanced through the sheath and into the vascular lumen and under fluoroscopic guidance guided down into the right atrium. Malignant neoplasms of trachea bronchus and lung 46%
3905 This is a 14-month-old baby boy Caucasian who came in with presumptive diagnosis of Kawasaki with fever for more than 5 days and conjunctivitis, mild arthritis with edema, rash, resolving and with elevated neutrophils and thrombocytosis, elevated CRP and ESR. Other chronic lower respiratory diseases 46%
4989 This is a 14-month-old baby boy Caucasian who came in with presumptive diagnosis of Kawasaki with fever for more than 5 days and conjunctivitis, mild arthritis with edema, rash, resolving and with elevated neutrophils and thrombocytosis, elevated CRP and ESR. Other chronic lower respiratory diseases 46%
1917 This is a 14-month-old baby boy Caucasian who came in with presumptive diagnosis of Kawasaki with fever for more than 5 days and conjunctivitis, mild arthritis with edema, rash, resolving and with elevated neutrophils and thrombocytosis, elevated CRP and ESR. Other chronic lower respiratory diseases 46%
3885 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. All other forms of chronic ischemic heart disease 46%
2982 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. All other forms of chronic ischemic heart disease 46%
3225 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. All other forms of chronic ischemic heart disease 46%
519 Needle-localized excisional biopsy, left breast. The patient is a 71-year-old black female who had a routine mammogram, which demonstrated suspicious microcalcifications in the left breast. She had no palpable mass on physical exam. She does have significant family history with two daughters having breast cancer. All other and unspecified malignant neoplasms 46%
2981 Cadaveric renal transplant to right pelvis - endstage renal disease. All other forms of heart disease 46%
380 Cadaveric renal transplant to right pelvis - endstage renal disease. All other forms of heart disease 46%
4926 Coronary bypass graft x2 utilizing left internal mammary artery, the left anterior descending, reverse autogenous reverse autogenous saphenous vein graft to the obtuse marginal. Total cardiopulmonary bypass, cold-blood potassium cardioplegia, antegrade for myocardial protection. Acute myocardial infarction 46%
1115 Coronary bypass graft x2 utilizing left internal mammary artery, the left anterior descending, reverse autogenous reverse autogenous saphenous vein graft to the obtuse marginal. Total cardiopulmonary bypass, cold-blood potassium cardioplegia, antegrade for myocardial protection. Acute myocardial infarction 46%
1318 Moderate to poorly differentiated adenocarcinoma in the right lobe and poorly differentiated tubular adenocarcinoma in the left lobe of prostate. All other and unspecified malignant neoplasms 46%
66 Moderate to poorly differentiated adenocarcinoma in the right lobe and poorly differentiated tubular adenocarcinoma in the left lobe of prostate. All other and unspecified malignant neoplasms 46%
4721 MRI: Right parietal metastatic adenocarcinoma (LUNG) metastasis. All other and unspecified malignant neoplasms 46%
1567 MRI: Right parietal metastatic adenocarcinoma (LUNG) metastasis. All other and unspecified malignant neoplasms 46%
4393 Patient with intermittent episodes of severe nausea and abdominal pain. Other chronic lower respiratory diseases 46%
3349 Patient with intermittent episodes of severe nausea and abdominal pain. Other chronic lower respiratory diseases 46%
367 Repair of ruptured globe with repositing of uveal tissue - Sample/Template. Malignant neoplasms of trachea bronchus and lung 46%
2383 Repair of ruptured globe with repositing of uveal tissue - Sample/Template. Malignant neoplasms of trachea bronchus and lung 46%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Cerebrovascular diseases 46%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Cerebrovascular diseases 46%
1526 Stress test - Adenosine Myoview. Ischemic cardiomyopathy. Inferoseptal and apical transmural scar. All other forms of chronic ischemic heart disease 46%
4656 Stress test - Adenosine Myoview. Ischemic cardiomyopathy. Inferoseptal and apical transmural scar. All other forms of chronic ischemic heart disease 46%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Diabetes mellitus 46%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Diabetes mellitus 46%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Diabetes mellitus 46%
544 Biopsy-proven mesothelioma - Placement of Port-A-Cath, left subclavian vein with fluoroscopy. Malignant neoplasms of trachea bronchus and lung 46%
3136 Biopsy-proven mesothelioma - Placement of Port-A-Cath, left subclavian vein with fluoroscopy. Malignant neoplasms of trachea bronchus and lung 46%
4640 The patient was originally hospitalized secondary to dizziness and disequilibrium. Extensive workup during her first hospitalization was all negative, but a prominent feature was her very blunted affect and real anhedonia. Other chronic lower respiratory diseases 46%
2448 The patient was originally hospitalized secondary to dizziness and disequilibrium. Extensive workup during her first hospitalization was all negative, but a prominent feature was her very blunted affect and real anhedonia. Other chronic lower respiratory diseases 46%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Cerebrovascular diseases 46%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Cerebrovascular diseases 46%
4035 Right buccal and canine's base infection from necrotic teeth. ICD9 CODE: 528.3. Incision and drainage of multiple facial spaces; CPT Code: 40801. Surgical removal of the following teeth. The teeth numbers 1, 2, 3, 4, and 5. CPT code: 41899 and dental code 7210. Malignant neoplasms of trachea bronchus and lung 46%
314 Right buccal and canine's base infection from necrotic teeth. ICD9 CODE: 528.3. Incision and drainage of multiple facial spaces; CPT Code: 40801. Surgical removal of the following teeth. The teeth numbers 1, 2, 3, 4, and 5. CPT code: 41899 and dental code 7210. Malignant neoplasms of trachea bronchus and lung 46%
4640 The patient was originally hospitalized secondary to dizziness and disequilibrium. Extensive workup during her first hospitalization was all negative, but a prominent feature was her very blunted affect and real anhedonia. All other forms of chronic ischemic heart disease 46%
2448 The patient was originally hospitalized secondary to dizziness and disequilibrium. Extensive workup during her first hospitalization was all negative, but a prominent feature was her very blunted affect and real anhedonia. All other forms of chronic ischemic heart disease 46%
3270 Patient with Hypertension, atrial fibrillation, large cardioembolic stroke initially to the right brain requesting medical management All other forms of heart disease 46%
4279 Patient with Hypertension, atrial fibrillation, large cardioembolic stroke initially to the right brain requesting medical management All other forms of heart disease 46%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Other chronic lower respiratory diseases 46%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Other chronic lower respiratory diseases 46%
1345 A woman with end-stage peritoneal mesothelioma with multiple bowel perforations. All other and unspecified malignant neoplasms 46%
4064 Bilateral reduction mammoplasty with superior and inferiorly based dermal parenchymal pedicle with transposition of the nipple-areolar complex. Malignant neoplasms of trachea bronchus and lung 46%
562 Bilateral reduction mammoplasty with superior and inferiorly based dermal parenchymal pedicle with transposition of the nipple-areolar complex. Malignant neoplasms of trachea bronchus and lung 46%
3329 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Alzheimer disease 46%
4364 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Alzheimer disease 46%
3761 Postoperative hemorrhage. Examination under anesthesia with control of right parapharyngeal space hemorrhage. The patient is a 35-year-old female with a history of a chronic pharyngitis and obstructive adenotonsillar hypertrophy. Malignant neoplasms of trachea bronchus and lung 46%
967 Postoperative hemorrhage. Examination under anesthesia with control of right parapharyngeal space hemorrhage. The patient is a 35-year-old female with a history of a chronic pharyngitis and obstructive adenotonsillar hypertrophy. Malignant neoplasms of trachea bronchus and lung 46%
3677 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Malignant neoplasms of trachea bronchus and lung 46%
3454 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Malignant neoplasms of trachea bronchus and lung 46%
4577 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Malignant neoplasms of trachea bronchus and lung 46%
3871 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Malignant neoplasms of trachea bronchus and lung 46%
3045 Followup on chronic kidney disease. Cerebrovascular diseases 46%
1552 Myocardial perfusion imaging - patient had previous abnormal stress test. Stress test with imaging for further classification of CAD and ischemia. All other forms of chronic ischemic heart disease 46%
4717 Myocardial perfusion imaging - patient had previous abnormal stress test. Stress test with imaging for further classification of CAD and ischemia. All other forms of chronic ischemic heart disease 46%
3277 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Other chronic lower respiratory diseases 46%
4756 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Other chronic lower respiratory diseases 46%
4315 Nonischemic cardiomyopathy, branch vessel coronary artery disease, congestive heart failure - NYHA Class III, history of nonsustained ventricular tachycardia, hypertension, and hepatitis C. Other chronic lower respiratory diseases 46%
3187 Right axillary adenopathy, thrombocytopenia, and hepatosplenomegaly. Right axillary lymph node biopsy. Malignant neoplasms of trachea bronchus and lung 46%
1162 Right axillary adenopathy, thrombocytopenia, and hepatosplenomegaly. Right axillary lymph node biopsy. Malignant neoplasms of trachea bronchus and lung 46%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Cerebrovascular diseases 46%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Cerebrovascular diseases 46%
3794 The patient with left completion hemithyroidectomy and reimplantation of the left parathyroid and left sternocleidomastoid region in the inferior 1/3rd region. Papillary carcinoma of the follicular variant of the thyroid in the right lobe, status post right hemithyroidectomy. All other and unspecified malignant neoplasms 46%
414 The patient with left completion hemithyroidectomy and reimplantation of the left parathyroid and left sternocleidomastoid region in the inferior 1/3rd region. Papillary carcinoma of the follicular variant of the thyroid in the right lobe, status post right hemithyroidectomy. All other and unspecified malignant neoplasms 46%
253 NexGen left total knee replacement. Degenerative arthritis of left knee. The patient is a 72-year-old female with a history of bilateral knee pain for years progressively worse and decreasing quality of life and ADLs. All other forms of chronic ischemic heart disease 46%
2030 NexGen left total knee replacement. Degenerative arthritis of left knee. The patient is a 72-year-old female with a history of bilateral knee pain for years progressively worse and decreasing quality of life and ADLs. All other forms of chronic ischemic heart disease 46%
700 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. Other chronic lower respiratory diseases 46%
3004 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. Other chronic lower respiratory diseases 46%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. Other chronic lower respiratory diseases 46%
1741 Brain CT and MRI - suprasellar mass (pituitary adenoma) Malignant neoplasms of trachea bronchus and lung 46%
2962 Brain CT and MRI - suprasellar mass (pituitary adenoma) Malignant neoplasms of trachea bronchus and lung 46%
4950 A critically ill 67-year-old with multiple medical problems probably still showing signs of volume depletion with hypotension and atrial flutter with difficult to control rate. Other chronic lower respiratory diseases 46%
1448 A critically ill 67-year-old with multiple medical problems probably still showing signs of volume depletion with hypotension and atrial flutter with difficult to control rate. Other chronic lower respiratory diseases 46%
3330 The patient presents to the office today with complaints of extreme fatigue, discomfort in the chest and the back that is not related to any specific activity. Stomach gets upset with pain. Other chronic lower respiratory diseases 46%
4369 The patient presents to the office today with complaints of extreme fatigue, discomfort in the chest and the back that is not related to any specific activity. Stomach gets upset with pain. Other chronic lower respiratory diseases 46%
2157 Low back pain, lumbar radiculopathy, degenerative disc disease, lumbar spinal stenosis, history of anemia, high cholesterol, and hypothyroidism. All other forms of chronic ischemic heart disease 46%
4284 Low back pain, lumbar radiculopathy, degenerative disc disease, lumbar spinal stenosis, history of anemia, high cholesterol, and hypothyroidism. All other forms of chronic ischemic heart disease 46%
241 Tracheotomy for patient with respiratory failure. All other forms of chronic ischemic heart disease 46%
4626 Tracheotomy for patient with respiratory failure. All other forms of chronic ischemic heart disease 46%
963 Right-sided craniotomy for evacuation of a right frontal intracranial hemorrhage. Status post orbitozygomatic resection of a pituitary tumor with a very large intracranial component basically a very large skull-based brain tumor. Malignant neoplasms of trachea bronchus and lung 46%
2721 Right-sided craniotomy for evacuation of a right frontal intracranial hemorrhage. Status post orbitozygomatic resection of a pituitary tumor with a very large intracranial component basically a very large skull-based brain tumor. Malignant neoplasms of trachea bronchus and lung 46%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Heart failure 46%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Heart failure 46%
4758 Patient with hypertension, syncope, and spinal stenosis - for recheck. Acute myocardial infarction 46%
1362 Patient with hypertension, syncope, and spinal stenosis - for recheck. Acute myocardial infarction 46%
3181 Left breast mass and hypertrophic scar of the left breast. Excision of left breast mass and revision of scar. The patient is status post left breast biopsy, which showed a fibrocystic disease with now a palpable mass just superior to the previous biopsy site. Malignant neoplasms of trachea bronchus and lung 46%
1145 Left breast mass and hypertrophic scar of the left breast. Excision of left breast mass and revision of scar. The patient is status post left breast biopsy, which showed a fibrocystic disease with now a palpable mass just superior to the previous biopsy site. Malignant neoplasms of trachea bronchus and lung 46%
2650 Left breast mass and hypertrophic scar of the left breast. Excision of left breast mass and revision of scar. The patient is status post left breast biopsy, which showed a fibrocystic disease with now a palpable mass just superior to the previous biopsy site. Malignant neoplasms of trachea bronchus and lung 46%
4657 Dobutamine stress test for atrial fibrillation. Acute myocardial infarction 46%
1524 Dobutamine stress test for atrial fibrillation. Acute myocardial infarction 46%
3101 Back injury with RLE radicular symptoms. The patient is a 52-year-old male who is here for independent medical evaluation. Other chronic lower respiratory diseases 46%
2303 Back injury with RLE radicular symptoms. The patient is a 52-year-old male who is here for independent medical evaluation. Other chronic lower respiratory diseases 46%
3396 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. All other forms of chronic ischemic heart disease 46%
3166 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. All other forms of chronic ischemic heart disease 46%
4449 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. All other forms of chronic ischemic heart disease 46%
3005 Construction of right upper arm hemodialysis fistula with transposition of deep brachial vein. End-stage renal disease with failing AV dialysis fistula. All other forms of chronic ischemic heart disease 46%
732 Construction of right upper arm hemodialysis fistula with transposition of deep brachial vein. End-stage renal disease with failing AV dialysis fistula. All other forms of chronic ischemic heart disease 46%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Alzheimer disease 46%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Alzheimer disease 46%
1143 Right breast excisional biopsy with needle-localization. The patient is a 41-year-old female with abnormal mammogram with a strong family history of breast cancer requesting needle-localized breast biopsy for nonpalpable breast mass. All other and unspecified malignant neoplasms 46%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Cerebrovascular diseases 46%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Cerebrovascular diseases 46%
4622 Tracheostomy with skin flaps and SCOOP procedure FastTract. Oxygen dependency of approximately 5 liters nasal cannula at home and chronic obstructive pulmonary disease. Malignant neoplasms of trachea bronchus and lung 46%
250 Tracheostomy with skin flaps and SCOOP procedure FastTract. Oxygen dependency of approximately 5 liters nasal cannula at home and chronic obstructive pulmonary disease. Malignant neoplasms of trachea bronchus and lung 46%
4758 Patient with hypertension, syncope, and spinal stenosis - for recheck. All other forms of chronic ischemic heart disease 46%
1362 Patient with hypertension, syncope, and spinal stenosis - for recheck. All other forms of chronic ischemic heart disease 46%
3526 Gastroscopy. Dysphagia and globus. No evidence of inflammation or narrowing to explain her symptoms. Other chronic lower respiratory diseases 46%
774 Gastroscopy. Dysphagia and globus. No evidence of inflammation or narrowing to explain her symptoms. Other chronic lower respiratory diseases 46%
3273 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. All other forms of heart disease 46%
3916 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. All other forms of heart disease 46%
3956 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Cerebrovascular diseases 46%
3409 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Cerebrovascular diseases 46%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. All other forms of heart disease 46%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. All other forms of heart disease 46%
852 Endotracheal intubation. Respiratory failure. The patient is a 52-year-old male with metastatic osteogenic sarcoma. He was admitted two days ago with small bowel obstruction. Other chronic lower respiratory diseases 46%
4812 Endotracheal intubation. Respiratory failure. The patient is a 52-year-old male with metastatic osteogenic sarcoma. He was admitted two days ago with small bowel obstruction. Other chronic lower respiratory diseases 46%
2934 Heidenhain variant of Creutzfeldt-Jakob Disease (CJD) Other chronic lower respiratory diseases 46%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Acute myocardial infarction 46%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Acute myocardial infarction 46%
1692 Stroke in distribution of recurrent artery of Huebner (left) All other forms of chronic ischemic heart disease 46%
2928 Stroke in distribution of recurrent artery of Huebner (left) All other forms of chronic ischemic heart disease 46%
3378 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Cerebrovascular diseases 46%
4401 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Cerebrovascular diseases 46%
4266 Patient status post vehicular trauma. Low Back syndrome and Cervicalgia. Other chronic lower respiratory diseases 46%
2123 Patient status post vehicular trauma. Low Back syndrome and Cervicalgia. Other chronic lower respiratory diseases 46%
2807 Patient status post vehicular trauma. Low Back syndrome and Cervicalgia. Other chronic lower respiratory diseases 46%
4152 Psychiatric History and Physical - Patient with major depression Other chronic lower respiratory diseases 46%
1777 Psychiatric History and Physical - Patient with major depression Other chronic lower respiratory diseases 46%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. Acute myocardial infarction 46%
455 Permacath placement - renal failure. Acute myocardial infarction 45%
4448 Dietary consultation for weight reduction secondary to diabetes. Diabetes mellitus 45%
3413 Consult for generalized body aches, cough, nausea, and right-sided abdominal pain for two days - Bronchitis. Other chronic lower respiratory diseases 45%
4471 Consult for generalized body aches, cough, nausea, and right-sided abdominal pain for two days - Bronchitis. Other chronic lower respiratory diseases 45%
4842 Selective coronary angiography, left heart catheterization with hemodynamics, LV gram with power injection, right femoral artery angiogram, closure of the right femoral artery using 6-French AngioSeal. Acute myocardial infarction 45%
969 Selective coronary angiography, left heart catheterization with hemodynamics, LV gram with power injection, right femoral artery angiogram, closure of the right femoral artery using 6-French AngioSeal. Acute myocardial infarction 45%
465 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. All other forms of chronic ischemic heart disease 45%
4706 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. All other forms of chronic ischemic heart disease 45%
3298 Patient with NIDDM, hypertension, CAD status post CABG, hyperlipidemia, etc. All other forms of chronic ischemic heart disease 45%
1372 Patient with NIDDM, hypertension, CAD status post CABG, hyperlipidemia, etc. All other forms of chronic ischemic heart disease 45%
3099 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. Malignant neoplasms of trachea bronchus and lung 45%
3143 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. Malignant neoplasms of trachea bronchus and lung 45%
4288 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. Malignant neoplasms of trachea bronchus and lung 45%
4733 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. Malignant neoplasms of trachea bronchus and lung 45%
1836 Gangrene osteomyelitis, right second toe. The patient is a 58-year-old female with poorly controlled diabetes with severe lower extremity lymphedema. The patient has history of previous right foot infection requiring first ray resection. All other forms of chronic ischemic heart disease 45%
767 Gangrene osteomyelitis, right second toe. The patient is a 58-year-old female with poorly controlled diabetes with severe lower extremity lymphedema. The patient has history of previous right foot infection requiring first ray resection. All other forms of chronic ischemic heart disease 45%
4182 The patient is an 84-year-old female presented to emergency room with shortness of breath, fatigue, and tiredness. Low-grade fever was noted last few weeks. The patient also has chest pain described as dull aching type in precordial region. No relation to exertion or activity. No aggravating or relieving factors. Other chronic lower respiratory diseases 45%
4702 The patient is an 84-year-old female presented to emergency room with shortness of breath, fatigue, and tiredness. Low-grade fever was noted last few weeks. The patient also has chest pain described as dull aching type in precordial region. No relation to exertion or activity. No aggravating or relieving factors. Other chronic lower respiratory diseases 45%
3073 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Alzheimer disease 45%
4886 Male with a history of therapy-controlled hypertension, borderline diabetes, and obesity. Risk factors for coronary heart disease. Alzheimer disease 45%
745 Left heart catheterization, bilateral selective coronary angiography, saphenous vein graft angiography, left internal mammary artery angiography, and left ventriculography. Acute myocardial infarction 45%
4778 Left heart catheterization, bilateral selective coronary angiography, saphenous vein graft angiography, left internal mammary artery angiography, and left ventriculography. Acute myocardial infarction 45%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. All other forms of heart disease 45%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. All other forms of heart disease 45%
3273 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. Cerebrovascular diseases 45%
3916 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. Cerebrovascular diseases 45%
4672 Pulmonary function test. Mild restrictive airflow limitation. Clinical correlation is recommended. All other forms of chronic ischemic heart disease 45%
1432 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Cerebrovascular diseases 45%
3442 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Cerebrovascular diseases 45%
3978 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Cerebrovascular diseases 45%
4865 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Cerebrovascular diseases 45%
4705 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. Other chronic lower respiratory diseases 45%
4189 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. Other chronic lower respiratory diseases 45%
1614 Magnified Airway Study - An 11-month-old female with episodes of difficulty in breathing, cough. Other chronic lower respiratory diseases 45%
1303 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. Other chronic lower respiratory diseases 45%
4663 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. Other chronic lower respiratory diseases 45%
3159 Markedly elevated PT INR despite stopping Coumadin and administering vitamin K. Patient with a history of iron-deficiency anemia due to chronic blood loss from colitis. Other chronic lower respiratory diseases 45%
4329 Markedly elevated PT INR despite stopping Coumadin and administering vitamin K. Patient with a history of iron-deficiency anemia due to chronic blood loss from colitis. Other chronic lower respiratory diseases 45%
4846 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Atherosclerotic cardiovascular disease so described 45%
3972 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. Atherosclerotic cardiovascular disease so described 45%
3774 Adenotonsillectomy. Adenotonsillitis with hypertrophy. The patient is a very nice patient with adenotonsillitis with hypertrophy and obstructive symptoms. Adenotonsillectomy is indicated. All other forms of chronic ischemic heart disease 45%
1270 Adenotonsillectomy. Adenotonsillitis with hypertrophy. The patient is a very nice patient with adenotonsillitis with hypertrophy and obstructive symptoms. Adenotonsillectomy is indicated. All other forms of chronic ischemic heart disease 45%
3000 Status post cadaveric kidney transplant with stable function. All other forms of heart disease 45%
42 Left testicular swelling for one day. Testicular Ultrasound. Hypervascularity of the left epididymis compatible with left epididymitis. Bilateral hydroceles. Malignant neoplasms of trachea bronchus and lung 45%
1511 Left testicular swelling for one day. Testicular Ultrasound. Hypervascularity of the left epididymis compatible with left epididymitis. Bilateral hydroceles. Malignant neoplasms of trachea bronchus and lung 45%
3378 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Diabetes mellitus 45%
4401 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Diabetes mellitus 45%
3539 Flexible sigmoidoscopy. Sigmoid and left colon diverticulosis; otherwise, normal flexible sigmoidoscopy to the proximal descending colon. Malignant neoplasms of trachea bronchus and lung 45%
796 Flexible sigmoidoscopy. Sigmoid and left colon diverticulosis; otherwise, normal flexible sigmoidoscopy to the proximal descending colon. Malignant neoplasms of trachea bronchus and lung 45%
2987 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. All other forms of heart disease 45%
4263 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. All other forms of heart disease 45%
2256 CT REPORT - Soft Tissue Neck Malignant neoplasms of trachea bronchus and lung 45%
1673 CT REPORT - Soft Tissue Neck Malignant neoplasms of trachea bronchus and lung 45%
1672 CT REPORT - Soft Tissue Neck Malignant neoplasms of trachea bronchus and lung 45%
2251 CT REPORT - Soft Tissue Neck Malignant neoplasms of trachea bronchus and lung 45%
3522 GI Consultation for Chrohn's disease. Alzheimer disease 45%
4349 GI Consultation for Chrohn's disease. Alzheimer disease 45%
3143 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of chronic ischemic heart disease 45%
3099 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of chronic ischemic heart disease 45%
4733 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of chronic ischemic heart disease 45%
4288 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of chronic ischemic heart disease 45%
4755 Lexiscan Nuclear Myocardial Perfusion Scan. Chest pain. Patient unable to walk on a treadmill. Nondiagnostic Lexiscan. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 45%
1612 Lexiscan Nuclear Myocardial Perfusion Scan. Chest pain. Patient unable to walk on a treadmill. Nondiagnostic Lexiscan. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 45%
787 Flexible fiberoptic bronchoscopy diagnostic with right middle and upper lobe lavage and lower lobe transbronchial biopsies. Mild tracheobronchitis with history of granulomatous disease and TB, rule out active TB/miliary TB. Other chronic lower respiratory diseases 45%
4792 Flexible fiberoptic bronchoscopy diagnostic with right middle and upper lobe lavage and lower lobe transbronchial biopsies. Mild tracheobronchitis with history of granulomatous disease and TB, rule out active TB/miliary TB. Other chronic lower respiratory diseases 45%
4265 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. All other forms of heart disease 45%
2994 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. All other forms of heart disease 45%
4533 Patient with atrial fibrillation with slow ventricular response, partially due to medications. All other forms of chronic ischemic heart disease 45%
4897 Patient with atrial fibrillation with slow ventricular response, partially due to medications. All other forms of chronic ischemic heart disease 45%
2975 Ultrasound kidneys/renal for renal failure, neurogenic bladder, status-post cystectomy Malignant neoplasms of trachea bronchus and lung 45%
1531 Ultrasound kidneys/renal for renal failure, neurogenic bladder, status-post cystectomy Malignant neoplasms of trachea bronchus and lung 45%
107 Left communicating hydrocele. Left inguinal hernia and hydrocele repair. The patient is a 5-year-old young man with fluid collection in the tunica vaginalis and peritesticular space on the left side consistent with a communicating hydrocele. Malignant neoplasms of trachea bronchus and lung 45%
695 Left communicating hydrocele. Left inguinal hernia and hydrocele repair. The patient is a 5-year-old young man with fluid collection in the tunica vaginalis and peritesticular space on the left side consistent with a communicating hydrocele. Malignant neoplasms of trachea bronchus and lung 45%
1921 Left communicating hydrocele. Left inguinal hernia and hydrocele repair. The patient is a 5-year-old young man with fluid collection in the tunica vaginalis and peritesticular space on the left side consistent with a communicating hydrocele. Malignant neoplasms of trachea bronchus and lung 45%
3350 Patient with hypertension, dementia, and depression. Diabetes mellitus 45%
4375 Patient with hypertension, dementia, and depression. Diabetes mellitus 45%
3806 Patient with a history of coronary artery disease, status post coronary artery bypass grafting presented to the emergency room following a syncopal episode. All other forms of chronic ischemic heart disease 45%
4114 Patient with a history of coronary artery disease, status post coronary artery bypass grafting presented to the emergency room following a syncopal episode. All other forms of chronic ischemic heart disease 45%
1601 MRI Brain to evaluate sudden onset blindness - Basilar/bilateral thalamic strokes. All other forms of chronic ischemic heart disease 45%
2844 MRI Brain to evaluate sudden onset blindness - Basilar/bilateral thalamic strokes. All other forms of chronic ischemic heart disease 45%
1903 9-month-old male product of a twin gestation complicated by some very mild prematurity having problems with wheezing, cough and shortness of breath over the last several months. Other chronic lower respiratory diseases 45%
3065 9-month-old male product of a twin gestation complicated by some very mild prematurity having problems with wheezing, cough and shortness of breath over the last several months. Other chronic lower respiratory diseases 45%
2979 The patient is a 74-year-old woman who presents for neurological consultation for possible adult hydrocephalus. Mild gait impairment and mild cognitive slowing. All other forms of chronic ischemic heart disease 45%
4579 The patient is a 74-year-old woman who presents for neurological consultation for possible adult hydrocephalus. Mild gait impairment and mild cognitive slowing. All other forms of chronic ischemic heart disease 45%
4605 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias All other forms of heart disease 45%
191 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias All other forms of heart disease 45%
250 Tracheostomy with skin flaps and SCOOP procedure FastTract. Oxygen dependency of approximately 5 liters nasal cannula at home and chronic obstructive pulmonary disease. All other forms of chronic ischemic heart disease 45%
4622 Tracheostomy with skin flaps and SCOOP procedure FastTract. Oxygen dependency of approximately 5 liters nasal cannula at home and chronic obstructive pulmonary disease. All other forms of chronic ischemic heart disease 45%
4764 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. Atherosclerotic cardiovascular disease so described 45%
735 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. Atherosclerotic cardiovascular disease so described 45%
4696 Left hemothorax, rule out empyema. Insertion of a 12-French pigtail catheter in the left pleural space. Malignant neoplasms of trachea bronchus and lung 45%
429 Left hemothorax, rule out empyema. Insertion of a 12-French pigtail catheter in the left pleural space. Malignant neoplasms of trachea bronchus and lung 45%
3301 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. All other forms of chronic ischemic heart disease 45%
1373 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. All other forms of chronic ischemic heart disease 45%
3688 The patient's main complaint is vertigo. The patient is having recurrent attacks of vertigo and imbalance over the last few years with periods of free symptoms and no concurrent tinnitus or hearing impairment. All other forms of chronic ischemic heart disease 45%
4095 The patient's main complaint is vertigo. The patient is having recurrent attacks of vertigo and imbalance over the last few years with periods of free symptoms and no concurrent tinnitus or hearing impairment. All other forms of chronic ischemic heart disease 45%
4525 Chest pain, possible syncopal spells. She has been having multiple cardiovascular complaints including chest pains, which feel like cramps and sometimes like a dull ache, which will last all day long. Other chronic lower respiratory diseases 45%
4872 Chest pain, possible syncopal spells. She has been having multiple cardiovascular complaints including chest pains, which feel like cramps and sometimes like a dull ache, which will last all day long. Other chronic lower respiratory diseases 45%
4901 Patient with right-sided chest pain, borderline elevated high blood pressure, history of hyperlipidemia, and obesity. Diabetes mellitus 45%
4530 Patient with right-sided chest pain, borderline elevated high blood pressure, history of hyperlipidemia, and obesity. Diabetes mellitus 45%
4391 A 2-year-old little girl with stuffiness, congestion, and nasal drainage. - Allergic rhinitis Other chronic lower respiratory diseases 45%
3355 A 2-year-old little girl with stuffiness, congestion, and nasal drainage. - Allergic rhinitis Other chronic lower respiratory diseases 45%
3294 Patient with several medical problems - mouth being sore, cough, right shoulder pain, and neck pain Other chronic lower respiratory diseases 45%
1368 Patient with several medical problems - mouth being sore, cough, right shoulder pain, and neck pain Other chronic lower respiratory diseases 45%
3762 Chronic headaches and pulsatile tinnitus. All other forms of chronic ischemic heart disease 45%
4480 Chronic headaches and pulsatile tinnitus. All other forms of chronic ischemic heart disease 45%
2779 Status post brain tumor removal. The patient is a 64-year-old female referred to physical therapy following complications related to brain tumor removal. She had a brain tumor removed and had left-sided weakness. All other forms of chronic ischemic heart disease 45%
1858 Status post brain tumor removal. The patient is a 64-year-old female referred to physical therapy following complications related to brain tumor removal. She had a brain tumor removed and had left-sided weakness. All other forms of chronic ischemic heart disease 45%
1112 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Other chronic lower respiratory diseases 45%
4917 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Other chronic lower respiratory diseases 45%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Cerebrovascular diseases 45%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Cerebrovascular diseases 45%
3395 Patient admitted after an extensive workup for peritoneal carcinomatosis from appendiceal primary. All other and unspecified malignant neoplasms 45%
3953 Patient admitted after an extensive workup for peritoneal carcinomatosis from appendiceal primary. All other and unspecified malignant neoplasms 45%
241 Tracheotomy for patient with respiratory failure. Heart failure 45%
4626 Tracheotomy for patient with respiratory failure. Heart failure 45%
4166 Psychiatric Consultation of patient with dementia. Alzheimer disease 45%
1785 Psychiatric Consultation of patient with dementia. Alzheimer disease 45%
1541 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Alzheimer disease 45%
4707 Nuclear cardiac stress report. Recurrent angina pectoris in a patient with documented ischemic heart disease and underlying ischemic cardiomyopathy. Alzheimer disease 45%
4042 Left masticator space infection secondary to necrotic tooth #17. Extraoral incision and drainage of facial space infection and extraction of necrotic tooth #17. Malignant neoplasms of trachea bronchus and lung 45%
805 Left masticator space infection secondary to necrotic tooth #17. Extraoral incision and drainage of facial space infection and extraction of necrotic tooth #17. Malignant neoplasms of trachea bronchus and lung 45%
4187 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. Cerebrovascular diseases 45%
67 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. Cerebrovascular diseases 45%
2970 CT Brain - arachnoid cyst Arachnoid cyst diagnosed by CT brain. Malignant neoplasms of trachea bronchus and lung 45%
1746 CT Brain - arachnoid cyst Arachnoid cyst diagnosed by CT brain. Malignant neoplasms of trachea bronchus and lung 45%
3358 A 12-year-old young man with sinus congestion. Malignant neoplasms of trachea bronchus and lung 45%
4385 A 12-year-old young man with sinus congestion. Malignant neoplasms of trachea bronchus and lung 45%
4241 A 2-1/2-year-old female with history of febrile seizures, now with concern for spells of unclear etiology, but somewhat concerning for partial complex seizures and to a slightly lesser extent nonconvulsive generalized seizures. All other forms of chronic ischemic heart disease 45%
2788 A 2-1/2-year-old female with history of febrile seizures, now with concern for spells of unclear etiology, but somewhat concerning for partial complex seizures and to a slightly lesser extent nonconvulsive generalized seizures. All other forms of chronic ischemic heart disease 45%
1910 A 2-1/2-year-old female with history of febrile seizures, now with concern for spells of unclear etiology, but somewhat concerning for partial complex seizures and to a slightly lesser extent nonconvulsive generalized seizures. All other forms of chronic ischemic heart disease 45%
822 Excision of bilateral chronic hydradenitis. Malignant neoplasms of trachea bronchus and lung 45%
3325 An 86-year-old female with persistent abdominal pain, nausea and vomiting, during evaluation in the emergency room, was found to have a high amylase, as well as lipase count and she is being admitted for management of acute pancreatitis. Other chronic lower respiratory diseases 45%
4360 An 86-year-old female with persistent abdominal pain, nausea and vomiting, during evaluation in the emergency room, was found to have a high amylase, as well as lipase count and she is being admitted for management of acute pancreatitis. Other chronic lower respiratory diseases 45%
3977 Bilateral l5 spondylolysis with pars defects and spinal instability with radiculopathy. Chronic pain syndrome. Other chronic lower respiratory diseases 45%
2304 Bilateral l5 spondylolysis with pars defects and spinal instability with radiculopathy. Chronic pain syndrome. Other chronic lower respiratory diseases 45%
3952 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. Other chronic lower respiratory diseases 45%
3394 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. Other chronic lower respiratory diseases 45%
4774 Selective coronary angiography, left heart catheterization, and left ventriculography. Severe stenosis at the origin of the large diagonal artery and subtotal stenosis in the mid segment of this diagonal branch. All other forms of chronic ischemic heart disease 45%
746 Selective coronary angiography, left heart catheterization, and left ventriculography. Severe stenosis at the origin of the large diagonal artery and subtotal stenosis in the mid segment of this diagonal branch. All other forms of chronic ischemic heart disease 45%
3801 Completion thyroidectomy with limited right paratracheal node dissection. Malignant neoplasms of trachea bronchus and lung 45%
974 Completion thyroidectomy with limited right paratracheal node dissection. Malignant neoplasms of trachea bronchus and lung 45%
3151 A female with a history of peritoneal mesothelioma who has received prior intravenous chemotherapy. Malignant neoplasms of trachea bronchus and lung 45%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. Malignant neoplasms of trachea bronchus and lung 45%
4951 The patient is a very pleasant 62-year-old African American female with a history of hypertension, hypercholesterolemia, and CVA, referred for evaluation and management of atrial fibrillation. Diabetes mellitus 45%
4567 The patient is a very pleasant 62-year-old African American female with a history of hypertension, hypercholesterolemia, and CVA, referred for evaluation and management of atrial fibrillation. Diabetes mellitus 45%
3862 Patient in ER due to colostomy failure - bowel obstruction. Malignant neoplasms of trachea bronchus and lung 45%
3613 Patient in ER due to colostomy failure - bowel obstruction. Malignant neoplasms of trachea bronchus and lung 45%
423 Chest tube talc pleurodesis of the right chest. Malignant neoplasms of trachea bronchus and lung 45%
4697 Chest tube talc pleurodesis of the right chest. Malignant neoplasms of trachea bronchus and lung 45%
3174 Breast radiation therapy followup note. Left breast adenocarcinoma stage T3 N1b M0, stage IIIA. Malignant neoplasms of trachea bronchus and lung 45%
1442 Breast radiation therapy followup note. Left breast adenocarcinoma stage T3 N1b M0, stage IIIA. Malignant neoplasms of trachea bronchus and lung 45%
2647 Breast radiation therapy followup note. Left breast adenocarcinoma stage T3 N1b M0, stage IIIA. Malignant neoplasms of trachea bronchus and lung 45%
4739 The right upper lobe wedge biopsy shows a poorly differentiated non-small cell carcinoma with a solid growth pattern and without definite glandular differentiation by light microscopy. All other and unspecified malignant neoplasms 45%
3083 The right upper lobe wedge biopsy shows a poorly differentiated non-small cell carcinoma with a solid growth pattern and without definite glandular differentiation by light microscopy. All other and unspecified malignant neoplasms 45%
3011 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. All other forms of heart disease 45%
4430 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. All other forms of heart disease 45%
1278 Incision and drainage (I&D) of abdominal abscess, excisional debridement of nonviable and viable skin, subcutaneous tissue and muscle, then removal of foreign body. Malignant neoplasms of trachea bronchus and lung 45%
3684 Incision and drainage (I&D) of abdominal abscess, excisional debridement of nonviable and viable skin, subcutaneous tissue and muscle, then removal of foreign body. Malignant neoplasms of trachea bronchus and lung 45%
1750 MRI - Right temporal lobe astrocytoma. Malignant neoplasms of trachea bronchus and lung 45%
2967 MRI - Right temporal lobe astrocytoma. Malignant neoplasms of trachea bronchus and lung 45%
3301 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Other chronic lower respiratory diseases 45%
1373 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Other chronic lower respiratory diseases 45%
4618 Transesophageal echocardiogram. MRSA bacteremia, rule out endocarditis. The patient has aortic stenosis. Acute myocardial infarction 45%
1509 Transesophageal echocardiogram. MRSA bacteremia, rule out endocarditis. The patient has aortic stenosis. Acute myocardial infarction 45%
4453 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Atherosclerotic cardiovascular disease so described 45%
1406 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Atherosclerotic cardiovascular disease so described 45%
3988 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Atherosclerotic cardiovascular disease so described 45%
244 Tracheostomy change. A #6 Shiley with proximal extension was changed to a #6 Shiley with proximal extension. Ventilator-dependent respiratory failure and laryngeal edema. All other forms of chronic ischemic heart disease 45%
4621 Tracheostomy change. A #6 Shiley with proximal extension was changed to a #6 Shiley with proximal extension. Ventilator-dependent respiratory failure and laryngeal edema. All other forms of chronic ischemic heart disease 45%
4506 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Diabetes mellitus 45%
4851 Atrial fibrillation and shortness of breath. The patient is an 81-year-old gentleman with shortness of breath, progressively worsening, of recent onset. History of hypertension, no history of diabetes mellitus, ex-smoker, cholesterol status elevated, no history of established coronary artery disease, and family history positive. Diabetes mellitus 45%
700 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. All other forms of chronic ischemic heart disease 45%
3004 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. All other forms of chronic ischemic heart disease 45%
4544 The patient was admitted for symptoms that sounded like postictal state. CT showed edema and slight midline shift. MRI of the brain shows large inhomogeneous infiltrating right frontotemporal neoplasm surrounding the right middle cerebral artery. All other forms of chronic ischemic heart disease 45%
3185 The patient was admitted for symptoms that sounded like postictal state. CT showed edema and slight midline shift. MRI of the brain shows large inhomogeneous infiltrating right frontotemporal neoplasm surrounding the right middle cerebral artery. All other forms of chronic ischemic heart disease 45%
172 Bladder instillation for chronic interstitial cystitis. Malignant neoplasms of trachea bronchus and lung 45%
4554 Bladder instillation for chronic interstitial cystitis. Malignant neoplasms of trachea bronchus and lung 45%
3787 Total thyroidectomy. The patient is a female with a history of Graves disease. Suppression was attempted, however, unsuccessful. She presents today with her thyroid goiter. All other and unspecified malignant neoplasms 45%
274 Total thyroidectomy. The patient is a female with a history of Graves disease. Suppression was attempted, however, unsuccessful. She presents today with her thyroid goiter. All other and unspecified malignant neoplasms 45%
1870 A woman with a history of progression of dysphagia for the past year, dysarthria, weakness of her right arm, cramps in her legs, and now with progressive weakness in her upper extremities. Abnormal electrodiagnostic study. Other chronic lower respiratory diseases 45%
2885 A woman with a history of progression of dysphagia for the past year, dysarthria, weakness of her right arm, cramps in her legs, and now with progressive weakness in her upper extremities. Abnormal electrodiagnostic study. Other chronic lower respiratory diseases 45%
1638 A woman with a history of progression of dysphagia for the past year, dysarthria, weakness of her right arm, cramps in her legs, and now with progressive weakness in her upper extremities. Abnormal electrodiagnostic study. Other chronic lower respiratory diseases 45%
368 Laparoscopic right salpingooophorectomy. Right pelvic pain and ovarian mass. Right ovarian cyst with ovarian torsion. Malignant neoplasms of trachea bronchus and lung 45%
2537 Laparoscopic right salpingooophorectomy. Right pelvic pain and ovarian mass. Right ovarian cyst with ovarian torsion. Malignant neoplasms of trachea bronchus and lung 45%
232 Insertion of a triple-lumen central line through the right subclavian vein by the percutaneous technique. This lady has a bowel obstruction. She was being fed through a central line, which as per the patient was just put yesterday and this slipped out. Malignant neoplasms of trachea bronchus and lung 45%
3461 Insertion of a triple-lumen central line through the right subclavian vein by the percutaneous technique. This lady has a bowel obstruction. She was being fed through a central line, which as per the patient was just put yesterday and this slipped out. Malignant neoplasms of trachea bronchus and lung 45%
3115 Newly diagnosed T-cell lymphoma. The patient reports swelling in his left submandibular region that occurred all of a sudden about a month and a half ago. All other and unspecified malignant neoplasms 45%
4109 Newly diagnosed T-cell lymphoma. The patient reports swelling in his left submandibular region that occurred all of a sudden about a month and a half ago. All other and unspecified malignant neoplasms 45%
4966 Adenosine with nuclear scan as the patient unable to walk on a treadmill. Nondiagnostic adenosine stress test. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 45%
1747 Adenosine with nuclear scan as the patient unable to walk on a treadmill. Nondiagnostic adenosine stress test. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 45%
2428 Excision of right upper eyelid squamous cell carcinoma with frozen section and full-thickness skin grafting from the opposite eyelid. All other and unspecified malignant neoplasms 45%
3163 Excision of right upper eyelid squamous cell carcinoma with frozen section and full-thickness skin grafting from the opposite eyelid. All other and unspecified malignant neoplasms 45%
808 Excision of right upper eyelid squamous cell carcinoma with frozen section and full-thickness skin grafting from the opposite eyelid. All other and unspecified malignant neoplasms 45%
4691 Patient with a previous history of working in the coalmine and significant exposure to silica with resultant pneumoconiosis and fibrosis of the lung. Other chronic lower respiratory diseases 45%
4176 Patient with a previous history of working in the coalmine and significant exposure to silica with resultant pneumoconiosis and fibrosis of the lung. Other chronic lower respiratory diseases 45%
3220 Patient with a previous history of working in the coalmine and significant exposure to silica with resultant pneumoconiosis and fibrosis of the lung. Other chronic lower respiratory diseases 45%
4799 No chest pain with exercise and no significant ECG changes with exercise. Poor exercise capacity 6 weeks following an aortic valve replacement and single-vessel bypass procedure. Acute myocardial infarction 45%
4814 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. Atherosclerotic cardiovascular disease so described 45%
1646 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. Atherosclerotic cardiovascular disease so described 45%
4949 The patient is a 5-1/2-year-old with Down syndrome, complex heart disease consisting of atrioventricular septal defect and tetralogy of Fallot with pulmonary atresia, discontinuous pulmonary arteries and bilateral superior vena cava with a left cava draining to the coronary sinus and a right aortic arch. Malignant neoplasms of trachea bronchus and lung 45%
1198 The patient is a 5-1/2-year-old with Down syndrome, complex heart disease consisting of atrioventricular septal defect and tetralogy of Fallot with pulmonary atresia, discontinuous pulmonary arteries and bilateral superior vena cava with a left cava draining to the coronary sinus and a right aortic arch. Malignant neoplasms of trachea bronchus and lung 45%
1607 Cerebral Angiogram - moyamoya disease. Alzheimer disease 45%
12 Cerebral Angiogram - moyamoya disease. Alzheimer disease 45%
702 Perirectal abscess. Incision and drainage (I&D) of perirectal abscess. Malignant neoplasms of trachea bronchus and lung 45%
3328 Anxiety, alcohol abuse, and chest pain. This is a 40-year-old male with digoxin toxicity secondary to likely intentional digoxin overuse. Now, he has had significant block with EKG changes as stated. Other chronic lower respiratory diseases 45%
4365 Anxiety, alcohol abuse, and chest pain. This is a 40-year-old male with digoxin toxicity secondary to likely intentional digoxin overuse. Now, he has had significant block with EKG changes as stated. Other chronic lower respiratory diseases 45%
4911 Cardiac catheterization. Coronary artery disease plus intimal calcification in the mid abdominal aorta without significant stenosis. All other forms of chronic ischemic heart disease 45%
1100 Cardiac catheterization. Coronary artery disease plus intimal calcification in the mid abdominal aorta without significant stenosis. All other forms of chronic ischemic heart disease 45%
1147 Excisional breast biopsy with needle localization. The skin overlying the needle tip was incised in a curvilinear fashion. Malignant neoplasms of trachea bronchus and lung 45%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Atherosclerotic cardiovascular disease so described 45%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Atherosclerotic cardiovascular disease so described 45%
191 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias Heart failure 45%
4605 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias Heart failure 45%
2941 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. Other chronic lower respiratory diseases 45%
4472 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. Other chronic lower respiratory diseases 45%
4712 Pacemaker ICD interrogation. Severe nonischemic cardiomyopathy with prior ventricular tachycardia. All other forms of chronic ischemic heart disease 45%
474 Pacemaker ICD interrogation. Severe nonischemic cardiomyopathy with prior ventricular tachycardia. All other forms of chronic ischemic heart disease 45%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Acute myocardial infarction 45%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Acute myocardial infarction 45%
4904 Cardiac catheterization and coronary intervention report. Atherosclerotic cardiovascular disease so described 45%
1095 Cardiac catheterization and coronary intervention report. Atherosclerotic cardiovascular disease so described 45%
4970 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. All other forms of heart disease 45%
4586 Abnormal echocardiogram findings and followup. Shortness of breath, congestive heart failure, and valvular insufficiency. The patient complains of shortness of breath, which is worsening. The patient underwent an echocardiogram, which shows severe mitral regurgitation and also large pleural effusion. All other forms of heart disease 45%
3201 3-Dimensional Simulation. This patient is undergoing 3-dimensionally planned radiation therapy in order to adequately target structures at risk while diminishing the degree of exposure to uninvolved adjacent normal structures. All other forms of chronic ischemic heart disease 45%
1752 3-Dimensional Simulation. This patient is undergoing 3-dimensionally planned radiation therapy in order to adequately target structures at risk while diminishing the degree of exposure to uninvolved adjacent normal structures. All other forms of chronic ischemic heart disease 45%
3928 The patient with multiple medical conditions including coronary artery disease, hypothyroidism, and severe peripheral vascular disease status post multiple revascularizations. Other chronic lower respiratory diseases 45%
12 Cerebral Angiogram - moyamoya disease. Cerebrovascular diseases 45%
1607 Cerebral Angiogram - moyamoya disease. Cerebrovascular diseases 45%
1014 Colonoscopy due to rectal bleeding, constipation, abnormal CT scan, rule out inflammatory bowel disease. Other chronic lower respiratory diseases 45%
3655 Colonoscopy due to rectal bleeding, constipation, abnormal CT scan, rule out inflammatory bowel disease. Other chronic lower respiratory diseases 45%
554 Mediastinal exploration and delayed primary chest closure. The patient is a 12-day-old infant who has undergone a modified stage I Norwood procedure with a Sano modification. Malignant neoplasms of trachea bronchus and lung 45%
4734 Mediastinal exploration and delayed primary chest closure. The patient is a 12-day-old infant who has undergone a modified stage I Norwood procedure with a Sano modification. Malignant neoplasms of trachea bronchus and lung 45%
1916 Mediastinal exploration and delayed primary chest closure. The patient is a 12-day-old infant who has undergone a modified stage I Norwood procedure with a Sano modification. Malignant neoplasms of trachea bronchus and lung 45%
2303 Back injury with RLE radicular symptoms. The patient is a 52-year-old male who is here for independent medical evaluation. All other forms of chronic ischemic heart disease 45%
3101 Back injury with RLE radicular symptoms. The patient is a 52-year-old male who is here for independent medical evaluation. All other forms of chronic ischemic heart disease 45%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Atherosclerotic cardiovascular disease so described 45%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. Atherosclerotic cardiovascular disease so described 45%
3011 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Acute myocardial infarction 45%
4430 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Acute myocardial infarction 45%
4685 Pulmonary Function Test to evaluate dyspnea. Other chronic lower respiratory diseases 45%
4272 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Malignant neoplasms of trachea bronchus and lung 45%
4724 Loculated left effusion, multilobar pneumonia. Patient had a diagnosis of multilobar pneumonia along with arrhythmia and heart failure as well as renal insufficiency. Malignant neoplasms of trachea bronchus and lung 45%
551 Left metastasectomy of metastatic renal cell carcinoma with additional mediastinal lymph node dissection and additional fiberoptic bronchoscopy. All other and unspecified malignant neoplasms 44%
4731 Left metastasectomy of metastatic renal cell carcinoma with additional mediastinal lymph node dissection and additional fiberoptic bronchoscopy. All other and unspecified malignant neoplasms 44%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. All other forms of heart disease 44%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. All other forms of heart disease 44%
172 Bladder instillation for chronic interstitial cystitis. Other chronic lower respiratory diseases 44%
4554 Bladder instillation for chronic interstitial cystitis. Other chronic lower respiratory diseases 44%
2465 Normal physical exam template. Normocephalic. Negative lesions, negative masses. All other and unspecified malignant neoplasms 44%
3237 Normal physical exam template. Normocephalic. Negative lesions, negative masses. All other and unspecified malignant neoplasms 44%
4219 Normal physical exam template. Normocephalic. Negative lesions, negative masses. All other and unspecified malignant neoplasms 44%
4025 Extraction of tooth #T and incision and drainage (I&D) of right buccal space infection. Right buccal space infection and abscess tooth #T. Malignant neoplasms of trachea bronchus and lung 44%
293 Extraction of tooth #T and incision and drainage (I&D) of right buccal space infection. Right buccal space infection and abscess tooth #T. Malignant neoplasms of trachea bronchus and lung 44%
3262 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Malignant neoplasms of trachea bronchus and lung 44%
4722 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Malignant neoplasms of trachea bronchus and lung 44%
3900 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Malignant neoplasms of trachea bronchus and lung 44%
3483 Seizure, hypoglycemia, anemia, dyspnea, edema. colon cancer status post right hemicolectomy, hospital-acquired pneumonia, and congestive heart failure. Malignant neoplasms of trachea bronchus and lung 44%
4434 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Heart failure 44%
4806 Elevated BNP. Diastolic heart failure, not contributing to his present problem. Chest x-ray and CAT scan shows possible pneumonia. The patient denies any prior history of coronary artery disease but has a history of hypertension. Heart failure 44%
4436 13 years old complaining about severe ear pain - Chronic otitis media. All other forms of chronic ischemic heart disease 44%
3758 13 years old complaining about severe ear pain - Chronic otitis media. All other forms of chronic ischemic heart disease 44%
1931 13 years old complaining about severe ear pain - Chronic otitis media. All other forms of chronic ischemic heart disease 44%
4273 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. Acute myocardial infarction 44%
4728 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. Acute myocardial infarction 44%
4752 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Diabetes mellitus 44%
1358 Patient with a history of ischemic cardiac disease and hypercholesterolemia. Diabetes mellitus 44%
4192 Patient with chronic pain plus lumbar disk replacement with radiculitis and myofascial complaints. Other chronic lower respiratory diseases 44%
2087 Patient with chronic pain plus lumbar disk replacement with radiculitis and myofascial complaints. Other chronic lower respiratory diseases 44%
1507 Right and Left carotid ultrasound Atherosclerotic cardiovascular disease so described 44%
4607 Right and Left carotid ultrasound Atherosclerotic cardiovascular disease so described 44%
3318 Right-sided facial droop and right-sided weakness. Recent cerebrovascular accident. he CT scan of the head did not show any acute events with the impression of a new-onset cerebrovascular accident. All other forms of chronic ischemic heart disease 44%
4356 Right-sided facial droop and right-sided weakness. Recent cerebrovascular accident. he CT scan of the head did not show any acute events with the impression of a new-onset cerebrovascular accident. All other forms of chronic ischemic heart disease 44%
1978 She is a 14-year-old Hispanic female with history of pauciarticular arthritis in particular arthritis of her left knee, although she has complaints of arthralgias in multiple joints. Under general anesthesia, 20 mg of Aristospan were injected on the left knee. Other chronic lower respiratory diseases 44%
1315 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. Cerebrovascular diseases 44%
4688 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. Cerebrovascular diseases 44%
146 Cystoscopy and Bladder biopsy with fulguration. History of bladder tumor with abnormal cytology and areas of erythema. Malignant neoplasms of trachea bronchus and lung 44%
946 Cystoscopy and Bladder biopsy with fulguration. History of bladder tumor with abnormal cytology and areas of erythema. Malignant neoplasms of trachea bronchus and lung 44%
3081 Probable right upper lobe lung adenocarcinoma. Specimen is received fresh for frozen section, labeled with the patient's identification and "Right upper lobe lung". All other and unspecified malignant neoplasms 44%
4742 Probable right upper lobe lung adenocarcinoma. Specimen is received fresh for frozen section, labeled with the patient's identification and "Right upper lobe lung". All other and unspecified malignant neoplasms 44%
1095 Cardiac catheterization and coronary intervention report. All other forms of chronic ischemic heart disease 44%
4904 Cardiac catheterization and coronary intervention report. All other forms of chronic ischemic heart disease 44%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. Cerebrovascular diseases 44%
1692 Stroke in distribution of recurrent artery of Huebner (left) Atherosclerotic cardiovascular disease so described 44%
2928 Stroke in distribution of recurrent artery of Huebner (left) Atherosclerotic cardiovascular disease so described 44%
4174 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery Atherosclerotic cardiovascular disease so described 44%
4695 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery Atherosclerotic cardiovascular disease so described 44%
3536 Gastrointestinal bleed, source undetermined, but possibly due to internal hemorrhoids. Poor prep with friable internal hemorrhoids, but no gross lesions, no source of bleed. Malignant neoplasms of trachea bronchus and lung 44%
3920 Gastrointestinal bleed, source undetermined, but possibly due to internal hemorrhoids. Poor prep with friable internal hemorrhoids, but no gross lesions, no source of bleed. Malignant neoplasms of trachea bronchus and lung 44%
3826 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. Acute myocardial infarction 44%
4757 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. Acute myocardial infarction 44%
3282 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. Acute myocardial infarction 44%
4322 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. Acute myocardial infarction 44%
4957 Aortoiliac occlusive disease. Aortobifemoral bypass. The aorta was of normal size and consistency consistent with arteriosclerosis. A 16x8 mm Gore-Tex graft was placed without difficulty. The femoral vessels were small somewhat thin and there was posterior packing, but satisfactory bypass was performed. Atherosclerotic cardiovascular disease so described 44%
1225 Aortoiliac occlusive disease. Aortobifemoral bypass. The aorta was of normal size and consistency consistent with arteriosclerosis. A 16x8 mm Gore-Tex graft was placed without difficulty. The femoral vessels were small somewhat thin and there was posterior packing, but satisfactory bypass was performed. Atherosclerotic cardiovascular disease so described 44%
4796 Reduced exercise capacity for age, no chest pain with exercise, no significant ST segment changes with exercise, symptoms of left anterior chest pain were not provoked with exercise, and hypertensive response noted with exercise. Other chronic lower respiratory diseases 44%
4670 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Atherosclerotic cardiovascular disease so described 44%
1532 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Atherosclerotic cardiovascular disease so described 44%
2432 She is sent for evaluation of ocular manifestations of systemic connective tissue disorders. Denies any eye problems and history includes myopia with astigmatism. All other forms of chronic ischemic heart disease 44%
4508 She is sent for evaluation of ocular manifestations of systemic connective tissue disorders. Denies any eye problems and history includes myopia with astigmatism. All other forms of chronic ischemic heart disease 44%
4828 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. All other forms of heart disease 44%
3934 Chest x-ray on admission, no acute finding, no interval change. CT angiography, negative for pulmonary arterial embolism. Chronic obstructive pulmonary disease exacerbation improving, on steroids and bronchodilators. All other forms of heart disease 44%
1745 Left heart cath, selective coronary angiogram, right common femoral angiogram, and StarClose closure of right common femoral artery. All other forms of chronic ischemic heart disease 44%
4961 Left heart cath, selective coronary angiogram, right common femoral angiogram, and StarClose closure of right common femoral artery. All other forms of chronic ischemic heart disease 44%
3665 Newly diagnosed cholangiocarcinoma. The patient is noted to have an increase in her liver function tests on routine blood work. Ultrasound of the abdomen showed gallbladder sludge and gallbladder findings consistent with adenomyomatosis. Malignant neoplasms of trachea bronchus and lung 44%
4519 Newly diagnosed cholangiocarcinoma. The patient is noted to have an increase in her liver function tests on routine blood work. Ultrasound of the abdomen showed gallbladder sludge and gallbladder findings consistent with adenomyomatosis. Malignant neoplasms of trachea bronchus and lung 44%
3180 Newly diagnosed cholangiocarcinoma. The patient is noted to have an increase in her liver function tests on routine blood work. Ultrasound of the abdomen showed gallbladder sludge and gallbladder findings consistent with adenomyomatosis. Malignant neoplasms of trachea bronchus and lung 44%
1979 Intercostal block from fourth to tenth intercostal spaces, left. Chest pain secondary to fractured ribs, unmanageable with narcotics. Malignant neoplasms of trachea bronchus and lung 44%
3459 Viral gastroenteritis. Patient complaining of the onset of nausea and vomiting after she drank lots of red wine. She denies any sore throat or cough. She states no one else at home has been ill. Other chronic lower respiratory diseases 44%
4089 Viral gastroenteritis. Patient complaining of the onset of nausea and vomiting after she drank lots of red wine. She denies any sore throat or cough. She states no one else at home has been ill. Other chronic lower respiratory diseases 44%
465 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. Acute myocardial infarction 44%
4706 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. Acute myocardial infarction 44%
4530 Patient with right-sided chest pain, borderline elevated high blood pressure, history of hyperlipidemia, and obesity. All other forms of chronic ischemic heart disease 44%
4901 Patient with right-sided chest pain, borderline elevated high blood pressure, history of hyperlipidemia, and obesity. All other forms of chronic ischemic heart disease 44%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Cerebrovascular diseases 44%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Cerebrovascular diseases 44%
3901 Chronic laryngitis, hoarseness. The patient was referred to Medical Center's Outpatient Rehabilitation Department for skilled speech therapy secondary to voicing difficulties. Other chronic lower respiratory diseases 44%
1290 Chronic laryngitis, hoarseness. The patient was referred to Medical Center's Outpatient Rehabilitation Department for skilled speech therapy secondary to voicing difficulties. Other chronic lower respiratory diseases 44%
4097 The patient is having recurrent attacks of imbalance rather than true vertigo following the history of head trauma and loss of consciousness. Symptoms are not accompanied by tinnitus or deafness. All other forms of chronic ischemic heart disease 44%
3683 The patient is having recurrent attacks of imbalance rather than true vertigo following the history of head trauma and loss of consciousness. Symptoms are not accompanied by tinnitus or deafness. All other forms of chronic ischemic heart disease 44%
265 Tonsillectomy and adenoidectomy. Chronic adenotonsillitis. The patient is a 9-year-old Caucasian male with history of recurrent episodes of adenotonsillitis that has been refractory to outpatient antibiotic therapy. Other chronic lower respiratory diseases 44%
3695 Tonsillectomy and adenoidectomy. Chronic adenotonsillitis. The patient is a 9-year-old Caucasian male with history of recurrent episodes of adenotonsillitis that has been refractory to outpatient antibiotic therapy. Other chronic lower respiratory diseases 44%
4352 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. Cerebrovascular diseases 44%
3320 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. Cerebrovascular diseases 44%
2654 A complex closure and debridement of wound. The patient is a 26-year-old female with a long history of shunt and hydrocephalus presenting with a draining wound in the right upper quadrant, just below the costal margin that was lanced by General Surgery and resolved; however, it continued to drain. Malignant neoplasms of trachea bronchus and lung 44%
183 A complex closure and debridement of wound. The patient is a 26-year-old female with a long history of shunt and hydrocephalus presenting with a draining wound in the right upper quadrant, just below the costal margin that was lanced by General Surgery and resolved; however, it continued to drain. Malignant neoplasms of trachea bronchus and lung 44%
4201 Organic brain syndrome in the setting of multiple myeloma. The patient is a 56-year-old male with the history of multiple myeloma, who has been admitted for complains of being dehydrated and was doing good until this morning, was found to be disoriented and confused, was not able to communicate properly, and having difficulty leaving out the words. All other and unspecified malignant neoplasms 44%
2792 Organic brain syndrome in the setting of multiple myeloma. The patient is a 56-year-old male with the history of multiple myeloma, who has been admitted for complains of being dehydrated and was doing good until this morning, was found to be disoriented and confused, was not able to communicate properly, and having difficulty leaving out the words. All other and unspecified malignant neoplasms 44%
4728 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. All other and unspecified malignant neoplasms 44%
4273 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. All other and unspecified malignant neoplasms 44%
1091 Left heart cardiac catheterization. All other forms of heart disease 44%
4906 Left heart cardiac catheterization. All other forms of heart disease 44%
3209 Chronic snoring in children All other forms of chronic ischemic heart disease 44%
1458 Chronic snoring in children All other forms of chronic ischemic heart disease 44%
1116 Coronary artery bypass grafting times three utilizing the left internal mammary artery, left anterior descending and reversed autogenous saphenous vein graft to the posterior descending branch of the right coronary artery and obtuse marginal coronary artery, total cardiopulmonary bypass, cold blood potassium cardioplegia, antegrade and retrograde, for myocardial protection. Acute myocardial infarction 44%
4925 Coronary artery bypass grafting times three utilizing the left internal mammary artery, left anterior descending and reversed autogenous saphenous vein graft to the posterior descending branch of the right coronary artery and obtuse marginal coronary artery, total cardiopulmonary bypass, cold blood potassium cardioplegia, antegrade and retrograde, for myocardial protection. Acute myocardial infarction 44%
253 NexGen left total knee replacement. Degenerative arthritis of left knee. The patient is a 72-year-old female with a history of bilateral knee pain for years progressively worse and decreasing quality of life and ADLs. Other chronic lower respiratory diseases 44%
2030 NexGen left total knee replacement. Degenerative arthritis of left knee. The patient is a 72-year-old female with a history of bilateral knee pain for years progressively worse and decreasing quality of life and ADLs. Other chronic lower respiratory diseases 44%
4433 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. Acute myocardial infarction 44%
3750 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. Acute myocardial infarction 44%
1128 Plastic piece foreign body in the right main stem bronchus. Rigid bronchoscopy with foreign body removal. Malignant neoplasms of trachea bronchus and lung 44%
4932 Plastic piece foreign body in the right main stem bronchus. Rigid bronchoscopy with foreign body removal. Malignant neoplasms of trachea bronchus and lung 44%
990 Colonoscopy to screen for colon cancer Malignant neoplasms of trachea bronchus and lung 44%
3637 Colonoscopy to screen for colon cancer Malignant neoplasms of trachea bronchus and lung 44%
4965 A sample note on Angina. Acute myocardial infarction 44%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Diabetes mellitus 44%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Diabetes mellitus 44%
2845 MRI Brain - Olfactory groove meningioma. Malignant neoplasms of trachea bronchus and lung 44%
1605 MRI Brain - Olfactory groove meningioma. Malignant neoplasms of trachea bronchus and lung 44%
358 Repair of total anomalous pulmonary venous connection, ligation of patent ductus arteriosus, repair secundum type atrial septal defect (autologous pericardial patch), subtotal thymectomy, and insertion of peritoneal dialysis catheter. Malignant neoplasms of trachea bronchus and lung 44%
4665 Repair of total anomalous pulmonary venous connection, ligation of patent ductus arteriosus, repair secundum type atrial septal defect (autologous pericardial patch), subtotal thymectomy, and insertion of peritoneal dialysis catheter. Malignant neoplasms of trachea bronchus and lung 44%
1893 Repair of total anomalous pulmonary venous connection, ligation of patent ductus arteriosus, repair secundum type atrial septal defect (autologous pericardial patch), subtotal thymectomy, and insertion of peritoneal dialysis catheter. Malignant neoplasms of trachea bronchus and lung 44%
1723 Chest PA & Lateral to evaluate shortness of breath and pneumothorax versus left-sided effusion. Malignant neoplasms of trachea bronchus and lung 44%
4867 Chest PA & Lateral to evaluate shortness of breath and pneumothorax versus left-sided effusion. Malignant neoplasms of trachea bronchus and lung 44%
4484 A 50-year-old female whose 51-year-old sister has a history of multiple colon polyps, which may slightly increase her risk for colon cancer in the future. Malignant neoplasms of trachea bronchus and lung 44%
3609 A 50-year-old female whose 51-year-old sister has a history of multiple colon polyps, which may slightly increase her risk for colon cancer in the future. Malignant neoplasms of trachea bronchus and lung 44%
4367 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. All other forms of heart disease 44%
3334 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. All other forms of heart disease 44%
3899 Discharge summary of patient with leiomyosarcoma and history of pulmonary embolism, subdural hematoma, pancytopenia, and pneumonia. Acute myocardial infarction 44%
3146 Discharge summary of patient with leiomyosarcoma and history of pulmonary embolism, subdural hematoma, pancytopenia, and pneumonia. Acute myocardial infarction 44%
4776 Left heart cath, selective coronary angiography, LV gram, right femoral arteriogram, and Mynx closure device. Normal stress test. Acute myocardial infarction 44%
751 Left heart cath, selective coronary angiography, LV gram, right femoral arteriogram, and Mynx closure device. Normal stress test. Acute myocardial infarction 44%
3184 Excision of nasal tip basal carcinoma, previous positive biopsy. All other and unspecified malignant neoplasms 44%
1186 Excision of nasal tip basal carcinoma, previous positive biopsy. All other and unspecified malignant neoplasms 44%
4508 She is sent for evaluation of ocular manifestations of systemic connective tissue disorders. Denies any eye problems and history includes myopia with astigmatism. Cerebrovascular diseases 44%
2432 She is sent for evaluation of ocular manifestations of systemic connective tissue disorders. Denies any eye problems and history includes myopia with astigmatism. Cerebrovascular diseases 44%
4682 Pulmonary function test. Mild-to-moderate obstructive ventilatory impairment. Some improvement in the airflows after bronchodilator therapy. All other forms of chronic ischemic heart disease 44%
748 Left heart catheterization, left ventriculography, selective coronary angiography, and right femoral artery approach. Atherosclerotic cardiovascular disease so described 44%
4770 Left heart catheterization, left ventriculography, selective coronary angiography, and right femoral artery approach. Atherosclerotic cardiovascular disease so described 44%
4920 Redo coronary bypass grafting x3, right and left internal mammary, left anterior descending, reverse autogenous saphenous vein graft to the obtuse marginal and posterior descending branch of the right coronary artery. Total cardiopulmonary bypass, cold-blood potassium cardioplegia, antegrade for myocardial protection. Placement of a right femoral intraaortic balloon pump. Acute myocardial infarction 44%
1113 Redo coronary bypass grafting x3, right and left internal mammary, left anterior descending, reverse autogenous saphenous vein graft to the obtuse marginal and posterior descending branch of the right coronary artery. Total cardiopulmonary bypass, cold-blood potassium cardioplegia, antegrade for myocardial protection. Placement of a right femoral intraaortic balloon pump. Acute myocardial infarction 44%
1112 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. All other forms of heart disease 44%
4917 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. All other forms of heart disease 44%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. Cerebrovascular diseases 44%
3643 Possible inflammatory bowel disease. Polyp of the sigmoid colon.. Total colonoscopy with photography and polypectomy. Malignant neoplasms of trachea bronchus and lung 44%
998 Possible inflammatory bowel disease. Polyp of the sigmoid colon.. Total colonoscopy with photography and polypectomy. Malignant neoplasms of trachea bronchus and lung 44%
800 Incompetent glottis. Fat harvesting from the upper thigh, micro-laryngoscopy, fat injection thyroplasty. Malignant neoplasms of trachea bronchus and lung 44%
3746 Incompetent glottis. Fat harvesting from the upper thigh, micro-laryngoscopy, fat injection thyroplasty. Malignant neoplasms of trachea bronchus and lung 44%
1224 Acute appendicitis and 29-week pregnancy. Appendectomy. Acute myocardial infarction 44%
4748 The patient is a 65-year-old female who underwent left upper lobectomy for stage IA non-small cell lung cancer. She returns for a routine surveillance visit. The patient has no evidence of disease now status post left upper lobectomy for stage IA non-small cell lung cancer 13 months ago. All other forms of chronic ischemic heart disease 44%
1359 The patient is a 65-year-old female who underwent left upper lobectomy for stage IA non-small cell lung cancer. She returns for a routine surveillance visit. The patient has no evidence of disease now status post left upper lobectomy for stage IA non-small cell lung cancer 13 months ago. All other forms of chronic ischemic heart disease 44%
408 Insertion of a Port-A-Catheter via the left subclavian vein approach under fluoroscopic guidance in a patient with ovarian cancer. Malignant neoplasms of trachea bronchus and lung 44%
271 Tonsillectomy. Tonsillitis. McIvor mouth gag was placed in the oral cavity and a tongue depressor applied. Malignant neoplasms of trachea bronchus and lung 44%
3700 Tonsillectomy. Tonsillitis. McIvor mouth gag was placed in the oral cavity and a tongue depressor applied. Malignant neoplasms of trachea bronchus and lung 44%
2039 Excision of mass, left second toe and distal Symes amputation, left hallux with excisional biopsy. Mass, left second toe. Tumor. Left hallux bone invasion of the distal phalanx. Malignant neoplasms of trachea bronchus and lung 44%
1811 Excision of mass, left second toe and distal Symes amputation, left hallux with excisional biopsy. Mass, left second toe. Tumor. Left hallux bone invasion of the distal phalanx. Malignant neoplasms of trachea bronchus and lung 44%
3116 Excision of mass, left second toe and distal Symes amputation, left hallux with excisional biopsy. Mass, left second toe. Tumor. Left hallux bone invasion of the distal phalanx. Malignant neoplasms of trachea bronchus and lung 44%
311 Excision of mass, left second toe and distal Symes amputation, left hallux with excisional biopsy. Mass, left second toe. Tumor. Left hallux bone invasion of the distal phalanx. Malignant neoplasms of trachea bronchus and lung 44%
3301 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Atherosclerotic cardiovascular disease so described 44%
1373 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Atherosclerotic cardiovascular disease so described 44%
4405 Infection (folliculitis), pelvic pain, mood swings, and painful sex (dyspareunia). Other chronic lower respiratory diseases 44%
3377 Infection (folliculitis), pelvic pain, mood swings, and painful sex (dyspareunia). Other chronic lower respiratory diseases 44%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Diabetes mellitus 44%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Diabetes mellitus 44%
732 Construction of right upper arm hemodialysis fistula with transposition of deep brachial vein. End-stage renal disease with failing AV dialysis fistula. Malignant neoplasms of trachea bronchus and lung 44%
3005 Construction of right upper arm hemodialysis fistula with transposition of deep brachial vein. End-stage renal disease with failing AV dialysis fistula. Malignant neoplasms of trachea bronchus and lung 44%
3430 Patient with multiple problems, main one is chest pain at night. Other chronic lower respiratory diseases 44%
4499 Patient with multiple problems, main one is chest pain at night. Other chronic lower respiratory diseases 44%
2595 Exploratory laparotomy, total abdominal hysterectomy, bilateral salpingo-oophorectomy, right and left pelvic lymphadenectomy, common iliac lymphadenectomy, and endometrial cancer staging procedure. Malignant neoplasms of trachea bronchus and lung 44%
718 Exploratory laparotomy, total abdominal hysterectomy, bilateral salpingo-oophorectomy, right and left pelvic lymphadenectomy, common iliac lymphadenectomy, and endometrial cancer staging procedure. Malignant neoplasms of trachea bronchus and lung 44%
4910 Left heart catheterization with coronary angiography, vein graft angiography and left ventricular pressure measurement and angiography. Atherosclerotic cardiovascular disease so described 44%
1098 Left heart catheterization with coronary angiography, vein graft angiography and left ventricular pressure measurement and angiography. Atherosclerotic cardiovascular disease so described 44%
3630 Patient with active flare of Inflammatory Bowel Disease, not responsive to conventional therapy including sulfasalazine, cortisone, local therapy. All other forms of heart disease 44%
994 Patient with active flare of Inflammatory Bowel Disease, not responsive to conventional therapy including sulfasalazine, cortisone, local therapy. All other forms of heart disease 44%
4733 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other and unspecified malignant neoplasms 44%
3099 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other and unspecified malignant neoplasms 44%
3143 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other and unspecified malignant neoplasms 44%
4288 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other and unspecified malignant neoplasms 44%
4289 Lumbar muscle strain and chronic back pain. Patient has a history of chronic back pain, dating back to an accident that he states he suffered two years ago. Other chronic lower respiratory diseases 44%
2165 Lumbar muscle strain and chronic back pain. Patient has a history of chronic back pain, dating back to an accident that he states he suffered two years ago. Other chronic lower respiratory diseases 44%
3443 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. Malignant neoplasms of trachea bronchus and lung 44%
3866 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. Malignant neoplasms of trachea bronchus and lung 44%
171 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. Malignant neoplasms of trachea bronchus and lung 44%
4545 Patient has prostate cancer with metastatic disease to his bladder. The patient has had problems with hematuria in the past. The patient was encouraged to drink extra water and was given discharge instructions on hematuria. Malignant neoplasms of trachea bronchus and lung 44%
4330 Leukocytosis, acute deep venous thrombosis, right lower extremity with bilateral pulmonary embolism, on intravenous heparin complicated with acute renal failure for evaluation. Other chronic lower respiratory diseases 44%
3156 Leukocytosis, acute deep venous thrombosis, right lower extremity with bilateral pulmonary embolism, on intravenous heparin complicated with acute renal failure for evaluation. Other chronic lower respiratory diseases 44%
3342 A male patient presented for evaluation of chronic abdominal pain. All other forms of chronic ischemic heart disease 44%
4376 A male patient presented for evaluation of chronic abdominal pain. All other forms of chronic ischemic heart disease 44%
3851 This is a 25-year-old male with nonspecific right-sided chest/abdominal pain from an unknown etiology. Other chronic lower respiratory diseases 44%
4428 This is a 25-year-old male with nonspecific right-sided chest/abdominal pain from an unknown etiology. Other chronic lower respiratory diseases 44%
267 Tonsillectomy and adenoidectomy. Obstructive adenotonsillar hypertrophy with chronic recurrent pharyngitis. All other forms of chronic ischemic heart disease 44%
3693 Tonsillectomy and adenoidectomy. Obstructive adenotonsillar hypertrophy with chronic recurrent pharyngitis. All other forms of chronic ischemic heart disease 44%
3963 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Other chronic lower respiratory diseases 44%
4834 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Other chronic lower respiratory diseases 44%
2907 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Other chronic lower respiratory diseases 44%
4728 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. All other forms of heart disease 44%
4273 Mesothelioma versus primary lung carcinoma, Chronic obstructive pulmonary disease, paroxysmal atrial fibrillation, malignant pleural effusion, status post surgery as stated above, and anemia of chronic disease. All other forms of heart disease 44%
4835 A 51-year-old male with chest pain and history of coronary artery disease. Other chronic lower respiratory diseases 44%
1721 A 51-year-old male with chest pain and history of coronary artery disease. Other chronic lower respiratory diseases 44%
1942 Delayed primary chest closure. Open chest status post modified stage 1 Norwood operation. The patient is a newborn with diagnosis of hypoplastic left heart syndrome who 48 hours prior to the current procedure has undergone a modified stage 1 Norwood operation. All other forms of heart disease 44%
1047 Delayed primary chest closure. Open chest status post modified stage 1 Norwood operation. The patient is a newborn with diagnosis of hypoplastic left heart syndrome who 48 hours prior to the current procedure has undergone a modified stage 1 Norwood operation. All other forms of heart disease 44%
4870 Delayed primary chest closure. Open chest status post modified stage 1 Norwood operation. The patient is a newborn with diagnosis of hypoplastic left heart syndrome who 48 hours prior to the current procedure has undergone a modified stage 1 Norwood operation. All other forms of heart disease 44%
1589 MRI Brain & MRI C-T spine: Multiple hemangioblastoma in Von Hippel Lindau Disease. Alzheimer disease 44%
2147 MRI Brain & MRI C-T spine: Multiple hemangioblastoma in Von Hippel Lindau Disease. Alzheimer disease 44%
2825 MRI Brain & MRI C-T spine: Multiple hemangioblastoma in Von Hippel Lindau Disease. Alzheimer disease 44%
2076 The patient is a 26-year-old female, referred to Physical Therapy for low back pain. The patient has a history of traumatic injury to low back. All other forms of chronic ischemic heart disease 44%
1861 The patient is a 26-year-old female, referred to Physical Therapy for low back pain. The patient has a history of traumatic injury to low back. All other forms of chronic ischemic heart disease 44%
1602 MRI Brain - Progressive Multifocal Leukoencephalopathy (PML) occurring in an immunosuppressed patient with polymyositis. All other forms of chronic ischemic heart disease 44%
2839 MRI Brain - Progressive Multifocal Leukoencephalopathy (PML) occurring in an immunosuppressed patient with polymyositis. All other forms of chronic ischemic heart disease 44%
3009 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. All other forms of chronic ischemic heart disease 44%
4296 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. All other forms of chronic ischemic heart disease 44%
3824 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. All other forms of chronic ischemic heart disease 44%
1347 Patient with multiple medical problems (Alzheimer’s dementia, gradual weight loss, fatigue, etc.) All other forms of chronic ischemic heart disease 44%
1073 Right carpal tunnel release. Right carpal tunnel syndrome. This is a 54-year-old female who was complaining of right hand numbness and tingling of the median distribution and has elected to undergo carpal tunnel surgery secondary to failure of conservative management. Other chronic lower respiratory diseases 44%
2279 Right carpal tunnel release. Right carpal tunnel syndrome. This is a 54-year-old female who was complaining of right hand numbness and tingling of the median distribution and has elected to undergo carpal tunnel surgery secondary to failure of conservative management. Other chronic lower respiratory diseases 44%
1934 A 3-year-old abrupt onset of cough and increased work of breathing. Other chronic lower respiratory diseases 44%
3927 A 3-year-old abrupt onset of cough and increased work of breathing. Other chronic lower respiratory diseases 44%
4825 A 3-year-old abrupt onset of cough and increased work of breathing. Other chronic lower respiratory diseases 44%
4699 A middle-aged white female undergoing autologous stem cell transplant for multiple myeloma, now with paroxysmal atrial fibrillation. All other forms of chronic ischemic heart disease 44%
4185 A middle-aged white female undergoing autologous stem cell transplant for multiple myeloma, now with paroxysmal atrial fibrillation. All other forms of chronic ischemic heart disease 44%
4278 Marginal zone lymphoma (MALT-type lymphoma). A mass was found in her right breast on physical examination. she had a mammogram and ultrasound, which confirmed the right breast mass. All other and unspecified malignant neoplasms 44%
3139 Marginal zone lymphoma (MALT-type lymphoma). A mass was found in her right breast on physical examination. she had a mammogram and ultrasound, which confirmed the right breast mass. All other and unspecified malignant neoplasms 44%
4565 Patient complaining of cough and blood mixed with sputum production with a past medical history significant for asbestos exposure. Other chronic lower respiratory diseases 44%
3444 Patient complaining of cough and blood mixed with sputum production with a past medical history significant for asbestos exposure. Other chronic lower respiratory diseases 44%
3832 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. Heart failure 44%
4766 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. Heart failure 44%
1814 Right foot series after a foot injury. All other forms of chronic ischemic heart disease 44%
1538 Right foot series after a foot injury. All other forms of chronic ischemic heart disease 44%
4562 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. Atherosclerotic cardiovascular disease so described 44%
3049 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. Atherosclerotic cardiovascular disease so described 44%
4188 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. All other and unspecified malignant neoplasms 44%
1902 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. All other and unspecified malignant neoplasms 44%
3719 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. All other and unspecified malignant neoplasms 44%
4605 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias Other chronic lower respiratory diseases 44%
191 Insertion of a VVIR permanent pacemaker. This is an 87-year-old Caucasian female with critical aortic stenosis with an aortic valve area of 0.5 cm square and recurrent congestive heart failure symptoms mostly refractory to tachybrady arrhythmias Other chronic lower respiratory diseases 44%
938 Cystourethroscopy, right retrograde pyelogram, right ureteral pyeloscopy, right renal biopsy, and right double-J 4.5 x 26 mm ureteral stent placement. Right renal mass and ureteropelvic junction obstruction and hematuria. Malignant neoplasms of trachea bronchus and lung 44%
3016 Cystourethroscopy, right retrograde pyelogram, right ureteral pyeloscopy, right renal biopsy, and right double-J 4.5 x 26 mm ureteral stent placement. Right renal mass and ureteropelvic junction obstruction and hematuria. Malignant neoplasms of trachea bronchus and lung 44%
140 Cystourethroscopy, right retrograde pyelogram, right ureteral pyeloscopy, right renal biopsy, and right double-J 4.5 x 26 mm ureteral stent placement. Right renal mass and ureteropelvic junction obstruction and hematuria. Malignant neoplasms of trachea bronchus and lung 44%
4483 The patient is an 84-year-old man who returns for revaluation of possible idiopathic normal pressure hydrocephalus. All other forms of chronic ischemic heart disease 44%
2945 The patient is an 84-year-old man who returns for revaluation of possible idiopathic normal pressure hydrocephalus. All other forms of chronic ischemic heart disease 44%
733 Left-sided large hemicraniectomy for traumatic brain injury and increased intracranial pressure. She came in with severe traumatic brain injury and severe multiple fractures of the right side of the skull. All other forms of chronic ischemic heart disease 44%
2697 Left-sided large hemicraniectomy for traumatic brain injury and increased intracranial pressure. She came in with severe traumatic brain injury and severe multiple fractures of the right side of the skull. All other forms of chronic ischemic heart disease 44%
407 The patient is a 9-year-old born with pulmonary atresia, intact ventricular septum with coronary sinusoids. Acute myocardial infarction 44%
4686 The patient is a 9-year-old born with pulmonary atresia, intact ventricular septum with coronary sinusoids. Acute myocardial infarction 44%
345 Right shoulder hemi-resurfacing using a size 5 Biomet Copeland humeral head component, noncemented. Severe degenerative joint disease of the right shoulder. All other forms of chronic ischemic heart disease 44%
2055 Right shoulder hemi-resurfacing using a size 5 Biomet Copeland humeral head component, noncemented. Severe degenerative joint disease of the right shoulder. All other forms of chronic ischemic heart disease 44%
4683 Obstructive sleep apnea syndrome. Loud snoring. Schedule an overnight sleep study. Other chronic lower respiratory diseases 44%
1461 Obstructive sleep apnea syndrome. Loud snoring. Schedule an overnight sleep study. Other chronic lower respiratory diseases 44%
4141 Obstructive sleep apnea syndrome. Loud snoring. Schedule an overnight sleep study. Other chronic lower respiratory diseases 44%
749 Left heart catheterization, left and right coronary angiography, left ventricular angiography, and intercoronary stenting of the right coronary artery. Atherosclerotic cardiovascular disease so described 44%
4775 Left heart catheterization, left and right coronary angiography, left ventricular angiography, and intercoronary stenting of the right coronary artery. Atherosclerotic cardiovascular disease so described 44%
1406 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Cerebrovascular diseases 44%
4453 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Cerebrovascular diseases 44%
3988 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome Cerebrovascular diseases 44%
4349 GI Consultation for Chrohn's disease. All other forms of heart disease 44%
3522 GI Consultation for Chrohn's disease. All other forms of heart disease 44%
4296 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. All other and unspecified malignant neoplasms 44%
3824 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. All other and unspecified malignant neoplasms 44%
3009 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. All other and unspecified malignant neoplasms 44%
3810 This is a 53-year-old man, who presented to emergency room with multiple complaints including pain from his hernia, some question of blood in his stool, nausea, and vomiting, and also left lower extremity pain. Other chronic lower respiratory diseases 44%
4194 This is a 53-year-old man, who presented to emergency room with multiple complaints including pain from his hernia, some question of blood in his stool, nausea, and vomiting, and also left lower extremity pain. Other chronic lower respiratory diseases 44%
3229 This is a 53-year-old man, who presented to emergency room with multiple complaints including pain from his hernia, some question of blood in his stool, nausea, and vomiting, and also left lower extremity pain. Other chronic lower respiratory diseases 44%
1382 Patient with a three-day history of emesis and a four-day history of diarrhea Other chronic lower respiratory diseases 44%
3305 Patient with a three-day history of emesis and a four-day history of diarrhea Other chronic lower respiratory diseases 44%
682 Acute on chronic renal failure and uremia. Insertion of a right internal jugular vein hemodialysis catheter. Other chronic lower respiratory diseases 44%
3006 Acute on chronic renal failure and uremia. Insertion of a right internal jugular vein hemodialysis catheter. Other chronic lower respiratory diseases 44%
1014 Colonoscopy due to rectal bleeding, constipation, abnormal CT scan, rule out inflammatory bowel disease. All other forms of chronic ischemic heart disease 44%
3655 Colonoscopy due to rectal bleeding, constipation, abnormal CT scan, rule out inflammatory bowel disease. All other forms of chronic ischemic heart disease 44%
3484 Percutaneous liver biopsy. With the patient lying in the supine position and the right hand underneath the head, an area of maximal dullness was identified in the mid-axillary location by percussion. Malignant neoplasms of trachea bronchus and lung 44%
600 Percutaneous liver biopsy. With the patient lying in the supine position and the right hand underneath the head, an area of maximal dullness was identified in the mid-axillary location by percussion. Malignant neoplasms of trachea bronchus and lung 44%
3004 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. Acute myocardial infarction 44%
700 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. Acute myocardial infarction 44%
1515 Transesophageal echocardiogram due to vegetation and bacteremia. Normal left ventricular size and function. Echodensity involving the aortic valve suggestive of endocarditis and vegetation. Doppler study as above most pronounced being moderate-to-severe aortic insufficiency. All other forms of chronic ischemic heart disease 44%
4619 Transesophageal echocardiogram due to vegetation and bacteremia. Normal left ventricular size and function. Echodensity involving the aortic valve suggestive of endocarditis and vegetation. Doppler study as above most pronounced being moderate-to-severe aortic insufficiency. All other forms of chronic ischemic heart disease 44%
781 Flexible fiberoptic bronchoscopy with right lower lobe bronchoalveolar lavage and right upper lobe endobronchial biopsy. Severe tracheobronchitis, mild venous engorgement with question varicosities associated pulmonary hypertension, right upper lobe submucosal hemorrhage without frank mass underneath it status post biopsy. Other chronic lower respiratory diseases 44%
4789 Flexible fiberoptic bronchoscopy with right lower lobe bronchoalveolar lavage and right upper lobe endobronchial biopsy. Severe tracheobronchitis, mild venous engorgement with question varicosities associated pulmonary hypertension, right upper lobe submucosal hemorrhage without frank mass underneath it status post biopsy. Other chronic lower respiratory diseases 44%
4126 Severe back pain and sleepiness. The patient, because of near syncopal episode and polypharmacy, almost passed out for about 3 to 4 minutes with a low blood pressure. Other chronic lower respiratory diseases 44%
3206 Severe back pain and sleepiness. The patient, because of near syncopal episode and polypharmacy, almost passed out for about 3 to 4 minutes with a low blood pressure. Other chronic lower respiratory diseases 44%
2767 Severe back pain and sleepiness. The patient, because of near syncopal episode and polypharmacy, almost passed out for about 3 to 4 minutes with a low blood pressure. Other chronic lower respiratory diseases 44%
3748 Persistent dysphagia. Deviated nasal septum. Inferior turbinate hypertrophy. Chronic rhinitis. Conductive hearing loss. Tympanosclerosis. Malignant neoplasms of trachea bronchus and lung 44%
4429 Persistent dysphagia. Deviated nasal septum. Inferior turbinate hypertrophy. Chronic rhinitis. Conductive hearing loss. Tympanosclerosis. Malignant neoplasms of trachea bronchus and lung 44%
3782 Left thyroid mass. Left total thyroid lumpectomy. The patient with a history of a left thyroid mass nodule that was confirmed with CT scan along with thyroid uptake scan, which demonstrated a hot nodule on the left anterior pole. Malignant neoplasms of trachea bronchus and lung 44%
247 Left thyroid mass. Left total thyroid lumpectomy. The patient with a history of a left thyroid mass nodule that was confirmed with CT scan along with thyroid uptake scan, which demonstrated a hot nodule on the left anterior pole. Malignant neoplasms of trachea bronchus and lung 44%
3410 Acute cerebrovascular accident/left basal ganglia and deep white matter of the left parietal lobe, hypertension, urinary tract infection, and hypercholesterolemia. All other forms of chronic ischemic heart disease 44%
3964 Acute cerebrovascular accident/left basal ganglia and deep white matter of the left parietal lobe, hypertension, urinary tract infection, and hypercholesterolemia. All other forms of chronic ischemic heart disease 44%
1450 Return visit to the endocrine clinic for acquired hypothyroidism, papillary carcinoma of the thyroid gland status post total thyroidectomy in 1992, and diabetes mellitus. Malignant neoplasms of trachea bronchus and lung 44%
3807 Return visit to the endocrine clinic for acquired hypothyroidism, papillary carcinoma of the thyroid gland status post total thyroidectomy in 1992, and diabetes mellitus. Malignant neoplasms of trachea bronchus and lung 44%
3357 Patient with a past medical history of atrial fibrillation and arthritis complaining of progressively worsening shortness of breath. All other forms of chronic ischemic heart disease 44%
4389 Patient with a past medical history of atrial fibrillation and arthritis complaining of progressively worsening shortness of breath. All other forms of chronic ischemic heart disease 44%
3230 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. Other chronic lower respiratory diseases 44%
3809 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. Other chronic lower respiratory diseases 44%
4211 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. Other chronic lower respiratory diseases 44%
129 Recurrent urinary tract infection in a patient recently noted for another Escherichia coli urinary tract infection. Other chronic lower respiratory diseases 44%
1402 Recurrent urinary tract infection in a patient recently noted for another Escherichia coli urinary tract infection. Other chronic lower respiratory diseases 44%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Acute myocardial infarction 44%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Acute myocardial infarction 44%
1958 Bilateral L5, S1, S2, and S3 radiofrequency ablation for sacroiliac joint pain. Fluoroscopy was used to identify the bony landmarks of the sacrum and the sacroiliac joints and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 44%
392 Bilateral L5, S1, S2, and S3 radiofrequency ablation for sacroiliac joint pain. Fluoroscopy was used to identify the bony landmarks of the sacrum and the sacroiliac joints and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 44%
2066 Bilateral L5, S1, S2, and S3 radiofrequency ablation for sacroiliac joint pain. Fluoroscopy was used to identify the bony landmarks of the sacrum and the sacroiliac joints and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 44%
1544 Bilateral L5, S1, S2, and S3 radiofrequency ablation for sacroiliac joint pain. Fluoroscopy was used to identify the bony landmarks of the sacrum and the sacroiliac joints and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 44%
3750 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. All other forms of chronic ischemic heart disease 44%
4433 Chronic eustachian tube dysfunction, chronic otitis media with effusion, recurrent acute otitis media, adenoid hypertrophy. All other forms of chronic ischemic heart disease 44%
4289 Lumbar muscle strain and chronic back pain. Patient has a history of chronic back pain, dating back to an accident that he states he suffered two years ago. All other forms of chronic ischemic heart disease 44%
2165 Lumbar muscle strain and chronic back pain. Patient has a history of chronic back pain, dating back to an accident that he states he suffered two years ago. All other forms of chronic ischemic heart disease 44%
4257 Nephrology Consultation - Patient with renal failure. All other forms of heart disease 44%
2993 Nephrology Consultation - Patient with renal failure. All other forms of heart disease 44%
3819 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of heart disease 44%
1350 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of heart disease 44%
3266 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of heart disease 44%
3487 Reason for ICU followup today is acute anemia secondary to upper GI bleeding with melena with dropping hemoglobin from 11 to 8, status post transfusion of 2 units PRBCs with EGD performed earlier today by Dr. X of Gastroenterology confirming diagnosis of ulcerative esophagitis, also for continuing chronic obstructive pulmonary disease exacerbation with productive cough, infection and shortness of breath. All other forms of heart disease 44%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Other chronic lower respiratory diseases 44%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Other chronic lower respiratory diseases 44%
4796 Reduced exercise capacity for age, no chest pain with exercise, no significant ST segment changes with exercise, symptoms of left anterior chest pain were not provoked with exercise, and hypertensive response noted with exercise. All other forms of chronic ischemic heart disease 44%
4723 A female admitted with jaundice and a pancreatic mass who was noted to have a new murmur, bacteremia, and fever. Malignant neoplasms of trachea bronchus and lung 44%
4262 A female admitted with jaundice and a pancreatic mass who was noted to have a new murmur, bacteremia, and fever. Malignant neoplasms of trachea bronchus and lung 44%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Heart failure 44%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Heart failure 44%
1148 Needle localization and left breast biopsy for left breast mass. Malignant neoplasms of trachea bronchus and lung 44%
3956 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Atherosclerotic cardiovascular disease so described 44%
3409 Hyperglycemia, cholelithiasis, obstructive sleep apnea, diabetes mellitus, hypertension, and cholecystitis. Atherosclerotic cardiovascular disease so described 44%
4430 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Atherosclerotic cardiovascular disease so described 44%
3011 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Atherosclerotic cardiovascular disease so described 44%
4201 Organic brain syndrome in the setting of multiple myeloma. The patient is a 56-year-old male with the history of multiple myeloma, who has been admitted for complains of being dehydrated and was doing good until this morning, was found to be disoriented and confused, was not able to communicate properly, and having difficulty leaving out the words. All other forms of chronic ischemic heart disease 44%
2792 Organic brain syndrome in the setting of multiple myeloma. The patient is a 56-year-old male with the history of multiple myeloma, who has been admitted for complains of being dehydrated and was doing good until this morning, was found to be disoriented and confused, was not able to communicate properly, and having difficulty leaving out the words. All other forms of chronic ischemic heart disease 44%
3341 Patient with abdominal pain, nausea, vomiting, fever, altered mental status. Other chronic lower respiratory diseases 44%
4378 Patient with abdominal pain, nausea, vomiting, fever, altered mental status. Other chronic lower respiratory diseases 44%
317 Suction dilation and curettage for incomplete abortion. On bimanual exam, the patient has approximately 15-week anteverted, mobile uterus with the cervix that is dilated to approximately 2 cm with multiple blood colts in the vagina. There was a large amount of tissue obtained on the procedure. Malignant neoplasms of trachea bronchus and lung 43%
2530 Suction dilation and curettage for incomplete abortion. On bimanual exam, the patient has approximately 15-week anteverted, mobile uterus with the cervix that is dilated to approximately 2 cm with multiple blood colts in the vagina. There was a large amount of tissue obtained on the procedure. Malignant neoplasms of trachea bronchus and lung 43%
357 Septoplasty with partial inferior middle turbinectomy with KTP laser, sinus endoscopy with maxillary antrostomies, removal of tissue, with septoplasty and partial ethmoidectomy bilaterally. Malignant neoplasms of trachea bronchus and lung 43%
3710 Septoplasty with partial inferior middle turbinectomy with KTP laser, sinus endoscopy with maxillary antrostomies, removal of tissue, with septoplasty and partial ethmoidectomy bilaterally. Malignant neoplasms of trachea bronchus and lung 43%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Acute myocardial infarction 43%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Acute myocardial infarction 43%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Acute myocardial infarction 43%
4528 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Atherosclerotic cardiovascular disease so described 43%
4898 The patient has a previous history of aortic valve disease, status post aortic valve replacement, a previous history of paroxysmal atrial fibrillation, congestive heart failure, a previous history of transient ischemic attack with no residual neurologic deficits. Atherosclerotic cardiovascular disease so described 43%
1543 Nuclear medicine tumor localization, whole body - status post subtotal thyroidectomy for thyroid carcinoma. All other and unspecified malignant neoplasms 43%
59 Prostate gland showing moderately differentiated infiltrating adenocarcinoma - Excised prostate including capsule, pelvic lymph nodes, seminal vesicles, and small portion of bladder neck. All other and unspecified malignant neoplasms 43%
1320 Prostate gland showing moderately differentiated infiltrating adenocarcinoma - Excised prostate including capsule, pelvic lymph nodes, seminal vesicles, and small portion of bladder neck. All other and unspecified malignant neoplasms 43%
4984 Cause of death - Anoxic Encephalopathy Cerebrovascular diseases 43%
4349 GI Consultation for Chrohn's disease. All other forms of chronic ischemic heart disease 43%
3522 GI Consultation for Chrohn's disease. All other forms of chronic ischemic heart disease 43%
1944 1+ year, black female for initial evaluation of a lifelong history of atopic eczema. Other chronic lower respiratory diseases 43%
4017 1+ year, black female for initial evaluation of a lifelong history of atopic eczema. Other chronic lower respiratory diseases 43%
3221 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. Acute myocardial infarction 43%
1309 Refractory hypertension, much improved, history of cardiac arrhythmia and history of pacemaker secondary to AV block, history of GI bleed, and history of depression. Acute myocardial infarction 43%
3441 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. Heart failure 43%
1443 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. Heart failure 43%
4954 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. Heart failure 43%
3958 Cardiac arrest, severe congestive heart failure, acute on chronic respiratory failure, osteoporosis, and depression. Atherosclerotic cardiovascular disease so described 43%
3378 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Atherosclerotic cardiovascular disease so described 43%
4401 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. Atherosclerotic cardiovascular disease so described 43%
1479 Followup of left hand discomfort and systemic lupus erythematosus. Carpal tunnel involving the left wrist with sensory change, but no evidence of motor change. Other chronic lower respiratory diseases 43%
1369 Followup of left hand discomfort and systemic lupus erythematosus. Carpal tunnel involving the left wrist with sensory change, but no evidence of motor change. Other chronic lower respiratory diseases 43%
4748 The patient is a 65-year-old female who underwent left upper lobectomy for stage IA non-small cell lung cancer. She returns for a routine surveillance visit. The patient has no evidence of disease now status post left upper lobectomy for stage IA non-small cell lung cancer 13 months ago. Malignant neoplasms of trachea bronchus and lung 43%
1359 The patient is a 65-year-old female who underwent left upper lobectomy for stage IA non-small cell lung cancer. She returns for a routine surveillance visit. The patient has no evidence of disease now status post left upper lobectomy for stage IA non-small cell lung cancer 13 months ago. Malignant neoplasms of trachea bronchus and lung 43%
4688 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. Atherosclerotic cardiovascular disease so described 43%
1315 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. Atherosclerotic cardiovascular disease so described 43%
4209 Normal review of systems template. No history of headaches, migraines, vertigo, syncope, visual loss, tinnitus, sinusitis, sore in the mouth, hoarseness, swelling or goiter. Other chronic lower respiratory diseases 43%
2456 Normal review of systems template. No history of headaches, migraines, vertigo, syncope, visual loss, tinnitus, sinusitis, sore in the mouth, hoarseness, swelling or goiter. Other chronic lower respiratory diseases 43%
3234 Normal review of systems template. No history of headaches, migraines, vertigo, syncope, visual loss, tinnitus, sinusitis, sore in the mouth, hoarseness, swelling or goiter. Other chronic lower respiratory diseases 43%
1457 This is a 43-year-old female with a history of events concerning for seizures. Video EEG monitoring is performed to capture events and/or identify etiology. All other forms of chronic ischemic heart disease 43%
2755 This is a 43-year-old female with a history of events concerning for seizures. Video EEG monitoring is performed to capture events and/or identify etiology. All other forms of chronic ischemic heart disease 43%
1353 Extensive stage small cell lung cancer. Chemotherapy with carboplatin and etoposide. Left scapular pain status post CT scan of the thorax. Malignant neoplasms of trachea bronchus and lung 43%
3145 Extensive stage small cell lung cancer. Chemotherapy with carboplatin and etoposide. Left scapular pain status post CT scan of the thorax. Malignant neoplasms of trachea bronchus and lung 43%
1678 The patient is a 79-year-old man with adult hydrocephalus who was found to have large bilateral effusions on a CT scan. The patient's subdural effusions are still noticeable, but they are improving. Malignant neoplasms of trachea bronchus and lung 43%
2917 The patient is a 79-year-old man with adult hydrocephalus who was found to have large bilateral effusions on a CT scan. The patient's subdural effusions are still noticeable, but they are improving. Malignant neoplasms of trachea bronchus and lung 43%
2951 Followup cervical spinal stenosis. Her symptoms of right greater than left upper extremity pain, weakness, paresthesias had been worsening after an incident when she thought she had exacerbated her conditions while lifting several objects. All other forms of chronic ischemic heart disease 43%
2277 Followup cervical spinal stenosis. Her symptoms of right greater than left upper extremity pain, weakness, paresthesias had been worsening after an incident when she thought she had exacerbated her conditions while lifting several objects. All other forms of chronic ischemic heart disease 43%
1433 Followup cervical spinal stenosis. Her symptoms of right greater than left upper extremity pain, weakness, paresthesias had been worsening after an incident when she thought she had exacerbated her conditions while lifting several objects. All other forms of chronic ischemic heart disease 43%
4071 Hypomastia. Patient wants breast augmentation and liposuction of her abdomen, Malignant neoplasms of trachea bronchus and lung 43%
4551 Hypomastia. Patient wants breast augmentation and liposuction of her abdomen, Malignant neoplasms of trachea bronchus and lung 43%
4473 Nonhealing right ankle stasis ulcer. A 52-year-old native American-Indian man with hypertension, chronic intermittent bipedal edema, and recurrent leg venous ulcers was admitted for scheduled vascular surgery. Other chronic lower respiratory diseases 43%
3422 Nonhealing right ankle stasis ulcer. A 52-year-old native American-Indian man with hypertension, chronic intermittent bipedal edema, and recurrent leg venous ulcers was admitted for scheduled vascular surgery. Other chronic lower respiratory diseases 43%
3613 Patient in ER due to colostomy failure - bowel obstruction. Other chronic lower respiratory diseases 43%
3862 Patient in ER due to colostomy failure - bowel obstruction. Other chronic lower respiratory diseases 43%
995 Colonoscopy - Diarrhea, suspected irritable bowel Other chronic lower respiratory diseases 43%
3631 Colonoscopy - Diarrhea, suspected irritable bowel Other chronic lower respiratory diseases 43%
4280 Patient presented with significant muscle tremor, constant headaches, excessive nervousness, poor concentration, and poor ability to focus. Other chronic lower respiratory diseases 43%
1797 Patient presented with significant muscle tremor, constant headaches, excessive nervousness, poor concentration, and poor ability to focus. Other chronic lower respiratory diseases 43%
3095 Patient presented with significant muscle tremor, constant headaches, excessive nervousness, poor concentration, and poor ability to focus. Other chronic lower respiratory diseases 43%
3851 This is a 25-year-old male with nonspecific right-sided chest/abdominal pain from an unknown etiology. All other forms of chronic ischemic heart disease 43%
4428 This is a 25-year-old male with nonspecific right-sided chest/abdominal pain from an unknown etiology. All other forms of chronic ischemic heart disease 43%
1261 Selective coronary angiography of the right coronary artery, left main LAD, left circumflex artery, left ventricular catheterization, left ventricular angiography, angioplasty of totally occluded mid RCA, arthrectomy using 6-French catheter, stenting of the mid RCA, stenting of the proximal RCA, femoral angiography and Perclose hemostasis. Acute myocardial infarction 43%
4962 Selective coronary angiography of the right coronary artery, left main LAD, left circumflex artery, left ventricular catheterization, left ventricular angiography, angioplasty of totally occluded mid RCA, arthrectomy using 6-French catheter, stenting of the mid RCA, stenting of the proximal RCA, femoral angiography and Perclose hemostasis. Acute myocardial infarction 43%
4576 Comprehensive annual health maintenance examination, dyslipidemia, tinnitus in left ear, and hemorrhoids. All other forms of chronic ischemic heart disease 43%
3450 Comprehensive annual health maintenance examination, dyslipidemia, tinnitus in left ear, and hemorrhoids. All other forms of chronic ischemic heart disease 43%
3619 The patient with a recent change in bowel function and hematochezia. Other chronic lower respiratory diseases 43%
979 The patient with a recent change in bowel function and hematochezia. Other chronic lower respiratory diseases 43%
4705 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. All other forms of chronic ischemic heart disease 43%
4189 Peripheral effusion on the CAT scan. The patient is a 70-year-old Caucasian female with prior history of lung cancer, status post upper lobectomy. She was recently diagnosed with recurrent pneumonia and does have a cancer on the CAT scan, lung cancer with metastasis. All other forms of chronic ischemic heart disease 43%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Atherosclerotic cardiovascular disease so described 43%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Atherosclerotic cardiovascular disease so described 43%
1102 Left heart catheterization, LV cineangiography, selective coronary angiography, and right heart catheterization with cardiac output by thermodilution technique with dual transducer. Acute myocardial infarction 43%
4913 Left heart catheterization, LV cineangiography, selective coronary angiography, and right heart catheterization with cardiac output by thermodilution technique with dual transducer. Acute myocardial infarction 43%
651 Laparoscopic lysis of adhesions and Laparoscopic left adrenalectomy. Left adrenal mass, 5.5 cm and intraabdominal adhesions. Malignant neoplasms of trachea bronchus and lung 43%
4751 Laparoscopic lysis of adhesions and Laparoscopic left adrenalectomy. Left adrenal mass, 5.5 cm and intraabdominal adhesions. Malignant neoplasms of trachea bronchus and lung 43%
4361 The patient is a 35-year-old lady who was admitted with chief complaints of chest pain, left-sided with severe chest tightness after having an emotional argument with her boyfriend. The patient has a long history of psychological disorders. Other chronic lower respiratory diseases 43%
3322 The patient is a 35-year-old lady who was admitted with chief complaints of chest pain, left-sided with severe chest tightness after having an emotional argument with her boyfriend. The patient has a long history of psychological disorders. Other chronic lower respiratory diseases 43%
1179 Bilateral carotid cerebral angiogram and right femoral-popliteal angiogram. Acute myocardial infarction 43%
4946 Bilateral carotid cerebral angiogram and right femoral-popliteal angiogram. Acute myocardial infarction 43%
2960 Bilateral carotid cerebral angiogram and right femoral-popliteal angiogram. Acute myocardial infarction 43%
2722 Bilateral carotid cerebral angiogram and right femoral-popliteal angiogram. Acute myocardial infarction 43%
3179 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other forms of chronic ischemic heart disease 43%
3653 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other forms of chronic ischemic heart disease 43%
4513 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other forms of chronic ischemic heart disease 43%
2192 Left knee pain and stiffness. Bilateral knee degenerative joint disease (DJD). Significant back pain, status post lumbar stenosis surgery with pain being controlled on methadone 10 mg b.i.d. All other forms of chronic ischemic heart disease 43%
4299 Left knee pain and stiffness. Bilateral knee degenerative joint disease (DJD). Significant back pain, status post lumbar stenosis surgery with pain being controlled on methadone 10 mg b.i.d. All other forms of chronic ischemic heart disease 43%
1909 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. All other forms of chronic ischemic heart disease 43%
4226 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. All other forms of chronic ischemic heart disease 43%
2472 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. All other forms of chronic ischemic heart disease 43%
3241 Normal newborn infant physical exam. A well-developed infant in no acute respiratory distress. All other forms of chronic ischemic heart disease 43%
4135 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Alzheimer disease 43%
3218 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Alzheimer disease 43%
2976 Patient with a history of coronary artery disease, congestive heart failure, COPD, hypertension, and renal insufficiency. Alzheimer disease 43%
4382 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Diabetes mellitus 43%
3348 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Diabetes mellitus 43%
2336 C4-C5, C5-C6 anterior cervical discectomy and fusion. The patient is a 62-year-old female who presents with neck pain as well as upper extremity symptoms. Her MRI showed stenosis at portion of C4 to C6. Malignant neoplasms of trachea bronchus and lung 43%
1240 C4-C5, C5-C6 anterior cervical discectomy and fusion. The patient is a 62-year-old female who presents with neck pain as well as upper extremity symptoms. Her MRI showed stenosis at portion of C4 to C6. Malignant neoplasms of trachea bronchus and lung 43%
2733 C4-C5, C5-C6 anterior cervical discectomy and fusion. The patient is a 62-year-old female who presents with neck pain as well as upper extremity symptoms. Her MRI showed stenosis at portion of C4 to C6. Malignant neoplasms of trachea bronchus and lung 43%
1731 Carotid and cerebral arteriogram - abnormal carotid duplex studies demonstrating occlusion of the left internal carotid artery. Atherosclerotic cardiovascular disease so described 43%
4876 Carotid and cerebral arteriogram - abnormal carotid duplex studies demonstrating occlusion of the left internal carotid artery. Atherosclerotic cardiovascular disease so described 43%
1359 The patient is a 65-year-old female who underwent left upper lobectomy for stage IA non-small cell lung cancer. She returns for a routine surveillance visit. The patient has no evidence of disease now status post left upper lobectomy for stage IA non-small cell lung cancer 13 months ago. All other forms of heart disease 43%
4748 The patient is a 65-year-old female who underwent left upper lobectomy for stage IA non-small cell lung cancer. She returns for a routine surveillance visit. The patient has no evidence of disease now status post left upper lobectomy for stage IA non-small cell lung cancer 13 months ago. All other forms of heart disease 43%
1351 Follicular non-Hodgkin's lymphoma. Biopsy of a left posterior auricular lymph node and pathology showed follicular non-Hodgkin's lymphoma. Received six cycles of CHOP chemotherapy. All other and unspecified malignant neoplasms 43%
3129 Follicular non-Hodgkin's lymphoma. Biopsy of a left posterior auricular lymph node and pathology showed follicular non-Hodgkin's lymphoma. Received six cycles of CHOP chemotherapy. All other and unspecified malignant neoplasms 43%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Atherosclerotic cardiovascular disease so described 43%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Atherosclerotic cardiovascular disease so described 43%
2952 A woman presents for neurological evaluation with regards to a diagnosis of multiple sclerosis. All other forms of chronic ischemic heart disease 43%
4514 A woman presents for neurological evaluation with regards to a diagnosis of multiple sclerosis. All other forms of chronic ischemic heart disease 43%
2598 Total vaginal hysterectomy. Microinvasive carcinoma of the cervix. Malignant neoplasms of trachea bronchus and lung 43%
3906 Total vaginal hysterectomy. Microinvasive carcinoma of the cervix. Malignant neoplasms of trachea bronchus and lung 43%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Cerebrovascular diseases 43%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Cerebrovascular diseases 43%
1394 5-month recheck on type II diabetes mellitus, as well as hypertension. All other forms of chronic ischemic heart disease 43%
3310 5-month recheck on type II diabetes mellitus, as well as hypertension. All other forms of chronic ischemic heart disease 43%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Atherosclerotic cardiovascular disease so described 43%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Atherosclerotic cardiovascular disease so described 43%
1915 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. All other forms of chronic ischemic heart disease 43%
3896 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. All other forms of chronic ischemic heart disease 43%
3738 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. All other forms of chronic ischemic heart disease 43%
3822 Suspected mastoiditis ruled out, right acute otitis media, and severe ear pain resolving. The patient is an 11-year-old male who was admitted from the ER after a CT scan suggested that the child had mastoiditis. All other forms of chronic ischemic heart disease 43%
2788 A 2-1/2-year-old female with history of febrile seizures, now with concern for spells of unclear etiology, but somewhat concerning for partial complex seizures and to a slightly lesser extent nonconvulsive generalized seizures. Other chronic lower respiratory diseases 43%
1910 A 2-1/2-year-old female with history of febrile seizures, now with concern for spells of unclear etiology, but somewhat concerning for partial complex seizures and to a slightly lesser extent nonconvulsive generalized seizures. Other chronic lower respiratory diseases 43%
4241 A 2-1/2-year-old female with history of febrile seizures, now with concern for spells of unclear etiology, but somewhat concerning for partial complex seizures and to a slightly lesser extent nonconvulsive generalized seizures. Other chronic lower respiratory diseases 43%
3441 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. All other forms of chronic ischemic heart disease 43%
4954 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. All other forms of chronic ischemic heart disease 43%
1443 Atrial fibrillation with rapid ventricular response, Wolff-Parkinson White Syndrome, recent aortic valve replacement with bioprosthetic Medtronic valve, and hyperlipidemia. All other forms of chronic ischemic heart disease 43%
3124 Followup for polycythemia vera with secondary myelofibrosis. JAK-2 positive myeloproliferative disorder. He is not a candidate for chlorambucil or radioactive phosphorus because of his young age and the concern for secondary malignancy. All other and unspecified malignant neoplasms 43%
1328 Followup for polycythemia vera with secondary myelofibrosis. JAK-2 positive myeloproliferative disorder. He is not a candidate for chlorambucil or radioactive phosphorus because of his young age and the concern for secondary malignancy. All other and unspecified malignant neoplasms 43%
818 Excision of soft tissue mass on the right flank. This 54-year-old male was evaluated in the office with a large right flank mass. He would like to have this removed. Malignant neoplasms of trachea bronchus and lung 43%
4812 Endotracheal intubation. Respiratory failure. The patient is a 52-year-old male with metastatic osteogenic sarcoma. He was admitted two days ago with small bowel obstruction. All other and unspecified malignant neoplasms 43%
852 Endotracheal intubation. Respiratory failure. The patient is a 52-year-old male with metastatic osteogenic sarcoma. He was admitted two days ago with small bowel obstruction. All other and unspecified malignant neoplasms 43%
2033 History of compartment syndrome, right lower extremity, status post 4 compartments fasciotomy, to do incision for compartment fasciotomy. Wound debridement x2, including skin, subcutaneous, and muscle. Insertion of tissue expander to the medial and lateral wound. Malignant neoplasms of trachea bronchus and lung 43%
279 History of compartment syndrome, right lower extremity, status post 4 compartments fasciotomy, to do incision for compartment fasciotomy. Wound debridement x2, including skin, subcutaneous, and muscle. Insertion of tissue expander to the medial and lateral wound. Malignant neoplasms of trachea bronchus and lung 43%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. All other and unspecified malignant neoplasms 43%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. All other and unspecified malignant neoplasms 43%
3383 Fifth disease with sinusitis All other forms of heart disease 43%
1396 Fifth disease with sinusitis All other forms of heart disease 43%
2118 MRI T-spine: Metastatic Adenocarcinoma of the T3-T4 vertebrae and invading the spinal canal. All other and unspecified malignant neoplasms 43%
2809 MRI T-spine: Metastatic Adenocarcinoma of the T3-T4 vertebrae and invading the spinal canal. All other and unspecified malignant neoplasms 43%
1546 MRI T-spine: Metastatic Adenocarcinoma of the T3-T4 vertebrae and invading the spinal canal. All other and unspecified malignant neoplasms 43%
3407 Upper respiratory illness with apnea, possible pertussis. a one plus-month-old female with respiratory symptoms for approximately a week prior to admission. This involved cough, post-tussive emesis, and questionable fever. All other forms of chronic ischemic heart disease 43%
3961 Upper respiratory illness with apnea, possible pertussis. a one plus-month-old female with respiratory symptoms for approximately a week prior to admission. This involved cough, post-tussive emesis, and questionable fever. All other forms of chronic ischemic heart disease 43%
4800 Exercise stress test with nuclear scan for chest pain. Chest pain resolved after termination of exercise. Good exercise duration, tolerance and double product. Normal nuclear myocardial perfusion scan. All other forms of chronic ischemic heart disease 43%
719 Pelvic tumor, cystocele, rectocele, and uterine fibroid. Total abdominal hysterectomy, bilateral salpingooophorectomy, repair of bladder laceration, appendectomy, Marshall-Marchetti-Krantz cystourethropexy, and posterior colpoperineoplasty. She had a recent D&C and laparoscopy, and enlarged mass was noted and could not be determined if it was from the ovary or the uterus. Malignant neoplasms of trachea bronchus and lung 43%
2596 Pelvic tumor, cystocele, rectocele, and uterine fibroid. Total abdominal hysterectomy, bilateral salpingooophorectomy, repair of bladder laceration, appendectomy, Marshall-Marchetti-Krantz cystourethropexy, and posterior colpoperineoplasty. She had a recent D&C and laparoscopy, and enlarged mass was noted and could not be determined if it was from the ovary or the uterus. Malignant neoplasms of trachea bronchus and lung 43%
110 Pelvic tumor, cystocele, rectocele, and uterine fibroid. Total abdominal hysterectomy, bilateral salpingooophorectomy, repair of bladder laceration, appendectomy, Marshall-Marchetti-Krantz cystourethropexy, and posterior colpoperineoplasty. She had a recent D&C and laparoscopy, and enlarged mass was noted and could not be determined if it was from the ovary or the uterus. Malignant neoplasms of trachea bronchus and lung 43%
4174 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery Acute myocardial infarction 43%
4695 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery Acute myocardial infarction 43%
1363 Human immunodeficiency virus, stable on Trizivir. Hepatitis C with stable transaminases. History of depression, stable off meds. Hypertension, moderately controlled on meds. All other forms of chronic ischemic heart disease 43%
3279 Human immunodeficiency virus, stable on Trizivir. Hepatitis C with stable transaminases. History of depression, stable off meds. Hypertension, moderately controlled on meds. All other forms of chronic ischemic heart disease 43%
4147 Increasing oxygen requirement. Baby boy has significant pulmonary hypertension. Other chronic lower respiratory diseases 43%
4675 Increasing oxygen requirement. Baby boy has significant pulmonary hypertension. Other chronic lower respiratory diseases 43%
1905 Increasing oxygen requirement. Baby boy has significant pulmonary hypertension. Other chronic lower respiratory diseases 43%
2858 Right iliopsoas hematoma with associated femoral neuropathy following cardiac catherization. Acute myocardial infarction 43%
4310 Right iliopsoas hematoma with associated femoral neuropathy following cardiac catherization. Acute myocardial infarction 43%
4065 Suction-assisted lipectomy of the breast with removal of 350 cc of breast tissue from both sides and two mastopexies. Malignant neoplasms of trachea bronchus and lung 43%
598 Suction-assisted lipectomy of the breast with removal of 350 cc of breast tissue from both sides and two mastopexies. Malignant neoplasms of trachea bronchus and lung 43%
645 Chronic cholecystitis without cholelithiasis. Other chronic lower respiratory diseases 43%
3508 Chronic cholecystitis without cholelithiasis. Other chronic lower respiratory diseases 43%
1728 Cerebral Angiogram - Lateral medullary syndrome secondary to left vertebral artery dissection. Acute myocardial infarction 43%
2957 Cerebral Angiogram - Lateral medullary syndrome secondary to left vertebral artery dissection. Acute myocardial infarction 43%
2167 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. Atherosclerotic cardiovascular disease so described 43%
4291 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. Atherosclerotic cardiovascular disease so described 43%
4355 GI Consultation for chronic abdominal pain, nausea, vomiting, abnormal liver function tests. All other forms of chronic ischemic heart disease 43%
3523 GI Consultation for chronic abdominal pain, nausea, vomiting, abnormal liver function tests. All other forms of chronic ischemic heart disease 43%
705 Incision and drainage of the penoscrotal abscess, packing, penile biopsy, cystoscopy, and urethral dilation. Malignant neoplasms of trachea bronchus and lung 43%
108 Incision and drainage of the penoscrotal abscess, packing, penile biopsy, cystoscopy, and urethral dilation. Malignant neoplasms of trachea bronchus and lung 43%
4723 A female admitted with jaundice and a pancreatic mass who was noted to have a new murmur, bacteremia, and fever. Other chronic lower respiratory diseases 43%
4262 A female admitted with jaundice and a pancreatic mass who was noted to have a new murmur, bacteremia, and fever. Other chronic lower respiratory diseases 43%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. All other forms of heart disease 43%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. All other forms of heart disease 43%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. All other forms of heart disease 43%
3470 A 10-year-old with a history of biliary atresia and status post orthotopic liver transplantation. Malignant neoplasms of trachea bronchus and lung 43%
1758 Psychosocial Evaluation of patient before kidney transplant. Other chronic lower respiratory diseases 43%
2983 Psychosocial Evaluation of patient before kidney transplant. Other chronic lower respiratory diseases 43%
3535 Flexible sigmoidoscopy. The Olympus video colonoscope then introduced into the rectum and passed by directed vision to the distal descending colon. Malignant neoplasms of trachea bronchus and lung 43%
790 Flexible sigmoidoscopy. The Olympus video colonoscope then introduced into the rectum and passed by directed vision to the distal descending colon. Malignant neoplasms of trachea bronchus and lung 43%
246 Total thyroidectomy with removal of substernal extension on the left. Thyroid goiter with substernal extension on the left. Malignant neoplasms of trachea bronchus and lung 43%
3785 Total thyroidectomy with removal of substernal extension on the left. Thyroid goiter with substernal extension on the left. Malignant neoplasms of trachea bronchus and lung 43%
1457 This is a 43-year-old female with a history of events concerning for seizures. Video EEG monitoring is performed to capture events and/or identify etiology. All other forms of heart disease 43%
2755 This is a 43-year-old female with a history of events concerning for seizures. Video EEG monitoring is performed to capture events and/or identify etiology. All other forms of heart disease 43%
543 Mini-laparotomy radical retropubic prostatectomy with bilateral pelvic lymph node dissection with Cavermap. Adenocarcinoma of the prostate. Malignant neoplasms of trachea bronchus and lung 43%
83 Mini-laparotomy radical retropubic prostatectomy with bilateral pelvic lymph node dissection with Cavermap. Adenocarcinoma of the prostate. Malignant neoplasms of trachea bronchus and lung 43%
4800 Exercise stress test with nuclear scan for chest pain. Chest pain resolved after termination of exercise. Good exercise duration, tolerance and double product. Normal nuclear myocardial perfusion scan. Acute myocardial infarction 43%
3478 Acute acalculous cholecystitis. Open cholecystectomy. The patient's gallbladder had some patchy and necrosis areas. There were particular changes on the serosal surface as well as on the mucosal surface with multiple clots within the gallbladder. Acute myocardial infarction 43%
509 Acute acalculous cholecystitis. Open cholecystectomy. The patient's gallbladder had some patchy and necrosis areas. There were particular changes on the serosal surface as well as on the mucosal surface with multiple clots within the gallbladder. Acute myocardial infarction 43%
504 Leukemic meningitis. Right frontal side-inlet Ommaya reservoir. The patient is a 49-year-old gentleman with leukemia and meningeal involvement, who was undergoing intrathecal chemotherapy. All other and unspecified malignant neoplasms 43%
2680 Leukemic meningitis. Right frontal side-inlet Ommaya reservoir. The patient is a 49-year-old gentleman with leukemia and meningeal involvement, who was undergoing intrathecal chemotherapy. All other and unspecified malignant neoplasms 43%
3689 Adenotonsillar hypertrophy and chronic otitis media. Tympanostomy and tube placement and adenoidectomy. Other chronic lower respiratory diseases 43%
217 Adenotonsillar hypertrophy and chronic otitis media. Tympanostomy and tube placement and adenoidectomy. Other chronic lower respiratory diseases 43%
3288 Patient with right-sided arm weakness with speech difficulties, urinary tract infection, dehydration, and diabetes mellitus type 2 All other forms of chronic ischemic heart disease 43%
4333 Patient with right-sided arm weakness with speech difficulties, urinary tract infection, dehydration, and diabetes mellitus type 2 All other forms of chronic ischemic heart disease 43%
4606 Patient with worsening shortness of breath and cough. Other chronic lower respiratory diseases 43%
3200 Patient with worsening shortness of breath and cough. Other chronic lower respiratory diseases 43%
4910 Left heart catheterization with coronary angiography, vein graft angiography and left ventricular pressure measurement and angiography. All other forms of chronic ischemic heart disease 43%
1098 Left heart catheterization with coronary angiography, vein graft angiography and left ventricular pressure measurement and angiography. All other forms of chronic ischemic heart disease 43%
1134 Fiberoptic bronchoscopy with endobronchial biopsies. A CT scan done of the chest there which demonstrated bilateral hilar adenopathy with extension to the subcarinal space as well as a large 6-cm right hilar mass, consistent with a primary lung carcinoma. All other and unspecified malignant neoplasms 43%
4939 Fiberoptic bronchoscopy with endobronchial biopsies. A CT scan done of the chest there which demonstrated bilateral hilar adenopathy with extension to the subcarinal space as well as a large 6-cm right hilar mass, consistent with a primary lung carcinoma. All other and unspecified malignant neoplasms 43%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Other chronic lower respiratory diseases 43%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Other chronic lower respiratory diseases 43%
4502 Patient with a history of right upper pons and right cerebral peduncle infarction. All other forms of chronic ischemic heart disease 43%
2948 Patient with a history of right upper pons and right cerebral peduncle infarction. All other forms of chronic ischemic heart disease 43%
2988 A 14-year-old young lady is in the renal failure and in need of dialysis. All other forms of chronic ischemic heart disease 43%
454 A 14-year-old young lady is in the renal failure and in need of dialysis. All other forms of chronic ischemic heart disease 43%
2525 Total abdominal hysterectomy.. Severe menometrorrhagia unresponsive to medical therapy, anemia, and symptomatic fibroid uterus. Other chronic lower respiratory diseases 43%
262 Total abdominal hysterectomy.. Severe menometrorrhagia unresponsive to medical therapy, anemia, and symptomatic fibroid uterus. Other chronic lower respiratory diseases 43%
4680 Pulmonary Function Test in a patient with smoking history. Other chronic lower respiratory diseases 43%
236 Need for intravenous access. Insertion of a right femoral triple lumen catheter. he patient is also ventilator-dependent, respiratory failure with tracheostomy in place and dependent on parenteral nutrition secondary to dysphagia and also has history of protein-calorie malnutrition and the patient needs to receive total parenteral nutrition and therefore needs central venous access. Other chronic lower respiratory diseases 43%
4608 Need for intravenous access. Insertion of a right femoral triple lumen catheter. he patient is also ventilator-dependent, respiratory failure with tracheostomy in place and dependent on parenteral nutrition secondary to dysphagia and also has history of protein-calorie malnutrition and the patient needs to receive total parenteral nutrition and therefore needs central venous access. Other chronic lower respiratory diseases 43%
4505 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. All other forms of heart disease 43%
4852 Patient with past medical history significant for coronary artery disease status post bypass grafting surgery and history of a stroke with residual left sided hemiplegia. All other forms of heart disease 43%
746 Selective coronary angiography, left heart catheterization, and left ventriculography. Severe stenosis at the origin of the large diagonal artery and subtotal stenosis in the mid segment of this diagonal branch. Atherosclerotic cardiovascular disease so described 43%
4774 Selective coronary angiography, left heart catheterization, and left ventriculography. Severe stenosis at the origin of the large diagonal artery and subtotal stenosis in the mid segment of this diagonal branch. Atherosclerotic cardiovascular disease so described 43%
2947 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Cerebrovascular diseases 43%
4504 Patient with a history of mesothelioma and likely mild dementia, most likely Alzheimer type. Cerebrovascular diseases 43%
4340 Irritable baby, 6-week-old, with fever for approximately 24 hours. Other chronic lower respiratory diseases 43%
1929 Irritable baby, 6-week-old, with fever for approximately 24 hours. Other chronic lower respiratory diseases 43%
4765 Left heart catheterization, coronary angiography, left ventriculography. Severe complex left anterior descending and distal circumflex disease with borderline, probably moderate narrowing of a large obtuse marginal branch. Atherosclerotic cardiovascular disease so described 43%
738 Left heart catheterization, coronary angiography, left ventriculography. Severe complex left anterior descending and distal circumflex disease with borderline, probably moderate narrowing of a large obtuse marginal branch. Atherosclerotic cardiovascular disease so described 43%
34 Persistent frequency and urgency, in a patient with a history of neurogenic bladder and history of stroke. Other chronic lower respiratory diseases 43%
1298 Persistent frequency and urgency, in a patient with a history of neurogenic bladder and history of stroke. Other chronic lower respiratory diseases 43%
2261 The patient has been suffering from intractable back and leg pain. Other chronic lower respiratory diseases 43%
4500 The patient has been suffering from intractable back and leg pain. Other chronic lower respiratory diseases 43%
3079 Prostate adenocarcinoma and erectile dysfunction - Pathology report. All other and unspecified malignant neoplasms 43%
71 Prostate adenocarcinoma and erectile dysfunction - Pathology report. All other and unspecified malignant neoplasms 43%
274 Total thyroidectomy. The patient is a female with a history of Graves disease. Suppression was attempted, however, unsuccessful. She presents today with her thyroid goiter. All other forms of chronic ischemic heart disease 43%
3787 Total thyroidectomy. The patient is a female with a history of Graves disease. Suppression was attempted, however, unsuccessful. She presents today with her thyroid goiter. All other forms of chronic ischemic heart disease 43%
4758 Patient with hypertension, syncope, and spinal stenosis - for recheck. Atherosclerotic cardiovascular disease so described 43%
1362 Patient with hypertension, syncope, and spinal stenosis - for recheck. Atherosclerotic cardiovascular disease so described 43%
52 A 65-year-old man with chronic prostatitis returns for recheck. All other forms of chronic ischemic heart disease 43%
1319 A 65-year-old man with chronic prostatitis returns for recheck. All other forms of chronic ischemic heart disease 43%
3186 Excision basal cell carcinoma, right medial canthus with frozen section, and reconstruction of defect with glabellar rotation flap. Malignant neoplasms of trachea bronchus and lung 43%
1187 Excision basal cell carcinoma, right medial canthus with frozen section, and reconstruction of defect with glabellar rotation flap. Malignant neoplasms of trachea bronchus and lung 43%
1176 3-1/2-year-old presents with bilateral scrotal swellings consistent with bilateral inguinal hernias. Malignant neoplasms of trachea bronchus and lung 43%
2470 Normal physical exam template. Well developed, well nourished, in no acute distress. All other forms of chronic ischemic heart disease 43%
3238 Normal physical exam template. Well developed, well nourished, in no acute distress. All other forms of chronic ischemic heart disease 43%
4220 Normal physical exam template. Well developed, well nourished, in no acute distress. All other forms of chronic ischemic heart disease 43%
4372 Patient with one-week history of increased progressive shortness of breath, orthopnea for the past few nights, mild increase in peripheral edema, and active wheezing with dyspnea. Medifast does fatigue All other forms of chronic ischemic heart disease 43%
3336 Patient with one-week history of increased progressive shortness of breath, orthopnea for the past few nights, mild increase in peripheral edema, and active wheezing with dyspnea. Medifast does fatigue All other forms of chronic ischemic heart disease 43%
4729 Posterior mediastinal mass with possible neural foraminal involvement (benign nerve sheath tumor by frozen section). Left thoracotomy with resection of posterior mediastinal mass. All other and unspecified malignant neoplasms 43%
552 Posterior mediastinal mass with possible neural foraminal involvement (benign nerve sheath tumor by frozen section). Left thoracotomy with resection of posterior mediastinal mass. All other and unspecified malignant neoplasms 43%
3587 EGD and colonoscopy. Blood loss anemia, normal colon with no evidence of bleeding, hiatal hernia, fundal gastritis with polyps, and antral mass. Malignant neoplasms of trachea bronchus and lung 43%
876 EGD and colonoscopy. Blood loss anemia, normal colon with no evidence of bleeding, hiatal hernia, fundal gastritis with polyps, and antral mass. Malignant neoplasms of trachea bronchus and lung 43%
3963 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. All other forms of heart disease 43%
2907 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. All other forms of heart disease 43%
4834 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. All other forms of heart disease 43%
1048 Removal of chest wall mass. The area of the mass, which was on the anterior lower ribs on the left side was marked and then a local anesthetic was injected. Malignant neoplasms of trachea bronchus and lung 43%
1627 Hyperfractionation. This patient is to undergo a course of hyperfractionated radiotherapy in the treatment of known malignancy. All other and unspecified malignant neoplasms 43%
3154 Hyperfractionation. This patient is to undergo a course of hyperfractionated radiotherapy in the treatment of known malignancy. All other and unspecified malignant neoplasms 43%
1765 Psychiatric evaluation for major depression without psychotic features. Other chronic lower respiratory diseases 43%
700 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. Malignant neoplasms of trachea bronchus and lung 43%
3004 Insertion of left femoral circle-C catheter (indwelling catheter). Chronic renal failure. The patient was discovered to have a MRSA bacteremia with elevated fever and had tenderness at the anterior chest wall where his Perm-A-Cath was situated. Malignant neoplasms of trachea bronchus and lung 43%
2977 MRI brain & PET scan - Dementia of Alzheimer type with primary parietooccipital involvement. All other forms of chronic ischemic heart disease 43%
1744 MRI brain & PET scan - Dementia of Alzheimer type with primary parietooccipital involvement. All other forms of chronic ischemic heart disease 43%
4423 Severe tonsillitis, palatal cellulitis, and inability to swallow. Other chronic lower respiratory diseases 43%
3751 Severe tonsillitis, palatal cellulitis, and inability to swallow. Other chronic lower respiratory diseases 43%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Heart failure 43%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Heart failure 43%
971 Cervical cone biopsy, dilatation & curettage Malignant neoplasms of trachea bronchus and lung 43%
2642 Cervical cone biopsy, dilatation & curettage Malignant neoplasms of trachea bronchus and lung 43%
4858 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. All other forms of heart disease 43%
4510 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. All other forms of heart disease 43%
3755 Right ear pain with drainage - otitis media and otorrhea. Malignant neoplasms of trachea bronchus and lung 43%
4442 Right ear pain with drainage - otitis media and otorrhea. Malignant neoplasms of trachea bronchus and lung 43%
3304 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other and unspecified malignant neoplasms 43%
1383 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. All other and unspecified malignant neoplasms 43%
1514 Transesophageal echocardiographic examination report. Aortic valve replacement. Assessment of stenotic valve. Evaluation for thrombus on the valve. Acute myocardial infarction 43%
4615 Transesophageal echocardiographic examination report. Aortic valve replacement. Assessment of stenotic valve. Evaluation for thrombus on the valve. Acute myocardial infarction 43%
1396 Fifth disease with sinusitis Cerebrovascular diseases 43%
3383 Fifth disease with sinusitis Cerebrovascular diseases 43%
1748 MRI - Intracerebral hemorrhage (very acute clinical changes occurred immediately prior to scan). All other forms of chronic ischemic heart disease 43%
2973 MRI - Intracerebral hemorrhage (very acute clinical changes occurred immediately prior to scan). All other forms of chronic ischemic heart disease 43%
2983 Psychosocial Evaluation of patient before kidney transplant. All other forms of heart disease 42%
1758 Psychosocial Evaluation of patient before kidney transplant. All other forms of heart disease 42%
519 Needle-localized excisional biopsy, left breast. The patient is a 71-year-old black female who had a routine mammogram, which demonstrated suspicious microcalcifications in the left breast. She had no palpable mass on physical exam. She does have significant family history with two daughters having breast cancer. Malignant neoplasms of trachea bronchus and lung 42%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Heart failure 42%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Heart failure 42%
4092 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. All other forms of heart disease 42%
4603 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. All other forms of heart disease 42%
2664 Excision of right breast mass. Right breast mass with atypical proliferative cells on fine-needle aspiration. All other and unspecified malignant neoplasms 42%
1150 Excision of right breast mass. Right breast mass with atypical proliferative cells on fine-needle aspiration. All other and unspecified malignant neoplasms 42%
3178 Excision of right breast mass. Right breast mass with atypical proliferative cells on fine-needle aspiration. All other and unspecified malignant neoplasms 42%
4263 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Cerebrovascular diseases 42%
2987 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Cerebrovascular diseases 42%
4749 Lightheaded, dizziness, and palpitation. This morning, the patient experienced symptoms of lightheaded, dizziness, felt like passing out; however, there was no actual syncope. During the episode, the patient describes symptoms of palpitation and fluttering of chest. She relates the heart was racing. By the time when she came into the Emergency Room, her EKG revealed normal sinus rhythm. No evidence of arrhythmia. All other forms of chronic ischemic heart disease 42%
4298 Lightheaded, dizziness, and palpitation. This morning, the patient experienced symptoms of lightheaded, dizziness, felt like passing out; however, there was no actual syncope. During the episode, the patient describes symptoms of palpitation and fluttering of chest. She relates the heart was racing. By the time when she came into the Emergency Room, her EKG revealed normal sinus rhythm. No evidence of arrhythmia. All other forms of chronic ischemic heart disease 42%
4641 Insertion of right internal jugular Tessio catheter and placement of left wrist primary submental arteriovenous fistula. Malignant neoplasms of trachea bronchus and lung 42%
294 Insertion of right internal jugular Tessio catheter and placement of left wrist primary submental arteriovenous fistula. Malignant neoplasms of trachea bronchus and lung 42%
3965 Death summary of an 80-year-old patient with a history of COPD. All other forms of heart disease 42%
4961 Left heart cath, selective coronary angiogram, right common femoral angiogram, and StarClose closure of right common femoral artery. Atherosclerotic cardiovascular disease so described 42%
1745 Left heart cath, selective coronary angiogram, right common femoral angiogram, and StarClose closure of right common femoral artery. Atherosclerotic cardiovascular disease so described 42%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Cerebrovascular diseases 42%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Cerebrovascular diseases 42%
3540 Exploratory laparotomy, release of small bowel obstruction, and repair of periumbilical hernia. Acute small bowel obstruction and incarcerated umbilical Hernia. Malignant neoplasms of trachea bronchus and lung 42%
813 Exploratory laparotomy, release of small bowel obstruction, and repair of periumbilical hernia. Acute small bowel obstruction and incarcerated umbilical Hernia. Malignant neoplasms of trachea bronchus and lung 42%
235 Insertion of a right brachial artery arterial catheter and a right subclavian vein triple lumen catheter. Hyperpyrexia/leukocytosis, ventilator-dependent respiratory failure, and acute pancreatitis. All other forms of chronic ischemic heart disease 42%
4613 Insertion of a right brachial artery arterial catheter and a right subclavian vein triple lumen catheter. Hyperpyrexia/leukocytosis, ventilator-dependent respiratory failure, and acute pancreatitis. All other forms of chronic ischemic heart disease 42%
1379 Multiple problems including left leg swelling, history of leukocytosis, joint pain left shoulder, low back pain, obesity, frequency with urination, and tobacco abuse. All other forms of chronic ischemic heart disease 42%
3299 Multiple problems including left leg swelling, history of leukocytosis, joint pain left shoulder, low back pain, obesity, frequency with urination, and tobacco abuse. All other forms of chronic ischemic heart disease 42%
1137 Bronchoscopy for persistent cough productive of sputum requiring repeated courses of oral antibiotics over the last six weeks in a patient who is a recipient of a bone marrow transplant with end-stage chemotherapy and radiation-induced pulmonary fibrosis. All other forms of chronic ischemic heart disease 42%
4938 Bronchoscopy for persistent cough productive of sputum requiring repeated courses of oral antibiotics over the last six weeks in a patient who is a recipient of a bone marrow transplant with end-stage chemotherapy and radiation-induced pulmonary fibrosis. All other forms of chronic ischemic heart disease 42%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Acute myocardial infarction 42%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Acute myocardial infarction 42%
1174 Bilateral myringotomies, placement of ventilating tubes, nasal endoscopy, and adenoidectomy. Malignant neoplasms of trachea bronchus and lung 42%
3773 Bilateral myringotomies, placement of ventilating tubes, nasal endoscopy, and adenoidectomy. Malignant neoplasms of trachea bronchus and lung 42%
3939 A patient with preoperative diagnosis of right pleural mass and postoperative diagnosis of mesothelioma. All other and unspecified malignant neoplasms 42%
3165 A patient with preoperative diagnosis of right pleural mass and postoperative diagnosis of mesothelioma. All other and unspecified malignant neoplasms 42%
3282 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. All other forms of chronic ischemic heart disease 42%
4322 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. All other forms of chronic ischemic heart disease 42%
3826 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. All other forms of chronic ischemic heart disease 42%
4757 An 84-year-old woman with a history of hypertension, severe tricuspid regurgitation with mild pulmonary hypertension, mild aortic stenosis, and previously moderate mitral regurgitation. All other forms of chronic ischemic heart disease 42%
3363 11-year-old female. History of congestion, possibly enlarged adenoids. Other chronic lower respiratory diseases 42%
4392 11-year-old female. History of congestion, possibly enlarged adenoids. Other chronic lower respiratory diseases 42%
3918 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Acute myocardial infarction 42%
3531 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Acute myocardial infarction 42%
4984 Cause of death - Anoxic Encephalopathy Acute myocardial infarction 42%
268 Tonsillectomy and adenoidectomy. McIvor mouth gag was placed in the oral cavity, and a tongue depressor applied. Malignant neoplasms of trachea bronchus and lung 42%
3699 Tonsillectomy and adenoidectomy. McIvor mouth gag was placed in the oral cavity, and a tongue depressor applied. Malignant neoplasms of trachea bronchus and lung 42%
31 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. All other forms of heart disease 42%
4094 This is a 66-year-old male with signs and symptoms of benign prostatic hypertrophy, who has had recurrent urinary retention since his kidney transplant. He passed his fill and pull study and was thought to self-catheterize in the event that he does incur urinary retention again. All other forms of heart disease 42%
747 Left heart catheterization, left ventriculography, coronary angiography, and successful stenting of tight lesion in the distal circumflex and moderately tight lesion in the mid right coronary artery. Atherosclerotic cardiovascular disease so described 42%
4780 Left heart catheterization, left ventriculography, coronary angiography, and successful stenting of tight lesion in the distal circumflex and moderately tight lesion in the mid right coronary artery. Atherosclerotic cardiovascular disease so described 42%
4517 Clogged AV shunt. The patient complains of fatigue, nausea, vomiting and fever. Other chronic lower respiratory diseases 42%
3044 Clogged AV shunt. The patient complains of fatigue, nausea, vomiting and fever. Other chronic lower respiratory diseases 42%
4375 Patient with hypertension, dementia, and depression. All other forms of heart disease 42%
3350 Patient with hypertension, dementia, and depression. All other forms of heart disease 42%
4778 Left heart catheterization, bilateral selective coronary angiography, saphenous vein graft angiography, left internal mammary artery angiography, and left ventriculography. Atherosclerotic cardiovascular disease so described 42%
745 Left heart catheterization, bilateral selective coronary angiography, saphenous vein graft angiography, left internal mammary artery angiography, and left ventriculography. Atherosclerotic cardiovascular disease so described 42%
4478 Consult for prostate cancer All other and unspecified malignant neoplasms 42%
154 Consult for prostate cancer All other and unspecified malignant neoplasms 42%
4092 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. Cerebrovascular diseases 42%
4603 Ventricular ectopy and coronary artery disease. He is a 69-year-old gentleman with established history coronary artery disease and peripheral vascular disease with prior stent-supported angioplasty. Cerebrovascular diseases 42%
1103 The patient with atypical type right arm discomfort and neck discomfort. Malignant neoplasms of trachea bronchus and lung 42%
4918 The patient with atypical type right arm discomfort and neck discomfort. Malignant neoplasms of trachea bronchus and lung 42%
4271 The patient is with multiple neurologic and nonneurologic symptoms including numbness, gait instability, decreased dexterity of his arms and general fatigue. His neurological examination is notable for sensory loss in a length-dependent fashion in his feet and legs with scant fasciculations in his calves. All other forms of chronic ischemic heart disease 42%
2805 The patient is with multiple neurologic and nonneurologic symptoms including numbness, gait instability, decreased dexterity of his arms and general fatigue. His neurological examination is notable for sensory loss in a length-dependent fashion in his feet and legs with scant fasciculations in his calves. All other forms of chronic ischemic heart disease 42%
3470 A 10-year-old with a history of biliary atresia and status post orthotopic liver transplantation. All other forms of chronic ischemic heart disease 42%
1862 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. All other diseases Residual 42%
2071 Patient was referred to Physical Therapy, secondary to low back pain and degenerative disk disease. The patient states she has had a cauterization of some sort to the nerves in her low back to help alleviate with painful symptoms. The patient would benefit from skilled physical therapy intervention. All other diseases Residual 42%
2516 Desires permanent sterilization. Laparoscopic tubal ligation, Falope ring method. Normal appearing uterus and adnexa bilaterally. Malignant neoplasms of trachea bronchus and lung 42%
225 Desires permanent sterilization. Laparoscopic tubal ligation, Falope ring method. Normal appearing uterus and adnexa bilaterally. Malignant neoplasms of trachea bronchus and lung 42%
4694 Consult for subcutaneous emphysema and a small right-sided pneumothorax secondary to trauma. Other chronic lower respiratory diseases 42%
4175 Consult for subcutaneous emphysema and a small right-sided pneumothorax secondary to trauma. Other chronic lower respiratory diseases 42%
505 Left orchiopexy. Ectopic left testis. The patient did have an MRI, which confirmed ectopic testis located near the pubic tubercle. Malignant neoplasms of trachea bronchus and lung 42%
87 Left orchiopexy. Ectopic left testis. The patient did have an MRI, which confirmed ectopic testis located near the pubic tubercle. Malignant neoplasms of trachea bronchus and lung 42%
4680 Pulmonary Function Test in a patient with smoking history. All other forms of heart disease 42%
2697 Left-sided large hemicraniectomy for traumatic brain injury and increased intracranial pressure. She came in with severe traumatic brain injury and severe multiple fractures of the right side of the skull. Malignant neoplasms of trachea bronchus and lung 42%
733 Left-sided large hemicraniectomy for traumatic brain injury and increased intracranial pressure. She came in with severe traumatic brain injury and severe multiple fractures of the right side of the skull. Malignant neoplasms of trachea bronchus and lung 42%
1919 This is a 3-week-old, NSVD, Caucasian baby boy transferred from ABCD Memorial Hospital for rule out sepsis and possible congenital heart disease. Other chronic lower respiratory diseases 42%
4260 This is a 3-week-old, NSVD, Caucasian baby boy transferred from ABCD Memorial Hospital for rule out sepsis and possible congenital heart disease. Other chronic lower respiratory diseases 42%
4368 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Diabetes mellitus 42%
3335 A 69-year-old female with past history of type II diabetes, atherosclerotic heart disease, hypertension, carotid stenosis. Diabetes mellitus 42%
4921 He is a 67-year-old man who suffers from chronic anxiety and coronary artery disease and DJD. He has been having some chest pains, but overall he does not sound too concerning. He does note some more shortness of breath than usual. He has had no palpitations or lightheadedness. No problems with edema. Acute myocardial infarction 42%
1438 He is a 67-year-old man who suffers from chronic anxiety and coronary artery disease and DJD. He has been having some chest pains, but overall he does not sound too concerning. He does note some more shortness of breath than usual. He has had no palpitations or lightheadedness. No problems with edema. Acute myocardial infarction 42%
3051 Patient with a history of coronary artery disease, hypertension, diabetes, and stage III CKD. Other chronic lower respiratory diseases 42%
2569 A repeat low transverse cervical cesarean section, Lysis of adhesions, Dissection of the bladder of the anterior abdominal wall and away from the fascia, and the patient also underwent a bilateral tubal occlusion via Hulka clips. Malignant neoplasms of trachea bronchus and lung 42%
588 A repeat low transverse cervical cesarean section, Lysis of adhesions, Dissection of the bladder of the anterior abdominal wall and away from the fascia, and the patient also underwent a bilateral tubal occlusion via Hulka clips. Malignant neoplasms of trachea bronchus and lung 42%
2941 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. Diabetes mellitus 42%
4472 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. Diabetes mellitus 42%
4357 Comprehensive Evaluation - Generalized anxiety and hypertension, both under fair control. All other forms of chronic ischemic heart disease 42%
3319 Comprehensive Evaluation - Generalized anxiety and hypertension, both under fair control. All other forms of chronic ischemic heart disease 42%
4952 Ash split venous port insertion. The right anterior chest and supraclavicular fossa area, neck, and left side of chest were prepped with Betadine and draped in a sterile fashion. Malignant neoplasms of trachea bronchus and lung 42%
1201 Ash split venous port insertion. The right anterior chest and supraclavicular fossa area, neck, and left side of chest were prepped with Betadine and draped in a sterile fashion. Malignant neoplasms of trachea bronchus and lung 42%
3833 4-day-old with hyperbilirubinemia and heart murmur. All other forms of heart disease 42%
1923 4-day-old with hyperbilirubinemia and heart murmur. All other forms of heart disease 42%
3174 Breast radiation therapy followup note. Left breast adenocarcinoma stage T3 N1b M0, stage IIIA. All other and unspecified malignant neoplasms 42%
2647 Breast radiation therapy followup note. Left breast adenocarcinoma stage T3 N1b M0, stage IIIA. All other and unspecified malignant neoplasms 42%
1442 Breast radiation therapy followup note. Left breast adenocarcinoma stage T3 N1b M0, stage IIIA. All other and unspecified malignant neoplasms 42%
412 Right subclavian Port-a-Cath insertion in a patient with bilateral breast carcinoma. All other and unspecified malignant neoplasms 42%
4494 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. Atherosclerotic cardiovascular disease so described 42%
4855 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. Atherosclerotic cardiovascular disease so described 42%
3421 Coronary artery disease, prior bypass surgery. The patient has history of elevated PSA and BPH. He had a prior prostate biopsy and he recently had some procedure done, subsequently developed urinary tract infection, and presently on antibiotic. From cardiac standpoint, the patient denies any significant symptom except for fatigue and tiredness. Atherosclerotic cardiovascular disease so described 42%
2291 Carpal tunnel release. Nerve conduction study tests diagnostic of carpal tunnel syndrome. The patient failed to improve satisfactorily on conservative care, including anti-inflammatory medications and night splints. Other chronic lower respiratory diseases 42%
1083 Carpal tunnel release. Nerve conduction study tests diagnostic of carpal tunnel syndrome. The patient failed to improve satisfactorily on conservative care, including anti-inflammatory medications and night splints. Other chronic lower respiratory diseases 42%
1383 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. Cerebrovascular diseases 42%
3304 A 62-year-old white female with multiple chronic problems including hypertension and a lipometabolism disorder. Cerebrovascular diseases 42%
4747 Patient is here to discuss possible open lung biopsy. Malignant neoplasms of trachea bronchus and lung 42%
1354 Patient is here to discuss possible open lung biopsy. Malignant neoplasms of trachea bronchus and lung 42%
3786 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. All other forms of heart disease 42%
4090 This is a 55-year-old female with weight gain and edema, as well as history of hypothyroidism. She also has a history of fibromyalgia, inflammatory bowel disease, Crohn disease, COPD, and disc disease as well as thyroid disorder. All other forms of heart disease 42%
3147 Left axillary lymph node excisional biopsy. Left axillary adenopathy. Malignant neoplasms of trachea bronchus and lung 42%
567 Left axillary lymph node excisional biopsy. Left axillary adenopathy. Malignant neoplasms of trachea bronchus and lung 42%
1406 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome All other forms of heart disease 42%
4453 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome All other forms of heart disease 42%
3988 Followup dietary consultation for hyperlipidemia, hypertension, and possible metabolic syndrome All other forms of heart disease 42%
932 Cystourethroscopy and tTransurethral resection of prostate (TURP). Urinary retention and benign prostate hypertrophy. This is a 62-year-old male with a history of urinary retention and progressive obstructive voiding symptoms and enlarged prostate 60 g on ultrasound, office cystoscopy confirmed this. Malignant neoplasms of trachea bronchus and lung 42%
136 Cystourethroscopy and tTransurethral resection of prostate (TURP). Urinary retention and benign prostate hypertrophy. This is a 62-year-old male with a history of urinary retention and progressive obstructive voiding symptoms and enlarged prostate 60 g on ultrasound, office cystoscopy confirmed this. Malignant neoplasms of trachea bronchus and lung 42%
1372 Patient with NIDDM, hypertension, CAD status post CABG, hyperlipidemia, etc. Atherosclerotic cardiovascular disease so described 42%
3298 Patient with NIDDM, hypertension, CAD status post CABG, hyperlipidemia, etc. Atherosclerotic cardiovascular disease so described 42%
3648 Colonoscopy. Change in bowel habits and rectal prolapse. Normal colonic mucosa to the cecum. Malignant neoplasms of trachea bronchus and lung 42%
1009 Colonoscopy. Change in bowel habits and rectal prolapse. Normal colonic mucosa to the cecum. Malignant neoplasms of trachea bronchus and lung 42%
273 Tonsillectomy & adenoidectomy. Chronic tonsillitis with symptomatic tonsil and adenoid hypertrophy. Other chronic lower respiratory diseases 42%
3698 Tonsillectomy & adenoidectomy. Chronic tonsillitis with symptomatic tonsil and adenoid hypertrophy. Other chronic lower respiratory diseases 42%
32 Right distal ureteral calculus. The patient had hematuria and a CT urogram showing a 1 cm non-obstructing calcification in the right distal ureter. He had a KUB also showing a teardrop shaped calcification apparently in the right lower ureter. Malignant neoplasms of trachea bronchus and lung 42%
4096 Right distal ureteral calculus. The patient had hematuria and a CT urogram showing a 1 cm non-obstructing calcification in the right distal ureter. He had a KUB also showing a teardrop shaped calcification apparently in the right lower ureter. Malignant neoplasms of trachea bronchus and lung 42%
1784 Psychiatric Consultation of patient with major depression disorder. Other chronic lower respiratory diseases 42%
4164 Psychiatric Consultation of patient with major depression disorder. Other chronic lower respiratory diseases 42%
3778 Adenotonsillectomy. Recurrent tonsillitis. The adenoid bed was examined and was moderately hypertrophied. Adenoid curettes were used to remove this tissue and packs placed. All other and unspecified malignant neoplasms 42%
1271 Adenotonsillectomy. Recurrent tonsillitis. The adenoid bed was examined and was moderately hypertrophied. Adenoid curettes were used to remove this tissue and packs placed. All other and unspecified malignant neoplasms 42%
299 Extraction of teeth. Incision and drainage (I&D) of left mandibular vestibular abscess adjacent to teeth #18 and #19. Malignant neoplasms of trachea bronchus and lung 42%
4022 Extraction of teeth. Incision and drainage (I&D) of left mandibular vestibular abscess adjacent to teeth #18 and #19. Malignant neoplasms of trachea bronchus and lung 42%
997 Colonoscopy and biopsies, epinephrine sclerotherapy, hot biopsy cautery, and snare polypectomy. Colon cancer screening. Family history of colon polyps. Malignant neoplasms of trachea bronchus and lung 42%
3639 Colonoscopy and biopsies, epinephrine sclerotherapy, hot biopsy cautery, and snare polypectomy. Colon cancer screening. Family history of colon polyps. Malignant neoplasms of trachea bronchus and lung 42%
220 Transurethral electrosurgical resection of the prostate for benign prostatic hyperplasia. All other and unspecified malignant neoplasms 42%
37 Transurethral electrosurgical resection of the prostate for benign prostatic hyperplasia. All other and unspecified malignant neoplasms 42%
3883 Discharge summary of a patient with depression and high risk behavior. All other forms of chronic ischemic heart disease 42%
1764 Discharge summary of a patient with depression and high risk behavior. All other forms of chronic ischemic heart disease 42%
3979 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. Heart failure 42%
4943 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. Heart failure 42%
886 Bilateral L5 dorsal ramus block and bilateral S1, S2, and S3 lateral branch block for sacroiliac joint pain. Fluoroscopic pillar view was used to identify the bony landmarks of the sacrum and sacroiliac joint and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 42%
1991 Bilateral L5 dorsal ramus block and bilateral S1, S2, and S3 lateral branch block for sacroiliac joint pain. Fluoroscopic pillar view was used to identify the bony landmarks of the sacrum and sacroiliac joint and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 42%
2242 Bilateral L5 dorsal ramus block and bilateral S1, S2, and S3 lateral branch block for sacroiliac joint pain. Fluoroscopic pillar view was used to identify the bony landmarks of the sacrum and sacroiliac joint and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 42%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Heart failure 42%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Heart failure 42%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Heart failure 42%
4513 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other forms of heart disease 42%
3179 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other forms of heart disease 42%
3653 Newly diagnosed stage II colon cancer, with a stage T3c, N0, M0 colon cancer, grade 1. Although, the tumor was near obstructing, she was not having symptoms and in fact was having normal bowel movements. All other forms of heart disease 42%
1600 MRI Brain: Probable CNS Lymphoma v/s toxoplasmosis in a patient with AIDS/HIV. Malignant neoplasms of trachea bronchus and lung 42%
2833 MRI Brain: Probable CNS Lymphoma v/s toxoplasmosis in a patient with AIDS/HIV. Malignant neoplasms of trachea bronchus and lung 42%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Cerebrovascular diseases 42%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Cerebrovascular diseases 42%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Cerebrovascular diseases 42%
3318 Right-sided facial droop and right-sided weakness. Recent cerebrovascular accident. he CT scan of the head did not show any acute events with the impression of a new-onset cerebrovascular accident. Other chronic lower respiratory diseases 42%
4356 Right-sided facial droop and right-sided weakness. Recent cerebrovascular accident. he CT scan of the head did not show any acute events with the impression of a new-onset cerebrovascular accident. Other chronic lower respiratory diseases 42%
4991 Mother states he has been wheezing and coughing. Other chronic lower respiratory diseases 42%
1948 Mother states he has been wheezing and coughing. Other chronic lower respiratory diseases 42%
3864 Mother states he has been wheezing and coughing. Other chronic lower respiratory diseases 42%
243 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Malignant neoplasms of trachea bronchus and lung 42%
3692 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Malignant neoplasms of trachea bronchus and lung 42%
3784 Tracheostomy and thyroid isthmusectomy. Ventilator-dependent respiratory failure and multiple strokes. Malignant neoplasms of trachea bronchus and lung 42%
3363 11-year-old female. History of congestion, possibly enlarged adenoids. Malignant neoplasms of trachea bronchus and lung 42%
4392 11-year-old female. History of congestion, possibly enlarged adenoids. Malignant neoplasms of trachea bronchus and lung 42%
4354 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. Heart failure 42%
3323 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. Heart failure 42%
3297 The patient has recently had an admission for pneumonia with positive blood count. She returned after vomiting and a probable seizure. Other chronic lower respiratory diseases 42%
1370 The patient has recently had an admission for pneumonia with positive blood count. She returned after vomiting and a probable seizure. Other chronic lower respiratory diseases 42%
70 He continues to have abdominal pain, and he had a diuretic renal scan, which indicates no evidence of obstruction and good differential function bilaterally. All other forms of chronic ischemic heart disease 42%
3054 He continues to have abdominal pain, and he had a diuretic renal scan, which indicates no evidence of obstruction and good differential function bilaterally. All other forms of chronic ischemic heart disease 42%
1904 He continues to have abdominal pain, and he had a diuretic renal scan, which indicates no evidence of obstruction and good differential function bilaterally. All other forms of chronic ischemic heart disease 42%
3677 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Other chronic lower respiratory diseases 42%
3454 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Other chronic lower respiratory diseases 42%
3871 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Other chronic lower respiratory diseases 42%
4577 Possible free air under the diaphragm. On a chest x-ray for what appeared to be shortness of breath she was found to have what was thought to be free air under the right diaphragm. No intra-abdominal pathology. Other chronic lower respiratory diseases 42%
713 Incision and drainage (I&D) of buttock abscess. Malignant neoplasms of trachea bronchus and lung 42%
4006 Incision and drainage (I&D) of buttock abscess. Malignant neoplasms of trachea bronchus and lung 42%
3525 GI bleed. Upper gastrointestinal bleed. CBC revealed microcytic anemia. Other chronic lower respiratory diseases 42%
3914 GI bleed. Upper gastrointestinal bleed. CBC revealed microcytic anemia. Other chronic lower respiratory diseases 42%
3403 The patient is a 93-year-old Caucasian female with a past medical history of chronic right hip pain, osteoporosis, hypertension, depression, and chronic atrial fibrillation admitted for evaluation and management of severe nausea and vomiting and urinary tract infection. Acute myocardial infarction 42%
3950 The patient is a 93-year-old Caucasian female with a past medical history of chronic right hip pain, osteoporosis, hypertension, depression, and chronic atrial fibrillation admitted for evaluation and management of severe nausea and vomiting and urinary tract infection. Acute myocardial infarction 42%
2557 Consultation because of irregular periods and ovarian cyst. Malignant neoplasms of trachea bronchus and lung 42%
4210 Consultation because of irregular periods and ovarian cyst. Malignant neoplasms of trachea bronchus and lung 42%
996 Colonoscopy to evaluate prior history of neoplastic polyps. Malignant neoplasms of trachea bronchus and lung 42%
3636 Colonoscopy to evaluate prior history of neoplastic polyps. Malignant neoplasms of trachea bronchus and lung 42%
639 Chronic cholecystitis. Laparoscopic cholecystectomy. Patient with increasingly severe more frequent right upper quadrant abdominal pain, more after meals, had a positive ultrasound for significant biliary sludge. Other chronic lower respiratory diseases 42%
3499 Chronic cholecystitis. Laparoscopic cholecystectomy. Patient with increasingly severe more frequent right upper quadrant abdominal pain, more after meals, had a positive ultrasound for significant biliary sludge. Other chronic lower respiratory diseases 42%
348 Sigmoidoscopy performed for evaluation of anemia, gastrointestinal Bleeding. Other chronic lower respiratory diseases 42%
3473 Sigmoidoscopy performed for evaluation of anemia, gastrointestinal Bleeding. Other chronic lower respiratory diseases 42%
4174 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery All other forms of heart disease 42%
4695 Cardiology consultation regarding preoperative evaluation for right hip surgery. Patient with a history of coronary artery disease status post bypass surgery All other forms of heart disease 42%
135 Cystourethroscopy, urethral dilation, and bladder biopsy and fulguration. Urinary hesitancy and weak stream, urethral narrowing, mild posterior wall erythema. Malignant neoplasms of trachea bronchus and lung 42%
936 Cystourethroscopy, urethral dilation, and bladder biopsy and fulguration. Urinary hesitancy and weak stream, urethral narrowing, mild posterior wall erythema. Malignant neoplasms of trachea bronchus and lung 42%
2715 Right frontal craniotomy with resection of right medial frontal brain tumor. Stereotactic image-guided neuronavigation and microdissection and micro-magnification for resection of brain tumor. Malignant neoplasms of trachea bronchus and lung 42%
962 Right frontal craniotomy with resection of right medial frontal brain tumor. Stereotactic image-guided neuronavigation and microdissection and micro-magnification for resection of brain tumor. Malignant neoplasms of trachea bronchus and lung 42%
2935 Right frontal craniotomy with resection of right medial frontal brain tumor. Stereotactic image-guided neuronavigation and microdissection and micro-magnification for resection of brain tumor. Malignant neoplasms of trachea bronchus and lung 42%
455 Permacath placement - renal failure. All other forms of heart disease 42%
4846 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. All other forms of heart disease 42%
3972 Chronic obstructive pulmonary disease (COPD) exacerbation and acute bronchitis. All other forms of heart disease 42%
1762 Normal left ventricle, moderate biatrial enlargement, and mild tricuspid regurgitation, but only mild increase in right heart pressures. All other forms of chronic ischemic heart disease 42%
11 Normal left ventricle, moderate biatrial enlargement, and mild tricuspid regurgitation, but only mild increase in right heart pressures. All other forms of chronic ischemic heart disease 42%
3853 Significant pain in left lower jaw. Other chronic lower respiratory diseases 42%
4043 Significant pain in left lower jaw. Other chronic lower respiratory diseases 42%
1960 Complex regional pain syndrome, right upper extremity. Stellate ganglion block. Malignant neoplasms of trachea bronchus and lung 42%
1404 Some improvement of erectile dysfunction, on low dose of Cialis, with no side effects. Other chronic lower respiratory diseases 42%
137 Some improvement of erectile dysfunction, on low dose of Cialis, with no side effects. Other chronic lower respiratory diseases 42%
3892 Contusion of the frontal lobe of the brain, closed head injury and history of fall, and headache, probably secondary to contusion. All other forms of chronic ischemic heart disease 42%
2790 Contusion of the frontal lobe of the brain, closed head injury and history of fall, and headache, probably secondary to contusion. All other forms of chronic ischemic heart disease 42%
2492 The patient with continued problems with her headaches. Other chronic lower respiratory diseases 42%
2865 The patient with continued problems with her headaches. Other chronic lower respiratory diseases 42%
3283 The patient with continued problems with her headaches. Other chronic lower respiratory diseases 42%
4892 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Malignant neoplasms of trachea bronchus and lung 42%
3982 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Malignant neoplasms of trachea bronchus and lung 42%
3396 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. Acute myocardial infarction 42%
3166 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. Acute myocardial infarction 42%
4449 Disseminated intravascular coagulation and Streptococcal pneumonia with sepsis. Patient presented with symptoms of pneumonia and developed rapid sepsis and respiratory failure requiring intubation. Acute myocardial infarction 42%
1137 Bronchoscopy for persistent cough productive of sputum requiring repeated courses of oral antibiotics over the last six weeks in a patient who is a recipient of a bone marrow transplant with end-stage chemotherapy and radiation-induced pulmonary fibrosis. Other chronic lower respiratory diseases 42%
4938 Bronchoscopy for persistent cough productive of sputum requiring repeated courses of oral antibiotics over the last six weeks in a patient who is a recipient of a bone marrow transplant with end-stage chemotherapy and radiation-induced pulmonary fibrosis. Other chronic lower respiratory diseases 42%
4892 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Other chronic lower respiratory diseases 42%
3982 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Other chronic lower respiratory diseases 42%
3965 Death summary of an 80-year-old patient with a history of COPD. Other chronic lower respiratory diseases 42%
2452 Left shoulder injury. A 41-year-old male presenting for initial evaluation of his left shoulder. All other forms of chronic ischemic heart disease 42%
2051 Left shoulder injury. A 41-year-old male presenting for initial evaluation of his left shoulder. All other forms of chronic ischemic heart disease 42%
3325 An 86-year-old female with persistent abdominal pain, nausea and vomiting, during evaluation in the emergency room, was found to have a high amylase, as well as lipase count and she is being admitted for management of acute pancreatitis. Acute myocardial infarction 42%
4360 An 86-year-old female with persistent abdominal pain, nausea and vomiting, during evaluation in the emergency room, was found to have a high amylase, as well as lipase count and she is being admitted for management of acute pancreatitis. Acute myocardial infarction 42%
1556 MRI T-L spine - L2 conus medullaris lesion and syndrome secondary to Schistosomiasis. Malignant neoplasms of trachea bronchus and lung 42%
2124 MRI T-L spine - L2 conus medullaris lesion and syndrome secondary to Schistosomiasis. Malignant neoplasms of trachea bronchus and lung 42%
2810 MRI T-L spine - L2 conus medullaris lesion and syndrome secondary to Schistosomiasis. Malignant neoplasms of trachea bronchus and lung 42%
3806 Patient with a history of coronary artery disease, status post coronary artery bypass grafting presented to the emergency room following a syncopal episode. Atherosclerotic cardiovascular disease so described 42%
4114 Patient with a history of coronary artery disease, status post coronary artery bypass grafting presented to the emergency room following a syncopal episode. Atherosclerotic cardiovascular disease so described 42%
4663 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. Acute myocardial infarction 42%
1303 Pulmonary disorder with lung mass, pleural effusion, and chronic uncontrolled atrial fibrillation secondary to pulmonary disorder. The patient is admitted for lung mass and also pleural effusion. The patient had a chest tube placement, which has been taken out. The patient has chronic atrial fibrillation, on anticoagulation. Acute myocardial infarction 42%
1401 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Alzheimer disease 42%
3984 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Alzheimer disease 42%
4450 Dietary consultation for hyperlipidemia, hypertension, gastroesophageal reflux disease and weight reduction. Alzheimer disease 42%
3402 Intractable migraine with aura. The patient is discharged home. Secondary diagnoses are Bipolar disorder, iron deficiency anemia, anxiety disorder, and history of tubal ligation. Other chronic lower respiratory diseases 42%
3936 Intractable migraine with aura. The patient is discharged home. Secondary diagnoses are Bipolar disorder, iron deficiency anemia, anxiety disorder, and history of tubal ligation. Other chronic lower respiratory diseases 42%
235 Insertion of a right brachial artery arterial catheter and a right subclavian vein triple lumen catheter. Hyperpyrexia/leukocytosis, ventilator-dependent respiratory failure, and acute pancreatitis. Malignant neoplasms of trachea bronchus and lung 42%
4613 Insertion of a right brachial artery arterial catheter and a right subclavian vein triple lumen catheter. Hyperpyrexia/leukocytosis, ventilator-dependent respiratory failure, and acute pancreatitis. Malignant neoplasms of trachea bronchus and lung 42%
1455 EEG during wakefulness and light sleep is abnormal with independent, positive sharp wave activity seen in both frontotemporal head regions, more predominant in the right frontotemporal region. All other forms of heart disease 42%
2753 EEG during wakefulness and light sleep is abnormal with independent, positive sharp wave activity seen in both frontotemporal head regions, more predominant in the right frontotemporal region. All other forms of heart disease 42%
4817 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Other chronic lower respiratory diseases 42%
1656 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Other chronic lower respiratory diseases 42%
4616 Transesophageal Echocardiogram. A woman admitted to the hospital with a large right MCA CVA causing a left-sided neurological deficit incidentally found to have atrial fibrillation on telemetry. All other forms of chronic ischemic heart disease 42%
1503 Transesophageal Echocardiogram. A woman admitted to the hospital with a large right MCA CVA causing a left-sided neurological deficit incidentally found to have atrial fibrillation on telemetry. All other forms of chronic ischemic heart disease 42%
4187 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. All other diseases Residual 42%
67 Penile discharge, infected-looking glans. A 67-year-old male with multiple comorbidities with penile discharge and pale-appearing glans. It seems that the patient has had multiple catheterizations recently and has history of peripheral vascular disease. All other diseases Residual 42%
821 Esophagoscopy with removal of foreign body. Esophageal foreign body, no associated comorbidities are noted. Malignant neoplasms of trachea bronchus and lung 42%
3545 Esophagoscopy with removal of foreign body. Esophageal foreign body, no associated comorbidities are noted. Malignant neoplasms of trachea bronchus and lung 42%
2884 Nerve conduction screen demonstrates borderline median sensory and borderline distal median motor responses in both hands. The needle EMG examination is remarkable for rather diffuse active denervation changes in most muscles of the right upper and right lower extremity tested. Malignant neoplasms of trachea bronchus and lung 42%
1867 Nerve conduction screen demonstrates borderline median sensory and borderline distal median motor responses in both hands. The needle EMG examination is remarkable for rather diffuse active denervation changes in most muscles of the right upper and right lower extremity tested. Malignant neoplasms of trachea bronchus and lung 42%
1635 Nerve conduction screen demonstrates borderline median sensory and borderline distal median motor responses in both hands. The needle EMG examination is remarkable for rather diffuse active denervation changes in most muscles of the right upper and right lower extremity tested. Malignant neoplasms of trachea bronchus and lung 42%
3952 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. All other and unspecified malignant neoplasms 42%
3394 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. All other and unspecified malignant neoplasms 42%
2477 Sample/template for a normal male multisystem exam. All other forms of chronic ischemic heart disease 42%
3252 Sample/template for a normal male multisystem exam. All other forms of chronic ischemic heart disease 42%
4232 Sample/template for a normal male multisystem exam. All other forms of chronic ischemic heart disease 42%
1374 General Medicine SOAP note. Patient with shoulder bursitis, pharyngitis, attention deficit disorder, Other chronic lower respiratory diseases 42%
3292 General Medicine SOAP note. Patient with shoulder bursitis, pharyngitis, attention deficit disorder, Other chronic lower respiratory diseases 42%
2130 MRI L-spine - History of progressive lower extremity weakness, right frontal glioblastoma with lumbar subarachnoid seeding. Malignant neoplasms of trachea bronchus and lung 42%
2814 MRI L-spine - History of progressive lower extremity weakness, right frontal glioblastoma with lumbar subarachnoid seeding. Malignant neoplasms of trachea bronchus and lung 42%
1564 MRI L-spine - History of progressive lower extremity weakness, right frontal glioblastoma with lumbar subarachnoid seeding. Malignant neoplasms of trachea bronchus and lung 42%
3357 Patient with a past medical history of atrial fibrillation and arthritis complaining of progressively worsening shortness of breath. Other chronic lower respiratory diseases 42%
4389 Patient with a past medical history of atrial fibrillation and arthritis complaining of progressively worsening shortness of breath. Other chronic lower respiratory diseases 42%
4496 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. Acute myocardial infarction 42%
3765 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. Acute myocardial infarction 42%
645 Chronic cholecystitis without cholelithiasis. Acute myocardial infarction 42%
3508 Chronic cholecystitis without cholelithiasis. Acute myocardial infarction 42%
3833 4-day-old with hyperbilirubinemia and heart murmur. Acute myocardial infarction 42%
1923 4-day-old with hyperbilirubinemia and heart murmur. Acute myocardial infarction 42%
1455 EEG during wakefulness and light sleep is abnormal with independent, positive sharp wave activity seen in both frontotemporal head regions, more predominant in the right frontotemporal region. All other forms of chronic ischemic heart disease 42%
2753 EEG during wakefulness and light sleep is abnormal with independent, positive sharp wave activity seen in both frontotemporal head regions, more predominant in the right frontotemporal region. All other forms of chronic ischemic heart disease 42%
2792 Organic brain syndrome in the setting of multiple myeloma. The patient is a 56-year-old male with the history of multiple myeloma, who has been admitted for complains of being dehydrated and was doing good until this morning, was found to be disoriented and confused, was not able to communicate properly, and having difficulty leaving out the words. All other forms of heart disease 42%
4201 Organic brain syndrome in the setting of multiple myeloma. The patient is a 56-year-old male with the history of multiple myeloma, who has been admitted for complains of being dehydrated and was doing good until this morning, was found to be disoriented and confused, was not able to communicate properly, and having difficulty leaving out the words. All other forms of heart disease 42%
3039 Evaluate for retroperitoneal hematoma, the patient has been following, is currently on Coumadin. CT abdomen without contrast and CT pelvis without contrast. Malignant neoplasms of trachea bronchus and lung 42%
1710 Evaluate for retroperitoneal hematoma, the patient has been following, is currently on Coumadin. CT abdomen without contrast and CT pelvis without contrast. Malignant neoplasms of trachea bronchus and lung 42%
3610 Evaluate for retroperitoneal hematoma, the patient has been following, is currently on Coumadin. CT abdomen without contrast and CT pelvis without contrast. Malignant neoplasms of trachea bronchus and lung 42%
3918 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Malignant neoplasms of trachea bronchus and lung 42%
3531 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. Malignant neoplasms of trachea bronchus and lung 42%
3398 Patient with complaints of shortness of breath and was found to have acute COPD exacerbation. All other forms of chronic ischemic heart disease 42%
3949 Patient with complaints of shortness of breath and was found to have acute COPD exacerbation. All other forms of chronic ischemic heart disease 42%
3955 Gastroenteritis and autism. She developed constipation one week prior to admission and mother gave her MiraLax and her constipation improved. Other chronic lower respiratory diseases 42%
3408 Gastroenteritis and autism. She developed constipation one week prior to admission and mother gave her MiraLax and her constipation improved. Other chronic lower respiratory diseases 42%
4791 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. All other forms of chronic ischemic heart disease 42%
793 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. All other forms of chronic ischemic heart disease 42%
3537 Esophagitis, minor stricture at the gastroesophageal junction, hiatal hernia. Otherwise normal upper endoscopy to the transverse duodenum. Malignant neoplasms of trachea bronchus and lung 42%
768 Esophagitis, minor stricture at the gastroesophageal junction, hiatal hernia. Otherwise normal upper endoscopy to the transverse duodenum. Malignant neoplasms of trachea bronchus and lung 42%
533 Bilateral myringotomies and insertion of Shepard grommet draining tubes. Malignant neoplasms of trachea bronchus and lung 42%
3734 Bilateral myringotomies and insertion of Shepard grommet draining tubes. Malignant neoplasms of trachea bronchus and lung 42%
4562 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. Cerebrovascular diseases 42%
3049 Acute renal failure, probable renal vein thrombosis, hypercoagulable state, and deep venous thromboses with pulmonary embolism. Cerebrovascular diseases 42%
1904 He continues to have abdominal pain, and he had a diuretic renal scan, which indicates no evidence of obstruction and good differential function bilaterally. Other chronic lower respiratory diseases 42%
70 He continues to have abdominal pain, and he had a diuretic renal scan, which indicates no evidence of obstruction and good differential function bilaterally. Other chronic lower respiratory diseases 42%
3054 He continues to have abdominal pain, and he had a diuretic renal scan, which indicates no evidence of obstruction and good differential function bilaterally. Other chronic lower respiratory diseases 42%
1598 A middle-aged male with increasing memory loss and history of Lyme disease. Atherosclerotic cardiovascular disease so described 42%
2838 A middle-aged male with increasing memory loss and history of Lyme disease. Atherosclerotic cardiovascular disease so described 42%
1613 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. All other forms of heart disease 42%
4730 Myoview nuclear stress study. Angina, coronary artery disease. Large fixed defect, inferior and apical wall, related to old myocardial infarction. All other forms of heart disease 42%
3015 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. All other forms of heart disease 42%
3921 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. All other forms of heart disease 42%
132 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. All other forms of heart disease 42%
4472 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. All other forms of heart disease 42%
2941 Cerebral palsy, worsening seizures. A pleasant 43-year-old female with past medical history of CP since birth, seizure disorder, complex partial seizure with secondary generalization and on top of generalized epilepsy, hypertension, dyslipidemia, and obesity. All other forms of heart disease 42%
159 Normal penis. The foreskin was normal in appearance and measured 1.6 cm. There was no bleeding at the circumcision site. Malignant neoplasms of trachea bronchus and lung 42%
1028 Normal penis. The foreskin was normal in appearance and measured 1.6 cm. There was no bleeding at the circumcision site. Malignant neoplasms of trachea bronchus and lung 42%
4832 A 10 years of age carries a diagnosis of cystic fibrosis Malignant neoplasms of trachea bronchus and lung 42%
4462 A 10 years of age carries a diagnosis of cystic fibrosis Malignant neoplasms of trachea bronchus and lung 42%
3383 Fifth disease with sinusitis Malignant neoplasms of trachea bronchus and lung 42%
1396 Fifth disease with sinusitis Malignant neoplasms of trachea bronchus and lung 42%
3883 Discharge summary of a patient with depression and high risk behavior. Other chronic lower respiratory diseases 42%
1764 Discharge summary of a patient with depression and high risk behavior. Other chronic lower respiratory diseases 42%
1145 Left breast mass and hypertrophic scar of the left breast. Excision of left breast mass and revision of scar. The patient is status post left breast biopsy, which showed a fibrocystic disease with now a palpable mass just superior to the previous biopsy site. All other and unspecified malignant neoplasms 42%
2650 Left breast mass and hypertrophic scar of the left breast. Excision of left breast mass and revision of scar. The patient is status post left breast biopsy, which showed a fibrocystic disease with now a palpable mass just superior to the previous biopsy site. All other and unspecified malignant neoplasms 42%
3181 Left breast mass and hypertrophic scar of the left breast. Excision of left breast mass and revision of scar. The patient is status post left breast biopsy, which showed a fibrocystic disease with now a palpable mass just superior to the previous biopsy site. All other and unspecified malignant neoplasms 42%
2936 Left temporal craniotomy and removal of brain tumor. Malignant neoplasms of trachea bronchus and lung 42%
955 Left temporal craniotomy and removal of brain tumor. Malignant neoplasms of trachea bronchus and lung 42%
2711 Left temporal craniotomy and removal of brain tumor. Malignant neoplasms of trachea bronchus and lung 42%
4644 Thoracentesis, left. Malignant pleural effusion, left, with dyspnea. All other and unspecified malignant neoplasms 42%
290 Thoracentesis, left. Malignant pleural effusion, left, with dyspnea. All other and unspecified malignant neoplasms 42%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Atherosclerotic cardiovascular disease so described 42%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Atherosclerotic cardiovascular disease so described 42%
3244 Normal Physical Exam Template. Well developed, well nourished, alert, in no acute distress. All other forms of chronic ischemic heart disease 42%
4225 Normal Physical Exam Template. Well developed, well nourished, alert, in no acute distress. All other forms of chronic ischemic heart disease 42%
2462 Normal Physical Exam Template. Well developed, well nourished, alert, in no acute distress. All other forms of chronic ischemic heart disease 42%
2789 A neuropsychological evaluation to assess neuropsychological factors, clarify areas of strength and weakness, and to assist in therapeutic program planning in light of episodes of syncope. All other forms of chronic ischemic heart disease 42%
1795 A neuropsychological evaluation to assess neuropsychological factors, clarify areas of strength and weakness, and to assist in therapeutic program planning in light of episodes of syncope. All other forms of chronic ischemic heart disease 42%
4249 A neuropsychological evaluation to assess neuropsychological factors, clarify areas of strength and weakness, and to assist in therapeutic program planning in light of episodes of syncope. All other forms of chronic ischemic heart disease 42%
1312 Patient returns to Pulmonary Medicine Clinic for followup evaluation of COPD and emphysema. Other chronic lower respiratory diseases 42%
4676 Patient returns to Pulmonary Medicine Clinic for followup evaluation of COPD and emphysema. Other chronic lower respiratory diseases 42%
148 Holmium laser cystolithalopaxy. A diabetic male in urinary retention with apparent neurogenic bladder and intermittent self-catheterization, recent urinary tract infections. The cystoscopy showed a large bladder calculus, short but obstructing prostate. Malignant neoplasms of trachea bronchus and lung 42%
945 Holmium laser cystolithalopaxy. A diabetic male in urinary retention with apparent neurogenic bladder and intermittent self-catheterization, recent urinary tract infections. The cystoscopy showed a large bladder calculus, short but obstructing prostate. Malignant neoplasms of trachea bronchus and lung 42%
4754 Comprehensive electrophysiology studies with attempted arrhythmia induction and IV Procainamide infusion for Brugada syndrome. All other forms of heart disease 42%
1619 Comprehensive electrophysiology studies with attempted arrhythmia induction and IV Procainamide infusion for Brugada syndrome. All other forms of heart disease 42%
4889 Cardioversion. An 86-year-old woman with a history of aortic valve replacement in the past with paroxysmal atrial fibrillation Acute myocardial infarction 42%
1094 Cardioversion. An 86-year-old woman with a history of aortic valve replacement in the past with paroxysmal atrial fibrillation Acute myocardial infarction 42%
4833 CT of chest with contrast. Abnormal chest x-ray demonstrating a region of consolidation versus mass in the right upper lobe. Malignant neoplasms of trachea bronchus and lung 42%
1668 CT of chest with contrast. Abnormal chest x-ray demonstrating a region of consolidation versus mass in the right upper lobe. Malignant neoplasms of trachea bronchus and lung 42%
3974 Multiple extensive subcutaneous abscesses, right thigh. Massive open wound, right thigh, status post right excision of multiple subcutaneous abscesses, right thigh. Malignant neoplasms of trachea bronchus and lung 42%
3433 Multiple extensive subcutaneous abscesses, right thigh. Massive open wound, right thigh, status post right excision of multiple subcutaneous abscesses, right thigh. Malignant neoplasms of trachea bronchus and lung 42%
2773 Diagnosis of benign rolandic epilepsy. All other and unspecified malignant neoplasms 42%
3056 Diagnosis of benign rolandic epilepsy. All other and unspecified malignant neoplasms 42%
315 Subxiphoid pericardiotomy. Symptomatic pericardial effusion. The patient had the appropriate inflammatory workup for pericardial effusion, however, it was nondiagnostic. Malignant neoplasms of trachea bronchus and lung 42%
4648 Subxiphoid pericardiotomy. Symptomatic pericardial effusion. The patient had the appropriate inflammatory workup for pericardial effusion, however, it was nondiagnostic. Malignant neoplasms of trachea bronchus and lung 42%
3613 Patient in ER due to colostomy failure - bowel obstruction. All other forms of chronic ischemic heart disease 42%
3862 Patient in ER due to colostomy failure - bowel obstruction. All other forms of chronic ischemic heart disease 42%
3143 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of heart disease 42%
3099 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of heart disease 42%
4733 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of heart disease 42%
4288 Patient with metastatic non-small-cell lung cancer, on hospice with inferior ST-elevation MI. The patient from prior strokes has expressive aphasia, is not able to express herself in a clear meaningful fashion. All other forms of heart disease 42%
3201 3-Dimensional Simulation. This patient is undergoing 3-dimensionally planned radiation therapy in order to adequately target structures at risk while diminishing the degree of exposure to uninvolved adjacent normal structures. All other forms of heart disease 42%
1752 3-Dimensional Simulation. This patient is undergoing 3-dimensionally planned radiation therapy in order to adequately target structures at risk while diminishing the degree of exposure to uninvolved adjacent normal structures. All other forms of heart disease 42%
3676 Laparoscopic appendectomy. Acute suppurative appendicitis. A CAT scan of the abdomen and pelvis was obtained revealing findings consistent with acute appendicitis. There was no evidence of colitis on the CAT scan. Malignant neoplasms of trachea bronchus and lung 42%
1221 Laparoscopic appendectomy. Acute suppurative appendicitis. A CAT scan of the abdomen and pelvis was obtained revealing findings consistent with acute appendicitis. There was no evidence of colitis on the CAT scan. Malignant neoplasms of trachea bronchus and lung 42%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Atherosclerotic cardiovascular disease so described 42%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Atherosclerotic cardiovascular disease so described 42%
2978 Right ureteropelvic junction obstruction. Robotic-assisted pyeloplasty, anterograde right ureteral stent placement, transposition of anterior crossing vessels on the right, and nephrolithotomy. Malignant neoplasms of trachea bronchus and lung 42%
400 Right ureteropelvic junction obstruction. Robotic-assisted pyeloplasty, anterograde right ureteral stent placement, transposition of anterior crossing vessels on the right, and nephrolithotomy. Malignant neoplasms of trachea bronchus and lung 42%
55 Right ureteropelvic junction obstruction. Robotic-assisted pyeloplasty, anterograde right ureteral stent placement, transposition of anterior crossing vessels on the right, and nephrolithotomy. Malignant neoplasms of trachea bronchus and lung 42%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. All other and unspecified malignant neoplasms 42%
3566 The patient was brought to the OR with the known 4 cm abdominal aortic aneurysm + 2.5 cm right common iliac artery aneurysm. Malignant neoplasms of trachea bronchus and lung 42%
851 The patient was brought to the OR with the known 4 cm abdominal aortic aneurysm + 2.5 cm right common iliac artery aneurysm. Malignant neoplasms of trachea bronchus and lung 42%
3581 Esophagogastroduodenoscopy with biopsy. Patient has had biliary colic-type symptoms for the past 3-1/2 weeks, characterized by severe pain, and brought on by eating greasy foods. Other chronic lower respiratory diseases 42%
868 Esophagogastroduodenoscopy with biopsy. Patient has had biliary colic-type symptoms for the past 3-1/2 weeks, characterized by severe pain, and brought on by eating greasy foods. Other chronic lower respiratory diseases 42%
4822 The patient was admitted after undergoing a drawn out process with a small bowel obstruction. All other forms of chronic ischemic heart disease 42%
3929 The patient was admitted after undergoing a drawn out process with a small bowel obstruction. All other forms of chronic ischemic heart disease 42%
1467 Abnormal electroencephalogram revealing generalized poorly organized slowing, with more prominent slowing noted at the right compared to the left hemisphere head regions and rare sharp wave activity noted bilaterally, somewhat more prevalent on the right. All other forms of heart disease 41%
2897 Abnormal electroencephalogram revealing generalized poorly organized slowing, with more prominent slowing noted at the right compared to the left hemisphere head regions and rare sharp wave activity noted bilaterally, somewhat more prevalent on the right. All other forms of heart disease 41%
1901 A 23-month-old girl has a history of reactive airway disease, is being treated on an outpatient basis for pneumonia, presents with cough and fever. All other forms of heart disease 41%
4671 A 23-month-old girl has a history of reactive airway disease, is being treated on an outpatient basis for pneumonia, presents with cough and fever. All other forms of heart disease 41%
1395 Chronic glossitis, xerostomia, probable environmental inhalant allergies, probable food allergies, and history of asthma. All other forms of chronic ischemic heart disease 41%
4987 Chronic glossitis, xerostomia, probable environmental inhalant allergies, probable food allergies, and history of asthma. All other forms of chronic ischemic heart disease 41%
4787 Chest pain and non-Q-wave MI with elevation of troponin I only. Left heart catheterization, left ventriculography, and left and right coronary arteriography. All other forms of chronic ischemic heart disease 41%
763 Chest pain and non-Q-wave MI with elevation of troponin I only. Left heart catheterization, left ventriculography, and left and right coronary arteriography. All other forms of chronic ischemic heart disease 41%
2980 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Cerebrovascular diseases 41%
4137 Acute renal failure, suspected, likely due to multi-organ system failure syndrome. Cerebrovascular diseases 41%
1347 Patient with multiple medical problems (Alzheimer’s dementia, gradual weight loss, fatigue, etc.) All other forms of heart disease 41%
4161 Psychiatric Consultation of patient with recurring depression. Other chronic lower respiratory diseases 41%
1786 Psychiatric Consultation of patient with recurring depression. Other chronic lower respiratory diseases 41%
1657 Diagnostic cerebral angiogram and transcatheter infusion of papaverine Acute myocardial infarction 41%
2901 Diagnostic cerebral angiogram and transcatheter infusion of papaverine Acute myocardial infarction 41%
4858 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. Acute myocardial infarction 41%
4510 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. Acute myocardial infarction 41%
4638 A 26-mm Dacron graft replacement of type 4 thoracoabdominal aneurysm from T10 to the bifurcation of the aorta, re-implanting the celiac, superior mesenteric artery and right renal as an island and the left renal as a 8-mm interposition Dacron graft, utilizing left heart bypass and cerebrospinal fluid drainage. Malignant neoplasms of trachea bronchus and lung 41%
283 A 26-mm Dacron graft replacement of type 4 thoracoabdominal aneurysm from T10 to the bifurcation of the aorta, re-implanting the celiac, superior mesenteric artery and right renal as an island and the left renal as a 8-mm interposition Dacron graft, utilizing left heart bypass and cerebrospinal fluid drainage. Malignant neoplasms of trachea bronchus and lung 41%
3329 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Atherosclerotic cardiovascular disease so described 41%
4364 Pneumonia in the face of fairly severe Crohn disease with protein-losing enteropathy and severe malnutrition with anasarca. He also has anemia and leukocytosis, which may be related to his Crohn disease as well as his underlying pneumonia. Atherosclerotic cardiovascular disease so described 41%
4937 Bronchoscopy with brush biopsies. Persistent pneumonia, right upper lobe of the lung, possible mass. Other chronic lower respiratory diseases 41%
1129 Bronchoscopy with brush biopsies. Persistent pneumonia, right upper lobe of the lung, possible mass. Other chronic lower respiratory diseases 41%
4817 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Heart failure 41%
1656 Dobutamine Stress Echocardiogram. Chest discomfort, evaluation for coronary artery disease. Maximal dobutamine stress echocardiogram test achieving more than 85% of age-predicted heart rate. Negative EKG criteria for ischemia. Heart failure 41%
1423 Postoperative visit for craniopharyngioma with residual disease. According to him, he is doing well, back at school without any difficulties. He has some occasional headaches and tinnitus, but his vision is much improved. All other and unspecified malignant neoplasms 41%
3168 Postoperative visit for craniopharyngioma with residual disease. According to him, he is doing well, back at school without any difficulties. He has some occasional headaches and tinnitus, but his vision is much improved. All other and unspecified malignant neoplasms 41%
2939 Postoperative visit for craniopharyngioma with residual disease. According to him, he is doing well, back at school without any difficulties. He has some occasional headaches and tinnitus, but his vision is much improved. All other and unspecified malignant neoplasms 41%
3182 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. Other chronic lower respiratory diseases 41%
1444 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. Other chronic lower respiratory diseases 41%
750 Left heart catheterization with ventriculography, selective coronary angiography. Standard Judkins, right groin. Catheters used were a 6 French pigtail, 6 French JL4, 6 French JR4. Acute myocardial infarction 41%
4771 Left heart catheterization with ventriculography, selective coronary angiography. Standard Judkins, right groin. Catheters used were a 6 French pigtail, 6 French JL4, 6 French JR4. Acute myocardial infarction 41%
20 Whole body radionuclide bone scan due to prostate cancer. Malignant neoplasms of trachea bronchus and lung 41%
1487 Whole body radionuclide bone scan due to prostate cancer. Malignant neoplasms of trachea bronchus and lung 41%
3964 Acute cerebrovascular accident/left basal ganglia and deep white matter of the left parietal lobe, hypertension, urinary tract infection, and hypercholesterolemia. Other chronic lower respiratory diseases 41%
3410 Acute cerebrovascular accident/left basal ganglia and deep white matter of the left parietal lobe, hypertension, urinary tract infection, and hypercholesterolemia. Other chronic lower respiratory diseases 41%
3182 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. Atherosclerotic cardiovascular disease so described 41%
1444 A nurse with a history of breast cancer enrolled is clinical trial C40502. Her previous treatments included Zometa, Faslodex, and Aromasin. She was found to have disease progression first noted by rising tumor markers. Atherosclerotic cardiovascular disease so described 41%
3206 Severe back pain and sleepiness. The patient, because of near syncopal episode and polypharmacy, almost passed out for about 3 to 4 minutes with a low blood pressure. All other forms of chronic ischemic heart disease 41%
2767 Severe back pain and sleepiness. The patient, because of near syncopal episode and polypharmacy, almost passed out for about 3 to 4 minutes with a low blood pressure. All other forms of chronic ischemic heart disease 41%
4126 Severe back pain and sleepiness. The patient, because of near syncopal episode and polypharmacy, almost passed out for about 3 to 4 minutes with a low blood pressure. All other forms of chronic ischemic heart disease 41%
1122 Wide local excision of left buccal mucosal lesion with full thickness skin graft closure in the left supraclavicular region and adjacent tissue transfer closure of the left supraclavicular grafting site Malignant neoplasms of trachea bronchus and lung 41%
1772 Psychiatric Assessment of a patient with bipolar and anxiety disorder having posttraumatic stress syndrome. Other chronic lower respiratory diseases 41%
3009 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. Other chronic lower respiratory diseases 41%
4296 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. Other chronic lower respiratory diseases 41%
3824 Urine leaked around the ostomy site for his right sided nephrostomy tube. The patient had bilateral nephrostomy tubes placed one month ago secondary to his prostate cancer metastasizing and causing bilateral ureteral obstructions that were severe enough to cause acute renal failure. Other chronic lower respiratory diseases 41%
2646 Excision of left breast mass. The mass was identified adjacent to the left nipple. It was freely mobile and it did not seem to hold the skin. All other and unspecified malignant neoplasms 41%
3175 Excision of left breast mass. The mass was identified adjacent to the left nipple. It was freely mobile and it did not seem to hold the skin. All other and unspecified malignant neoplasms 41%
1139 Excision of left breast mass. The mass was identified adjacent to the left nipple. It was freely mobile and it did not seem to hold the skin. All other and unspecified malignant neoplasms 41%
3394 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. All other forms of chronic ischemic heart disease 41%
3952 A female with the past medical history of Ewing sarcoma, iron deficiency anemia, hypertension, and obesity. All other forms of chronic ischemic heart disease 41%
4307 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. All other forms of heart disease 41%
3515 Pneumatosis coli in the cecum. Possible ischemic cecum with possible metastatic disease, bilateral hydronephrosis on atrial fibrillation, aspiration pneumonia, chronic alcohol abuse, acute renal failure, COPD, anemia with gastric ulcer. All other forms of heart disease 41%
742 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. Heart failure 41%
4767 Left heart catheterization with left ventriculography and selective coronary angiography. A 50% distal left main and two-vessel coronary artery disease with normal left ventricular systolic function. Frequent PVCs. Metabolic syndrome. Heart failure 41%
795 Fiberoptic nasolaryngoscopy. Dysphagia with no signs of piriform sinus pooling or aspiration. Right parapharyngeal lesion, likely thyroid cartilage, nonhemorrhagic. All other and unspecified malignant neoplasms 41%
3747 Fiberoptic nasolaryngoscopy. Dysphagia with no signs of piriform sinus pooling or aspiration. Right parapharyngeal lesion, likely thyroid cartilage, nonhemorrhagic. All other and unspecified malignant neoplasms 41%
545 Rhabdomyosarcoma of the left orbit. Left subclavian vein MediPort placement. Needs chemotherapy. Malignant neoplasms of trachea bronchus and lung 41%
3137 Rhabdomyosarcoma of the left orbit. Left subclavian vein MediPort placement. Needs chemotherapy. Malignant neoplasms of trachea bronchus and lung 41%
4781 Right heart catheterization. Refractory CHF to maximum medical therapy. Other chronic lower respiratory diseases 41%
756 Right heart catheterization. Refractory CHF to maximum medical therapy. Other chronic lower respiratory diseases 41%
1003 Colonoscopy. The Olympus video colonoscope then was introduced into the rectum and passed by directed vision to the cecum and into the terminal ileum. Malignant neoplasms of trachea bronchus and lung 41%
3651 Colonoscopy. The Olympus video colonoscope then was introduced into the rectum and passed by directed vision to the cecum and into the terminal ileum. Malignant neoplasms of trachea bronchus and lung 41%
3227 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. Cerebrovascular diseases 41%
1464 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. Cerebrovascular diseases 41%
1348 Obesity hypoventilation syndrome. A 61-year-old woman with a history of polyarteritis nodosa, mononeuritis multiplex involving the lower extremities, and severe sleep apnea returns in followup following an overnight sleep study. Cerebrovascular diseases 41%
3448 Blood in toilet. Questionable gastrointestinal bleeding at this time, stable without any obvious signs otherwise of significant bleed. Other chronic lower respiratory diseases 41%
3667 Blood in toilet. Questionable gastrointestinal bleeding at this time, stable without any obvious signs otherwise of significant bleed. Other chronic lower respiratory diseases 41%
3863 Blood in toilet. Questionable gastrointestinal bleeding at this time, stable without any obvious signs otherwise of significant bleed. Other chronic lower respiratory diseases 41%
4549 Blood in toilet. Questionable gastrointestinal bleeding at this time, stable without any obvious signs otherwise of significant bleed. Other chronic lower respiratory diseases 41%
3967 Patient had some cold symptoms, was treated as bronchitis with antibiotics. All other forms of chronic ischemic heart disease 41%
4824 Patient had some cold symptoms, was treated as bronchitis with antibiotics. All other forms of chronic ischemic heart disease 41%
4130 A 71-year-old female who I am seeing for the first time. She has a history of rheumatoid arthritis for the last 6 years. She is not on DMARD, but as she recently had a surgery followed by a probable infection. All other forms of chronic ischemic heart disease 41%
1478 A 71-year-old female who I am seeing for the first time. She has a history of rheumatoid arthritis for the last 6 years. She is not on DMARD, but as she recently had a surgery followed by a probable infection. All other forms of chronic ischemic heart disease 41%
4856 Left and right coronary system cineangiography. Left ventriculogram. PCI to the left circumflex with a 3.5 x 12 and a 3.5 x 8 mm Vision bare-metal stents postdilated with a 3.75-mm noncompliant balloon x2. Acute myocardial infarction 41%
1035 Left and right coronary system cineangiography. Left ventriculogram. PCI to the left circumflex with a 3.5 x 12 and a 3.5 x 8 mm Vision bare-metal stents postdilated with a 3.75-mm noncompliant balloon x2. Acute myocardial infarction 41%
4839 Coronary Artery CTA with Calcium Scoring and Cardiac Function All other forms of chronic ischemic heart disease 41%
1719 Coronary Artery CTA with Calcium Scoring and Cardiac Function All other forms of chronic ischemic heart disease 41%
2802 Neurologic consultation was requested to assess and assist with seizure medication. All other forms of chronic ischemic heart disease 41%
4254 Neurologic consultation was requested to assess and assist with seizure medication. All other forms of chronic ischemic heart disease 41%
2795 Muscle twitching, clumsiness, progressive pain syndrome, and gait disturbance. Probable painful diabetic neuropathy. Symptoms are predominantly sensory and severely dysfunctioning, with the patient having inability to ambulate independently as well as difficulty with grip and temperature differentiation in his upper extremities. All other forms of chronic ischemic heart disease 41%
4251 Muscle twitching, clumsiness, progressive pain syndrome, and gait disturbance. Probable painful diabetic neuropathy. Symptoms are predominantly sensory and severely dysfunctioning, with the patient having inability to ambulate independently as well as difficulty with grip and temperature differentiation in his upper extremities. All other forms of chronic ischemic heart disease 41%
369 Salvage cystectomy (very difficult due to postradical prostatectomy and postradiation therapy to the pelvis), Indiana pouch continent cutaneous diversion, and omental pedicle flap to the pelvis. Malignant neoplasms of trachea bronchus and lung 41%
43 Salvage cystectomy (very difficult due to postradical prostatectomy and postradiation therapy to the pelvis), Indiana pouch continent cutaneous diversion, and omental pedicle flap to the pelvis. Malignant neoplasms of trachea bronchus and lung 41%
4487 Consultation for ICU management for a patient with possible portal vein and superior mesenteric vein thrombus leading to mesenteric ischemia. All other forms of chronic ischemic heart disease 41%
3855 Consultation for ICU management for a patient with possible portal vein and superior mesenteric vein thrombus leading to mesenteric ischemia. All other forms of chronic ischemic heart disease 41%
1365 One-month followup for unintentional weight loss, depression, paranoia, dementia, and osteoarthritis of knees. Doing well. Alzheimer disease 41%
3291 One-month followup for unintentional weight loss, depression, paranoia, dementia, and osteoarthritis of knees. Doing well. Alzheimer disease 41%
2416 The patient is being referred for evaluation of diabetic retinopathy. All other forms of chronic ischemic heart disease 41%
3061 The patient is being referred for evaluation of diabetic retinopathy. All other forms of chronic ischemic heart disease 41%
4666 The patient was admitted approximately 3 days ago with increasing shortness of breath secondary to pneumonia. Pulmonary Medicine Associates have been contacted to consult in light of the ICU admission. All other forms of chronic ischemic heart disease 41%
3208 The patient was admitted approximately 3 days ago with increasing shortness of breath secondary to pneumonia. Pulmonary Medicine Associates have been contacted to consult in light of the ICU admission. All other forms of chronic ischemic heart disease 41%
1307 The patient was admitted approximately 3 days ago with increasing shortness of breath secondary to pneumonia. Pulmonary Medicine Associates have been contacted to consult in light of the ICU admission. All other forms of chronic ischemic heart disease 41%
3765 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. Malignant neoplasms of trachea bronchus and lung 41%
4496 Chronic adenotonsillitis with adenotonsillar hypertrophy. Upper respiratory tract infection with mild acute laryngitis. Malignant neoplasms of trachea bronchus and lung 41%
2652 Ultrasound BPP - Advanced maternal age and hypertension. All other forms of chronic ischemic heart disease 41%
1738 Ultrasound BPP - Advanced maternal age and hypertension. All other forms of chronic ischemic heart disease 41%
3042 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Diabetes mellitus 41%
1427 Chronic kidney disease, stage IV, secondary to polycystic kidney disease. Hypertension, which is finally better controlled. Metabolic bone disease and anemia. Diabetes mellitus 41%
2488 Sample/template for a normal female multisystem exam All other forms of chronic ischemic heart disease 41%
4239 Sample/template for a normal female multisystem exam All other forms of chronic ischemic heart disease 41%
3254 Sample/template for a normal female multisystem exam All other forms of chronic ischemic heart disease 41%
455 Permacath placement - renal failure. Other chronic lower respiratory diseases 41%
1769 Psychiatric evaluation for ADHD, combined type. Other chronic lower respiratory diseases 41%
407 The patient is a 9-year-old born with pulmonary atresia, intact ventricular septum with coronary sinusoids. All other forms of chronic ischemic heart disease 41%
4686 The patient is a 9-year-old born with pulmonary atresia, intact ventricular septum with coronary sinusoids. All other forms of chronic ischemic heart disease 41%
4341 H&P for a female with Angina pectoris. All other forms of chronic ischemic heart disease 41%
4786 H&P for a female with Angina pectoris. All other forms of chronic ischemic heart disease 41%
3834 Head injury, anxiety, and hypertensive emergency. All other forms of chronic ischemic heart disease 41%
1926 Head injury, anxiety, and hypertensive emergency. All other forms of chronic ischemic heart disease 41%
4401 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. All other forms of heart disease 41%
3378 Consult for hypertension and a med check. History of osteoarthritis, osteoporosis, hypothyroidism, allergic rhinitis and kidney stones. All other forms of heart disease 41%
4865 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Malignant neoplasms of trachea bronchus and lung 41%
3978 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Malignant neoplasms of trachea bronchus and lung 41%
3442 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Malignant neoplasms of trachea bronchus and lung 41%
1432 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. Malignant neoplasms of trachea bronchus and lung 41%
2897 Abnormal electroencephalogram revealing generalized poorly organized slowing, with more prominent slowing noted at the right compared to the left hemisphere head regions and rare sharp wave activity noted bilaterally, somewhat more prevalent on the right. All other forms of chronic ischemic heart disease 41%
1467 Abnormal electroencephalogram revealing generalized poorly organized slowing, with more prominent slowing noted at the right compared to the left hemisphere head regions and rare sharp wave activity noted bilaterally, somewhat more prevalent on the right. All other forms of chronic ischemic heart disease 41%
2618 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. All other and unspecified malignant neoplasms 41%
902 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. All other and unspecified malignant neoplasms 41%
4975 The patient died of a pulmonary embolism, the underlying cause of which is currently undetermined. Acute myocardial infarction 41%
798 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. All other forms of chronic ischemic heart disease 41%
4794 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. All other forms of chronic ischemic heart disease 41%
3843 Emergent fiberoptic bronchoscopy with lavage. Status post multiple trauma/motor vehicle accident. Acute respiratory failure. Acute respiratory distress/ventilator asynchrony. Hypoxemia. Complete atelectasis of left lung. Clots partially obstructing the endotracheal tube and completely obstructing the entire left main stem and entire left bronchial system. All other forms of chronic ischemic heart disease 41%
3707 Patient with postnasal drainage, sore throat, facial pain, coughing, headaches, congestion, snoring, nasal burning and teeth pain. Other chronic lower respiratory diseases 41%
4120 Patient with postnasal drainage, sore throat, facial pain, coughing, headaches, congestion, snoring, nasal burning and teeth pain. Other chronic lower respiratory diseases 41%
2982 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. Malignant neoplasms of trachea bronchus and lung 41%
3225 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. Malignant neoplasms of trachea bronchus and lung 41%
3885 Pyelonephritis likely secondary to mucous plugging of indwelling Foley in the ileal conduit, hypertension, mild renal insufficiency, and anemia, which has been present chronically over the past year. Malignant neoplasms of trachea bronchus and lung 41%
3757 Repair of left ear laceration deformity Y-V plasty 2 cm. Repair of right ear laceration deformity, complex repair 2 cm. Malignant neoplasms of trachea bronchus and lung 41%
881 Repair of left ear laceration deformity Y-V plasty 2 cm. Repair of right ear laceration deformity, complex repair 2 cm. Malignant neoplasms of trachea bronchus and lung 41%
3798 Urgent cardiac catheterization with coronary angiogram. Atherosclerotic cardiovascular disease so described 41%
210 Urgent cardiac catheterization with coronary angiogram. Atherosclerotic cardiovascular disease so described 41%
4614 Urgent cardiac catheterization with coronary angiogram. Atherosclerotic cardiovascular disease so described 41%
1114 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. All other forms of heart disease 41%
4922 Coronary artery bypass grafting (CABG) x4. Progressive exertional angina, three-vessel coronary artery disease, left main disease, preserved left ventricular function. All other forms of heart disease 41%
465 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. Other chronic lower respiratory diseases 41%
4706 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. Other chronic lower respiratory diseases 41%
4153 Bipolar disorder, apparently stable on medications. Mild organic brain syndrome, presumably secondary to her chronic inhalant, paint, abuse. Cerebrovascular diseases 41%
1771 Bipolar disorder, apparently stable on medications. Mild organic brain syndrome, presumably secondary to her chronic inhalant, paint, abuse. Cerebrovascular diseases 41%
2779 Status post brain tumor removal. The patient is a 64-year-old female referred to physical therapy following complications related to brain tumor removal. She had a brain tumor removed and had left-sided weakness. Other chronic lower respiratory diseases 41%
1858 Status post brain tumor removal. The patient is a 64-year-old female referred to physical therapy following complications related to brain tumor removal. She had a brain tumor removed and had left-sided weakness. Other chronic lower respiratory diseases 41%
468 Excision of right superior parathyroid adenoma, seen on sestamibi parathyroid scan and an ultrasound. Malignant neoplasms of trachea bronchus and lung 41%
3123 Excision of right superior parathyroid adenoma, seen on sestamibi parathyroid scan and an ultrasound. Malignant neoplasms of trachea bronchus and lung 41%
4688 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. All other forms of heart disease 41%
1315 Pulmonary Medicine Clinic for followup evaluation of interstitial disease secondary to lupus pneumonitis. All other forms of heart disease 41%
833 Esophagogastroduodenoscopy. The Olympus video panendoscope was advanced under direct vision into the esophagus. The esophagus was normal in appearance and configuration. The gastroesophageal junction was normal. Malignant neoplasms of trachea bronchus and lung 41%
3557 Esophagogastroduodenoscopy. The Olympus video panendoscope was advanced under direct vision into the esophagus. The esophagus was normal in appearance and configuration. The gastroesophageal junction was normal. Malignant neoplasms of trachea bronchus and lung 41%
4984 Cause of death - Anoxic Encephalopathy Other chronic lower respiratory diseases 41%
2830 MRI Brain & T-spine - Demyelinating disease. Other chronic lower respiratory diseases 41%
1588 MRI Brain & T-spine - Demyelinating disease. Other chronic lower respiratory diseases 41%
2154 MRI Brain & T-spine - Demyelinating disease. Other chronic lower respiratory diseases 41%
708 Incision and drainage (I&D) of gluteal abscess. Removal of pigtail catheter. Limited exploratory laparotomy with removal of foreign body and lysis of adhesions. Malignant neoplasms of trachea bronchus and lung 41%
3280 Non-healing surgical wound to the left posterior thigh. Several multiple areas of hypergranulation tissue on the left posterior leg associated with a sense of trauma to his right posterior leg. Malignant neoplasms of trachea bronchus and lung 41%
721 Non-healing surgical wound to the left posterior thigh. Several multiple areas of hypergranulation tissue on the left posterior leg associated with a sense of trauma to his right posterior leg. Malignant neoplasms of trachea bronchus and lung 41%
4323 Non-healing surgical wound to the left posterior thigh. Several multiple areas of hypergranulation tissue on the left posterior leg associated with a sense of trauma to his right posterior leg. Malignant neoplasms of trachea bronchus and lung 41%
2206 Non-healing surgical wound to the left posterior thigh. Several multiple areas of hypergranulation tissue on the left posterior leg associated with a sense of trauma to his right posterior leg. Malignant neoplasms of trachea bronchus and lung 41%
3891 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Malignant neoplasms of trachea bronchus and lung 41%
4689 Aspiration pneumonia and chronic obstructive pulmonary disease (COPD) exacerbation. Acute respiratory on chronic respiratory failure secondary to chronic obstructive pulmonary disease exacerbation. Systemic inflammatory response syndrome secondary to aspiration pneumonia. No bacteria identified with blood cultures or sputum culture. Malignant neoplasms of trachea bronchus and lung 41%
4357 Comprehensive Evaluation - Generalized anxiety and hypertension, both under fair control. Other chronic lower respiratory diseases 41%
3319 Comprehensive Evaluation - Generalized anxiety and hypertension, both under fair control. Other chronic lower respiratory diseases 41%
216 Bilateral tympanostomy with myringotomy tube placement. The patient is a 1-year-old male with a history of chronic otitis media with effusion and conductive hearing loss refractory to outpatient medical therapy. Other chronic lower respiratory diseases 41%
1883 Bilateral tympanostomy with myringotomy tube placement. The patient is a 1-year-old male with a history of chronic otitis media with effusion and conductive hearing loss refractory to outpatient medical therapy. Other chronic lower respiratory diseases 41%
3687 Bilateral tympanostomy with myringotomy tube placement. The patient is a 1-year-old male with a history of chronic otitis media with effusion and conductive hearing loss refractory to outpatient medical therapy. Other chronic lower respiratory diseases 41%
2929 CT Brain: Subarachnoid hemorrhage. Acute myocardial infarction 41%
1696 CT Brain: Subarachnoid hemorrhage. Acute myocardial infarction 41%
2488 Sample/template for a normal female multisystem exam Other chronic lower respiratory diseases 41%
4239 Sample/template for a normal female multisystem exam Other chronic lower respiratory diseases 41%
3254 Sample/template for a normal female multisystem exam Other chronic lower respiratory diseases 41%
4965 A sample note on Angina. All other forms of chronic ischemic heart disease 41%
4569 Antibiotic management for a right foot ulcer and possible osteomyelitis. All other forms of chronic ischemic heart disease 41%
3445 Antibiotic management for a right foot ulcer and possible osteomyelitis. All other forms of chronic ischemic heart disease 41%
4125 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Atherosclerotic cardiovascular disease so described 41%
4659 Sick sinus syndrome, atrial fibrillation, pacemaker dependent, mild cardiomyopathy with ejection fraction 40% and no significant decompensation, and dementia of Alzheimer's disease with short and long term memory dysfunction Atherosclerotic cardiovascular disease so described 41%
1312 Patient returns to Pulmonary Medicine Clinic for followup evaluation of COPD and emphysema. All other forms of chronic ischemic heart disease 41%
4676 Patient returns to Pulmonary Medicine Clinic for followup evaluation of COPD and emphysema. All other forms of chronic ischemic heart disease 41%
3979 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. All other forms of heart disease 41%
4943 Bronchiolitis, respiratory syncytial virus positive; improved and stable. Innocent heart murmur, stable. All other forms of heart disease 41%
4232 Sample/template for a normal male multisystem exam. Other chronic lower respiratory diseases 41%
2477 Sample/template for a normal male multisystem exam. Other chronic lower respiratory diseases 41%
3252 Sample/template for a normal male multisystem exam. Other chronic lower respiratory diseases 41%
3371 Questionable foreign body, right nose. Belly and back pain. Mild constipation. Other chronic lower respiratory diseases 41%
3844 Questionable foreign body, right nose. Belly and back pain. Mild constipation. Other chronic lower respiratory diseases 41%
1928 Questionable foreign body, right nose. Belly and back pain. Mild constipation. Other chronic lower respiratory diseases 41%
4417 Questionable foreign body, right nose. Belly and back pain. Mild constipation. Other chronic lower respiratory diseases 41%
3787 Total thyroidectomy. The patient is a female with a history of Graves disease. Suppression was attempted, however, unsuccessful. She presents today with her thyroid goiter. All other forms of heart disease 41%
274 Total thyroidectomy. The patient is a female with a history of Graves disease. Suppression was attempted, however, unsuccessful. She presents today with her thyroid goiter. All other forms of heart disease 41%
132 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Cerebrovascular diseases 41%
3015 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Cerebrovascular diseases 41%
3921 Solitary left kidney with obstruction and hypertension and chronic renal insufficiency, plus a Pseudomonas urinary tract infection. Cerebrovascular diseases 41%
4978 Patient suffered from morbid obesity for many years and made multiple attempts at nonsurgical weight loss without success. Other chronic lower respiratory diseases 41%
3938 Patient suffered from morbid obesity for many years and made multiple attempts at nonsurgical weight loss without success. Other chronic lower respiratory diseases 41%
4018 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other and unspecified malignant neoplasms 41%
3203 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other and unspecified malignant neoplasms 41%
4105 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other and unspecified malignant neoplasms 41%
3802 Patient has had multiple problems with his teeth due to extensive dental disease and has had many of his teeth pulled, now complains of new tooth pain to both upper and lower teeth on the left side for approximately three days.. All other and unspecified malignant neoplasms 41%
1036 Left and right coronary system cineangiography, cineangiography of SVG to OM and LIMA to LAD. Left ventriculogram and aortogram. Percutaneous intervention of the left circumflex and obtuse marginal branch with plano balloon angioplasty unable to pass stent. Acute myocardial infarction 41%
4859 Left and right coronary system cineangiography, cineangiography of SVG to OM and LIMA to LAD. Left ventriculogram and aortogram. Percutaneous intervention of the left circumflex and obtuse marginal branch with plano balloon angioplasty unable to pass stent. Acute myocardial infarction 41%
3158 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. All other forms of heart disease 41%
4346 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. All other forms of heart disease 41%
4814 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. Heart failure 41%
1646 Echocardiographic Examination Report. Angina and coronary artery disease. Mild biatrial enlargement, normal thickening of the left ventricle with mildly dilated ventricle and EF of 40%, mild mitral regurgitation, diastolic dysfunction grade 2, mild pulmonary hypertension. Heart failure 41%
4058 Bilateral augmentation mammoplasty, breast implant, TCA peel to lesions, vein stripping. Malignant neoplasms of trachea bronchus and lung 41%
563 Bilateral augmentation mammoplasty, breast implant, TCA peel to lesions, vein stripping. Malignant neoplasms of trachea bronchus and lung 41%
2885 A woman with a history of progression of dysphagia for the past year, dysarthria, weakness of her right arm, cramps in her legs, and now with progressive weakness in her upper extremities. Abnormal electrodiagnostic study. All other forms of chronic ischemic heart disease 41%
1870 A woman with a history of progression of dysphagia for the past year, dysarthria, weakness of her right arm, cramps in her legs, and now with progressive weakness in her upper extremities. Abnormal electrodiagnostic study. All other forms of chronic ischemic heart disease 41%
1638 A woman with a history of progression of dysphagia for the past year, dysarthria, weakness of her right arm, cramps in her legs, and now with progressive weakness in her upper extremities. Abnormal electrodiagnostic study. All other forms of chronic ischemic heart disease 41%
4981 Multiple sharp force injuries, involving chest and abdomen, multiple incised-stab wounds of the neck, and multiple incised or cutting wounds. Malignant neoplasms of trachea bronchus and lung 41%
4410 Pediatric Gastroenterology - History of gagging. Other chronic lower respiratory diseases 41%
3532 Pediatric Gastroenterology - History of gagging. Other chronic lower respiratory diseases 41%
1927 Pediatric Gastroenterology - History of gagging. Other chronic lower respiratory diseases 41%
4437 Abnormal cardiac enzyme profile. The patient is a 66-year-old gentleman, was brought into emergency room with obtundation. The patient was mechanically ventilated originally. His initial diagnosis was septic shock. His labs showed elevated cardiac enzyme profile. All other forms of chronic ischemic heart disease 41%
4811 Abnormal cardiac enzyme profile. The patient is a 66-year-old gentleman, was brought into emergency room with obtundation. The patient was mechanically ventilated originally. His initial diagnosis was septic shock. His labs showed elevated cardiac enzyme profile. All other forms of chronic ischemic heart disease 41%
170 Recurrent bladder tumor. The patient on recent followup cystoscopy for transitional cell carcinomas of the bladder neck was found to have a 5-cm area of papillomatosis just above the left ureteric orifice. All other and unspecified malignant neoplasms 41%
4548 Recurrent bladder tumor. The patient on recent followup cystoscopy for transitional cell carcinomas of the bladder neck was found to have a 5-cm area of papillomatosis just above the left ureteric orifice. All other and unspecified malignant neoplasms 41%
3671 Laparoscopic appendectomy and peritoneal toilet and photos. Pelvic inflammatory disease and periappendicitis. Malignant neoplasms of trachea bronchus and lung 41%
1229 Laparoscopic appendectomy and peritoneal toilet and photos. Pelvic inflammatory disease and periappendicitis. Malignant neoplasms of trachea bronchus and lung 41%
2279 Right carpal tunnel release. Right carpal tunnel syndrome. This is a 54-year-old female who was complaining of right hand numbness and tingling of the median distribution and has elected to undergo carpal tunnel surgery secondary to failure of conservative management. All other forms of chronic ischemic heart disease 41%
1073 Right carpal tunnel release. Right carpal tunnel syndrome. This is a 54-year-old female who was complaining of right hand numbness and tingling of the median distribution and has elected to undergo carpal tunnel surgery secondary to failure of conservative management. All other forms of chronic ischemic heart disease 41%
3477 Paracentesis. A large abdominal mass, which was cystic in nature and the radiologist inserted a pigtail catheter in the emergency room. Malignant neoplasms of trachea bronchus and lung 41%
469 Paracentesis. A large abdominal mass, which was cystic in nature and the radiologist inserted a pigtail catheter in the emergency room. Malignant neoplasms of trachea bronchus and lung 41%
3046 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. Atherosclerotic cardiovascular disease so described 41%
4523 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. Atherosclerotic cardiovascular disease so described 41%
4051 Cervical facial rhytidectomy. Quadrilateral blepharoplasty. Autologous fat injection to the upper lip - donor site, abdomen. Malignant neoplasms of trachea bronchus and lung 41%
371 Cervical facial rhytidectomy. Quadrilateral blepharoplasty. Autologous fat injection to the upper lip - donor site, abdomen. Malignant neoplasms of trachea bronchus and lung 41%
2388 Cervical facial rhytidectomy. Quadrilateral blepharoplasty. Autologous fat injection to the upper lip - donor site, abdomen. Malignant neoplasms of trachea bronchus and lung 41%
3531 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. All other and unspecified malignant neoplasms 41%
3918 Acute gastroenteritis, resolved. Gastrointestinal bleed and chronic inflammation of the mesentery of unknown etiology. All other and unspecified malignant neoplasms 41%
3825 Headache, improved. Intracranial aneurysm. Acute myocardial infarction 41%
2855 Headache, improved. Intracranial aneurysm. Acute myocardial infarction 41%
3318 Right-sided facial droop and right-sided weakness. Recent cerebrovascular accident. he CT scan of the head did not show any acute events with the impression of a new-onset cerebrovascular accident. Acute myocardial infarction 41%
4356 Right-sided facial droop and right-sided weakness. Recent cerebrovascular accident. he CT scan of the head did not show any acute events with the impression of a new-onset cerebrovascular accident. Acute myocardial infarction 41%
594 Left lower lobectomy. Malignant neoplasms of trachea bronchus and lung 41%
4746 Left lower lobectomy. Malignant neoplasms of trachea bronchus and lung 41%
4611 Coronary artery bypass surgery and aortic stenosis. Transthoracic echocardiogram was performed of technically limited quality. Concentric hypertrophy of the left ventricle with left ventricular function. Moderate mitral regurgitation. Severe aortic stenosis, severe. All other forms of chronic ischemic heart disease 41%
1504 Coronary artery bypass surgery and aortic stenosis. Transthoracic echocardiogram was performed of technically limited quality. Concentric hypertrophy of the left ventricle with left ventricular function. Moderate mitral regurgitation. Severe aortic stenosis, severe. All other forms of chronic ischemic heart disease 41%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. Atherosclerotic cardiovascular disease so described 41%
2864 This is a 69-year-old white woman with Huntington disease, who presents with the third suicide attempt in the past two months. Alzheimer disease 41%
4318 This is a 69-year-old white woman with Huntington disease, who presents with the third suicide attempt in the past two months. Alzheimer disease 41%
1799 This is a 69-year-old white woman with Huntington disease, who presents with the third suicide attempt in the past two months. Alzheimer disease 41%
2833 MRI Brain: Probable CNS Lymphoma v/s toxoplasmosis in a patient with AIDS/HIV. Alzheimer disease 41%
1600 MRI Brain: Probable CNS Lymphoma v/s toxoplasmosis in a patient with AIDS/HIV. Alzheimer disease 41%
3309 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Diabetes mellitus 41%
1386 Rhabdomyolysis, acute on chronic renal failure, anemia, leukocytosis, elevated liver enzyme, hypertension, elevated cardiac enzyme, obesity. Diabetes mellitus 41%
3416 A 94-year-old female from the nursing home with several days of lethargy and anorexia. She was found to have evidence of UTI and also has renal insufficiency and digitalis toxicity. Acute myocardial infarction 41%
3954 A 94-year-old female from the nursing home with several days of lethargy and anorexia. She was found to have evidence of UTI and also has renal insufficiency and digitalis toxicity. Acute myocardial infarction 41%
1430 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Alzheimer disease 41%
3040 Type 1 diabetes mellitus, insulin pump requiring. Chronic kidney disease, stage III. Sweet syndrome, hypertension, and dyslipidemia. Alzheimer disease 41%
4837 Shortness of breath for two weeks and a history of pneumonia. CT angiography chest with contrast. Axial CT images of the chest were obtained for pulmonary embolism protocol utilizing 100 mL of Isovue-300. All other forms of chronic ischemic heart disease 41%
1706 Shortness of breath for two weeks and a history of pneumonia. CT angiography chest with contrast. Axial CT images of the chest were obtained for pulmonary embolism protocol utilizing 100 mL of Isovue-300. All other forms of chronic ischemic heart disease 41%
3957 Bradycardia, dizziness, diabetes, hypertension, abdominal pain, and sick sinus syndrome. All other forms of chronic ischemic heart disease 41%
3405 Bradycardia, dizziness, diabetes, hypertension, abdominal pain, and sick sinus syndrome. All other forms of chronic ischemic heart disease 41%
4777 Right and left heart catheterization, left ventriculogram, aortogram, and bilateral selective coronary angiography. The patient is a 48-year-old female with severe mitral stenosis diagnosed by echocardiography, moderate aortic insufficiency and moderate to severe pulmonary hypertension who is being evaluated as a part of a preoperative workup for mitral and possible aortic valve repair or replacement. Atherosclerotic cardiovascular disease so described 41%
752 Right and left heart catheterization, left ventriculogram, aortogram, and bilateral selective coronary angiography. The patient is a 48-year-old female with severe mitral stenosis diagnosed by echocardiography, moderate aortic insufficiency and moderate to severe pulmonary hypertension who is being evaluated as a part of a preoperative workup for mitral and possible aortic valve repair or replacement. Atherosclerotic cardiovascular disease so described 41%
4835 A 51-year-old male with chest pain and history of coronary artery disease. All other forms of heart disease 41%
1721 A 51-year-old male with chest pain and history of coronary artery disease. All other forms of heart disease 41%
4919 White male with onset of chest pain, with history of on and off chest discomfort over the past several days. Other chronic lower respiratory diseases 41%
1097 White male with onset of chest pain, with history of on and off chest discomfort over the past several days. Other chronic lower respiratory diseases 41%
755 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. All other forms of heart disease 41%
4784 Left and right heart catheterization and selective coronary angiography. Coronary artery disease, severe aortic stenosis by echo. All other forms of heart disease 41%
4534 Cardiac evaluation and treatment in a patient who came in the hospital with abdominal pain. All other forms of chronic ischemic heart disease 41%
4903 Cardiac evaluation and treatment in a patient who came in the hospital with abdominal pain. All other forms of chronic ischemic heart disease 41%
4257 Nephrology Consultation - Patient with renal failure. Other chronic lower respiratory diseases 41%
2993 Nephrology Consultation - Patient with renal failure. Other chronic lower respiratory diseases 41%
4527 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Alzheimer disease 41%
4883 Cardiomyopathy and hypotension. A lady with dementia, coronary artery disease, prior bypass, reduced LV function, and recurrent admissions for diarrhea and hypotension several times. Alzheimer disease 41%
509 Acute acalculous cholecystitis. Open cholecystectomy. The patient's gallbladder had some patchy and necrosis areas. There were particular changes on the serosal surface as well as on the mucosal surface with multiple clots within the gallbladder. All other forms of chronic ischemic heart disease 41%
3478 Acute acalculous cholecystitis. Open cholecystectomy. The patient's gallbladder had some patchy and necrosis areas. There were particular changes on the serosal surface as well as on the mucosal surface with multiple clots within the gallbladder. All other forms of chronic ischemic heart disease 41%
3348 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Cerebrovascular diseases 41%
4382 Patient with osteoarthritis and osteoporosis with very limited mobility, depression, hypertension, hyperthyroidism, right breast mass, and chronic renal insufficiency Cerebrovascular diseases 41%
2952 A woman presents for neurological evaluation with regards to a diagnosis of multiple sclerosis. Alzheimer disease 41%
4514 A woman presents for neurological evaluation with regards to a diagnosis of multiple sclerosis. Alzheimer disease 41%
4245 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. All other forms of heart disease 41%
2787 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. All other forms of heart disease 41%
1794 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. All other forms of heart disease 41%
2957 Cerebral Angiogram - Lateral medullary syndrome secondary to left vertebral artery dissection. Malignant neoplasms of trachea bronchus and lung 41%
1728 Cerebral Angiogram - Lateral medullary syndrome secondary to left vertebral artery dissection. Malignant neoplasms of trachea bronchus and lung 41%
735 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. Heart failure 41%
4764 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. Heart failure 41%
397 Worrisome skin lesion. A punch biopsy of the worrisome skin lesion was obtained. Lesion was removed. Malignant neoplasms of trachea bronchus and lung 41%
4002 Worrisome skin lesion. A punch biopsy of the worrisome skin lesion was obtained. Lesion was removed. Malignant neoplasms of trachea bronchus and lung 41%
882 Right ear examination under anesthesia. Right tympanic membrane perforation along with chronic otitis media. Malignant neoplasms of trachea bronchus and lung 41%
3754 Right ear examination under anesthesia. Right tympanic membrane perforation along with chronic otitis media. Malignant neoplasms of trachea bronchus and lung 41%
2697 Left-sided large hemicraniectomy for traumatic brain injury and increased intracranial pressure. She came in with severe traumatic brain injury and severe multiple fractures of the right side of the skull. Acute myocardial infarction 41%
733 Left-sided large hemicraniectomy for traumatic brain injury and increased intracranial pressure. She came in with severe traumatic brain injury and severe multiple fractures of the right side of the skull. Acute myocardial infarction 41%
3220 Patient with a previous history of working in the coalmine and significant exposure to silica with resultant pneumoconiosis and fibrosis of the lung. All other forms of chronic ischemic heart disease 41%
4176 Patient with a previous history of working in the coalmine and significant exposure to silica with resultant pneumoconiosis and fibrosis of the lung. All other forms of chronic ischemic heart disease 41%
4691 Patient with a previous history of working in the coalmine and significant exposure to silica with resultant pneumoconiosis and fibrosis of the lung. All other forms of chronic ischemic heart disease 41%
2167 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. Alzheimer disease 41%
4291 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. Alzheimer disease 41%
2928 Stroke in distribution of recurrent artery of Huebner (left) Acute myocardial infarction 41%
1692 Stroke in distribution of recurrent artery of Huebner (left) Acute myocardial infarction 41%
1436 A 60-year-old female presents today for care of painful calluses and benign lesions. Malignant neoplasms of trachea bronchus and lung 41%
1844 A 60-year-old female presents today for care of painful calluses and benign lesions. Malignant neoplasms of trachea bronchus and lung 41%
1121 A 60-year-old female presents today for care of painful calluses and benign lesions. Malignant neoplasms of trachea bronchus and lung 41%
2618 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. Malignant neoplasms of trachea bronchus and lung 41%
902 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. Malignant neoplasms of trachea bronchus and lung 41%
2825 MRI Brain & MRI C-T spine: Multiple hemangioblastoma in Von Hippel Lindau Disease. Atherosclerotic cardiovascular disease so described 41%
2147 MRI Brain & MRI C-T spine: Multiple hemangioblastoma in Von Hippel Lindau Disease. Atherosclerotic cardiovascular disease so described 41%
1589 MRI Brain & MRI C-T spine: Multiple hemangioblastoma in Von Hippel Lindau Disease. Atherosclerotic cardiovascular disease so described 41%
4038 Incision and drainage of right buccal space abscess and teeth extraction. Malignant neoplasms of trachea bronchus and lung 41%
710 Incision and drainage of right buccal space abscess and teeth extraction. Malignant neoplasms of trachea bronchus and lung 41%
2907 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Atherosclerotic cardiovascular disease so described 41%
4834 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Atherosclerotic cardiovascular disease so described 41%
3963 Cerebrovascular accident (CVA) with right arm weakness and MRI indicating acute/subacute infarct involving the left posterior parietal lobe without mass effect. 2. Old coronary infarct, anterior aspect of the right external capsule. Acute bronchitis with reactive airway disease. Atherosclerotic cardiovascular disease so described 41%
4893 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Alzheimer disease 41%
3975 A 49-year-old man with respiratory distress, history of coronary artery disease with prior myocardial infarctions, and recently admitted with pneumonia and respiratory failure. Alzheimer disease 41%
4264 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. Cerebrovascular diseases 41%
2990 Patient with end-stage renal disease secondary to hypertension, a reasonable candidate for a kidney transplantation. Cerebrovascular diseases 41%
4869 Patient with palpitations and rcent worsening of chronic chest discomfort. All other forms of chronic ischemic heart disease 41%
4522 Patient with palpitations and rcent worsening of chronic chest discomfort. All other forms of chronic ischemic heart disease 41%
4147 Increasing oxygen requirement. Baby boy has significant pulmonary hypertension. All other forms of chronic ischemic heart disease 41%
4675 Increasing oxygen requirement. Baby boy has significant pulmonary hypertension. All other forms of chronic ischemic heart disease 41%
1905 Increasing oxygen requirement. Baby boy has significant pulmonary hypertension. All other forms of chronic ischemic heart disease 41%
283 A 26-mm Dacron graft replacement of type 4 thoracoabdominal aneurysm from T10 to the bifurcation of the aorta, re-implanting the celiac, superior mesenteric artery and right renal as an island and the left renal as a 8-mm interposition Dacron graft, utilizing left heart bypass and cerebrospinal fluid drainage. Acute myocardial infarction 41%
4638 A 26-mm Dacron graft replacement of type 4 thoracoabdominal aneurysm from T10 to the bifurcation of the aorta, re-implanting the celiac, superior mesenteric artery and right renal as an island and the left renal as a 8-mm interposition Dacron graft, utilizing left heart bypass and cerebrospinal fluid drainage. Acute myocardial infarction 41%
3010 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Cerebrovascular diseases 41%
3926 This is a 46-year-old gentleman with end-stage renal disease (ESRD) secondary to diabetes and hypertension, who had been on hemodialysis and is also status post cadaveric kidney transplant with chronic rejection. Cerebrovascular diseases 41%
1082 Right common carotid endarterectomy, internal carotid endarterectomy, external carotid endarterectomy, and Hemashield patch angioplasty of the right common, internal and external carotid arteries. Atherosclerotic cardiovascular disease so described 41%
4879 Right common carotid endarterectomy, internal carotid endarterectomy, external carotid endarterectomy, and Hemashield patch angioplasty of the right common, internal and external carotid arteries. Atherosclerotic cardiovascular disease so described 41%
2167 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. All other and unspecified malignant neoplasms 41%
4291 New patient consultation - Low back pain, degenerative disc disease, spinal stenosis, diabetes, and history of prostate cancer status post radiation. All other and unspecified malignant neoplasms 41%
3334 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. Heart failure 41%
4367 An 80-year-old female with recent complications of sepsis and respiratory failure who is now receiving tube feeds. Heart failure 41%
1532 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Heart failure 41%
4670 Elevated cardiac enzymes, fullness in chest, abnormal EKG, and risk factors. No evidence of exercise induced ischemia at a high myocardial workload. This essentially excludes obstructive CAD as a cause of her elevated troponin. Heart failure 41%
2958 Cerebral Angiogram and MRA for bilateral ophthalmic artery aneurysms. Acute myocardial infarction 41%
1724 Cerebral Angiogram and MRA for bilateral ophthalmic artery aneurysms. Acute myocardial infarction 41%
4714 A patient with non-Q-wave myocardial infarction. No definite chest pains. The patient is breathing okay. The patient denies orthopnea or PND. All other forms of chronic ischemic heart disease 41%
4243 A patient with non-Q-wave myocardial infarction. No definite chest pains. The patient is breathing okay. The patient denies orthopnea or PND. All other forms of chronic ischemic heart disease 41%
3301 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Cerebrovascular diseases 41%
1373 Short-term followup - Hypertension, depression, osteoporosis, and osteoarthritis. Cerebrovascular diseases 41%
513 Transplant nephrectomy after rejection of renal transplant All other forms of chronic ischemic heart disease 41%
2992 Transplant nephrectomy after rejection of renal transplant All other forms of chronic ischemic heart disease 41%
2981 Cadaveric renal transplant to right pelvis - endstage renal disease. Heart failure 41%
380 Cadaveric renal transplant to right pelvis - endstage renal disease. Heart failure 41%
4188 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. All other forms of chronic ischemic heart disease 41%
3719 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. All other forms of chronic ischemic heart disease 41%
1902 A 3-year-old female for evaluation of chronic ear infections bilateral - OM (otitis media), suppurative without spontaneous rupture. Adenoid hyperplasia bilateral. All other forms of chronic ischemic heart disease 41%
321 Repeat irrigation and debridement of Right distal femoral subperiosteal abscess. Malignant neoplasms of trachea bronchus and lung 41%
2044 Repeat irrigation and debridement of Right distal femoral subperiosteal abscess. Malignant neoplasms of trachea bronchus and lung 41%
1548 Myocardial perfusion study at rest and stress, gated SPECT wall motion study at stress and calculation of ejection fraction. All other forms of chronic ischemic heart disease 41%
4718 Myocardial perfusion study at rest and stress, gated SPECT wall motion study at stress and calculation of ejection fraction. All other forms of chronic ischemic heart disease 41%
1330 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. All other forms of heart disease 41%
3117 Posttransplant lymphoproliferative disorder, chronic renal insufficiency, squamous cell carcinoma of the skin, anemia secondary to chronic renal insufficiency and chemotherapy, and hypertension. The patient is here for followup visit and chemotherapy. All other forms of heart disease 41%
4866 Chest tube insertion done by two physicians in ER - spontaneous pneumothorax secondary to barometric trauma. Malignant neoplasms of trachea bronchus and lung 41%
1049 Chest tube insertion done by two physicians in ER - spontaneous pneumothorax secondary to barometric trauma. Malignant neoplasms of trachea bronchus and lung 41%
3858 Chest tube insertion done by two physicians in ER - spontaneous pneumothorax secondary to barometric trauma. Malignant neoplasms of trachea bronchus and lung 41%
782 Removal of foreign body of right thigh. Foreign body of the right thigh, sewing needle. Malignant neoplasms of trachea bronchus and lung 41%
4430 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Cerebrovascular diseases 41%
3011 Management of end-stage renal disease (ESRD), the patient on chronic hemodialysis, being admitted for chest pain. Cerebrovascular diseases 41%
2159 Medial branch rhizotomy, lumbosacral. Fluoroscopy was used to identify the boney landmarks of the spine and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 41%
555 Medial branch rhizotomy, lumbosacral. Fluoroscopy was used to identify the boney landmarks of the spine and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 41%
1970 Medial branch rhizotomy, lumbosacral. Fluoroscopy was used to identify the boney landmarks of the spine and the planned needle approach. The skin, subcutaneous tissue, and muscle within the planned approach were anesthetized with 1% Lidocaine. Malignant neoplasms of trachea bronchus and lung 41%
2957 Cerebral Angiogram - Lateral medullary syndrome secondary to left vertebral artery dissection. Atherosclerotic cardiovascular disease so described 41%
1728 Cerebral Angiogram - Lateral medullary syndrome secondary to left vertebral artery dissection. Atherosclerotic cardiovascular disease so described 41%
803 Fiberoptic bronchoscopy, diagnostic. Hemoptysis and history of lung cancer. Tumor occluding right middle lobe with friability. All other and unspecified malignant neoplasms 41%
4798 Fiberoptic bronchoscopy, diagnostic. Hemoptysis and history of lung cancer. Tumor occluding right middle lobe with friability. All other and unspecified malignant neoplasms 41%
2789 A neuropsychological evaluation to assess neuropsychological factors, clarify areas of strength and weakness, and to assist in therapeutic program planning in light of episodes of syncope. Other chronic lower respiratory diseases 41%
4249 A neuropsychological evaluation to assess neuropsychological factors, clarify areas of strength and weakness, and to assist in therapeutic program planning in light of episodes of syncope. Other chronic lower respiratory diseases 41%
1795 A neuropsychological evaluation to assess neuropsychological factors, clarify areas of strength and weakness, and to assist in therapeutic program planning in light of episodes of syncope. Other chronic lower respiratory diseases 41%
1429 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Acute myocardial infarction 41%
3428 Followup evaluation and management of chronic medical conditions. Congestive heart failure, stable on current regimen. Diabetes type II, A1c improved with increased doses of NPH insulin. Hyperlipidemia, chronic renal insufficiency, and arthritis. Acute myocardial infarction 41%
2979 The patient is a 74-year-old woman who presents for neurological consultation for possible adult hydrocephalus. Mild gait impairment and mild cognitive slowing. Other chronic lower respiratory diseases 41%
4579 The patient is a 74-year-old woman who presents for neurological consultation for possible adult hydrocephalus. Mild gait impairment and mild cognitive slowing. Other chronic lower respiratory diseases 41%
2558 Bilateral breast MRI with & without IV contrast. Malignant neoplasms of trachea bronchus and lung 41%
1590 Bilateral breast MRI with & without IV contrast. Malignant neoplasms of trachea bronchus and lung 41%
53 Adenocarcinoma of the prostate, Erectile dysfunction - History & Physical Malignant neoplasms of trachea bronchus and lung 41%
4171 Adenocarcinoma of the prostate, Erectile dysfunction - History & Physical Malignant neoplasms of trachea bronchus and lung 41%
4978 Patient suffered from morbid obesity for many years and made multiple attempts at nonsurgical weight loss without success. All other forms of chronic ischemic heart disease 41%
3938 Patient suffered from morbid obesity for many years and made multiple attempts at nonsurgical weight loss without success. All other forms of chronic ischemic heart disease 41%
4884 Problem of essential hypertension. Symptoms that suggested intracranial pathology. All other and unspecified malignant neoplasms 41%
1437 Problem of essential hypertension. Symptoms that suggested intracranial pathology. All other and unspecified malignant neoplasms 41%
1738 Ultrasound BPP - Advanced maternal age and hypertension. All other forms of heart disease 41%
2652 Ultrasound BPP - Advanced maternal age and hypertension. All other forms of heart disease 41%
1737 Carotid artery angiograms. Atherosclerotic cardiovascular disease so described 41%
4953 Carotid artery angiograms. Atherosclerotic cardiovascular disease so described 41%
465 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. Heart failure 40%
4706 Sinus bradycardia, sick-sinus syndrome, poor threshold on the ventricular lead and chronic lead. Right ventricular pacemaker lead placement and lead revision. Heart failure 40%
319 Right suboccipital craniectomy for resection of tumor using the microscope modifier 22 and cranioplasty. Malignant neoplasms of trachea bronchus and lung 40%
2766 Right suboccipital craniectomy for resection of tumor using the microscope modifier 22 and cranioplasty. Malignant neoplasms of trachea bronchus and lung 40%
2668 Right suboccipital craniectomy for resection of tumor using the microscope modifier 22 and cranioplasty. Malignant neoplasms of trachea bronchus and lung 40%
901 An 83-year-old diabetic female presents today stating that she would like diabetic foot care. Diabetes mellitus 40%
1417 An 83-year-old diabetic female presents today stating that she would like diabetic foot care. Diabetes mellitus 40%
1843 An 83-year-old diabetic female presents today stating that she would like diabetic foot care. Diabetes mellitus 40%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. All other forms of heart disease 40%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. All other forms of heart disease 40%
3752 Left ear cartilage graft, repair of nasal vestibular stenosis using an ear cartilage graft, cosmetic rhinoplasty, left inferior turbinectomy. Malignant neoplasms of trachea bronchus and lung 40%
884 Left ear cartilage graft, repair of nasal vestibular stenosis using an ear cartilage graft, cosmetic rhinoplasty, left inferior turbinectomy. Malignant neoplasms of trachea bronchus and lung 40%
793 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. All other and unspecified malignant neoplasms 40%
4791 Fiberoptic flexible bronchoscopy with lavage, brushings, and endobronchial mucosal biopsies of the right bronchus intermedius/right lower lobe. Right hyoid mass, rule out carcinomatosis. Chronic obstructive pulmonary disease. Changes consistent with acute and chronic bronchitis. All other and unspecified malignant neoplasms 40%
2787 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. Other chronic lower respiratory diseases 40%
4245 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. Other chronic lower respiratory diseases 40%
1794 Patient was referred for a neuropsychological evaluation after a recent hospitalization for possible transient ischemic aphasia. Two years ago, a similar prolonged confusional spell was reported as well. A comprehensive evaluation was requested to assess current cognitive functioning and assist with diagnostic decisions and treatment planning. Other chronic lower respiratory diseases 40%
4446 A 63-year-old man with a dilated cardiomyopathy presents with a chief complaint of heart failure. He has noted shortness of breath with exertion and occasional shortness of breath at rest. Heart failure 40%
4829 A 63-year-old man with a dilated cardiomyopathy presents with a chief complaint of heart failure. He has noted shortness of breath with exertion and occasional shortness of breath at rest. Heart failure 40%
3489 Diagnostic laparoscopy and rigid sigmoidoscopy. Acute pain, fever postoperatively, hemostatic uterine perforation, no bowel or vascular trauma. Other chronic lower respiratory diseases 40%
615 Diagnostic laparoscopy and rigid sigmoidoscopy. Acute pain, fever postoperatively, hemostatic uterine perforation, no bowel or vascular trauma. Other chronic lower respiratory diseases 40%
272 Tonsillectomy, adenoidectomy, and removal of foreign body (rock) from right ear. Malignant neoplasms of trachea bronchus and lung 40%
3701 Tonsillectomy, adenoidectomy, and removal of foreign body (rock) from right ear. Malignant neoplasms of trachea bronchus and lung 40%
739 Left heart catheterization, left ventriculography, selective coronary angiography. Atherosclerotic cardiovascular disease so described 40%
4768 Left heart catheterization, left ventriculography, selective coronary angiography. Atherosclerotic cardiovascular disease so described 40%
4293 Patient with a 1-year history of progressive anterograde amnesia All other forms of chronic ischemic heart disease 40%
2851 Patient with a 1-year history of progressive anterograde amnesia All other forms of chronic ischemic heart disease 40%
398 Pulmonary valve stenosis, supple pulmonic narrowing, and static encephalopathy Malignant neoplasms of trachea bronchus and lung 40%
4674 Pulmonary valve stenosis, supple pulmonic narrowing, and static encephalopathy Malignant neoplasms of trachea bronchus and lung 40%
3273 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. Alzheimer disease 40%
3916 Hypothermia. Rule out sepsis, was negative as blood cultures, sputum cultures, and urine cultures were negative. Organic brain syndrome. Seizure disorder. Adrenal insufficiency. Hypothyroidism. Anemia of chronic disease. Alzheimer disease 40%
4145 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Cerebrovascular diseases 40%
4678 This 61-year-old retailer who presents with acute shortness of breath, hypertension, found to be in acute pulmonary edema. No confirmed prior history of heart attack, myocardial infarction, heart failure. Cerebrovascular diseases 40%
1229 Laparoscopic appendectomy and peritoneal toilet and photos. Pelvic inflammatory disease and periappendicitis. Other chronic lower respiratory diseases 40%
3671 Laparoscopic appendectomy and peritoneal toilet and photos. Pelvic inflammatory disease and periappendicitis. Other chronic lower respiratory diseases 40%
509 Acute acalculous cholecystitis. Open cholecystectomy. The patient's gallbladder had some patchy and necrosis areas. There were particular changes on the serosal surface as well as on the mucosal surface with multiple clots within the gallbladder. Malignant neoplasms of trachea bronchus and lung 40%
3478 Acute acalculous cholecystitis. Open cholecystectomy. The patient's gallbladder had some patchy and necrosis areas. There were particular changes on the serosal surface as well as on the mucosal surface with multiple clots within the gallbladder. Malignant neoplasms of trachea bronchus and lung 40%
751 Left heart cath, selective coronary angiography, LV gram, right femoral arteriogram, and Mynx closure device. Normal stress test. All other forms of chronic ischemic heart disease 40%
4776 Left heart cath, selective coronary angiography, LV gram, right femoral arteriogram, and Mynx closure device. Normal stress test. All other forms of chronic ischemic heart disease 40%
2839 MRI Brain - Progressive Multifocal Leukoencephalopathy (PML) occurring in an immunosuppressed patient with polymyositis. Alzheimer disease 40%
1602 MRI Brain - Progressive Multifocal Leukoencephalopathy (PML) occurring in an immunosuppressed patient with polymyositis. Alzheimer disease 40%
2872 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Alzheimer disease 40%
4339 This is a 62-year-old woman with hypertension, diabetes mellitus, prior stroke who has what sounds like Guillain-Barre syndrome, likely the Miller-Fisher variant. Alzheimer disease 40%
3276 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. All other diseases Residual 40%
1367 Human immunodeficiency virus disease with stable control on Atripla. Resolving left gluteal abscess, completing Flagyl. Diabetes mellitus, currently on oral therapy. Hypertension, depression, and chronic musculoskeletal pain of unclear etiology. All other diseases Residual 40%
1089 Left carotid endarterectomy with endovascular patch angioplasty. Critical left carotid stenosis. The external carotid artery was occluded at its origin. When the endarterectomy was performed, the external carotid artery back-bled nicely. The internal carotid artery had good backflow bleeding noted. Atherosclerotic cardiovascular disease so described 40%
4874 Left carotid endarterectomy with endovascular patch angioplasty. Critical left carotid stenosis. The external carotid artery was occluded at its origin. When the endarterectomy was performed, the external carotid artery back-bled nicely. The internal carotid artery had good backflow bleeding noted. Atherosclerotic cardiovascular disease so described 40%
3850 A 48-year-old white married female presents in the emergency room after two days of increasing fever with recent diagnosis of urinary tract infection on outpatient treatment with nitrofurantoin. Other chronic lower respiratory diseases 40%
3388 A 48-year-old white married female presents in the emergency room after two days of increasing fever with recent diagnosis of urinary tract infection on outpatient treatment with nitrofurantoin. Other chronic lower respiratory diseases 40%
3925 A 48-year-old white married female presents in the emergency room after two days of increasing fever with recent diagnosis of urinary tract infection on outpatient treatment with nitrofurantoin. Other chronic lower respiratory diseases 40%
4536 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. Cerebrovascular diseases 40%
4905 A woman with history of coronary artery disease, has had coronary artery bypass grafting x2 and percutaneous coronary intervention with stenting x1. She also has a significant history of chronic renal insufficiency and severe COPD. Cerebrovascular diseases 40%
4123 History of abdominal pain, obstipation, and distention with nausea and vomiting - paralytic ileus and mechanical obstruction. Other chronic lower respiratory diseases 40%
3471 History of abdominal pain, obstipation, and distention with nausea and vomiting - paralytic ileus and mechanical obstruction. Other chronic lower respiratory diseases 40%
4938 Bronchoscopy for persistent cough productive of sputum requiring repeated courses of oral antibiotics over the last six weeks in a patient who is a recipient of a bone marrow transplant with end-stage chemotherapy and radiation-induced pulmonary fibrosis. Malignant neoplasms of trachea bronchus and lung 40%
1137 Bronchoscopy for persistent cough productive of sputum requiring repeated courses of oral antibiotics over the last six weeks in a patient who is a recipient of a bone marrow transplant with end-stage chemotherapy and radiation-induced pulmonary fibrosis. Malignant neoplasms of trachea bronchus and lung 40%
4781 Right heart catheterization. Refractory CHF to maximum medical therapy. Acute myocardial infarction 40%
756 Right heart catheterization. Refractory CHF to maximum medical therapy. Acute myocardial infarction 40%
3158 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. All other forms of chronic ischemic heart disease 40%
4346 Asked to see the patient in regards to a brain tumor. She was initially diagnosed with a glioblastoma multiforme. She presented with several lesions in her brain and a biopsy confirmed the diagnosis. All other forms of chronic ischemic heart disease 40%
3832 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. All other forms of heart disease 40%
4766 Very high PT-INR. she came in with pneumonia and CHF. She was noticed to be in atrial fibrillation, which is a chronic problem for her. All other forms of heart disease 40%
394 Invasive carcinoma of left breast. Left modified radical mastectomy. All other and unspecified malignant neoplasms 40%
3121 Invasive carcinoma of left breast. Left modified radical mastectomy. All other and unspecified malignant neoplasms 40%
2543 Invasive carcinoma of left breast. Left modified radical mastectomy. All other and unspecified malignant neoplasms 40%
4811 Abnormal cardiac enzyme profile. The patient is a 66-year-old gentleman, was brought into emergency room with obtundation. The patient was mechanically ventilated originally. His initial diagnosis was septic shock. His labs showed elevated cardiac enzyme profile. Acute myocardial infarction 40%
4437 Abnormal cardiac enzyme profile. The patient is a 66-year-old gentleman, was brought into emergency room with obtundation. The patient was mechanically ventilated originally. His initial diagnosis was septic shock. His labs showed elevated cardiac enzyme profile. Acute myocardial infarction 40%
739 Left heart catheterization, left ventriculography, selective coronary angiography. All other forms of chronic ischemic heart disease 40%
4768 Left heart catheterization, left ventriculography, selective coronary angiography. All other forms of chronic ischemic heart disease 40%
3656 Genetic counseling for a strong family history of colon polyps. She has had colonoscopies required every five years and every time she has polyps were found. She reports that of her 11 brothers and sister 7 have had precancerous polyps. All other and unspecified malignant neoplasms 40%
3172 Genetic counseling for a strong family history of colon polyps. She has had colonoscopies required every five years and every time she has polyps were found. She reports that of her 11 brothers and sister 7 have had precancerous polyps. All other and unspecified malignant neoplasms 40%
4515 Genetic counseling for a strong family history of colon polyps. She has had colonoscopies required every five years and every time she has polyps were found. She reports that of her 11 brothers and sister 7 have had precancerous polyps. All other and unspecified malignant neoplasms 40%
3323 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. All other forms of heart disease 40%
4354 The patient is a 61-year-old lady who was found down at home and was admitted for respiratory failure, septic shock, acute renal failure as well as metabolic acidosis. All other forms of heart disease 40%
1659 CT Brain - unshunted hydrocephalus, Dandy-Walker Malformation. Malignant neoplasms of trachea bronchus and lung 40%
2906 CT Brain - unshunted hydrocephalus, Dandy-Walker Malformation. Malignant neoplasms of trachea bronchus and lung 40%
4835 A 51-year-old male with chest pain and history of coronary artery disease. Cerebrovascular diseases 40%
1721 A 51-year-old male with chest pain and history of coronary artery disease. Cerebrovascular diseases 40%
4685 Pulmonary Function Test to evaluate dyspnea. All other forms of chronic ischemic heart disease 40%
3978 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of heart disease 40%
3442 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of heart disease 40%
4865 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of heart disease 40%
1432 A lady was admitted to the hospital with chest pain and respiratory insufficiency. She has chronic lung disease with bronchospastic angina. All other forms of heart disease 40%
4799 No chest pain with exercise and no significant ECG changes with exercise. Poor exercise capacity 6 weeks following an aortic valve replacement and single-vessel bypass procedure. All other forms of chronic ischemic heart disease 40%
47 Cystoscopy under anesthesia, retrograde and antegrade pyeloureteroscopy, left ureteropelvic junction obstruction, difficult and open renal biopsy. Malignant neoplasms of trachea bronchus and lung 40%
395 Cystoscopy under anesthesia, retrograde and antegrade pyeloureteroscopy, left ureteropelvic junction obstruction, difficult and open renal biopsy. Malignant neoplasms of trachea bronchus and lung 40%
4790 Right and left heart catheterization, coronary angiography, left ventriculography. All other forms of chronic ischemic heart disease 40%
759 Right and left heart catheterization, coronary angiography, left ventriculography. All other forms of chronic ischemic heart disease 40%
1454 Chronic lymphocytic leukemia (CLL), autoimmune hemolytic anemia, and oral ulcer. The patient was diagnosed with chronic lymphocytic leukemia and was noted to have autoimmune hemolytic anemia at the time of his CLL diagnosis. All other and unspecified malignant neoplasms 40%
3191 Chronic lymphocytic leukemia (CLL), autoimmune hemolytic anemia, and oral ulcer. The patient was diagnosed with chronic lymphocytic leukemia and was noted to have autoimmune hemolytic anemia at the time of his CLL diagnosis. All other and unspecified malignant neoplasms 40%
4903 Cardiac evaluation and treatment in a patient who came in the hospital with abdominal pain. Acute myocardial infarction 40%
4534 Cardiac evaluation and treatment in a patient who came in the hospital with abdominal pain. Acute myocardial infarction 40%
1906 Ligation (clip interruption) of patent ductus arteriosus. This premature baby with operative weight of 600 grams and evidence of persistent pulmonary over circulation and failure to thrive has been diagnosed with a large patent ductus arteriosus originating in the left-sided aortic arch. Malignant neoplasms of trachea bronchus and lung 40%
464 Ligation (clip interruption) of patent ductus arteriosus. This premature baby with operative weight of 600 grams and evidence of persistent pulmonary over circulation and failure to thrive has been diagnosed with a large patent ductus arteriosus originating in the left-sided aortic arch. Malignant neoplasms of trachea bronchus and lung 40%
4703 Ligation (clip interruption) of patent ductus arteriosus. This premature baby with operative weight of 600 grams and evidence of persistent pulmonary over circulation and failure to thrive has been diagnosed with a large patent ductus arteriosus originating in the left-sided aortic arch. Malignant neoplasms of trachea bronchus and lung 40%
3422 Nonhealing right ankle stasis ulcer. A 52-year-old native American-Indian man with hypertension, chronic intermittent bipedal edema, and recurrent leg venous ulcers was admitted for scheduled vascular surgery. Acute myocardial infarction 40%
4473 Nonhealing right ankle stasis ulcer. A 52-year-old native American-Indian man with hypertension, chronic intermittent bipedal edema, and recurrent leg venous ulcers was admitted for scheduled vascular surgery. Acute myocardial infarction 40%
1540 Left breast cancer. Nuclear medicine lymphatic scan. A 16-hour left anterior oblique imaging was performed with and without shielding of the original injection site. Malignant neoplasms of trachea bronchus and lung 40%
3125 Left breast cancer. Nuclear medicine lymphatic scan. A 16-hour left anterior oblique imaging was performed with and without shielding of the original injection site. Malignant neoplasms of trachea bronchus and lung 40%
181 Wound debridement with removal of Surgisis xenograft and debridement of skin and subcutaneous tissue, secondary closure of wound, and VAC insertion. Malignant neoplasms of trachea bronchus and lung 40%
4640 The patient was originally hospitalized secondary to dizziness and disequilibrium. Extensive workup during her first hospitalization was all negative, but a prominent feature was her very blunted affect and real anhedonia. All other forms of heart disease 40%
2448 The patient was originally hospitalized secondary to dizziness and disequilibrium. Extensive workup during her first hospitalization was all negative, but a prominent feature was her very blunted affect and real anhedonia. All other forms of heart disease 40%
780 Microscopic hematuria with lateral lobe obstruction, mild. Other chronic lower respiratory diseases 40%
125 Microscopic hematuria with lateral lobe obstruction, mild. Other chronic lower respiratory diseases 40%
749 Left heart catheterization, left and right coronary angiography, left ventricular angiography, and intercoronary stenting of the right coronary artery. All other forms of chronic ischemic heart disease 40%
4775 Left heart catheterization, left and right coronary angiography, left ventricular angiography, and intercoronary stenting of the right coronary artery. All other forms of chronic ischemic heart disease 40%
3650 Colon cancer screening and family history of polyps. Sigmoid diverticulosis and internal hemorrhoids. All other and unspecified malignant neoplasms 40%
1008 Colon cancer screening and family history of polyps. Sigmoid diverticulosis and internal hemorrhoids. All other and unspecified malignant neoplasms 40%
3814 Complete heart block with pacemaker malfunction and a history of Shone complex. Heart failure 40%
4668 Complete heart block with pacemaker malfunction and a history of Shone complex. Heart failure 40%
2863 Caudate Nuclei atrophy, bilaterally, in patient with Huntington Disease. All other forms of chronic ischemic heart disease 40%
4325 Caudate Nuclei atrophy, bilaterally, in patient with Huntington Disease. All other forms of chronic ischemic heart disease 40%
4915 Left cardiac catheterization with selective right and left coronary angiography. Post infarct angina. Atherosclerotic cardiovascular disease so described 40%
1107 Left cardiac catheterization with selective right and left coronary angiography. Post infarct angina. Atherosclerotic cardiovascular disease so described 40%
3907 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Alzheimer disease 40%
3510 Laparoscopic cholecystectomy. Acute cholecystitis, status post laparoscopic cholecystectomy, end-stage renal disease on hemodialysis, hyperlipidemia, hypertension, congestive heart failure, skin lymphoma 5 years ago, and hypothyroidism. Alzheimer disease 40%
3284 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Acute myocardial infarction 40%
4338 History of diabetes, osteoarthritis, atrial fibrillation, hypertension, asthma, obstructive sleep apnea on CPAP, diabetic foot ulcer, anemia, and left lower extremity cellulitis. Acute myocardial infarction 40%
3973 Congestive heart failure (CHF) with left pleural effusion. Anemia of chronic disease. Malignant neoplasms of trachea bronchus and lung 40%
1015 Left upper extremity amputation. This 3-year-old male suffered amputation of his left upper extremity with complications of injury. He presents at this time for further attempts at closure. Left abdominal flap 5 x 5 cm to left forearm, debridement of skin, subcutaneous tissue, muscle, and bone, closure of wounds, placement of VAC negative pressure wound dressing. Malignant neoplasms of trachea bronchus and lung 40%
4075 Left upper extremity amputation. This 3-year-old male suffered amputation of his left upper extremity with complications of injury. He presents at this time for further attempts at closure. Left abdominal flap 5 x 5 cm to left forearm, debridement of skin, subcutaneous tissue, muscle, and bone, closure of wounds, placement of VAC negative pressure wound dressing. Malignant neoplasms of trachea bronchus and lung 40%
2589 Total laparoscopic hysterectomy with laparoscopic staging, including paraaortic lymphadenectomy, bilateral pelvic and obturator lymphadenectomy, and washings. Malignant neoplasms of trachea bronchus and lung 40%
627 Total laparoscopic hysterectomy with laparoscopic staging, including paraaortic lymphadenectomy, bilateral pelvic and obturator lymphadenectomy, and washings. Malignant neoplasms of trachea bronchus and lung 40%
1919 This is a 3-week-old, NSVD, Caucasian baby boy transferred from ABCD Memorial Hospital for rule out sepsis and possible congenital heart disease. All other forms of heart disease 40%
4260 This is a 3-week-old, NSVD, Caucasian baby boy transferred from ABCD Memorial Hospital for rule out sepsis and possible congenital heart disease. All other forms of heart disease 40%
1112 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Cerebrovascular diseases 40%
4917 Cardiac Catheterization - An obese female with a family history of coronary disease and history of chest radiation for Hodgkin disease, presents with an acute myocardial infarction with elevated enzymes. Cerebrovascular diseases 40%
3148 Marginal B-cell lymphoma, status post splenectomy. Testicular swelling - possible epididymitis or possible torsion of the testis. All other and unspecified malignant neoplasms 40%
4285 Marginal B-cell lymphoma, status post splenectomy. Testicular swelling - possible epididymitis or possible torsion of the testis. All other and unspecified malignant neoplasms 40%
4211 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. Heart failure 40%
3809 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. Heart failure 40%
3230 A 93-year-old female called up her next-door neighbor to say that she was not feeling well. The patient was given discharge instructions on dementia and congestive heart failure and asked to return to the emergency room should she have any new problems or symptoms of concern. Heart failure 40%
1337 A 47-year-old white female presents with concern about possible spider bite to the left side of her neck. Malignant neoplasms of trachea bronchus and lung 40%
3228 A 47-year-old white female presents with concern about possible spider bite to the left side of her neck. Malignant neoplasms of trachea bronchus and lung 40%
1136 Bronchoscopy for hypoxia and increasing pulmonary secretions All other forms of chronic ischemic heart disease 40%
4933 Bronchoscopy for hypoxia and increasing pulmonary secretions All other forms of chronic ischemic heart disease 40%
902 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. All other forms of heart disease 40%
2618 Diagnostic laparoscopy. Acute pelvic inflammatory disease and periappendicitis. The patient appears to have a significant pain requiring surgical evaluation. It did not appear that the pain was pelvic in nature, but more higher up in the abdomen, more towards the appendix. All other forms of heart disease 40%
4452 Dietary consultation for a woman with polycystic ovarian syndrome and hyperlipidemia. Diabetes mellitus 40%
645 Chronic cholecystitis without cholelithiasis. All other forms of chronic ischemic heart disease 40%
3508 Chronic cholecystitis without cholelithiasis. All other forms of chronic ischemic heart disease 40%
3017 Cystourethroscopy, bilateral retrograde pyelogram, and transurethral resection of bladder tumor of 1.5 cm in size. Recurrent bladder tumor and history of bladder carcinoma. All other and unspecified malignant neoplasms 40%
142 Cystourethroscopy, bilateral retrograde pyelogram, and transurethral resection of bladder tumor of 1.5 cm in size. Recurrent bladder tumor and history of bladder carcinoma. All other and unspecified malignant neoplasms 40%
939 Cystourethroscopy, bilateral retrograde pyelogram, and transurethral resection of bladder tumor of 1.5 cm in size. Recurrent bladder tumor and history of bladder carcinoma. All other and unspecified malignant neoplasms 40%
3982 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Cerebrovascular diseases 40%
4892 Need for cardiac catheterization. Coronary artery disease, chest pain, history of diabetes, history of hypertension, history of obesity, a 1.1 cm lesion in the medial aspect of the right parietal lobe, and deconditioning. Cerebrovascular diseases 40%
4263 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Atherosclerotic cardiovascular disease so described 40%
2987 The patient is admitted with a diagnosis of acute on chronic renal insufficiency. Atherosclerotic cardiovascular disease so described 40%
516 Laparoscopic right partial nephrectomy due to right renal mass. Malignant neoplasms of trachea bronchus and lung 40%
2998 Laparoscopic right partial nephrectomy due to right renal mass. Malignant neoplasms of trachea bronchus and lung 40%
4978 Patient suffered from morbid obesity for many years and made multiple attempts at nonsurgical weight loss without success. All other forms of heart disease 40%
3938 Patient suffered from morbid obesity for many years and made multiple attempts at nonsurgical weight loss without success. All other forms of heart disease 40%
3574 EGD with photos and biopsies. This is a 75-year-old female who presents with difficulty swallowing, occasional choking, and odynophagia. She has a previous history of hiatal hernia. She was on Prevacid currently. Other chronic lower respiratory diseases 40%
873 EGD with photos and biopsies. This is a 75-year-old female who presents with difficulty swallowing, occasional choking, and odynophagia. She has a previous history of hiatal hernia. She was on Prevacid currently. Other chronic lower respiratory diseases 40%
1820 Excision of neuroma, third interspace, left foot. Morton's neuroma, third interspace, left foot. Malignant neoplasms of trachea bronchus and lung 40%
518 Excision of neuroma, third interspace, left foot. Morton's neuroma, third interspace, left foot. Malignant neoplasms of trachea bronchus and lung 40%
2994 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Cerebrovascular diseases 40%
4265 Patient with a diagnosis of pancreatitis, developed hypotension and possible sepsis and respiratory, as well as renal failure. Cerebrovascular diseases 40%
2701 Right frontotemporoparietal craniotomy, evacuation of acute subdural hematoma. Acute subdural hematoma, right, with herniation syndrome. Acute myocardial infarction 40%
776 Right frontotemporoparietal craniotomy, evacuation of acute subdural hematoma. Acute subdural hematoma, right, with herniation syndrome. Acute myocardial infarction 40%
1193 Creation of right brachiocephalic arteriovenous fistula. Malignant neoplasms of trachea bronchus and lung 40%
3060 Creation of right brachiocephalic arteriovenous fistula. Malignant neoplasms of trachea bronchus and lung 40%
4155 Psychiatric consultation for management of pain medications. Other chronic lower respiratory diseases 40%
1781 Psychiatric consultation for management of pain medications. Other chronic lower respiratory diseases 40%
3895 Symptomatic thyroid goiter. Total thyroidectomy. All other and unspecified malignant neoplasms 40%
3219 Symptomatic thyroid goiter. Total thyroidectomy. All other and unspecified malignant neoplasms 40%
4735 Lexiscan myoview stress study. Chest discomfort. Normal stress/rest cardiac perfusion with no indication of ischemia. Normal LV function and low likelihood of significant epicardial coronary narrowing. All other forms of heart disease 40%
1610 Lexiscan myoview stress study. Chest discomfort. Normal stress/rest cardiac perfusion with no indication of ischemia. Normal LV function and low likelihood of significant epicardial coronary narrowing. All other forms of heart disease 40%
2779 Status post brain tumor removal. The patient is a 64-year-old female referred to physical therapy following complications related to brain tumor removal. She had a brain tumor removed and had left-sided weakness. All other forms of heart disease 40%
1858 Status post brain tumor removal. The patient is a 64-year-old female referred to physical therapy following complications related to brain tumor removal. She had a brain tumor removed and had left-sided weakness. All other forms of heart disease 40%
4352 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. Alzheimer disease 40%
3320 Comprehensive Evaluation - Diabetes, hypertension, irritable bowel syndrome, and insomnia. Alzheimer disease 40%
521 Needle-localized excisional biopsy of the left breast. Left breast mass with abnormal mammogram. The patient had a nonpalpable left breast mass, which was excised and sent to Radiology with confirmation that the mass is in the specimen. Malignant neoplasms of trachea bronchus and lung 40%
2934 Heidenhain variant of Creutzfeldt-Jakob Disease (CJD) Cerebrovascular diseases 40%
1529 Single frontal view of the chest. Respiratory distress. The patient has a history of malrotation. All other forms of chronic ischemic heart disease 40%
1890 Single frontal view of the chest. Respiratory distress. The patient has a history of malrotation. All other forms of chronic ischemic heart disease 40%
3697 Tonsillectomy and adenoidectomy and Left superficial nasal cauterization. Recurrent tonsillitis. Deeply cryptic hypertrophic tonsils with numerous tonsillolith. Residual adenoid hypertrophy and recurrent epistaxis. All other and unspecified malignant neoplasms 40%
266 Tonsillectomy and adenoidectomy and Left superficial nasal cauterization. Recurrent tonsillitis. Deeply cryptic hypertrophic tonsils with numerous tonsillolith. Residual adenoid hypertrophy and recurrent epistaxis. All other and unspecified malignant neoplasms 40%
3609 A 50-year-old female whose 51-year-old sister has a history of multiple colon polyps, which may slightly increase her risk for colon cancer in the future. All other forms of heart disease 40%
4484 A 50-year-old female whose 51-year-old sister has a history of multiple colon polyps, which may slightly increase her risk for colon cancer in the future. All other forms of heart disease 40%
3798 Urgent cardiac catheterization with coronary angiogram. All other forms of chronic ischemic heart disease 40%
4614 Urgent cardiac catheterization with coronary angiogram. All other forms of chronic ischemic heart disease 40%
210 Urgent cardiac catheterization with coronary angiogram. All other forms of chronic ischemic heart disease 40%
605 Microscopic suspension direct laryngoscopy with biopsy of left true vocal cord stripping. Hoarseness, bilateral true vocal cord lesions, and leukoplakia. All other and unspecified malignant neoplasms 40%
3743 Microscopic suspension direct laryngoscopy with biopsy of left true vocal cord stripping. Hoarseness, bilateral true vocal cord lesions, and leukoplakia. All other and unspecified malignant neoplasms 40%
789 Breast flap revision, nipple reconstruction, reduction mammoplasty, breast medial lesion enclosure. Malignant neoplasms of trachea bronchus and lung 40%
4059 Breast flap revision, nipple reconstruction, reduction mammoplasty, breast medial lesion enclosure. Malignant neoplasms of trachea bronchus and lung 40%
4875 Right subclavian triple lumen central line placement Malignant neoplasms of trachea bronchus and lung 40%
1057 Right subclavian triple lumen central line placement Malignant neoplasms of trachea bronchus and lung 40%
735 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. All other forms of heart disease 40%
4764 Left heart catheterization, coronary angiography, and left ventriculogram. No angiographic evidence of coronary artery disease. Normal left ventricular systolic function. Normal left ventricular end diastolic pressure. All other forms of heart disease 40%
3328 Anxiety, alcohol abuse, and chest pain. This is a 40-year-old male with digoxin toxicity secondary to likely intentional digoxin overuse. Now, he has had significant block with EKG changes as stated. All other forms of chronic ischemic heart disease 40%
4365 Anxiety, alcohol abuse, and chest pain. This is a 40-year-old male with digoxin toxicity secondary to likely intentional digoxin overuse. Now, he has had significant block with EKG changes as stated. All other forms of chronic ischemic heart disease 40%
2571 Repeat low-transverse C-section, lysis of omental adhesions, lysis of uterine adhesions with repair of uterine defect, and bilateral tubal ligation. Malignant neoplasms of trachea bronchus and lung 40%
581 Repeat low-transverse C-section, lysis of omental adhesions, lysis of uterine adhesions with repair of uterine defect, and bilateral tubal ligation. Malignant neoplasms of trachea bronchus and lung 40%
4131 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. Heart failure 40%
2984 Renal failure evaluation for possible dialysis therapy. Acute kidney injury of which etiology is unknown at this time, with progressive azotemia unresponsive to IV fluids. Heart failure 40%
976 A 10-1/2-year-old born with asplenia syndrome with a complex cyanotic congenital heart disease characterized by dextrocardia bilateral superior vena cava, complete atrioventricular septal defect, a total anomalous pulmonary venous return to the right-sided atrium, and double-outlet to the right ventricle with malposed great vessels, the aorta being anterior with a severe pulmonary stenosis. All other forms of chronic ischemic heart disease 40%
4854 A 10-1/2-year-old born with asplenia syndrome with a complex cyanotic congenital heart disease characterized by dextrocardia bilateral superior vena cava, complete atrioventricular septal defect, a total anomalous pulmonary venous return to the right-sided atrium, and double-outlet to the right ventricle with malposed great vessels, the aorta being anterior with a severe pulmonary stenosis. All other forms of chronic ischemic heart disease 40%
4510 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. Heart failure 40%
4858 Abnormal EKG and rapid heart rate. The patient came to the emergency room. Initially showed atrial fibrillation with rapid ventricular response. It appears that the patient has chronic atrial fibrillation. She denies any specific chest pain. Her main complaint is shortness of breath and symptoms as above. Heart failure 40%
4906 Left heart cardiac catheterization. Atherosclerotic cardiovascular disease so described 40%
1091 Left heart cardiac catheterization. Atherosclerotic cardiovascular disease so described 40%
409 Right pterional craniotomy with obliteration of medial temporal arteriovenous malformation and associated aneurysm and evacuation of frontotemporal intracerebral hematoma. Malignant neoplasms of trachea bronchus and lung 40%
2673 Right pterional craniotomy with obliteration of medial temporal arteriovenous malformation and associated aneurysm and evacuation of frontotemporal intracerebral hematoma. Malignant neoplasms of trachea bronchus and lung 40%
1484 X-RAY of the soft tissues of the neck. All other and unspecified malignant neoplasms 40%
3931 Patient with left renal cell carcinoma, left renal cyst, had robotic-Assisted laparoscopic left renal cyst decortication and cystoscopy. All other and unspecified malignant neoplasms 40%
3012 Patient with left renal cell carcinoma, left renal cyst, had robotic-Assisted laparoscopic left renal cyst decortication and cystoscopy. All other and unspecified malignant neoplasms 40%
3754 Right ear examination under anesthesia. Right tympanic membrane perforation along with chronic otitis media. Other chronic lower respiratory diseases 40%
882 Right ear examination under anesthesia. Right tympanic membrane perforation along with chronic otitis media. Other chronic lower respiratory diseases 40%
4523 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. All other and unspecified malignant neoplasms 40%
3046 This is a 48-year-old black male with stage IV chronic kidney disease likely secondary to HIV nephropathy, although there is no history of renal biopsy, who has been noncompliant with the Renal Clinic and presents today for followup at the recommendation of his Infection Disease doctors. All other and unspecified malignant neoplasms 40%
1388 Patient comes in for two-month followup - Hypertension, family history of CVA, Compression fracture of L1, and osteoarthritis of knee. All other forms of chronic ischemic heart disease 40%
3308 Patient comes in for two-month followup - Hypertension, family history of CVA, Compression fracture of L1, and osteoarthritis of knee. All other forms of chronic ischemic heart disease 40%
3828 Presents to the ER with hematuria that began while sleeping last night. He denies any pain, nausea, vomiting or diarrhea. Other chronic lower respiratory diseases 40%
3013 Presents to the ER with hematuria that began while sleeping last night. He denies any pain, nausea, vomiting or diarrhea. Other chronic lower respiratory diseases 40%
117 Presents to the ER with hematuria that began while sleeping last night. He denies any pain, nausea, vomiting or diarrhea. Other chronic lower respiratory diseases 40%
4328 Presents to the ER with hematuria that began while sleeping last night. He denies any pain, nausea, vomiting or diarrhea. Other chronic lower respiratory diseases 40%