Skip to content

Instantly share code, notes, and snippets.

@AashishTiwari
Created March 23, 2017 18:47
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 1 You must be signed in to fork a gist
  • Save AashishTiwari/01d53ebdb730eee30b033fa042e89525 to your computer and use it in GitHub Desktop.
Save AashishTiwari/01d53ebdb730eee30b033fa042e89525 to your computer and use it in GitHub Desktop.
Display the source blob
Display the rendered blob
Raw
{
"cells": [
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Clustering Drug Recall and Enforcement Topics.\n",
"#### Topic Mining: Visualizing topics in text with LDA\n",
"\n",
"#### **AI LAB TEAM** - Persistent Systems Ltd.\n"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Table of contents\n",
"\n",
"\n",
"1. [Step 1: Environment Setup](#Step-1:-Environment-Setup)\n",
"\n",
"2. [Step 2: Data acquisition from OpenFDA](#Step-2:-Data-acquisition-from-OpenFDA)\n",
"\n",
"3. [Step 3: Data analysis](#Step-3:-Data-analysis)\n",
" - [Data discovery](#Data-discovery)\n",
" - [Text processing : tokenization](#Text-processing-:-tokenization)\n",
" - [Text processing : tf-idf](#Text-processing-:-tf-idf)\n",
"\n",
"4. [Step 4: Clustering](#Step-4:-Clustering)\n",
" - [KMeans](#KMeans)\n",
" - [Latent Dirichlet Allocation](#Latent-Dirichlet-Allocation)\n",
" - [Visualization of the topics using pyLDAvis](#Visualization-of-the-topics-using-pyLDAvis)\n",
"\n",
"5. [Step 5: Conclusion](#Step-5:-Conclusion)\n",
"\n",
"6. [Step 6: References](#Step-6:-References)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Introduction"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Step 1: Environment Setup"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"[[ go back to the top ]](#Table-of-contents)\n",
"\n",
"We suggest downloading the Anaconda distribution for python 3.6 from this <a href=\"https://www.continuum.io/downloads\">link</a>. This distribution wraps python with the necessary packages used in data science like Numpy, Pandas, Scipy or Scikit-learn.\n",
"\n",
"For the purpose of this tutorial we'll also have to download external packages:\n",
"\n",
"- **tqdm** (a progress bar python utility) from this command: pip install tqdm\n",
"- **nltk** (for natural language processing) from this command: conda install -c anaconda nltk=3.2.2\n",
"- **bokeh** (for interactive data viz) from this command: conda install bokeh\n",
"- **lda** (the python implementation of Latent Dirichlet Allocation) from this command: pip install lda\n",
"- **pyldavis** (python package to visualize lda topics): pip install pyldavis\n",
"\n",
"To connect to the Newsapi service you'll have to create an account at https://newsapi.org/register to get a key. It's totally free. Then you'll have to put your key in the code and run the script on your own if you want to. "
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Step 2: Data acquisition from OpenFDA"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"[[ go back to the top ]](#Table-of-contents)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"https://open.fda.gov/downloads/\n",
"The JSON file resulting from this response download is pretty straightforward:"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"```\n",
"{\n",
" \"classification\": \"Class II\",\n",
" \"center_classification_date\": \"20170315\",\n",
" \"report_date\": \"20170322\",\n",
" \"postal_code\": \"92117-7310\",\n",
" \"recall_initiation_date\": \"20170210\",\n",
" \"recall_number\": \"D-0546-2017\",\n",
" \"city\": \"San Diego\",\n",
" \"event_id\": \"76472\",\n",
" \"distribution_pattern\": \"Nationwide within the United States\",\n",
" \"openfda\": {},\n",
" \"recalling_firm\": \"Synergy Rx\",\n",
" \"voluntary_mandated\": \"Voluntary: Firm Initiated\",\n",
" \"state\": \"CA\",\n",
" \"reason_for_recall\": \"Lack of Assurance of Sterility: There are also CGMP Deviations. \",\n",
" \"initial_firm_notification\": \"Telephone\",\n",
" \"status\": \"Ongoing\",\n",
" \"product_type\": \"Drugs\",\n",
" \"country\": \"United States\",\n",
" \"product_description\": \"VITAMIN K OXIDE 5%, HQ 4%, Rx only, Synergy RX, 4901 Morena Blvd # 504-A San Diego, CA 92117 (855) 792-6676\",\n",
" \"code_info\": \" All Lots\",\n",
" \"address_1\": \"4901 Morena Blvd Ste 504A\",\n",
" \"address_2\": \"\",\n",
" \"product_quantity\": \"\"\n",
" }\n",
"```"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's get into the code to see how to manage this data acquisition:"
]
},
{
"cell_type": "code",
"execution_count": 4,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"# import packages\n",
"import requests\n",
"import pandas as pd\n",
"from datetime import datetime\n",
"from tqdm import tqdm\n",
"from matplotlib import pyplot as plt\n",
"import json"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"In this post, we'll be analyzing english news sources only. "
]
},
{
"cell_type": "code",
"execution_count": 17,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"def get_reason_for_recall():\n",
" all_recalls = []\n",
" with open('drug-enforcement-0001-of-0001.json') as data_file: \n",
" data = json.load(data_file)\n",
" for res in data['results']:\n",
" recalls = [uniq_reason for uniq_reason in res['reason_for_recall'].split(';')]\n",
" all_recalls.extend(recalls)\n",
" return set(all_recalls)"
]
},
{
"cell_type": "code",
"execution_count": 19,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"number of unique reasons : 2602\n",
"Reasons : {'', 'Failed Impurities/Degradation Specifications: High out of specification impurity test results were obtained during stability testing.', 'Labeling: Label Error On Declared Strength: Trelstar 11.25 mg labeled carton/kit contained a vial labeled as 3.75 mg instead of a vial being labeled as 11.25mg.', ' some lots failed Antimicrobial Effectiveness Testing on stability', 'Subpotent (Single Ingredient Drug): The firm is recalling the product because the product is subpotent and does not meet the labeled 0.25% zinc pyrithione level.', 'Failed Impurities/Degradation Specifications: failed specification for unknown impurity at the 24 month stability testing. ', 'Failed Dissolution Specifications', ' THIAMINE HCL, Tablet, 100 mg, NDC 00904054460, Pedigree: AD54559_1, EXP: 5/20/2014. ', ' lidding deformity allows the contained product to transpire causing potential viscosity and assay failures. The viscosity and assay failures were due to the loss of moisture. The loss of moisture caused the viscosity to increase and assay to increase relative to the sample volume. ', ' QUINAPRIL HCL, Tablet, 20 mg, NDC 68180055809, Pedigree: W003556, EXP: 6/24/2014', ' The incorrect amount of a raw material was added during the manufacture of two lots of Z-COTE HP 1.', 'Resuspension Problems: Recalled lot did not meet resuspendability requirements.', ' HYDRALAZINE HCL Tablet, 25 mg may be potentially mislabeled as DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: AD49582_16, EXP: 5/16/2014.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: W003054, EXP: 6/12/2014', 'Superpotent drug: Out of specification test result for assay during stability testing.', 'Marketed Without An Approved NDA/ANDA: FDA analysis detected the presence of sibutramine, N-Desmethylsibutramine and phenolphthalein. Sibutramine and phenolphthalein were previously available drug products but were removed from the U.S. market making these products unapproved new drugs.', ' OMEGA-3 FATTY ACID, Capsule, 100', 'Chemical Contamination: Novartis Pharmaceuticals Corporation has recalled physician sample bottles of Diovan, Exforge, Exforge HCT,Lescol XL, Stalevo, Tekturna and Tekturna HCT Tablets due to contamination with Darocur 1173 a photocuring agent used in inks on shrink-wrap sleeves.', 'Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing, lack of OTC drug labeling requirements and labeled Not Approved for sale in U.S.A. ', \"The product lots are being recalled due to laboratory results indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable.\", ' white substance confirmed as Guaifenesin, an active ingredient was observed in some bottles. ', 'Labeling: Label Mixup: methylPREDNISolone, Tablet, 4 mg may have potentially been mislabeled as the following drug: OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/110 mg, NDC 11523726503, Pedigree: AD42584_15, EXP: 5/14/2014. ', 'Labeling: Label Mixup: BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: AD32582_3, EXP: 5/9/2014. ', 'Failed pH Specifications: 12 month stability testing', 'Failed Dissolution Specifications: Product found to be out of specification (OOS) during stability testing. ', ' DOCUSATE SODIUM', ' Beta carotene (Vitamin A)', ' MELATONIN, Tablet, 3 mg, ND', 'Labeling: Label Mixup: guanFACINE HCl, Tablet, 1 mg may have potentially been mislabeled as one of the following drugs: buPROPion HCl ER, Tablet, 200 mg, NDC 47335073886, Pedigree: W002727, EXP: 6/6/2014', 'Failed Impurities/Degradation Specifications: Out of specifications results for impurities.', 'Failed USP Dissolution Test Requirements: This sub-recall is in response to Prometheus Laboratories Inc. recall for Mercaptopurine USP 50mg because the lot does not meet the specification for dissolution.', 'Presence of Particulate Matter: In the course of inspecting retention samples visual particles were observed.', 'Marketed Without an Approved NDA/ANDA: Product contains undeclared sibutramine.', 'Failed Content Uniformity Specifications: resulting in both superpotent and subpotent tablets.', ' METOPROLOL TARTRATE, Tablet, 25 mg, NDC 57664050652, Pedigree: W002841, EXP: 6/7/2014', 'Failed Impuities/Degradation Specifications', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,110 mg may be potentially mislabeled as ACETAMINOPHEN, CHEW Tablet, 80 mg, NDC 00536323307, Pedigree: AD49399_1, EXP: 5/16/2014', ' Error on Declared Strength', 'Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing and lack of OTC drug labeling requirements. ', 'CGMP Deviations: Product excipient was not re-tested at the appropriate date.', ' all compounded products within expiry produced using recalled filters', 'First Aid Only, Inc is recalling Smart Tab First Aid ezRefill System Ibuprofen boxes and First Aid Cabinets containing these Ibuprofen boxes. Ibuprofen boxes (FAE 7014) were accidentally used to package aspirin packs (10 packs of 2 / 235mg tablets).', 'Marketed without an approved NDA/ANDA: Product may contain undeclared active pharmaceutical ingredients Diclofenac Sodium, Dexamethasone, and Methocarbamol.', 'Impurities/Degradation Products: High Out-of-specification results were obtained for both known and unknown impurities.', 'Labeling Wrong Barcode', 'Subpotency: product assayed and found OOS for cyproheptadine', 'Presence of Particulate Matter: lot is not meeting the specification limit for number of particles present in the solution.', ' METHYLERGONOVINE MALEATE Tablet, 0.2 mg may be potentially mislabeled as ISOSORBIDE MONONITRATE, Tablet, 20 mg, NDC 62175010701, Pedigree: AD52778_31, EXP: 5/20/2014', 'Labeling: Label Mixup: FOSINOPRIL SODIUM, Tablet, 10 mg may have potentially been mislabeled as the following drug: MERCapsuleTOPURINE, Tablet, 50 mg, NDC 00054458111, Pedigree: AD54549_1, EXP: 5/20/2014.', 'Labeling: Label Mixup: MYCOPHENOLIC ACID DR, Tablet, 180 mg may have potentially been mislabeled as the following drug: METHAZOLAMIDE, Tablet, 50 mg, NDC 00781107101, Pedigree: AD37072_11, EXP: 5/13/2014. ', 'Presence of Particulate Matter: A particulate, confirmed as human hair, was found sealed between the tube and film at the round seal of the unused administrative port of the container.', 'Failed Tablet Specifications: Broken Tablets Present.', 'Labeling: Not Elsewhere Classified: Pentrexcilina Tablets and Pentrexcilina Liquid are being recalled because the product labels are misleading because they may be confused with Pentrexyl, a prescription antibiotic used to treat respiratory illnesses in Mexico.', 'Subpotent Drug: Two of the active sunscreen ingredients, octinoxate and octisalate, are below the specifications for assay.', 'Adulterated Presence of Foreign Tablets: Trizivir 300/150/300 mg tables, Lot 0ZP5128 may incorrectly contain Lexiva 700 mg tablets.', 'Labeling: Label Mixup: PIOGLITAZONE, Tablet, 15 mg may have potentially been mislabeled as one of the following drugs: LACTASE ENZYME, Tablet, 3000 units, NDC 24385014976, Pedigree: AD21846_31, EXP: 5/1/2014', ' LACTOBACILLUS GG Capsule may be potentially mislabeled as VITAMIN B COMPLEX W/C, Capsule, NDC 54629008001, Pedigree: AD39560_4, EXP: 5/13/2014', ' LEFLUNOMIDE Tablet, 10 mg may be potentially mislabeled as DOXYCYCLINE HYCLATE, Capsule, 100 mg, NDC 00143314250, Pedigree: W002645, EXP: 6/5/2014', 'Discoloration: This recall is being carried out due to an orange to brown discolored Amoxicillin powder on the inner foil seal of the bottles. This is an expansion of RES 65050.', ' Astellas Pharma US, Inc. is performing a voluntary recall on certain lots of AmBisome because the manufacturer has notified Astellas that during a routine simulation of the manufacturing of AmBisome, a bacterial contamination was detected in the media fills.', 'Presence of Foreign Tablets/Capsules: Tramodol 50 mg tablet has been found in a bottle of Ciprofloxacin 500 mg ', ' NIACIN TR, Tablet, 250 mg may be potentially mislabeled as SOLIFENACIN SUCCINATE, Tablet, 5 mg, NDC 51248015001, Pedigree: W003755, EXP: 6/26/2014.', 'Impurity/Degradation', 'Incorrect/Undeclared Excipient', ' chlorproMAZINE HCl, Tablet, 100 mg, NDC 00832030300, Pedigree: AD70700_1, EXP: 5/29/2014', 'Marketed without an Approved NDA/ANDA: products were found to contain undeclared sildenafil', 'Failed Dissolution Specifications: Three lots of product being recalled having failed stability dissolution testing.', '2)', 'Failed Lozenge Specifications', 'Superpotent Drug: one ingredient was found to be above assay specification.', 'Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 40 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: AD33897_4, EXP: 5/9/2014', ' VITAMIN B COMPLEX WITH C/FOLIC ACID, Tablet may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00378180701, Pedigree: AD73652_10, EXP: 5/30/2014', ' ZINC GLUCONATE, Tablet, 50 mg may be potentially mis-labeled as ASCORBIC ACID, Chew Tablet, 500 mg, NDC 00904052660, Pedigree: AD60240_54, EXP: 5/22/2014 and ASCORBIC ACID, Chew Tablet, 250 mg, NDC 00904052260, Pedigree: W003027, EXP: 6/12/2014. ', ' fine residue or dust identified as aluminum may be on exterior of the capsule shell', ' NIFEdipine, Capsule, 10 mg may be potentially mislabeled as NITROFURANTOIN MONOHYDRATE/ MACROCRYSTALS, Capsule, 100 mg, NDC 47781030301, Pedigree: AD52778_58, EXP: 5/20/2014.', ' VENLAFAXINE, Tablet, 25 mg', ' CALCIUM CITRATE, Tablet, 950 mg (200 MG ELEMENTAL Ca) may be potentially mislabeled as TRIMETHOBENZAMIDE HCL, Capsule, 300 mg, NDC 53489037601, Pedigree: AD21858_10, EXP: 5/1/2014.', ' CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: W003540, EXP: 6/21/2014', ' Expiration date is earlier than listed on vial.', 'CGMP Deviations: manufactured under practices which may result in assay or content uniformity failures.', 'Failed Impurities/Degradations Specifications', 'Subpotent Drug: menthol and methyl salicylate below specification', ' PROPRANOLOL HCL Tablet, 10 mg may be potentially mislabeled as LACTOBACILLUS ACIDOPHILUS, Capsule, NDC 54629011101, Pedigree: AD65311_4, EXP: 5/24/2014.', ' positive findings of Burkholderia cepacia', 'SubPotent Drug: The firm discovered out of specification results for assay and the extended investigation revealed the potential for lower weight tablets.', 'Lack of Assurance of Sterility: all sterile compounded products within expiry ', 'Presence of Particulate Matter: API contaminated with glass particulate was used to produce sterile injectable drugs.', 'Lack of Assurance of Sterility: The recall is being initiated due to a lack of sterility assurance and concerns associated with the quality control processes identified during an FDA inspection.', ' microbial contamination with B. cepacia', ' CITALOPRAM, Tablet, 10 mg, NDC 57664050788, Pedigree: W002844, EXP: 6/7/2014', 'Marketed Without an Approved NDA/ANDA: Undeclared sibutramine and phenolphthalein in Burn 7 dietary supplement', 'Tablet Thickness: Recall was initiated due to the presence of one slightly oversized tablet in a bottle of the identified lot.', ' phenylephrine HCl', 'Defective Container: Stability samples of both products were noted to have some white solid product residue, identified as dried active ingredients along with the preservative, on the exterior of the bottles. ', 'Marketed without an Approved NDA/ANDA: product found to contain undeclared sildenafil and tadalafil', 'Lack of Assurance of Sterility: all sterile products compounded, repackaged, and distributed by this compounding pharmacy due to lack of sterility assurance and concerns associated with the quality control processes.', \"Lack of Assurance of Sterility: concerns of sterility assurance with the pharmacy's independent testing laboratory\", ' CHLORTHALIDONE, Tablet, 50 mg, NDC 00378021301, Pedigree: W002988, EXP: 6/11/2014', 'Presence of Particular Matter: Potential vendor glass issue - glass spiticules (glass strands) were identified during site inspection of the vials.', 'Non-Sterility: Green Valley Drugs received positive sterility results from their testing lab on two lots of Methylprednisolone Preservative Free 40 mg/mL injectable suspension and one lot of Cyanocobalamin 1000 mcg/mL injection, 30 mL MDV.', ' CLINDAMYCIN HCL, Capsule, 300 mg, NDC 00591312001, Pedigree: AD67989_1, EXP: 5/28/2014. ', 'Labeling: Label Mix-Up: An incorrect book label for Sucrets Sore Throat, Cough & Dry Mouth Honey Lemon lozenges was applied to the underside of the Sucrets Sore Throat & Cough Vapor Cherry lozenges tin.', ' This action is being taken as a precautionary measure due to the product being re-packaged in the U.S. using a filler material that (removes or blocks) less moisture than what is approved in the application.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: W003671, EXP: 6/25/2014. ', ' product found to contain methasterone and dimethazine which are steroid and/or steroid-like drug ingredients, making it an unapproved new drug', 'Labeling: Label Mixup: MEXILETINE HCL, Capsule, 200 mg may have potentially been mislabeled as the following drug: ISOSORBIDE DINITRATE, Tablet, 10 mg, NDC 00781155601, Pedigree: AD25264_1, EXP: 5/3/2014. ', 'Presence of Foreign Substance, Sandoz is recalling certain lots of Amoxicillin Capsules, USP 500 mg due to potential contamination with fragments of stainless steel wire mesh.', ' PROPRANOLOL HCL Tablet, 80 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD42584_12, EXP: 5/14/2014.', ' VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 50 mg, NDC 40985022251, Pedigree: AD60211_20, EXP: 5/21/2014', 'Presence of Particulate Matter: Confirmed customer report of visible particulate in the form of an orange or rust colored ring embedded in between the plastic layers of the plastic vial.', ' PSEUDOEPHEDRINE HCL, Tablet, 30 mg, NDC 00904505360, Pedigree: AD52993_37, EXP: 5/20/2014', \"Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012 because FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \", ' LACTOBACILLUS ACIDOPHILUS Capsule may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 2000 units, NDC 00904615760, Pedigree: AD65311_1, EXP: 5/24/2014', 'Marketed Without An Approved NDA/ANDA: Contains an unapproved drug, ligandrol LGD-4033', ' ROSUVASTATIN CALCIUM, Tablet, 5 mg, NDC 00310075590, Pedigree: W002567, EXP: 6/3/2014', 'Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with undeclared sibutramine, an appetite suppressant that was withdrawn from the US market for safety reasons, making it an unapproved drug.', 'Marketed Without an Approved NDA/ANDA: Products tested positive for Sildenafil and analogs of Sildenafil.', 'Failed Dissolution Specifications: Routine stability testing at the 12-month interval yielded an out-of-specification (OOS) result for dissolution testing.', ' FAMOTIDINE, Tablet, 20 mg, NDC 16714036104, Pedigree: W003507, EXP: 6/21/2014', 'Labeling: Incorrect or Missing Package Insert: An outdated version of a patient outsert was used when packaged.', 'Defective Delivery System: Inhalers do not spray properly, emitting either no spray or a short transient spray.', 'Failed Dissolution Specification: Out of Specification dissolution results at 12 month interval.', 'Chemical Contamination: Pravastatin Sodium Tablets isbeing recalled due to complaints related to an off-odor described as moldy, musty or fishy in nature.', 'Failed Impurities/Degradation Specifications: Firm voluntarily recalled products due to out-of-specification results for an unknown impurity at or near the expiration (24-month).', ' CHOLECALCIFEROL, Tablet, 400 units may be potentially mislabeled as CYANOCOBALAMIN, Tablet, 500 mcg, NDC 00536355101, Pedigree: AD37056_10, EXP: 5/10/2014', ' potential for incomplete constitution upon addition of diluent. ', ' carBAMazepine ER, Capsule, 200 mg, NDC 66993040832, Pedigree: AD32764_14, EXP: 5/14/2014', ' DOCUSATE SODIUM, Capsule, 50 mg, N', 'Subpotent Drug: The product/lot is out-of-specification (OOS) for the assay of acetic acid at the 18-month test station.', 'Marketed Without An Approved NDA/ANDA: presence of undeclared morphine. ', ' possibility of Glipizide 10 mg tablet in bottle', ' product was found to contain undeclared sibutramine & phenolphthalein', 'Chemical contamination: emission of strong odor after package was opened.', ' RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: AD60272_40, EXP: 5/22/2014', 'Penicillin Cross Contamination: All lots of all products repackaged and distributed between 01/05/12 and 02/12/15 are being recalled because they were repackaged in a facility with penicillin products without adequate separation which could introduce the potential for cross contamination with penicillin.', ' Product recalled due to displacement of the aluminum crimp cap during product usage.', ' VENLAFAXINE HCL Tablet, 50 mg may be potentially mislabeled as sulfaSALAzine, Tablet, 500 mg, NDC 00603580121, Pedigree: AD65475_19, EXP: 5/28/2014.', 'Failed Content Uniformity Specifications: out of specification test result for spray content uniformity. ', 'Failed Impurity/Degradation Specifications: Out of Specifications result obtained for a known impurity.', 'Presence of Particulate Matter: Particulate matter was found in some vials of Vistide (cidofovir injection).', ' high out of specification for CAD II degradant', 'Non-Sterility: Confirmed customer complaint of particulate matter floating within the solution of the primary container, consistent with mold.', 'Labeling: Incorrect or Missing Lot and/or Exp Date: The expiration date of the Q Care Continue Care kit is printed with an expiration date of November 13, 2017', 'Stability data does not support expiry. ', ' during the production process, CLENZIderm M.D. Daily Foam Cleanser was filled into some bottles labeled as CLENZIderm M.D. Pore Therapy', 'Failed Impurities/Degradation Specifications: Product is out of specification for a known degradant.', 'Marketed Without An Approved NDA/ANDA: FDA analysis found this product to contain undeclared dexamethasone and cyproheptadine which are FDA approved drugs making this product an unapproved drug.', ' OMEGA-3-ACID ETHYL ESTERS, Capsu', 'Labeling: Label Mixup: VITAMIN B COMPLEX W/C, Tablet, 0 mg may have potentially been mislabeled as one of the following drugs: MULTIVITAMIN/ MULTIMINERAL/ LUTEIN, Capsule, 0 mg, NDC 24208063210, Pedigree: AD21846_40, EXP: 5/2/2014', ' COENZYME Q-10, Capsule, 30 mg may be potentially mislabeled as PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units, NDC 00032121201, Pedigree: W002819, EXP: 6/7/2014.', 'Failed Dissolution: Out of Specification test results (low) at the 18 month time-point.', ' tiZANidine HCl, Tablet, 2 mg, NDC 00378072219, Pedigree: W002975, EXP: 6/11/2014. ', 'Failed Tablet/Capsule Specifications: Sandoz is recalling one lot of Hydroxychloroquine Sulfate Tablets, USP, 200mg, due to illegibility of the logo on some tablets.', 'Labeling: Missing Label-Primary packaging label (i.e. blister card) is blank and contains no product information (e.g. product name, strength, lot number, expiry). ', 'CGMP Deviations: An FDA inspection identified inadequate investigations of past market complaints.', ' All lots of sterile products compounded by the pharmacy within expiry are subject to this recall. This recall is initiated due to concerns associated with quality control procedures observed during a recent FDA inspection.', 'Failed Tablet/Capsule Specifications: Teva Pharmaceuticals USA, is voluntarily recalling certain lots of Duloxetine DR Capsules USP, 20 mg, 30 mg & 60 mg due to a customer complaint trend regarding capsule breakage. ', 'Stason Pharmaceuticals is recalling Selegiline HCl tablets, USP 5mg 60 count bottle due to an out of specification result for dissolution of stability samples.', 'Presence of Foreign Substance(s): A complaint was received for a rubber-like material in a 500 mg Ciprofloxacin tablet.', ' ZOLPIDEM TARTRATE Tablet, 2.5 mg (1/2 of 5 mg) may be potentially mislabeled as TEMAZEPAM, Capsule, 7.5 mg, NDC 00378311001, Pedigree: AD22861_7, EXP: 5/8/2014.', ' guanFACINE HCl, ', 'Failed Dissolution Specifications: Pfizer Inc. (Pfizer) is recalling PREMPRO (conjugated estrogens/medroxyprogesterone acetate tablets) because certain lots for this product may not meet the specification for conjugated estrogens dissolution.', ' ISOSORBIDE DINITRATE, Tablet, 5 mg, NDC 00781163501, Pedigree: W003474, EXP: 6/20/2014', 'Failed Dissolution Specifications: Phenobarbital Tablets have an out of specification for dissolution at the 12 month stability time point', ' prednisoLONE, Tablet, 5 mg, NDC 16477050501, Pedigree: W003627, EXP: 6/25/2014. ', 'Chemical contamination: Product may be contaminated with a toxic compound.', ' CHOLECALCIFEROL, Tablet, 2000 units, NDC 00904615760, Pedigree: AD54586_10, EXP: 5/21/2014. ', 'Lack of assurance of sterility: ineffective crimp on fliptop vials that may result in leaking at the neck of the vials.', ' PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: W003068, EXP: 6/12/2014. ', 'Lack of Assurance of Sterility: All compounded products.', ' FDA inspection identified GMP violations potentially impacting product quality and sterility', ' deficiencies at the manufacturer may result in assay or content uniformity failures', ' FLUCONAZOLE, Tablet, 50 mg may be potentially mislabeled as FLUCONAZOLE, Tablet, 200 mg, NDC 00172541360, Pedigree: W003065, EXP: 6/12/2014. ', ' THYROID, Tablet, 60 mg, NDC 00456045901, Pedigree: W002848, EXP: 6/7/2014', 'Failed Dissolution Specifications: The product did not meet the acceptance criteria for the dissolution test during the 24 month routine stability testing.', 'Presence of Particulate Matter: Report of a vial containing visible particulate matter embedded in the glass wall which has the potential to dislodge resulting in the presence of particulate matter in the product.', ' Missing label', ' CHOLECALCIFEROL Capsule, 50000 units may be potentially mislabeled as FENOFIBRATE, Tablet, 54 mg, NDC 00378710077, Pedigree: AD60272_64, EXP: 5/22/2014.', 'Lack of Assurance of Sterility: Some single-use vials may be filled with water rather than the product solution and the firm cannot guarantee the sterility of the water-filled vials.', \"Lack of Assurance of Sterility: Avella Specialty Pharmacy is recalling bevacizumab and vancomycin due to concerns of sterility assurance with the specialty pharmacy's independent testing laboratory.\", ' FOLIC ACID, Tablet, 1 mg, NDC 65162036110,', 'Lack of Assurance of Sterility: Complains of a loose crimp applied to the fliptop vial', 'Presence of Particulate Matter: glass delamination', 'Failed Stability Specifications', 'Labeling: Label Mixup: ASCORBIC ACID, Tablet, 500 mg may have potentially been mislabeled as the following drug: OXcarbazepine, Tablet, 150 mg, NDC 62756018388, Pedigree: AD54562_4, EXP: 5/20/2014. ', 'Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 10 mg may have potentially been mislabeled as one of the following drugs: PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units, NDC 00032121201, Pedigree: AD30180_4, EXP: 5/8/2014', 'Labeling: Label Mixup: CHLORTHALIDONE, Tablet, 50 mg may have potentially been mislabeled as the following drug: SENNOSIDES, Tablet, 8.6 mg, NDC 00182109301, Pedigree: W002979, EXP: 6/11/2014.', \"Impurities/Degradation Products: Out of Specification results found for impurity B, identified as the drug's metabolite.\", 'Presence of Particulate Matter: Oxidized stainless steel found in vial of 1% Lidocaine Hydrochloride Injection, USP.', ' CHOLECALCIFEROL, Tablet, 1000 units, NDC 00904', 'Superpotent (Single Ingredient) Drug: All BiCNU lots within expiration which contain carmustine vial lots manufactured by BenVenue Laboratories (BVL) are being recalled because of an overfilled vial discovered during stability testing for a single carmustine lot. ', 'Marketed Without an Approved NDA/ANDA: These products found to contain undeclared tadalafil. Tadalafil is an FDA-approved drug for the treatment of male Erectile Dysfunction (ED), making these products unapproved new drugs.', ' medroxyPROGESTERone ACETATE, Tablet, 10 mg may be potentially mislabeled as hydrALAZINE HCl, Tablet, 100 mg, NDC 23155000401, Pedigree: AD46312_13, EXP: 5/16/2014.', 'Marketed Without an Approved NDA/ANDA: FDA analysis discovered undeclared lovastatin, making this an unapproved new drug.', 'Labeling: Label Mixup: DUTASTERIDE, Capsule, 0.5 mg may have potentially been mislabeled as one of the following drugs: PHENOL, LOZENGE, 29 mg, NDC 00068021918, Pedigree: AD49582_13, EXP: 5/16/2014', 'Lack of Assurance of Sterility: Firm received fentanyl from a supplier who recalled it because fliptop vial crimps were loose or missing. ', ' Out of Specification (OOS) results were obtained for moisture content during stability testing at the 12 month time point, controlled room temperature conditions.', ' VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: AD49414_7, EXP: 5/17/2014. ', 'Failed Impurities/Degradation Specifications: out of specification test results for the norethindrone impurity.', 'Superpotent Drug: Bio-Pharm, Inc. is initiating a recall of one lot of Acetaminophen Oral Suspension Liquid 160mg/5mL failure of the product assay at the 6 month timepoint. ', ' MELATONIN, Tablet, 3 mg, NDC', ' leaking around the cap', 'FAILED TABLET/CAPSULE SPECIFICATIONS: Firm is recalling specific lots of pregabalin capsules due to the potential presence of deformed or damaged capsules. ', 'Microbial Contamination of Non-Sterile Product(s): The product has the potential to be contaminated with Bulkholderia gladioli.', ' Listed active ingredient strength is inaccurate. ', 'Marketed without an Approved NDA/ANDA', ' PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet, 0 mg, NDC 51991056601, Pedigree: AD73597_1, EXP: 5/31/2014. ', ' MEXILETINE HCL, Capsule, 150 mg, NDC 00093873901, Pedigree: AD62865_7, EXP: 5/23/2014', 'Active ingredient (in each capsule)&quot', 'Labeling: Wrong Bar Code', 'Lack of Assurance of Sterility - the firm is recalling select sterile drug products.', 'Impurities/Degradation Products: The product was found to contain a slightly out of specification level of bromides, exceeding the bromides limit for USP Sodium Chloride. ', ' NICOTINE POLACRILEX, LOZENGE, 2 mg, NDC 00135051001, Pedigree: W002766, EXP: 6/6/2014', 'Presence of Foreign Substance: Uncharacteristic blacks spots were found in tablets.', 'Labeling: Label Mixup: CALCIUM/ CHOLECALCIFEROL/ SODIUM, Tablet, 600 mg/400 units/5 mg may have potentially been mislabeled as one of the following drugs: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: W003460, EXP: 6/20/2014', ' product description incorrectly states HCG 7500 units instead of 5000 units. The primary panel is correct ', ' report of Amlodipine Tablets found in 1000 count bottles of Metformin Hydrochloride Tablets USP ', 'Presence of Particulate Matter: Visible particulate embedded in the glass vial was observed and confirmed in a sample bottle during retain sample inspection. ', ' VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD68025_1, EXP: 5/28/2014', ' CYANOCOBALAMIN, Tablet, 500 mcg, NDC 0053', 'Labeling: Label Mixup: PHENobarbital, Tablet, 64.8 mg may have potentially been mislabeled as the following drug: PREGABALIN, Capsule, 200 mg, NDC 00071101768, Pedigree: AD73518_4, EXP: 5/31/2014. ', 'Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared diclofenac, a prescription non-steroidal anti-inflammatory drug, and chlorpheniramine, an over-the-counter antihistimine, making this an unapproved drug.', ' FERROUS SULFATE, Tablet, 325 mg (65 mg Elemental Iron), NDC 00904759160, Pedigree: AD54553_1, EXP: 5/20/2014', ' LANTHANUM CARBONATE, CHEW Tablet, 500 mg, NDC 54092025290, Pedigree: W002790, EXP: 6/6/2014', ' CYANOCOBALAMIN, Tablet, 500 mcg, NDC 00536355101, Pedigree: AD30180_25, EXP: 5/9/2014', ' microbial contamination identified as Aspergillus species', ' MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD73', 'Presence of Particulate Matter: Confirmed customer complaint of discolored solution with visible metal particles embedded in the glass vial and visible in the solution.', 'CGMP Deviations: Pharmaceuticals were produced and distributed with active ingredients not manufactured according to Good Manufacturing Practices.', 'Subpotent Drug: OOS (out of specification) assay result at the 12 month stability time point. ', 'Chemical contamination: emission of strong odor after package was opened..', 'Stability Data Does Not Support Expiry', 'Lack of assurance of sterility', 'Failed impurities/degradation specifications: Purity readings for oxygen were out of specification.', 'Failed Tablet/Capsule Specifications: Broken tablets found in sealed bottles.', ' DARUNAVIR, Tablet, 800 mg, NDC 59676056630, Pedigree: W003929, EXP: 7/1/2014. ', ' out of specification value for impurity Nitrophenylpuridine Derivative (NPP-D)', ' CALCIUM CITRATE, Tablet, 950 mg (200 mg Elem Ca) may be potentially mislabeled as VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: W002767, EXP: 6/6/2014', 'Labeling: Label Mixup: PREGABALIN, Capsule, 200 mg may have potentially been mislabeled as one of the following drugs: LOSARTAN POTASSIUM, Tablet, 50 mg, NDC 00781570192, Pedigree: AD21965_10, EXP: 5/1/2014', 'Failed Dissolution Specifications: failure of dissolution test observed at nine month time point.', ' LISINOPRIL Tablet, 2.5 mg may be potentially mislabeled as RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: AD23087_1, EXP: 5/2/2014', ' ZINC SULFATE, Capsule, 220 mg (50 mg Elem Zn) may be potentially mislabeled as PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD56916_1, EXP: 5/21/2014.', 'Labeling: Label Mixup: VENLAFAXINE HCL ER, Capsule, 150 mg may have potentially been mislabeled as one of the following drugs: SOTALOL HCL, Tablet, 80 mg, NDC 00093106101, Pedigree: AD30993_17, EXP: 5/9/2014', 'Adulterated Presence of Foreign Tablets: A customer complaint was received that a bottle of Tramadol HCl Tablets USP 50 mg contained some tablets of Metoprolol Tartrate Tablets USP, 50 mg.', ' SENNOSIDES, Tablet, 8.6 mg, NDC 00182109301, Pedigree: AD62992_14, EXP: 5/23/2014', 'Labeling: Incorrect instructions', 'Marketed Without An Approved NDA/ANDA: Parenteral product is sold over the counter whose labeling indicates it is to be used for the treatment of disease.', 'cGMP Deviations: Oral products were not manufactured in accordance with Good Manufacturing Practices.', \"Chemical contamination: Firm's inspection discovered the presence of 2-phenylphenol in the product due to migration from the cardboard cartons in which the product is packaged.\", ' LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00781518392, Pedigree: AD60272_73, EXP: 5/22/2014', ' LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00781518392, Pedigree: AD70629_13, EXP: 5/29/2014', ' METOPROLOL TARTRATE, Tablet, 25 mg may be potentially mislabeled as ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: W003826, EXP: 6/27/2014', ' CHOLECALCIFEROL, Tablet, 5000 units, NDC 00761017840, Pedigree: AD65457_10, EXP: 5/24/2014. ', 'Labeling: Label Mixup: CARVEDILOL PHOSPHATE ER, Capsule, 20 mg may be potentially mislabeled as the following drug: BUMETANIDE, Tablet, 1 mg, NDC 00093423301, Pedigree: W003224, EXP: 6/17/2014. ', 'Lack of Assurance of Sterility: Pharmacy Creations is recalling Lidocaine 1% PF Sterile Injection and EDTA disodium 150 mg/mL due to lack of assurance of sterility.', 'Non-Sterility: Confirmed customer report of dark, fibrous particulates floating within the solution of the primary container, which were subsequently identified as mold', 'Marketed Without An Approved NDA/ANDA: Product is sold over the counter whose labeling indicates it is to be used for parenteral injection.', 'The affected lots of Carboplatin Injection, Cytarabine Injection, Methotrexate Injection, USP, and Paclitaxel Injection are being recalled due to visible particles embedded in the glass located at the neck of the vial. There may be the potential for product to come into contact with the embedded particles and the particles may become dislodged into the solution.', ' 18 month stability time point', 'Failed Dissolution Specifications: Product is being recalled due to out of specification dissolution results obtained during routine stability testing.', 'Labeling: Label Error on Declared Strength: There is a misprint on the end flap which read 01% rather than 0.1%.', ' out-of-specification for color, impurity, and degradation', ' guaiFENesin ER, Tablet, 600 mg may be potentially mislabeled as MISOPROSTOL, Tablet, 200 mcg, NDC 59762500801, Pedigree: AD21965_13, EXP: 5/1/2014', 'Chemical Contamination: TEV-TROPIN [somatropin (rDNA origin) for injection] may contain silicone oil due to leakage of a leaking line during the freeze-drying process.', ' FLUCONAZOLE, Tablet, 100 mg may be potentially mislabeled as PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet, NDC 51991056601, Pedigree: W003086, EXP: 6/12/2014.', 'cGMP Deviation', 'Labeling: Label Mixup: ACYCLOVIR, Capsule, 200 mg may have potentially been mislabeled as one of the following drugs: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: AD60240_51, EXP: 5/22/2014', 'Labeling: Label Mixup: NIACIN TR, Tablet, 1000 mg may have potentially been mislabeled as the following drug: NIACIN TR, Tablet, 750 mg, NDC 00536703301, Pedigree: AD46414_56, EXP: 5/16/2014. ', 'Labeling: Label Mixup: THIOTHIXENE, Capsule, 1 mg may have potentially been mislabeled as the following drug: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD46257_1, EXP: 5/15/2014.', 'Lack of Assurance of Sterility', ' MULTIVITAMIN/MULTIMINERAL W/FLUORIDE, Chew Tablet, 1 mg (F) may be potentially mislabeled as ISOMETHEPTENE MUCATE/ DICHLORALPHENAZONE/APAP, Capsule, 65 mg/100 mg/325 mg, NDC 44183044001, Pedigree: AD22858_1, EXP: 3/31/2014.', ' 6 month time point ', 'CGMP Deviations: tubing used for filling may interact with the nasal formulation of this product.', 'Lack of Assurance of Sterility: Confirmed customer report of leakage of vial contents due to the breaking of the vial neck. ', ' improperly crimped fliptop vials', ' Certain information was inadvertently excluded from the product carton label.', 'Failed Dissolution Specifications: Product was out of specification (OOS) at the 12 month long term stability testing point.', 'Lack of Sterility Assurance: The product has the potential to leak at the administrative port.', ' RILUZOLE, Tablet,', ' guanFACINE HCl, Tablet, 1 mg, NDC 00591044401, Pedigree: W002728, EXP: 4/30/2014', 'Labeling: Label Mixup: AMANTADINE HCL, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68585000575, Pedigree: AD52993_4, EXP: 5/17/2014', ' LEVOTHYROXINE SODIUM, Tablet, 175 ', ' customer complaint of some tablets of Gabapentin found in a bottle of Metformin HCl ER', ' 22 month stability timepoint', 'Labeling: Label mix-up', 'Temperature Abuse', 'Subpotent Drug: Out Of Specification results for assay at the stability time-point of 24 months.', 'Presence of Foreign Matter: Guaifenesin API powder is being recalled due to the possibility that the product contains polyethylene fibers from a screen used to sift the Guaifenesin. ', 'Presence of particulate.', ' red and black particulate within the solution and embedded within the plastic vial identified as iron oxide', 'Failed Impurities/ Degradation Specifications ', 'Labeling: Label Error on Declared Strength- bottles missing colored coded panel where strength of the product is displayed.', ' Drug product leaking from container therefore sterility cannot be assured', ' PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet, NDC ', ' product labeled did not indicated Extended Release ', ' TACROLIMUS, Capsule, 1 mg may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 125 mcg, NDC 00074706890, Pedigree: AD70633_4, EXP: 5/23/2014.', 'Short Fill: The product is being recalled due to a potential underfill of the affected vials.', 'Subpotent Drug: Avobenzone 3%, one of the active sunscreen ingredients may be subpotent and sunscreen effectiveness may be less than labeled', 'Presence of Particulate Matter: Confirmed finding of human hair floating in IV solution.', 'Lack of Assurance of Sterility and Subpotent Drug: defect in glass vial prevented stopper from forming a seal allowing water to ingress and dilute the product causing it to be less than the labeled potency.', ' CALCIUM CITRATE, Tablet, 950 mg (200 mg Elemental Calcium) may be potentially mislabeled as LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: AD46265_10, EXP: 5/15/2014.', 'Presence of Particulate Matter: The firm produced products using 0.9% Sodium Chloride Injection, USP or 5% Dextrose Injection, USP which were subsequently recalled by the manufacturer due to the presence of particulate matter.', 'Labeling: Label Mix-Up: Product is incorrectly labeled as phenylephrine 50 mg in 0.9% sodium chloride rather than phenylephrine 50 mg in 5% dextrose.', 'Presence of Foreign Substance: Uncharacteristic spots identified as steel corrosion, degraded tablet material and hydrocarbon oil with trace amounts of iron were found in tablets.', 'Marketed Without an Approved NDA/ANDA: FDA analysis found product to contain sibutramine and phenolphthalein', ' glyBURIDE, Tablet, 2.5 mg, NDC 00093834301, Pedigree: AD30140_34, E', ' SIMVASTATIN Tablet, 20 mg may be potentially mislabeled as VITAMIN B COMPLEX WITH C/FOLIC ACID, Tablet, NDC 60258016001, Pedigree: W003591, EXP: 6/24/2014.', 'Marketed Without an Approved NDA/ANDA: FDA sampling found undeclared vardenafil and tadalafil in vitaliKOR capsules', ' PHYTONADIONE, Tablet, 5 mg, NDC 25010040515, Pedigree: W003061, EXP: 5/31/2014. ', ' packages labeled as Thiamine actually contain Diltiazem Capsules ', 'Non-Sterility: one or more components of the kit have been found to be contaminated with yeast.', ' visible crystals from the active ingredient formed due to extreme cold temperatures during shipping', 'Marketed Without An Approved NDA/ANDA: The product contains undeclared sibutramine and . Sibutramine is not currently marketed in the United States, making this product an unapproved new drug.', ' ACYCLOVIR, Capsule, 200 mg, NDC 00093894001, Pedigree: AD60', ' OXYBUTYNIN CHLORIDE, Tablet, ', ' METAXALONE Tablet, 800 mg may be potentially mislabeled as ESTERIFIED ESTROGENS, Tablet, 0.625 mg, NDC 61570007301, Pedigree: W003736, EXP: 6/26/2014.', ' LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00378181101, Pedigree: W003847, EXP: 6/27/2014', 'Marketed Without an Approved NDA/ANDA: Products found to contain undeclared sibutramine, N-Desmethylsibutramine, and N-di- Desmethylsibutramine. Sibutramine was removed from the U.S. market for safety reasons, making these products unapproved new drugs.', ' ampoules are missing the immediate container label', 'Presence of Foreign Tablets: Presence of topiramate 100 mg tablets comingled with 200 mg tablets.', 'Labeling: Label Mixup: ATOMOXETINE HCL, Capsule, 18 mg, may be potentially mis-labeled as the following drug: LOVASTATIN, Tablet, 20 mg, NDC 00185007201, Pedigree: AD28369_1, EXP: 5/7/2014. ', 'Non-Sterility: fungal contamination due to leaking containers.', 'Failed Content Uniformity Specifications.', 'Discoloration', 'Subpotent Drug: due to failed potency results of 74% (spec. 80-125%).', ' laboratory testing was not followed in accordance with GMP requirements', ' SODIUM CHLORIDE, Tabl', ' CALCIUM CARBONATE +D3, Tablet, 600 mg/400 units may be potentially mis-labeled as DIGOXIN, Tablet, 125 mcg, NDC 00527132401, Pedigree: AD76675_4, EXP: 6/3/2014', 'Failed Impurities/Degradation Specifications: Fresenius Kabi is recalling three lots of Haloperidol Decanoate Injection due to an out-of-specification result.', ' small amounts of diphenhydramine precipitated out of solution', 'Lack of Assurance of Sterility. Complaints were receive of missing closures and/or leaks which may compromise product sterility. ', ' FEBUXOSTAT Tablet, 40 mg may be potentially mislabeled as methylPREDNISolone, Tablet, 4 mg, NDC 59746000103, Pedigree: AD21811_17, EXP: 5/1/2014', ' VENLAFAXINE HCL', ' contamination with Burkholderia cepacia (manufacturer) ', ' ATOMOXE', ' AMANTADINE HCL, Capsule, 100 mg, NDC 00781204801, Pedigree: W002997, EXP: 6/11/2014', 'Short Fill: Due to an error in the manufacturing process, cylinders in this lot may be empty and contain no medical oxygen.', 'Failed Dissolution Specifications: Dissolution test results at 8 hour time-point were above approved specification limits.', ' the approved NDA requires both a 1200 mg vaginal suppository and the 2% topical cream. ', ' The outer light protective bags, where the ephedrine sulfate injection syringes are stored, were mislabeled with 25 mg/mL in big font and 5 mg/mL in small font, however, the actual syringes were correctly labeled as 25 mg/5 mL.', 'Labeling: Label Mixup: BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: W003725, EXP: 6/26/2014. ', ' FEXOFENADINE HCL Tablet, 180 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 00536406001, Pedigree: AD62992_8, EXP: 5/23/2014.', ' LACTOBACILLUS ACIDOPHILUS, Tablet, 35 Million, NDC 00536718101, Pedigree: W003865, EXP: 6/27/2014', 'Correct Labeled Product Mispack: Product tray containing vials was mislabeled to contain another product.', ' 18 month stability time point ', ' MELATONIN Tablet, 3 mg may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD25452_13, EXP: 5/3/2014', ' PARoxetine HCl, Tablet, 10 mg may be potentially mislabeled as PANTOPRAZOLE SODIUM DR, Tablet, 20 mg, NDC 62175018046, Pedigree: AD52778_64, EXP: 5/20/2014.', 'Failed Dissolution Specifications: During routine stability testing at the 12 month time point, one product lot was found to be out of specification for dissolution.', 'Labeling: Label Mixup: EXEMESTANE, Tablet, 25 mg may be potentially mislabeled as the following drug: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W003473, EXP: 6/20/2014. ', ' out of specification results for Maximum Unknown Impurities and Total Impurities', ' exceeded impurity specification at the 8 and 15 month time points (betacyclodextrin ester 1&amp', ' ASPIRIN EC DR, Tablet, 81 mg, NDC 49348098015, Pedigree: W003672, EXP: 2/28/2014', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Confirmed customer report of an incorrect expiration date printed on the primary container labeled \"01AUG1017\" rather than \"01AUG2017\".', ' 6 month time point', 'Does Not Deliver Proper Metered Dose: Potential content of albuterol per dose is below specification.', ' guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: W003931, EXP: 6/28/2014', 'Presence of Particulate Matter: particulate matter was found during the manufacturing process.', ' PARoxetine HCl, Tablet, 10 mg, NDC 13107015430, Pedigree: AD52778_67, EXP: 5/20/2014. ', 'Microbial Contamination of Non-Sterile Products: Fagron is recalling six lots due to the presence of mold. ', ' LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 16714058102, Pedigree: AD22616_7, EXP: 5/2/2014. ', 'Labeling: Incorrect or Missing Lot and/or Expiration Date', 'Products failed the Antimicrobial Effectiveness Test. ', ' NAPROXEN, Tablet, 500 mg may be potentially mislabeled as THIOTHIXENE, Capsule, 1 mg, NDC 00378100101, Pedigree: AD54549_22, EXP: 5/20/2014', 'Subpotent Drug: Product did not conform to the 18-month stability test specification for active Free Benzocaine.', 'Labeling: Label Mixup: NORTRIPTYLINE HCL, Capsule, 50 mg may have potentially been mislabeled as one of the following drugs: ROSUVASTATIN CALCIUM, Tablet, 5 mg, NDC 00310075590, Pedigree: AD21811_10, EXP: 5/2/2014', ' PROPRANO', 'Labeling Illegible: Some bottles labels have incomplete NDC numbers and missing strength.', ' VITAMIN B COMPLEX PROLONGED RELEASE Tablet may be potentially mislabeled as guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: AD73627_23, EXP: 5/30/2014', 'Presence of Particulate Matter: Cardboard', 'Failed Impurities/Degradation Specifications: potential failure to meet the specification for Impurity D throughout shelf-life. ', 'Microbial Contamination of a Non-Sterile Product: Kit component is contaminated with Burkholderia multivorans.', 'Labeling: Label Mixup: DOXAZOSIN MESYLATE, Tablet, 1 mg may have potentially been mislabeled as the following drug: PYRIDOXINE HCL, Tablet, 100 mg, NDC 00536440901, Pedigree: W003872, EXP: 6/27/2014. ', 'Chemical Contamination: Gabapentin Sodium tablets is recalled due to complaints related to an off - odor described as moldy, musty or fishy in nature.', 'Recalled products were made using an active ingredient that was recalled by a supplier due to penicillin cross contamination.', 'Presence of Foreign Tablet', ' DARUNAVIR Tablet, 800 mg may be potentially mislabeled as HYDROcodone BITARTRATE/ ACETAMINOPHEN, Tablet, 7.5 mg/325 mg, NDC 52544016201, Pedigree: W004005, EXP: 7/1/2014.', ' product found to contain dimethazine which is a steroid and/or steroid-like drug ingredient, making it an unapproved new drug', 'Contraceptive Tablets Out of Sequence: This recall has been initiated due to the potential that some regimen packages may not contain placebo tablets.', ' QUEtiapine FUMARATE, Tablet, 25 mg may be potentially mislabeled as chlordiazePOXIDE HCl, Capsule, 25 mg, NDC 00555015902, Pedigree: AD49426_1, EXP: 5/16/2014.', 'Labeling: Incorrect or Missing Lot and/or Exp Date: some vials may be mislabeled with an incorrect \"Compounded\"\\x1d date, lot number, and \\x1c\"Do Not Use Beyond\\x1d\" date or BUD (Before Use Date) that may be longer than intended.', 'Marketed without an approved NDA/ANDA: presence of undeclared sibutramine, desmethylsibutramine (an active metabolite of sibutramine) and phenolphthalein.', ' container closure issues with the bulk batch. ', 'Subpotent Drug: This lot is being recalled because of out-of-specification test results for Diphenhydramine citrate.', 'CGMP Deviations: Firm did not adequately investigate customer complaints.', 'Discoloration: Firm received complaints of product discoloration and particulates.', 'Presence of Particulate Matter: Product failed the appearance for the presence of visible particles under labeled storage condition. ', ' Stored/dispensed in a non-GMP compliant warehouse at S.I.M.S., Italy. ', 'Defective Container: Product lacks tamper evident breakaway band on cap.', 'Tablets/Capsules Imprinted With Wrong ID: incorrect imprint debossed on the tablets.', 'CGMP Deviations: Out of specification (OOS) intermediate in the subsequent processes to manufacture the final API.', 'Failed Impurities/Degradation Specifications: Product failed a known impurity specification.', 'Failed Stability Specifications: Two lots of Alprazolam 0.25 mg tablets, were found to be below specification for assay (potency). ', ' PANTOPRAZOLE SODIUM DR Tablet, 20 mg may be potentially mislabeled as FOSINOPRIL SODIUM, Tablet, 20 mg, NDC 60505251102, Pedigree: AD70690_1, EXP: 5/29/2014.', 'Penicillin Cross Contamination and Presence of Foreign Substance. Product was contaminated with penicillin and foreign substances during manufacturing process.', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 175 mcg may have potentially been mislabeled as the following drug: PRAMIPEXOLE DI-HCL, Tablet, 1 mg, NDC 16714058701, Pedigree: W003150, EXP: 6/13/2014.', ' LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 16714058102, Pedigree: AD67989_7, EXP: 5/28/2014', ' 15-month stability test station', 'Labeling: Label Mixup: TEMAZEPAM, Capsule, 7.5 mg may have potentially been mislabeled as one of the following drugs: CALCIUM CITRATE, Tablet, 200 mg Elemental Calcium, NDC 00904506260, Pedigree: AD28333_1, EXP: 5/8/2014', 'Labeling: Incorrect or Missing Lot and/or Exp Date', 'Labeling: Correct Labeled Product Miscart/Mispack: labels on outer containers do not match labels on vials (the correct label)', ' OLANZapine, Tablet, 7.5 mg, NDC 55111016530, Pedigree: AD46265_46, EXP: 5/15/2014', 'Failed Tablet/Capsule Specifications: Product exceeds specification for tablet weight and tablet thickness.', 'Presence of Foreign Substance: raw material recalled due to stainless steel and other contamination.', ' GLUCOSAMIN', ' L', 'Labeling: Label Mixup: BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg may have potentially been mislabeled as one of the following drugs: BENAZEPRIL HCL, Tablet, 40 mg, NDC 65162075410, Pedigree: AD68010_1, EXP: 5/28/2014', ' 24 month stability test station', 'Failed USP Dissolution Test Requirements: Possible out-of-specification dissolution results at the 8 hour stability testing point.', 'Subpotent (Single Ingredient Drug): Low assay at the 9-month test interval.', ' DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071215, Pedigree: AD49610_1, EXP: 5/16/2014', ' ATORVASTATIN CALCIUM Tablet, 20 mg may be potentially mislabeled as guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: W003850, EXP: 6/27/2014.', ' 18 month CRT', 'Microbial Contamination of Non-Sterile Products: Consumer complaint confirmed microbial contamination in sales sample.', ' NIFEdipine ER, Tablet, 60 mg, NDC 00591319401, Pedigree: W003729, EXP: 6/26/2014. ', 'Marketed Without An Approved NDA/ANDA: Tainted Product Marketed As a Dietary Supplement: Products were found to be tainted with undeclared hydroxythiohomosildenafil, an analogue of Sildenafil, an FDA-approved drug for the treatment of male Erectile Dysfunction (ED), making them unapproved new drugs.', 'Incorrect Expiration Date: The \"11/06\" expiration date printed on the tray (secondary packaging) is incorrect (it should be 11/2016)', 'Subpotent Drug: The products were below specification for potency at the expiry stability point.', ' PROPRANOLOL HCL ER, Capsule, 60 mg, NDC 00228277811, Pedigree: AD54605_4, EXP: 5/20/2014. ', \"Lack of Assurance of Sterility:The product lots are being recalled due to laboratory results (from a contract lab) indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable. Hence the sterility of the products cannot be assured. \", ' SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD56917_4, EXP: 5/21/2014', ' MULTIVITAMIN/MULTIMINERAL, Tablet, 0 mg, NDC 65162066810, Pedigree: AD73646_13, EXP: 5/30/2014. ', ' buPROPion HCl ER (XL), Tablet, 150 mg may be potentially mislabeled as MESALAMINE CR, Capsule, 250 mg, NDC 54092018981, Pedigree: AD52412_1, EXP: 5/17/2014.', ' may contain glass particles', 'Marketed Without An Approved NDA/ANDA: Tainted product marketed as a dietary supplement. Product found to be tainted with sibutramine, an appetite suppressant that was withdrawn from the U.S. market in October 2010 for safety reasons, and diclofenac, a prescription non-steroidal anti-inflammatory drug, making this an unapproved drug.', 'Stability Data Does Not Support Expiry: All lots of all products repackaged and distributed between 01/05/12 and 02/12/15 are being recalled because they were repackaged without data to support the printed expiry date.', 'Marketed Without an Approved NDA/ANDA: These dietary supplements contain undeclared sildenafil, an analogue of sildenafil, and/or tadalafil. ', ' ALLOPURINOL Tablet, 300 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: AD52993_25, EXP: 5/20/2014.', 'Labeling: Label Mixup: VENLAFAXINE HCL, Tablet, 100 mg may have potentially was mislabeled as tiZANidine HCl, Tablet, 2 mg, NDC 55111017915, Pedigree: AD73525_31, EXP: 5/30/2014', 'CGMP Deviation', 'Labeling: Label Mixup: ACYCLOVIR, Tablet, 800 mg may have potentially been mislabeled as the following drug:\\t PANTOPRAZOLE SODIUM DR, Tablet, 20 mg, NDC 64679043304, Pedigree: AD70690_4, EXP: 5/29/2014. ', 'Discoloration: Ethambutol HCl Tablets 400 mg is being recalled due to a Out of Specification result for description testing for a surface defect of ink.', ' ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD21846_49, EXP: 5/1/2014. ', 'Subpotent Drug: CareFusion is recalling the CareFusion Scrub Care Surgical Scrub Brush-Sponge/Nail Cleaner. The available iodine in the product is less than as stated on the product label. ', 'Failed Dissolution Specifications: OOS result during stability testing', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,100 mg, NDC 11523726503, Pedigree: W003873, EXP: 6/2', 'Marketed without an Approved NDA/ANDA: Products found to contain undeclared sibutramine. Sibutramine was removed from the U.S. market for safety reasons, making these products unapproved new drugs.', ' MAGNESIUM CHLORIDE DR, Tablet, 64 mg may be potentially mislabeled as SELEGILINE HCL, Capsule, 5 mg, NDC 67253070006, Pedigree: AD54549_19, EXP: 5/20/2014', 'Labeling: Label Mixup: ATROPINE SULFATE/DIPHENOXYLATE HCL, Tablet, 0.025 mg/2.5 mg may have potentially been mislabeled as the following drug: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: AD65475_25, EXP: 5/28/2014. TRI-BUFFERED ASPIRIN, Tablet, 325 mg, NDC 00904201559, Pedigree: W003581, EXP: 6/24/2014. ', ' Three cases of product (total of 36 bottles) were packaged without the primary label on the bottle. The cases were, however, packaged in the correct finished product shipper, labeled with the correct shipper bar code label, sealed with tamper-evident tape and erroneously shipped to Upsher-Smith.', ' DESIPRAMINE HCL, Tablet, 50 mg, NDC 45963034302, Pedigree: AD30140_7, EXP: 5/7/2014. ', ' Dermatend is not FDA approved and therefore has not been shown to be safe and effective for the uses suggested in the labeling.', ' benzophenone leached from the product label varnish', 'Marketed Without An Approved NDA/ANDA: presence of undeclared Sibutramine and Phenolphthalein.', 'Tablet Thickness: Potential for some tablets not conforming to weight specifications (under and over weight)', 'Labeling: Label Mixup: GABAPENTIN, Tablet, 600 mg may have potentially been mislabeled as the following drug: ARIPiprazole, Tablet, 15 mg, NDC 59148000913, Pedigree: AD21965_1, EXP: 5/1/2014.', 'Labeling: Label Mixup: SENNOSIDES, Tablet, 8.6 mg may have potentially been mislabeled as one of the following drugs: FEXOFENADINE HCL, Tablet, 180 mg, NDC 41167412003, Pedigree: AD62834_1, EXP: 5/23/2014', ' HYDROcodone BITARTRATE/ ACETAMINOPHEN, Tablet, 7.5 mg/325 mg may be potentially mislabeled as MELATONIN, Tablet, 3 mg, NDC 51991001406, Pedigree: W003999, EXP: 7/1/2014.', 'Lack of Assurance of Sterility: Sterile products were not produced in a controlled, sterile environment.', 'Failed Tablet/Capsule Specifications: Some bottles contain punctured, and/or clumped/melted capsules. ', ' MULTIVITAMIN/MULTIMINERAL, Tablet may be potentially mislabeled as LISINOPRIL, Tablet, 2.5 mg, NDC 64679092701, Pedigree: AD25264_4, EXP: 5/3/2014.', ' DOCUSATE SODIUM, Capsule, 250 mg may be potentially mislabeled as ATROPINE SULFATE/DIPHENOXYLATE HCL, Tablet, 0.025 mg/2.5 mg, NDC 00378041501, Pedigree: AD65475_13, EXP: 5/28/2014', 'Failed Dissolution Specifications: Pfizer Inc. is recalling PREMPRO (conjugated estrogens/medroxyprogesterone acetate tablets) because certain lots for this product may not meet the dissolution specification for conjugated estrogens.', 'Labeling: Label Mixup: IMIPRAMINE HCL, Tablet, 25 mg may have potentially been mislabeled as the following drug: FENOFIBRATE, Tablet, 54 mg, NDC 00115551110, Pedigree: AD49448_7, EXP: 5/17/2014. ', ' FERROUS SULFATE, Tablet, 325 mg (65 mg Elem Fe), NDC 00904759160, Pedigree: W002717, EXP: 6/6/2014. ', 'Failed Tablet/Capsule Specifications: Teva is recalling one lot of Carbidopa and Levodopa Tablets USP, 25mg/100mg due to the potential for superpotent tablets.', 'Labeling: Label Mixup: SODIUM CHLORIDE, Tablet, 1000 mg may have potentially been mislabeled as the following drug: REPAGLINIDE, Tablet, 2 mg, NDC 00169008481, Pedigree: W003925, EXP: 7/1/2014. ', 'Lack of Assurance of Sterility: Product did not meet the criteria for container closure integrity testing during routine 24 month stability testing.', 'Presence of Particulate Matter: Glass particulate found in sterile injectable product', 'Labeling: Incorrect or Missing Lot and/or Exp Date. The lot number and/or expiration date may be illegible.', ' Senna Leaf Powder 140 mg.It should correctly be stated as Active ingredient (in each capsule) Senna Leaf Powder 140 mg.', ' LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00781518392, Pedigree: W003439, EXP: 6/20/2014', 'Superpotent Drug: High out of specification results for assay at the 6 month time point interval.', 'Labeling: Label Mixup: PARICALCITOL, Capsule, 1 mcg may have potentially been mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 500 mg, NDC 60258014101, Pedigree: AD23082_19, EXP: 5/6/2014', 'Marketed Without an Approved NDA/ANDA: FDA analysis found the product to contain undeclared active ingredient, tadalafil, thus making these products unapproved drugs.', 'Labeling: incorrect or missing lot number and/or expiration date', 'Failed Impurities/Degradation Specifications: out-of-specification results for individual unknown and total impurity at the 12th month room temperature stability test station', 'CGMP Deviations: finished products manufactured using active pharmaceutical ingredients whose intermediates failed specifications. ', ' guanFACIN', 'Contraceptive tablets out of sequence: Contraceptive tablets out of sequence: Introvale (levonorgestrel and ethinyl estradiol tablets USP 0.15mg/0.03mg) is voluntarily being recalled due to inactive placebo tablets incorrectly placed in Week 9, and active tablets placed in Week 13 on the blister card', ' NITROFURANTOIN MACROCRYSTALS Capsule, 50 mg may be potentially mislabeled as PHYTONADIONE, Tablet, 5 mg, NDC 25010040515, Pedigree: AD25452_1, EXP: 4/30/2014.', 'Chemical Contamination', 'CGMP Deviations: Product was made with an incorrect ingredient, Laureth-9 was mistakenly substituted for PEG.', 'Labeling: Label Mix-Up: FDA tested samples of API from Medisca, labeled as to contain L-Citrulline, and results revealed no L-Citrulline was present. Levels of N-acetyl-leucine were found instead.', 'Defective Delivery System: Out of Specification (OOS) results for the mechanical peel force (MPF) and z-statistic value which relates to the patients and caregiver ability to remove the release liner from the patch adhesive prior to administration. ', 'Misbranded', ' found to contain Lorcaserin, a controlled substance used for weight loss', 'Failed Dissolution Specification: Out of specification dissolution results when testing product stability.', 'A complaint was received from a hospital pharmacy on 11/10/11 for crystalline particulates in a single vial from Lot V10194. Additional small visible particles consisting of fibers were identified. ', 'Failed dissolution specification: recalled due to an out of specification dissolution result of 40% (Specification: NLT 80%) ', 'Labeling: Incorrect or Missing Lot And/or Exp Date: Bottles labeled with the incorrect expiration date of 03/18 rather than 09/17.', 'CGMP Deviations: Recall initiated as a precautionary measure due to a potential risk of product contamination with the bacteria B. cepacia.', ' product contains sildenafil, an active ingredient in a FDA approved product for the treatment of Erectile Dysfunction', 'Failed USP Dissolution Test Requirements: Out of Specification dissolution result at 18 month time point ', 'Defective Delivery System: One lot exceeded the mechanical peel specification', 'Labeling: Label Error on Declared Strength: Label incorrectly identifies product dose as 5ml instead of 10 ml.', ' D-ALPHA TOCOPHERYL ACETATE Capsule, 400 units may be potentially mislabeled as CYANOCOBALAMIN, Tablet, 500 mcg, NDC 00536355101, Pedigree: AD52993_19, EXP: 5/20/2014.', ' HYOSCYAMINE SULFATE ER, Tablet, 0.375 mg, NDC 43199001401, Pedigree: W003576, EXP: 6/24/2014', 'Superpotent (Multiple Ingredient) Drug: Complaint received of oversized tablets.', 'Label Mix up', ' ASPIRIN Tablet, 325 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: W002642, EXP: 6/4/2014.', 'Discoloration: This recall is being carried out due to a yellow to brown discolored Amoxicillin powder on the inner foil seal of the bottles.', 'Labeling: Label Mixup: LIOTHYRONINE SODIUM, Tablet, 5 mcg may have potentially been mislabeled as one of the following drugs: LIOTHYRONINE SODIUM, Tablet, 25 mcg, NDC 00574022201, Pedigree: W003152, EXP: 4/30/2014. ', ' white substance confirmed as Guaifenesin, an active ingredient was observed in some bottles. If the product is shaken or warmed the white particles goes into the solution.', 'Labeling: Label Mix up', ' LACTASE ENZYME, Tablet, 3000 units, NDC 24385014976, Pedigree: W003721, EXP: 6/26/2014', 'Marketed without an Approved NDA/ANDA: Products contain undeclared active pharmaceutical ingredients', 'Labeling: Label Mixup: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg may have potentially been mislabeled as one of the following drugs: guanFACINE HCl, Tablet, 2 mg, NDC 65162071310, Pedigree: AD21790_13, EXP: 5/1/2014', 'Failed USP Dissolution Test Requirements: Out-of-specification dissolution results at the 8 hour stability testing point.', 'Presence of Foreign Substance: process-related particulates which may be associated with the raw materials were observed ', 'Failed Tablet/Capsule Specifications: Affected lot numbers may contain chipped or broken tablets.', 'Labeling: Label Mixup: OXYBUTYNIN CHLORIDE, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: FLECAINIDE ACETATE, Tablet, 100 mg, NDC 00054001125, Pedigree: AD56847_4, EXP: 5/21/2014', ' FEXOFENADINE HCL, Tablet, 60 mg, NDC 45802042578, Pedigree: W003020, EXP: 6/12/2014', ' SOTALOL HCL, Tablet, 160 mg, NDC 00093106201, Pedigree: AD22609_10, EXP: 4/30/2014', 'Failed Impurities/Degradation Specifications: High out of specification results for Impurity D.', 'Presence of Particulate Matter: Glass defect located on the interior neck of the vial identified glass surface abrasions and visible embedded particulate matter which could result in the potential for small glass flakes or embedded metal particulate to become dislodged into the solution.', ' cotton coil is missing in some packaged bottles', ' potential for mold contamination', 'Failed impurities/degradation specifications: due to out-of-specification result for the Related Substance Compound C (Impurity 6 - N-Oxide at the 18 month stability station.', ' or AMANTADINE HCL, Tablet, 100 mg, NDC 00832011100, Pedigree: AD54475_4, EXP: 5/20/2014. ', 'Labeling: label error on declared strength. ', ' BENZOCAINE/MENTHOL Lozenge, 15 mg/3.6 mg may be potentially mislabeled as LUBIPROSTONE, Capsule, 24 mcg, NDC 64764024060, Pedigree: AD21811_1, EXP: 5/1/2014', ' DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree: W003506, EXP: 6/21/2014', 'Defective Container: There is a potential for frangible components to be broken, resulting in a leak at the port when the closure is removed.', 'Labeling: Label Mixup: CapsuleTOPRIL, Tablet, 25 mg may have potentially been mislabeled as the following drug: DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree AD54587_4, EXP: 5/21/2014. ', ' MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 37205018581, Pedigree: AD32328_8, EXP: 5/9/2014', ' Label Mixup', 'Labeling: Label Mixup: MYCOPHENOLATE MOFETIL, Capsule, 250 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 80 mg, NDC 00378212277, Pedigree: W003213, EXP: 6/14/2014', ' TACROLIMUS, Capsule, 1 mg, NDC 00781210301, Pedigree: W003352, EXP: 3/31/2014. ', ' BISOPROLOL FUMARATE Tablet, 5 mg may be potentially mislabeled as: ESTROPIPATE, Tablet, 0.75 mg, NDC 00591041401, Pedigree: AD34934_4, EXP: 5/10/2014.', 'Temperature Abuse: Prolonged exposure to temperatures outside of labeled storage conditions.', ' tiZANidine HCL Tablet, 2 mg may be potentially mislabeled as NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 37205098769, Pedigree: AD70700_4, EXP: 5/29/2014', 'Presence of Foreign Substance', 'Labeling: Label Mixup: ISOSORBIDE DINITRATE, Tablet, 10 mg may have potentially been mislabeled as one of the following drugs: SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: AD22845_10, EXP: 5/2/2014', ' three month stability time point. ', ' out of specification results at the 9 month stability time point for color, dissolution and related compounds. ', 'Lack of Assurance of Sterility: The firm is recalling all sterile preparations of Estradiol and Testosterone that are within expiry due to deficient practices which may have an impact on sterility assurance. \\t ', ' Incorrect/Undeclared Excipients: Outdated previous version of label applied to products that incorrectly states one inactive ingredient.', 'Failed Tablet/Capsule Specifications: Broken tablets', 'Labeling: Label Mixup: methylPREDNISolone, Tablet, 4 mg may have potentially been mislabeled as one of the following drugs: LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00378181101, Pedigree: AD52778_37, EXP: 5/20/2014', ' MULTIVITAMIN/ MULTIMINERAL/ LUTEIN, Capsule, NDC 24208063210, Pedigree: W003025, EXP: 6/12/2014', ' acetaZOLAMIDE, Tablet, 250 mg, NDC 51672402301, Pedigree: W003524, EXP: 6/21/2014', 'Presence of Foreign Substance: Recall is being initiated due to the presence of a foreign particle identified from a customer complaint.', 'Labeling: Label Mix-Up: Bottles labeled as Naproxen Tablets USP, 500 mg, 100-count may contain 90-count Pravastatin Sodium Tablets, 40 mg.', 'Presence of Foreign Tablets/Capsules: Presence of comingled Sugar Free Honey Lemon cough drops.', ' PIMOZIDE, Tablet, 2 mg, NDC 57844018701, Pedigree: AD30140_43, EXP: 5/7/2014', 'Labeling: Label Mixup: NORTRIPTYLINE HCL, Capsule, 10 mg may have potentially been mislabeled as the following drug: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD70585_1, EXP: 5/29/2014.', 'CGMP Deviations: Dextroamphetamine Saccharate, Amphetamine Asparate, Dextroamphetamine Sulfate and Amphetamine Sulfate Tablets, CII, 10 mg were manufactured using unapproved material: the finished product was not properly quarantined as rejected due to inadequate cleaning of equipment. ', 'Defective Container: Product leaks when inverted.', 'Presence of Foreign Substance: Reports of gray smudges identified as minute stainless steel particulates were found in the recalled tablets by the manufacturer', 'Impurities/Degradation Products: Recalled lots do not meet room temperature stability specification for unknown degradant. ', ' OM', ' complaints of mold in the overpouch', 'Failed Impurities/Degradation Specifications: Out of specification for a known degradant.', ' missing label on blister card ', ' PHOSPHORUS Tablet, 250 mg may be potentially mislabeled as CITALOPRAM, Tablet, 10 mg, NDC 57664050788, Pedigree: AD56921_1, EXP: 5/21/2014', ' LUBIPROSTONE Capsule, 24 mcg may be potentially mislabeled as ARIPiprazole, Tablet, 2 mg, NDC 59148000613, Pedigree: AD21790_43, EXP: 5/1/2014', ' PSEUDOEPHEDRINE HCL, Tablet, 60 mg, NDC 00904512559, Pedigree: W002856, EXP: 6/7/2014', ' MULTIVITAMIN/MULTIMINERAL LOW IRON Tablet may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00527134601, Pedigree: AD60272_22, EXP: 5/22/2014', 'Lack of Assurance of Sterility: The product has the potential for solution to leak at or near the administrative port of the primary container.', ' bottles of Ferrous Sulfate actually contains Meclizine HCl (indicated for motion sickness)', 'Marketed Without an Approved NDA/ANDA: All lots of the dietary supplement Slimdia Revolution are being recalled because they contain sibutramine, a previously approved FDA drug removed from the U.S. marketplace for safety reasons, making it an unapproved new drug.', 'GMP deficiencies ', 'Failed Impurities/Degradation Specifications: during long-term stability testing. ', 'CGMP Deviations: Pharmaceutical for injection was not manufactured according to Good Manufacturing Procedures.', 'Labeling: Incorrect or Missing Package Insert: Product is packaged with the incorrect version of the package outset', ' guaiFENesin ER, Tablet, 600 mg, NDC 45802049878, Pedigree: W002734, EXP: 6/6/2014', ' aMILoride HCl Tablet, 5 mg may be potentially mislabeled as PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: AD60272_37, EXP: 5/22/2014', 'Lack of Sterility Assurance: All lots of sterile products compounded by the pharmacy that are not expired due to concerns associated with quality control procedures that present a potential risk to sterility assurance that were observed during a recent FDA inspection', ' COLCHICINE, ', 'Subpotent (Single Ingredient) Drug: This product is being recalled because of sub-potency of the sennosides.', 'Labeling: Label Mixup: PROPRANOLOL HCL, Tablet, 10 mg may have potentially been mislabeled as one of the following drugs: LORazepam, Tablet, 0.25 mg (1/2 of 0.5 mg), NDC 00591024001, Pedigree: AD60243_1, EXP: 5/22/2014', 'Failed Impurities/Degradation Specifications: Out of Specification(OOS) results for degradation product of etomidate was confirmed during stability testing.', ' ATORVASTATIN CALCIUM, Tablet, 80 mg, NDC 00378212277, Pedigree: AD73627_1, EXP: 5/30/2014', 'Labeling: Label Mixup: DUTASTERIDE, Capsule, 0.5 mg may have potentially been mislabeled as one of the following drugs: DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD65457_19, EXP: 5/24/2014', ' PROPRANOLOL HCL Tablet, 5 mg (1/2 of 10 mg) may be potentially mislabeled as LITHIUM CARBONATE ER, Tablet, 225 mg (1/2 of 450 mg), NDC 00054002025, Pedigree: AD73525_16, EXP: 5/30/2014.', 'Labeling: Label Mixup: CALCIUM ACETATE, Capsule, 667 mg may be potentially mislabeled as one of the following drugs: ZOLPIDEM TARTRATE, Tablet, 2.5 mg (1/2 of 5 mg), NDC 64679071401, Pedigree: AD28355_1, EXP: 5/8/2014', 'Lack of Assurance of Sterility: All unexpired sterile compounded human and veterinary products are being recalled because they were compounded in the same environment and under the same practices as another product found to be non-sterile and therefore sterility cannot be assured.', 'Labeling: Label Mixup: MULTIVITAMIN/MULTIMINERAL W/IRON, CHEW Tablet, 0 mg may have potentially been mislabeled as the following drug: CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W003017, EXP: 6/12/2014. ', ' CYANOCOBALAMIN, Tablet, 1000 mcg may be potentially mislabeled as VITAMIN B COMPLEX W/C, Tablet, NDC 00904026013, Pedigree: AD21846_43, EXP: 5/1/2014', ' HYDROCORTISONE, Tablet, 5 mg, NDC 00603389919, Pedigree: W003060, EXP: 6/12/2014', ' HYDROCORTISONE, Tablet, 5 mg, NDC 00603389919, Pedigree: W003325, EXP: 6/18/2014. ', ' FLUCONAZOLE, Tablet, 100 mg, NDC 68462010230, Pedigree: W003064, EXP: 6/12/2014. ', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared ingredient: N-di-desmethylsibutramine, an analog of sibutramine', ' TRIMETHOBENZAMIDE HCL, Capsule, 300 mg, NDC 53489037601, Pedigree: W002976, EXP: 6/11/2014', 'Failed Impurities/Degradation Specifications: Product failed Impurity content (Butylated Hydroxy Anisole Content) against shelf life specification.', \" Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012. FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \", ' ISOSORBIDE MONONITRATE ER Tablet, 30 mg may be potentially mislabeled as LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 16714058102, Pedigree: W003899, EXP: 6/27/2014', ' crystallized nimodipine', 'Labeling: Label Mixup: VALSARTAN, Tablet, 160 mg may have potentially been mislabeled as one of the following drugs: PROGESTERONE, Capsule, 100 mg, NDC 00032170801, Pedigree: AD46320_1, EXP: 5/15/2014', 'Microbial Contamination of Non-Sterile Products: Elevated counts of gram positive rods were found during environmental testing ', 'Marketed without an Approved NDA/ANDA: Dietary supplement may contain amounts of an active ingredient found in some FDA-approved drugs for erectile dysfunction (ED) making the dietary supplement an unapproved drug. ', 'Failed Dissolution Testing: Failed 24 month dissolution testing.', 'Labeling: Label Mixup: SODIUM CHLORIDE, Tablet, 1 mg may have potentially been mislabeled as one of the following drugs: BISACODYL EC, Tablet, 5 mg, NDC 00904792760, Pedigree: AD34931_1, EXP: 5/9/2014', 'Failed Dissolution Specifications: low out of specification dissolution results found during stability testing.', 'CGMP Deviations: This product is being recalled because expired flavoring was used in the manufacturing of these lots.', ' product packaged with outdated version of the insert', 'Labeling: Label Mixup: DOCUSATE SODIUM, Capsule, 250 mg may have potentially been mislabeled as one of the following drugs: PIOGLITAZONE, Tablet, 15 mg, NDC 00591320530, Pedigree: AD25452_10, EXP: 4/30/2014', ' METOPROLOL TARTRATE, Tablet, 25 mg, NDC 00378001801, Pedigree: W002535, EXP: 6/3/2014', 'Failed Impurities/Degradation Specifications: Out of specification (OOS) results were observed for CAD-II, CAD-V and Total Impurities.', \"Failed Dissolution Specifications: One lot of product is being voluntarily recalled because dissolution test results failed to meet specification throughout the product's shelf life.\", ' product labeled to contain Nebivolol tablets actually contained Pramipexole Dihydrochloride tablets', ' DILTIAZEM HCL ER Capsule, 240 mg may be potentially mislabeled as NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 37205098769, Pedigree: AD52433_4, EXP: 5/17/2014', 'Labeling: Label Mixup: PHENOL, LOZENGE, 29 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 20 mg, NDC 00378201777, Pedigree: AD49582_10, EXP: 5/16/2014', 'Failed pH Specification: A pH result of 2.9 was obtained at the 9 month stability test interval at 25C/60%RH. The registered specification for pH is 3.0 - 7.0', 'Presence of Particulate Matter: Confirmed customer complaint that orange and black particulates, identified as iron oxide, were found embedded within the glass vial and floating in solution.', ' COENZYME Q-10 Capsule, 100 mg may be potentially mislabeled as ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: AD30180_13, EXP: 5/9/2014', ' COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD37056_4, EXP: 5/10/2014. VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 0, NDC 40985022251, Pedigree: AD7362', 'Marketed without an Approved NDA/ANDA: product found to contain undeclared sildenafil', 'Marketed without an approved NDA/ANDA: INK-EEZE Tattoo Numbing Spray contains 5% Lidocaine and is being marketed without an approved NDA/ANDA. Lidocaine 5% is an ingredient in many FDA approved products, making Ink-Eeze an unapproved new drug.', 'Incorrect/Undeclared Excipients: Product contains undeclared FD&C Yellow No. 5 in the capsule shell.', ' CHOLECALCIFEROL, Capsule, 5000 units, NDC 00904598660, Pedigree: AD52993_22, EXP: 5/20/2014. ', 'Presence of Foreign Tablets/Capsules: one foreign capsule identified as omeprazole 10 mg was found in the bottle', 'Labeling: Label Mixup: ASPIRIN EC, Tablet, 325 mg may have potentially been mislabeled as one of the following drugs: MULTIVITAMIN/MULTIMINERAL, CHEW Tablet, 0 mg, NDC 58914001460, Pedigree: AD30180_10, EXP: 5/9/2014', 'Non-Sterility: Pharmacy Creations is recalling Ascorbic Acid 500 mg/mL 50 mL vials due to mold contamination.', 'Defective Container: Excess lidding material accumulation between the seal and the cup resulting in the lid not properly adhering and allowing leakage. ', 'Lack of Sterility Assurance', ' GLUCOSAMINE/CHONDROITIN DS, Tablet, 500 mg/400 mg may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD60211_11, EXP: 5/22/2014.', ' potential for vial breakage', 'Failed Impurities/Degradation Specifications: Out of Specification for an impurity at the 18 month stability time point.', 'Subpotent Drug: The firm received an out of specification result for Assay (potency was below specification) at the 9 month stability time point. ', ' OXcarbazepine Tablet, 600 mg may be potentially mislabeled as LACTASE ENZYME, Tablet, 3000 units, NDC 24385014976, Pedigree: AD30028_25, EXP: 5/7/2014.', ' VENLAFAXINE HCL, Tablet, 25 mg, NDC 00093019901, Pedigree: W002825, EXP: 12/31/2013', ' AT', 'Labeling: Label Mixup: CILOSTAZOL, Tablet, 100 mg may be potentially mislabeled as the following drug: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: W003469, EXP: 6/20/2014. ', ' CHOLECALCIFEROL, Tablet, 1000 units may be potentially mislabeled as ASPIRIN, Chew Tablet, 81 mg, NDC 00536329736, Pedigree: W003459, EXP: 6/20/2014', ' MULTIVITAMIN/MULTIMINERAL LOW IRON, Tablet, NDC 64376081601, Pedigree: AD60272_31, EXP: 5/22/2014', \"Non-Sterility: The firm's contract testing laboratory found sterility failures.\", ' After quality review of stability failures in previous lots, there is insufficient data to determine that other lots are not affected.', 'Labeling: Label Mixup: PHENobarbital, Tablet, 97.2 mg may have potentially been mislabeled as the following drug: PHENobarbital, Tablet, 64.8 mg, NDC 00603516721, Pedigree: AD73518_7, EXP: 5/31/2014. ', 'Marketed Without An Approved NDA/ANDA: FDA laboratory analysis confirmed that ULTRA ZX contains undeclared sibutramine and phenolphthalein ', ' report of oversized and discolored tablets', 'Failed Stability Specifications: this product is below specification for preservative content.', 'Presence of Precipitate: Recall is due to complaints of a white substance, confirmed as Guaifenesin, an active ingredient in the product which is precipitating out.', 'Labeling: Label error on declared strength. Package Insert -Error in the Description section of the package insert refers to the strength as 3mg per mL', 'Crystallization: Crystal precipitate formation and an increase in the number of complaints associated with a gritty, sand-like feeling in the eye.', ' product viscosity and or pH are below specification.', ' desmethyl carbondenafil and dapoxetine.', 'Failed Tablet/Capsule Specifications: Ink identification had rubbed off tablets in transit making them illegible to pharmacists and consumers.', 'Failed Dissolution Specifications: low out-of-specification (OOS) results for dissolution were obtained at the nine-month stability point.', 'Failed Impurities/Degradation Specifications: High out-of-specification results for a related compound obtained during routine stability testing.', 'Discoloration: Ethambutol Tablets USP 400 mg have tablets cores that may be discolored.', ' ISOSORBIDE MONONITRATE ER, Tablet, 30 mg, NDC 62175012837, Pedigree: AD21790_64, EXP: 5/1/2014', 'Presence of Particulate Matter: identified as cardboard.', ' MELATONIN, Tablet, 1 mg may be potentially mislabeled as QUETIAPINE FUMARATE, Tablet, 12.5 MG (1/2 of 25 MG), NDC 47335090288, Pedigree: AD21790_79, EXP: 5/1/2014', 'Labeling: Label Mixup: LOVASTATIN, Tablet, 20 mg may have potentially been mislabeled as one of the following drugs: ASPIRIN EC DR, Tablet, 81 mg, NDC 49348098015, Pedigree: AD28349_1, EXP: 2/28/2014', 'Good Manufacturing Practices Deviations: The product has an active pharmaceutical ingredient from an unapproved source.', 'Microbial Contamination of a Non-Sterile Products: The product had a positive Staphylococcus aureus test result. ', 'Penicillin Cross Contamination', 'Presence of Particulate Matter: Particulate matter includes wood, sodium citrate and dextrose.', ' increased complaints received for leaks', 'Failed Dissolution Specifications: Out-of-specification results in retained sample.', ' SIROLIMUS, Tablet, 1 mg, NDC 00008104105, Pedigree: W003329, EXP: 6/18/2014. ', 'Labeling: Label Mixup: NORTRIPTYLINE HCL, Capsule, 75 mg may have potentially been mislabeled as one of the following drugs: guaiFENesin ER, Tablet, 600 mg, NDC 45802049878, Pedigree: AD21790_58, EXP: 5/1/2014', 'Marketed Without an Approved ANDA/NDA: presence of sildenafil', 'Subpotent Drug: Product label claim is 4% Benzoyl Peroxide, Initial Stability testing showed variation within the lot outside of product specifications.', 'Failed Tablet/Capsule Specifications: Multiple complaints for push through tablet breakage.', 'Penicillin Cross Contamination: Potential for products to be cross-contaminated with penicillin.', ' IM and SQ injectable products are being recalled because the manufacturing firm is not registered with the FDA as a drug manufacturer ', 'Stability Data Does Not Support Expiry: All lots of all products repackaged and distributed between 01/05/12 through 02/12/15 are being recalled because they were repackaged without data to support the printed expiry date.', 'Labeling: Label Mixup: LOSARTAN POTASSIUM, Tablet, 25 mg may have potentially been mislabeled as the following drug: PHYTONADIONE, Tablet, 5 mg, NDC 25010040515, Pedigree: AD46312_22, EXP: 4/30/2014. ', ' buPROPion HCl ER Tablet, 200 mg may be potentially mislabeled as AMANTADINE HCL, Capsule, 100 mg, NDC 00781204801, Pedigree: W002726, EXP: 6/6/2014.', ' impurity identified as cetirizine monosaccharide ester', 'Impurities/Degradation Products: This lot of product will not meet the impurity specification over shelf life', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 125 mcg may have potentially been mislabeled as the following drug: MAGNESIUM CHLORIDE DR, Tablet, 64 mg, NDC 00904791152, Pedigree: AD70615_1, EXP: 2/28/2014. ', 'Failed impurities/degradation specifications: Out-of-specification result (for multiple batches) for an unknown impurity of Chlorhexidine gluconate.', ' FEXOFENADINE HCL Tablet, 60 mg may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: W003019, EXP: 6/12/2014', ' potential exposure to non-sterile lubricant during the filling process', 'Presence of Particulate Matter: Units of this lot may have visible metal particles embedded in the vial and in the solution causing the product to be discolored. ', ' LIOTHYRONINE SODIUM Tablet, 5 mcg may be potentially mislabeled as HYDROCHLOROTHIAZIDE, Tablet, 12.5 mg, NDC 16729018201, Pedigree: AD46414_25, EXP: 5/16/2014.', 'Labeling: Incorrect or Missing Package Insert: Product is packaged with the incorrect version of the package insert.', ' LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: W003216', ' HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 76439030910, Pedigree: W003438, EXP:', ' LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00378181101, Pedigree: AD30197_13, EXP: 5/9/2014. ', 'Failed Content Uniformity Specifications: Recall is being carried out due to an out-of-specification result for content uniformity.', ' metal embedded in the glass vial and visible particles floating in the solution', ' ATOMOXETINE HCL, Capsule, 80 mg, NDC 00002325030, Pedigree: AD30140_19, EXP: 5/7/2014', 'Marketed Without An Approved NDA/ANDA: Product is sold over the counter whose labeling includes drug claims to act as an antidote.', ' HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: W003000, EXP: 6/11/2014. ', ' CYANOCOBALAMIN, Tablet, 500 mcg, NDC 00536355101, Pedigree: W002860, EXP: 6/7/2014. ', 'Labeling: Incorrect or Missing Lot and/or Exp Date: This recall is being carried out due to an incorrect expiration date assigned to a lot of physicians samples.', 'Defective Delivery System: Product may contain leaking capsules.', 'Labeling: Illegible label. Writing is rubbing off of labels.', 'Failed Dissolution Specifications: The affected lots may not meet the specifications for dissolution over the product shelf life. ', 'Failed Impurities/Degradation Specifications: this product is being recalled due to an out of specification test result for impurities during stability testing. ', 'CGMP Deviations: this product is being recalled because an FDA inspection revealed that it was not manufactured under current good manufacturing practices.', 'Presence of Particulate Matter: Found during examination of retention samples.', 'The firm received seven reports of adverse reactions in the form of skin abscesses potentially linked to compounded preservative-free methylprednisolone 80mg/ml 10 ml vials. ', 'Labeling: Label Mixup: CHOLECALCIFEROL, Capsule, 2000 units may have potentially been mislabeled as one of the following drugs: DOXYCYCLINE HYCLATE, Tablet, 100 mg, NDC 53489012002, Pedigree: AD30993_8, EXP: 5/9/2014', 'Lack of Assurance of Sterility: confirmed customer complaints of leaking bags. ', 'Marketed without an approved NDA/ANDA - presence of undeclared sildenafil.', 'Presence of Foreign Tablets/Capsules: report of a foreign capsule with markings (TKN 250) and identified as a Tikosyn (dofetilide) capsule was found in a bottle of Effexor XR (venlafaxine HCl) 150 mg capsules that was packaged in the same packaging campaign as the recalled lot', 'Failed Impurity/Degradation Specifications', 'Marketed without an Approved NDA/ANDA: Brower Enterprises Inc., is recalling its WOW Health Enterprises Dietary Supplement, because it contains undeclared drug ingredients making it an unapproved drug. FDA sample analysis has found the product to contain methocarbamol, dexamethasone, and diclofenac.', 'Failed impurities/degradation specifications', 'Presence of Particulate Matter: Visible particulate and particulate embedded in vials were observed during retain inspection.', ' CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: AD46257_13, EXP: 5/15/2014. ', ' methylPREDNISolone Tablet, 4 mg may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 137 mcg, NDC 00781519192, Pedigree: AD22616_10, EXP: 5/2/2014.', 'Subpotent Drug: Out of specification result for pramoxine hydrochloride', ' MYCOPHENOLATE MOFETIL, Capsule, 250 mg, NDC 00781206701, Pedigree: AD65457_7, EXP: 5/24/2014. ', 'Labeling: Label Mixup: SIMVASTATIN, Tablet, 40 mg may have potentially been mislabeled as the following drug: METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 63304057901, Pedigree: AD21790_67, EXP: 5/1/2014. ', 'Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with sildenafil, an FDA approved drug for the treatment of male erectile dysfunction, making this an unapproved drug.', 'Labeling: Not elsewhere classified: On 12/12/11, DEA published a final rule in the Federal Register making this product a schedule IV (C-IV)controlled substance. This product is being recalled because this controlled product was not relabeled with the required \"C-IV\" imprint on the label for products distributed after the 06/11/12 deadline.', 'Labeling: Label Mixup: CALCIUM ACETATE, Tablet, 667 mg may have potentially been mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD30028_34, EXP: 5/7/2014', ' MIRTAZAPINE, Tablet, 7.5 mg, NDC 59762141509, Pedigree: W003693, EXP: 4/30/2014. ', 'Microbial Contamination of Non Sterile Product', 'Labeling: Label Mixup: CYANOCOBALAMIN, Tablet, 100 mcg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: AD62834_7, EXP: 5/24/2014. ', ' RIVAROXABAN, Tablet, 20 mg,', ' SODIUM CHLORIDE, Tablet, 1 gm, NDC 00223176001, Pedigree: W003792, EXP: 6/27/2014', ' CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: AD32757_53, EXP: 5/14/2014', 'Labeling: Label Mixup:predniSONE, Tablet, 20 mg may have potentially been mislabeled as the following drug: methylPREDNISolone, Tablet, 4 mg, NDC 00781502201, Pedigree: AD54587_7, EXP: 5/21/2014.', 'Cross Contamination with Other Products: Potential for contaminant on the cotton packaging inside the bottle. Chemical analysis of the contaminant found on the cotton was identified as a formulation of 4% Trimipramine methanesulfonate - a tricyclic antidepressant..', ' 12 month time point for the active ingredient Phenylephrine HCl.', 'Labeling: Label Mixup: NIACIN ER, Tablet, 500 mg may have potentially been mislabeled as one of the following drugs: CHOLECALCIFEROL, Capsule, 50000 units, NDC 53191036201, Pedigree: AD60268_4, EXP: 5/22/2014', 'Labeling: Label Mixup: CARBIDOPA/LEVODOPA, Tablet, 25 mg/250 mg may have potentially been mislabeled as the following drug: DIGOXIN, Tablet, 0.125 mg, NDC 00115981101, Pedigree: AD46426_22, EXP: 5/15/2014. ', ' Cetylpyridinum Chloride', 'Labeling Illegible: Missing Label', 'CGMP Deviations: These products are being recalled because they were manufactured with active pharmaceutical ingredients (APIs) that were not manufactured with good manufacturing practices.', 'Presence of Particulate Matter', 'Labeling: Label Mixup: LACTOBACILLUS ACIDOPHILUS, Tablet, 35 MILLION may have potentially been mislabeled as the following drug: REPAGLINIDE, Tablet, 1 mg, NDC 00169008281, Pedigree: W003924, EXP: 6/28/2014. ', 'Cross contamination with other products: Sandoz is recalling certain lots of Ropinirole Extended Release Tablets 2 mg due to the potential presence of carryover coming from the previously manufactured product, mycophenolate mofetil.', ' NIFEDIPINE, Capsule, 10 mg, NDC 43386044024, Pedigree: AD23082_10, EXP: 9/23/2013', 'Labeling: Label Error on Declared Strength. Product has correct label on the syringe and the case but some units are incorrectly labeled as .4 mg/10 mL (40 mcg/ml) on the light protective overwrap of each syringe. ', 'Lack of Assurance of Sterility: potential for leaking containers which lacks the assurance of sterility.', 'Failed Tablet/Capsule Specifications: Teva Pharmaceuticals USA, Inc. is voluntarily recalling one lot of Fluvastatin Capsules USP, 20 mg due to a customer complaint trend regarding capsule breakage. ', ' ASPIRIN, Chew Tablet, 81 mg, NDC 00536329736, Pedigree: W003093, EXP: 6/13/2014', 'Marketed Without an Approved NDA/ANDA: FDA sampling and analysis confirmed the presence of sibutramine and desmethylsibutramine.', ' LIOTHYRONINE SODIUM, Tablet, 5 mcg, NDC 42794001802, Pedigree: AD46414_38, EXP: 5/16/2014. ', ' DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071215, Pedigree: AD52778_4, EXP: 5/20/2014. ', 'This recall of LIPTRUZET is being initiated due to packaging defects. Some of the outer laminate foil pouches allowed in air and moisture, which could potentially decrease the effectiveness or change the characteristics of the product.', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Potential for the lot number and/or expiration date to be faded or missing from the primary label on the glass vial.', 'CGMP Deviation: Discoloration', 'CGMP Deviation: Poor container closure of the bulk storage container ', 'Defective Delivery System: There is a potential for some units in certain lots of Qnasl Nasal Aerosol 80 mcg metered spray to have clogged stem valves. ', ' TRIMETHOBENZAMIDE HCL, Capsule, 300 mg, NDC 53489037601, Pedigree: AD70625_1, EXP: 5/29/2014. ', 'Presence of Particulate Matter: particulate matter identified as glass in one vial. ', 'Failed Dissolution Specifications. Above out of specification for dissolution rate observed at the 10 hour testing point. ', ' Bottles labeled to contain Morphine Sulfate IR may contain Morphine Sulfate ER and vice-versa. ', ' HYDROCORTISONE, Tablet, 5 mg, NDC 00603389919, Pedigree: AD21790_16, EXP: 5/1/2014. ', 'Presence of Particulate Matter: silcone rubber and fluorouracil crystals found floating in solution', ' guaiFENesin ER, Tablet, 600 mg may be potentially mislabeled as FENOFIBRATE, Tablet, 54 mg, NDC 00378710077, Pedigree: AD21790_52, EXP: 5/1/2014', ' product contains analogues of sildenafil and tadalafil which are active pharmaceutical ingredients in FDA-approved drugs used to treat erectile dysfunction (ED) making this product an unapproved new drug. ', ' MAGNESIUM GLUCONATE Tablet, 500 mg (27 mg Elem Mg) may be potentially mislabeled as FLUVASTATIN, Capsule, 20 mg, NDC 00378802077, Pedigree: W002655, EXP: 6/4/2014.', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD60240_1, EXP: 5/22/2014. ', 'Non-Sterility: Janssen is recalling one lot of Risperdal CONSTA (risperiDONE) due to a sterility failure in a stability sample ', ' DOCUSATE SODIUM, Capsule, 250 mg, ', ' Baxter is issuing a voluntary recall for these IV solutions due to particulate matter found in the solution identified as polyester and cotton fibers, adhesive-like mixture, polyacetal particles, thermally degraded PVC, black polypropylene and human hair embedded in the plastic bag', ' TACROLIMUS, ', ' Product is being recalled because the birth control packs were distributed with out-dated package inserts. ', 'Tablet Separation: Possibility of cracked or split coating on the tablets.', ' HYDROXYCHLOROQUINE SULFATE, Tablet, 200 mg, NDC 63304029601, Pedigree: AD70629_10, EXP: 5/29/2014', ' VITAMIN B ', ' CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W002666, EXP: 6/5/2014. ', ' MODAFINIL, Tablet, 200 mg, NDC 00603466216, Pedigree: W003779, EXP: 6/26/2014', 'Presence of Particulate Matter: visible particles were identified floating in the primary container.', ' GUAIFENESIN, Tablet, 200 mg may be potentially mislabeled as PANCRELIPASE DR, Capsule, 24000 /76000 /120000 USP units, NDC 00032122401, Pedigree: W002850, EXP: 6/7/2014.', ' PHYTONADIONE Tablet, 5 mg may be potentially mislabeled as medroxyPROGESTERone ACETATE, Tablet, 10 mg, NDC 59762374202, Pedigree: AD46312_19, EXP: 5/16/2014', 'Labeling: Not Elsewhere Classified: Product is labeled \"Dye Free\" on front panel but contains Red Dye 40.', 'Failed Impurities/Degradation Specifications: Out of specification (OOS) for total impurity and out of trend for known impurity results encountered during stability testing.', ' RALTEGRAVIR, Tablet, 400 mg, NDC 00006022761, Pedigree: W003680, EXP: 6/25/2014', 'Microbial Contamination of Non-Sterile Products: Comfort Shield Barrier Cream Cloth packages tested positive for bacterial contamination.', 'Labeling: Label Mixup: PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units may be potentially mislabeled as the following drug: ASPIRIN/ER DIPYRIDAMOLE, Capsule, 25 mg/200 mg, NDC 00597000160, Pedigree: AD70639_4, EXP: 7/28/2013. ', 'Labeling: Not Elsewhere Classified: Label indicates that the product contains Vitamin B12 (12 micrograms) on the Supplement Facts panel, however, the formulation of this product does not contain Vitamin B12.', 'Labeling: Label Mixup: BUPRENORPHINE HCL SL, Tablet, 2 mg may be potentially mislabeled as one of the following drugs: DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: AD37072_4, EXP: 5/13/2014', ' during stability testing', 'Failed Impurities/Degradation Specification: Out of Specification results for pseudobuprenorphine impurity at the 9-month stability time point.', 'CGMP Deviations: Ethambutol Hydrochloride Tablets, USP, 400 mg were manufactured using unapproved material: the incorrect gelatin excipient than specified in the product formulation. ', ' TORSEMIDE, Tablet, 10 mg, NDC 31722053001, ', 'Marketed without an Approved NDA/ANDA: Laboratory analysis conducted by the FDA has determined the Vicerex product contains undeclared tadalafil and the Black Ant product contains undeclared sildenafil. Tadalafil and sildenafil are FDA-Approved drugs used to treat male erectile dysfunction (ED), making the Vicerex and the Black Ant products unapproved new drugs.', 'Microbial Contamination of Non-Sterile Products: Arthritis Relief Cream failed microbiological specifications.', ' The label on the immediate bottle is missing.', 'Adulterated Presence of Foreign Tablets: Customer complaint that some Endocet 10 mg/325 mg tablets were found mixed in a bottle with Endocet 10 mg/650 mg tablets.', ' 6 month stability time point', ' Product contains broken tablets.', 'Crystallization: Presence of crystals of Nimodipine within the capsule solution.', ' diphenhydrAMINE HCl, Tablet, 25 mg, NDC 00904555159, Pedigree: W002775, EXP: 6/6/2014', 'Marketed without an approved NDA/ANDA: The distributed units of Monistat 1 Simple Cure include only the 1200 mg vaginal suppository', 'Presence of Foreign Substance: Reports of gray smudges identified as minute stainless steel particulates were found in the recalled tablets.', ' guaiFENesin ER, Tablet, 600 mg may be potentially mislabeled as PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet, NDC 51991056601, Pedigree: AD62829_18, EXP: 5/24/2014', 'Subpotent Drug: Out of Specification assay values on stability for the active ingredient, zinc pyrithione.', 'Failed Tablet/Capsule Specification: Teva is recalling certain lots of Propanolol HCl Tablets, 10 mg due to the potential of some tablets not conforming to weight specification.', ' particulate matter in one vial identified as silicone rubber and EPDM rubber from the vial stopper.', ' Clonidine hydrochloride drug substance used in the manufacturing of this product, was dispensed in unauthorized rooms by the drug substance manufacturer.', ' CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: W003045, EXP: 6/12/2014. ', 'Labeling: Label Error on Declared Strength: Some bottles miss a color coded panel where the strength of the product is typically displayed. ', 'Failed Impurities/Degradation Specifications.', ' high out of specification result for 23 transacetyl impurity at the 22 month stability time point', 'Failed Dissolution Specifications: Drug failed stage III dissolution testing.', ' 12-Month stability interval.', 'Labeling: Label Mixup: CLINDAMYCIN HCL, Capsule, 300 mg may have potentially been mislabeled as the following drug: MELATONIN, Tablet, 3 mg, NDC 51991001406, Pedigree: AD68019_7, EXP: 5/28/2014. ', 'Failed Stability Specifications: Out of specification results for viscosity in one lot of Glytone Acne Treatment Facial Cleanser.', 'Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared phenolphthalein, making iNDiGO an unapproved drug.', 'Labeling: Label Mix-Up: Products labeled Biotin 100 mg found to contain 4-aminopyridine', 'Does not meet monograph: product exhibits lead levels in excess of the USP monograph limits.', ' QUEtiapine FUMARATE Tablet, 100 mg may be potentially mislabeled as DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: W002776, EXP: 6/6/2014', ' FLUVASTATIN SODIUM, Capsule, 20 mg, NDC 00078017615, Pedigree: AD73597_7, EXP: 5/31/2014', ' product is being manufactured and distributed without a NDC number', 'Crystallization: Active pharmaceutical ingredient is precipitating in product solution.', 'Labeling: Illegible Label: Sandoz Inc. is recalling of one lot of Fluoxetine Capsules due to an illegible logo on the capsule.', 'Presence of Foreign Tablets/Capsules: Pfizer is recalling 50 mg Pristiq (desvenlafaxine) extended release tablets because a single Pristiq 100 mg tablet was found in a bottle of 50 mg Pristiq. ', \"Adulterated Presence of Foreign Tablets: Dr. Reddy's Laboratories has received complaints of mislabeled bottles of Amlodipine Besylate and Benazepril Hydrochloride Capsules and Ciprofloxacin Tablets\", ' NIACIN TR, Capsule, 500 mg, NDC 00904063160, Pedigree: AD46257_22, EXP: 5/15/2014', 'Presence of Particulate Matter: Potential vendor glass issue - glass spiticules (glass strands) were identified during site inspection of the vials.', 'Microbial Contamination of Non-Sterile Products: Fusion Pharmaceuticals is recalling the Dicopanol FusePaq Kit due to Total Yeasts and Molds Count above USP limits.', 'Marketed without an Approved NDA/ANDA: One lot was on hold-pending release status when it was erroneously made available for sale in the inventory control system. An alternate manufacturing site for the Carbamazepine API final intermediate was pending approval. ', 'Labeling: Incorrect or Missing Lot and/or Exp Date: This recall is being conducted because the product was given 36 month expiration dates instead of the filed 24 months.', 'Labeling: Label Mixup: THYROID, Tablet, 30 mg may have potentially been mislabeled as one of the following drugs: OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1110 mg, NDC 11523726503, Pedigree: AD70655_20, EXP: 5/29/2014', ' DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree: AD70585_16, EXP: 5/29/2014', ' blue polyisoprene shavings found inside the bag port tubes', \"Miscalibrated and/or Defective Delivery System: Out of Specification results for mechanical peel force and/or the z-statistic value which relates to the patient's ability to remove the release liner from the patch adhesive prior to administration.\", 'Lack of Assurance of Sterility: Leiter Pharmacy is recalling due bacterial contamination found after investigation at contract testing laboratory discovered that OOS/failed results were reported to customers as passing. Hence the sterility of these products cannot be assured. ', 'Labeling: Label Mixup:PROGESTERONE, Capsule, 100 mg may have potentially been mislabeled as the following drug: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD73623_10, EXP: 5/30/2014. ', ' ATORVASTATIN CALCIUM, Tablet, 40 mg, NDC 00378212177, Pedigree: W003096, EXP: 6/13/2014. ', 'Failed Impurities/Degradation Specifications: This recall is due to out of specification for impurities test results obtained during stability testing for Lansoprazole. ', ' various products were not stored at Controlled Room Temperature as per USP guidelines during shipping.', ' GALANTAMINE HBr ER, Capsule, 8 mg, NDC 10147089103, Pedigree: W003509, EXP: 6/21/2014', 'Impurities/Degradation Products: Out-of-specification results were obtained for a known impurities.', 'Labeling: Label Mixup: ATOMOXETINE HCL, Capsule, 40 mg may be potentially mis-labeled as OLANZAPINE, Tablet, 7.5 mg, NDC 60505311203, Pedigree: AD21790_76, EXP: 5/1/2014', ' damaged bottles could allow moisture to get into the bottle and thus may impair the quality of the product', ' for the active, HCB, and preservatives, Propylparaben and Butylparaben at the 18 month stability test point', 'Labeling: Label Mixup: NIACIN, Tablet, 100 mg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: W002660, EXP: 6/5/2014. ', ' MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD30028_28, EXP: 5/7/2014', ' product found to contain Doxepin (an antidepressant) and Chlorpromazine (an antipsychotic) ', ' 18 month time point', ' RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: W003538, EXP: 6/21/2014', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W002852, EXP: 6/7/2014', 'Subpotent (Single Ingredient) Drug: This product was found to be subpotent for the salicylic acid ingredient. Additionally, this product is mislabeled because the label either omits or erroneously added inactive ingredients to the label. ', 'Labeling: Label Mixup: MIDODRINE HCL, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: PIOGLITAZONE HCL, Tablet, 15 mg, NDC 00093204856, Pedigree: W003264, EXP: 6/17/2014.\\t', 'Labeling: Label Mix-up: Units of Lot 201131320087 are packaged in cartons labelled for Needle-Free Head B, but contaiin Needle-Free Head A', 'Labeling: Incorrect or Missing Lot and/or Exp Date: the individual blisters are mislabeled with an incorrect lot number of 13560 rather than the correct lot number of 13650.', ' MIRTAZAPINE Tablet, 7.5 mg may be potentially mislabeled as BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg, NDC 00574010603, Pedigree: AD73525_40, EXP: 5/30/2014', 'Chemical Contamination: impurity failure due to chemical contamination of the active ingredient.', ' ISOMETHEPTENE MUCATE/ DICHLORALPHENAZONE/APAP Capsule, 65 mg/100 mg/325 mg may be potentially mislabeled as ALBUTEROL SULFATE ER, Tablet, 4 mg, NDC 00378412201, Pedigree: W003578, EXP: 6/24/2014', ' HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: W003679, EXP: 6/25/2014', ' DULoxetine HCl DR,', ' FLUoxetine HCl, Capsule, 10 mg may be potentially mislabeled as PANCRELIPASE DR, Capsule, 24000 /76000 /120000 USP units, NDC 00032122401, Pedigree: AD70585_10, EXP: 5/29/2014.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: W002920, EXP: 6/10/2014. ', ' CALCIUM', 'Marketed without an Approved NDA/ANDA: Laboratory analysis conducted by the FDA has determined that J.R. Jack Rabbit Male Enhancement product was found to contain two undeclared active pharmaceutical ingredients: sildenafil and tadalafil.', ' LITHIUM CARBONATE ER, Tablet, 225 mg (1/2 of 450 mg), NDC 00054002025, Pedigree: AD21790_25, EXP: 5/1/2014', ' LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD73627_17, EXP: 5/30/2014', ' microbial contamination identified as Bacillus circulans ', ' PHYTONADIONE Tablet, 5 mg may be potentially mislabeled as medroxyPROGESTERone ACETATE, Tablet, 10 mg, NDC 59762374202, Pedigree: AD46312_19, EXP: 5/16/2014', 'Non-Sterility: Confirmed customer complaint of product contaminated with mold.', 'Chemical Contamination: Potential for contamination of the products with an aromatic hydrocarbon resin.', 'Failed Tablet/Capsule Specifications', 'Marketed Without An Approved NDA/ANDA: FDA analysis found the product to contain hydroxythiohomosildenafil, an analogue of sildenafil which is an ingredient in an FDA-approved drug for the treatment of male erectile dysfunction, making this an unapproved new drug.', ' PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: W002732, EXP: 6/6/2014. ', ' CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD62986_1, EXP: 5/23/2014', ' LACTOBACILLUS Tablet may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 65162066850, Pedigree: AD62979_1, EXP: 5/23/2014', 'Labeling: Label Mixup: sitaGLIPtin PHOSPHATE, Tablet, 50 mg may be potentially mis-labeled as one of the following drugs: LACTOBACILLUS, Tablet, 0 mg, NDC 64980012950, Pedigree: AD62992_1, EXP: 5/23/2014', 'Adulterated Presence of Foreign Tablets: A product complaint was received by a pharmacist who discovered an Atorvastatin 20 mg tablet inside a sealed bottle of 90-count Atorvastatin 10 mg.', 'Lack of Assurance of Sterility: Due to potential for leaking bags. ', 'Presence of Foreign Tablets/Capsules: Confimed customer compliant by a retail pharmacist that an unopened bottle labeled as NEXIUM¿ capsules contained 60 SEROQUEL¿ XR tablets.', \"Lack of Assurance of Sterility: The product lots are being recalled due to laboratory results indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable.\", 'Labeling: Label Mix-Up: Some cartons of AHP Ibuprofen Tablets, USP, 600mg, lot #142588 that contain blister cards filled with Ibuprofen tablets, 600mg drug product, were found to be mis-labeled with blister card print identifying the product as AHP Oxcarbazepine Tablets, 300mg, lot #142544.', 'Failed Impurities/Degradation Specification', ' due to leaking vials', 'Labeling: Incorrect or Missing Package Insert', ' ZONISAMIDE Capsule, 100 mg may be potentially mislabeled as PHYTONADIONE, Tablet, 5 mg, NDC 25010040515, Pedigree: W003737, EXP: 5/31/2014.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: W002512, EXP: 6/3/2014. ', ' carBAMazepine ER Tablet, 200 mg may be potentially mislabeled as ACARBOSE, Tablet, 25 mg, NDC 00054014025, Pedigree: AD60272_1, EXP: 5/22/2014.', 'Crystallization: Recall is due to a non-characteristic gritty/sandy texture to the product which is likely due to some crystallization of the product.', ' PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet may be potentially mislabeled as RILUZOLE, Tablet, 50 mg, NDC 00075770060, Pedigree: AD62992_11, EXP: 5/23/2014', ' Clonidine hydrochloride drug substance used in the manufacturing of this product, was dispensed in unauthorized rooms by the drug substance manufacturer', ' CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: AD30180_22, EXP: ', ' DOCUSATE SODIUM Capsule, 100 mg may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD37063_4, EXP: 5/13/2014', ' for 17-BMP at the 9 and 18 month stability time point', \" the firm's medical trays contain Hospira's 0.9% Sodium Chloride bags which were subject to recall due to leaking bags\", ' WARFARIN SODIUM Tablet, 0.5 mg (1/2 of 1 mg) may be potentially mislabeled as SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: AD70636_1, EXP: 5/29/2014.', ' MELATONIN, Tablet, 1 mg may be potentially mislabeled as hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: AD46265_28, EXP: 5/15/2014', 'Marketed Without an Approved NDA/ANDA: product may contain undeclared sildenafil, tadalafil and analogues of these FDA approved active ingredients, making them unapproved drugs', 'Failed Stability Specifications: Out of Specification results obtained for preservative butylparaben.', 'Failed Impurities/Degradation Specifications: out of specification results for a related compound - a degradant of fexofenadine. ', 'Labeling: Label Mixup: VALSARTAN, Tablet, 320 mg may have potentially been mislabeled as the following drug: CILOSTAZOL, Tablet, 100 mg, NDC 60505252201, Pedigree: AD65475_4, EXP: 5/28/2014. ', ' METOPROLOL TARTRATE, Tablet, 50 mg, NDC 00093073301, Pedigree: W003900, EXP: 6/27/2014', ' ARIPiprazole, Tablet, 2 mg, NDC 59148000613, Pedigree: AD46265_19, EXP: 5/15/2014', 'Presence of Particulate Matter: identification of particulates in a retention sample that have been identified as a mixture of the amino acid leucine and inorganic material (containing iron, silicone and chlorine).', 'Labeling: Label Mixup: ISOSORBIDE DINITRATE, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: CILOSTAZOL, Tablet, 100 mg, NDC 00054004421, Pedigree: W003470, EXP: 6/20/2014', ' VENLAFAXINE HCL, Tablet, 25 mg, NDC 00093019901, Pedigree: AD62796_4, EXP: 5/22/2014. ', 'Lack of Assurance of Sterility: Procedure kits contain a balanced salt solution that may be contaminated with endotoxins. ', 'Labeling: Label Mixup: CapsuleTOPRIL, Tablet, 12.5 mg may have potentially been mislabeled as the following drug:, CALCITRIOL, Capsule, 0.25 mcg, NDC 00054000725, Pedigree: AD52778_13, EXP: 5/20/2014. ', ' RALTEGRAVIR, Tablet, 400 mg, NDC 00006022761, Pedigree: AD21790_22, EXP: 5/1/2014', 'Failed Tablet/Capsule Specifications: Complaints of empty capsules received.', ' DILTIAZEM HCL ER, Capsule, 240 mg, NDC 49884083109, Pedigree: AD52375_1, EXP: 5/17/2014', ' ISOSORBIDE MONONITRATE, Tablet, 10 mg, NDC 6217501060', 'Presence of Foreign Substance: Tablets are being recalled due to gray defects identified in the tablets.', ' CHOLECALCIFEROL, Tablet, 1000 units, NDC 00904582460, Pedigree: W003464, EXP: 6/20/2014. ', 'Defective delivery system: detached needles on the syringe in the kit.', 'Labeling: Label Mixup: CALCIUM POLYCARBOPHIL, Tablet, 625 mg may have potentially been mislabeled as the following drug: CAFFEINE, Tablet, 100 mg (1/2 of 200 mg), NDC 24385060173, Pedigree: ADWA00002146, EXP: 5/31/2014. ', ' testing revealed out of specification results for total aerobic microbiological count', ' VALSARTAN, Tablet, 320 mg, NDC 00078036034, Pedigree: AD65475_7, EXP: 5/28/2014', 'Impurities/Degradation Products: High Out of Specification results for a known impurity resulted at the 12-month room temperature time point.', 'Labeling: Label Mixup: DISOPYRAMIDE PHOSPHATE, Capsule, 150 mg may have potentially been mislabeled as the following drug: THYROID, Tablet, 30 mg, NDC 00456045801, Pedigree: AD65323_1, EXP: 5/29/2014.', ' an error in section 5.11 of the patient insert that results in incorrect medical advice. Specifically, the labeling should read \"If a severely depressed HDL-C level is detected, fibrate therapy should be withdrawn, and the HDL-C level monitored until it has returned to baseline, and fibrate therapy should not be re-initiated.\" The labeling for the recalled lots ', ' 12 month stability testing.', ' Hospira has identified the particulate as a human hair, sealed in the bag at the additive port area.', ' MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68585000575, Pedigree: W003923, EXP: 6/28/2014. ', ' Cartridges labeled to contain 1 mL found to contain 2.2 mL', ' PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: AD73521_25, EXP: 5/30/2014. ', 'Labeling: Presence of Undeclared Additive: Medicated lotion soap produced and distributed by the recalling firm contains the unapproved ingredient, Red Dye #15. This dye is not approved for use in food, drugs or cosmetics. ', ' ZINC SULFATE, Capsule, 220 mg, NDC 60258013101, Pedigree: W003641, EXP: 6/25/2014. ', 'Labeling: Label Mixup: TERAZOSIN HCL, Capsule, 5 mg may have potentially been mislabeled as the following drug: DOXAZOSIN MESYLATE, Tablet, 1 mg, NDC 00093812001, Pedigree: W003912, EXP: 6/28/2014. ', \"Subpotent (Single ingredient) drug : This is a sub recall of Teva's Enjuvia due to low Out of Specification (OOS) assay results.\", 'Lack of Assurance of Sterility: Aluminum crimps do not fully seal the rubber stopper to the vial on all containers.', 'Labeling: Incorrect or Missing Package Insert - Xarelto prescribing information outserts may be affixed to the exterior of Invokamet bottles in place of the Invokamet prescribing information outsert.', 'Tablets/Capsules Imprinted with Wrong ID: Some tablets incorrectly imprinted with an X on one side. ', ' Containers of the Obagi Nu-Derm Clear pre-labeled bottles were inadvertently introduced into the Obagi Exfoderm Forte packaging line. Therefore customers which ordered Clear RX actually had contents of Exfoderm forte. ', 'Lack of Assurance of Sterility: Potential cracks in glass vials', ' COLCHICINE Tablet, 0.6 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 2000 units, NDC 00904615760, Pedigree: AD46312_37, EXP: 5/16/2014', ' PSEUDOEPHEDRINE HCL, Tablet, 30 mg may be potentially mislabeled as D-ALPHA TOCOPHERYL ACETATE, Capsule, 400 units, NDC 49348041010, Pedigree: AD52993_28, EXP: 5/20/2014.', ' HYDROCORTISONE, Tabl', ' MULTIVITAMIN/MULTIMINERAL, Chew Tablet, NDC 00536344308, Pedigree: AD73521_10, EXP: 5/30/2014. ', ' CapsuleTOPRIL, Tablet, 6.25 mg (1/2 of 12.5 mg), NDC 00143117101, Pedigree: AD46312_4, EXP: 5/16/2014', 'Non-Sterility: Out of specification results for the sterility test for microbial contamination.', 'Short Fill: some bottles contained less than 120-count per labeled claim.', ' LACTOBACILLUS ACIDOPHILUS, Capsule, 500 MILLION CFU, NDC 43292050022, Pedigree: AD46257_28, EXP: 5/15/2014', ' Product may not meet specifications for color description once reconstituted.', 'Labeling: Label Mixup: PHENobarbital, Tablet, 97.2 mg may have potentially been mislabeled as the following drug: EFAVIRENZ, Capsule, 200 mg, NDC 00056047492, Pedigree: AD46312_31, EXP: 5/16/2014. ', ' LACTOBACILLUS ACIDOPHILUS, Capsule, 500 Million CFU may be potentially mislabeled as MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD46257_56, EXP: 5/15/2014', ' foil label on immediate blister pack indicates active ingredient as Chlorpheniramine rather than Diphenhydramine ', ' tiZANidine HCl, Tablet, 2 mg, NDC 55111017915, Pedigree: W002663, EXP: 6/5/2014', 'Presence of Foreign Tablets/Capsules: Bottles of lansoprazole 30 mg delayed-release capsules may contain topiramate 100 mg tablets.', 'Non-Sterility: One confirmed customer report that product contained spore-like particulates, consistent with mold.', 'Lack of Assurance of Sterility: The product is being recall due to the product lot being incorrectly released without meeting product specifications. There is the potential for the solution to leak from the administrative port to the fill tube seal.', ' LACTOBACILLUS, Tablet, 0, NDC 64980012950, Pedigree: AD22865_1, EXP: 5/2/2014. ', 'Failed Impurities/Degradation Products: Out of specification levels of the impurity m-chlorobenzoic acid were observed.', 'Microbial Contamination of Non Sterile Products: Tower Pharmacy is recalling the Phenylephrine Nasal Spray 1% because of possible microbial contamination.', ' glyBURIDE, Tablet, 2.5 mg, NDC 00093834301, Pedigree: W003688, EXP: 5/31/2014', ' Perrigo has been notified of a recall by the manufacturer of this product, West-Ward Pharmaceuticals. This is a sub-recall due to tablets contaminated with trace amounts of food-grade lubricant, as well as stainless steel inclusions', ' report of visible particulates in the glass ampule', ' VENLAFAXINE Tablet, 25 mg may be potentially mislabeled as OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,110 mg, NDC 11523726503, Pedigree: AD65457_22, EXP: 5/24/2014.', ' CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: AD60240_4, EXP: 5/22/2014', 'Microbial Contamination of Non-Sterile Products: Out-of-specification results for microbial count were observed at the initial stability interval for Lansoprazole Delayed Release Capsules.', 'Labeling: Label Error on Declared Strength', 'Failed PH Specifications: It has been determined that the pH of the lots recalled, may not meet specification at expiry.', ' LOSARTAN POTASSIUM, Tablet, 25 mg may be potentially mislabeled as DISOPYRAMIDE PHOSPHATE, Capsule, 150 mg, NDC 00093312901, Pedigree: AD65323_4, EXP: 5/29/2014.', 'Labeling: Label Mix Up', ' ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/250 mg/65 mg may be potentially mislabeled as NAPROXEN, Tablet, 500 mg, NDC 53746019001, Pedigree: AD68025_8, EXP: 5/28/2014.', 'CGMP Deviations: Active Pharmaceutical Ingredient (API) used for manufacture was stored in a non-GMP compliant warehouse at S.I.M.S., Italy.', ' CINACALCET HCL, Tablet, 30 mg, N', ' PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: W003229, EXP: 6/17/2014', ' leaks were observed from the bag seam and port seal', 'Microbial Contamination of Non-Sterile Product', 'Subpotent Drug: Low out-of-specification potency result of the drug product. ', ' CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: W003075, EXP: 6/12/2014', ' metFORMIN HCl Tablet, 500 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD32742_1, EXP: 5/1/2014.', 'Failed Stability Specifications: The lots of Fluocinonide Gel USP, 0.05% recalled, may not meet the requirements for residual solvents as outlined in USP <467>. ', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: W003015, EXP: 6/12/2014', 'Failed Stability Specifications: product may not meet specification limit for assay test.', 'Presence of Foreign Substance(s): There is a potential for foreign particulate matter in the API.', 'Products failed the Antimicrobial Effectiveness Test', ' ASPIRIN, CHEW Tablet, 81 mg, NDC 00536329736, Pedi', 'Labeling: Label Mixup: MERCapsuleTOPURINE, Tablet, 50 mg may have potentially been mislabeled as the following drug: ASCORBIC ACID, Tablet, 500 mg, NDC 00904052380, Pedigree: AD54576_4, EXP: 5/20/2014. ', ' C', 'Chemical Contamination: Naphthalene compound identified in the product after complaints of a petroleum odor. ', 'Lack of Assurance of Sterility: a recent FDA inspection at the manufacturing firm raised concerns that product sterility may be compromised.', ' traMADol HCl Tablet, 25 mg (1/2 of 50 mg) may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 137 mcg, NDC 00527163801, Pedigree: AD60272_76, EXP: 5/22/2014.', ' ATOMOXETINE HCL, Capsule, 80 mg, NDC 00002325030, Pedigree: AD60272_49, EXP: 5/22/2014. ', 'Temperature abuse: Certain vials of Ifosfamide IV products were not refrigerated at certain Amerisource Bergen Drug Corp distribution centers.', 'Chemical Contamination: The recalling firm received notice that their supplier is recalling capsules due to complaints of capsules having an unusual odor.', 'Defective Container: A lidding deformity allowed for the product to have out of specification results for assay and viscosity at the12 month stability timepoint.', ' traZODone HCl Tablet, 50 mg may be potentially mislabeled as AMANTADINE HCL, Tablet, 100 mg, NDC 00832011100, Pedigree: AD54475_1, EXP: 5/20/2014.', 'Labeling: Incorrect Barcode: Primary bag labeling may be mislabeled with the wrong barcode which scans in as heparin sodium.', 'Labeling: Label mix-up -outer carton incorrectly labeled as aspirin chewable tablets. ', 'Labeling: Label Mixup: MYCOPHENOLATE MOFETIL, Tablet, 500 mg may be potentially mis-labeled as the following drug: MYCOPHENOLATE MOFETIL, Capsule, 250 mg, NDC 00004025901, Pedigree: AD49414_1, EXP: 5/17/2014. ', 'Lack of Assurance of Sterility: Firm is recalling all unexpired lots of sterile compounded products after FDA inspection found concerns of lack of sterility assurance.', 'Microbial Contamination of Non-Sterile Products: This product is being recalled because a stability sample was found to be contaminated with Burkholderia contaminans.', 'Defective container: A customer complaint revealed the presence of a defective seal on the top of a Mucinex pouch', 'CGMP Deviations: The Active Pharmaceutical Ingredient was not manufactured according to current good manufacturing practices.', 'Non-Sterility', 'Incorrect/Undeclared excipients: inadvertent omission of a drug excipient from the the Authorized Generic label and also a warning regarding contact dermatitis from the brand product labeling not being incorporated into the Authorized Generic labeling.', ' METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg) may be potentially mislabeled as PIOGLITAZONE, Tablet, 15 mg, NDC 00591320530, Pedigree: AD22845_1, EXP: 4/30/2014', 'Microbial Contamination of Non-Sterile Products: CVS Pharmacy Pain Relieving Antiseptic Spray tested positive for microbial growth. ', ' 12-month stability time point', 'Failed Tablet/Capsule Specifications: Recall due to complaints of split or broken tablets.', ' ARIPiprazole Tablet, 2 mg may be potentially mislabeled as tiZANidine HCl, Tablet, 2 mg, NDC 55111017915, Pedigree: AD21790_40, EXP: 5/1/2014', ' fluocinolone acetonide', 'Failed Capsule/Tablet Specifications: Actavis has received several complaint for clumping and breaking of capsules with some bottles showing popped out bottle bottom (round bottom) and creased labels from one distribution center.', 'Failed Impurities/Degradation Specifications: Out of specification for unknown impurity.', ' PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD54498_1, EXP: 5/20/2014', ' NIACIN ER, Tablet, 500 mg, NDC 00074307490, Pedigree: W003739, EXP: 6/26/2014', 'Non-Sterility: failed sterility test result.', 'Failed USP Dissolution Test Requirements: During analysis of long term stability studies at 3 months time point, an OOS was reported for Quetiapine Fumarate Tablets, 25 mg. ', 'Presence of Particulate Matter: Foreign particulate matter (tiny black specs) were observed at the bottom of the vial following reconstitution.', 'Subpotent Drug: Flurandrenolide is subpotent.', ' DOXEPIN HCL Capsule, 150 mg may be potentially mislabeled as VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: AD46312_7, EXP: 5/16/2014.', 'Marketed Without An Approved NDA/ANDA: Product is sold over the counter whose labeling indicates it is to be used parenterally for drug claims.', 'Failed Dissolution Specifications: Product is being recalled due to out of specification (above specification) result obtained at 6-hour dissolution time point during the 12-month stability testing.', 'Customer complaints for failure to deliver the dose.', 'Labeling: Label Mixup: clonazePAM, Tablet, 0.25 mg (1/2 of 0.5 mg) may have potentially been mislabeled as the following drug: CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: ADWA00002136, EXP: 5/31/2014.', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredients: Sibutramine and Phenolphthalein .', 'Labeling: Incorrect or Missing Lot and/or Exp. Date', ' GALANTAMINE HBR ER, Capsule, 24 mg, NDC 47335083783, Pedigree: W003735, EXP: 5/31/2014', 'Tablet/Capsule Imprinted with Wrong ID', 'Microbial Contamination of Non-Sterile Products: Product is being recalled due to possible microbial contamination by C. difficile discovered in the raw material.', 'Labeling: Label Mixup: SOTALOL HCL, Tablet, 160 mg may have potentially been mislabeled as the following drug: DISULFIRAM, Tablet, 250 mg, NDC 64980017101, Pedigree: AD22609_1, EXP: 5/2/2014.', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Lorazepam Lot # L-04009 ', ' GLYCOPYRROLATE Tablet, 2 mg may be potentially mislabeled as LACTOBACILLUS, Tablet, NDC 64980012950, Pedigree: W003624, EXP: 1/31/2014.', 'Labeling: Label Mixup: ESTRADIOL, Tablet, 0.5 mg may have potentially been mislabeled as the following drug: NICOTINE POLACRILEX, GUM, 2 mg, NDC 00536302923, Pedigree: AD33897_28, EXP: 2/28/2014. ', 'Labeling: Label Mixup: CETIRIZINE HCL, Tablet, 5 mg may have potentially been mislabeled as the following drug: LITHIUM CARBONATE ER, Tablet, 300 mg, NDC 00054002125, Pedigree: AD39564_1, EXP: 5/13/2014.', ' METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 576640', 'Labeling: Label Mixup: ALBUTEROL SULFATE ER, Tablet, 4 mg may have potentially been mislabeled as one of the following drugs: SIMVASTATIN, Tablet, 20 mg, NDC 16714068303, Pedigree: W003580, EXP: 6/24/2014.', ' Incorrect expiration date printed on the outer packaging. Package incorrectly states 5/2014 should correctly state 4/2014', 'Failed Impurities/Degradation Specifications: OOS results for known compound.', 'Presence of Particulate Matter: particulate matter identified as fibers and/or plastics.', ' QUEtiapine FUMARATE, Tablet, 25 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Chew Tablet, NDC 58914001460, Pedigree: AD32325_1, EXP: 5/9/2014', ' guanFACINE HCl, Tablet, 1 mg, NDC 00591044401, Pedigree: AD39611_1, EXP: 4/30/2014. ', ' This recall is being initiated because the lot number and expiration date on the tube may not be legible.', ' guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: W003574, EXP: 6/24/2014', 'Labeling: Label Mixup: VERAPAMIL HCL ER, Capsule, 240 mg may have potentially been mislabeled as the following drug: FEBUXOSTAT, Tablet, 40 mg, NDC 64764091830, Pedigree: W002664, EXP: 6/5/2014.', ' MELATONIN, Tablet, 3 mg may be potentially mislabeled as VITAMIN B COMPLEX, Capsule, NDC 00536478701, Pedigree: AD32757_4, EXP: 5/13/2014', ' DOXYCYCLINE HYCLATE, Tablet, 100 mg may be potentially mislabeled as DESLORATADINE, Tablet, 5 mg, NDC 00085126401, Pedigree: AD30993_5, EXP: 2/28/2014.', 'Non-Sterility: The recalled lot failed sterility testing.', \"Non-Sterility: Failing sterility results were obtained from the recalling firm's contract testing facility indicating that the products may not be sterile.\", 'Failed Impurities/Degradation Specifications: out of specification test results for an impurity during stability testing.', 'Lack of Assurance of Sterility: all sterile products compounded, repackaged, and distributed by this compounding pharmacy due to lack of sterility assurance and concerns associated with the quality control processes..', 'Presence of Particulate Matter: Presence of free-floating and embedded iron oxide particles. ', 'Lack of Sterility Assurance: A recent FDA inspection revealed poor aseptic production practices that result in lack of sterility assurance of products intended to be sterile. ', 'Marketed Without An Approved NDA/ANDA: presence of undeclared Sulfoaildenafil.', 'Cross contamination with other products: metronidazole', 'Subpotent Drug: Assay results obtained during stability testing for Levothyroxine Sodium Tablets, USP were below specification.', 'Defective Delivery System', 'Marketed Without An Approved NDA/ANDA: This dietary supplement has been found to contain sildenafil, an FDA approved drug for the treatment of male erectile dysfunction making this an unapproved new drug.', ' clomiPRAMINE HCl Capsule, 50 mg may be potentially mislabeled as guanFACINE HCl, Tablet, 1 mg, NDC 00378116001, Pedigree: AD46265_25, EXP: 5/15/2014', 'CGMP Deviations: finished products manufactured using active pharmaceutical ingredients whose intermediates failed specifications.', ' QUINAPRIL HCL, Tablet, 20 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 65162066850, Pedigree: W003553, EXP: 6/24/2014.', ' LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg), NDC 00527134101, Pedigree: AD73525_49, EXP: 5/30/2014. ', 'Labeling: Label Mixup: ANAGRELIDE HCL, Capsule, 0.5 mg may have potentially been mislabeled as the following drug: ARIPiprazole, Tablet, 2 mg, NDC 59148000613, Pedigree: AD46414_1, EXP: 5/16/2014.', ' The identification codes on some tablets may be unreadable', ' PERPHENAZINE, Tablet, 8 mg, NDC 00630506221, Pedigree: AD54605_1, EXP: 4/30/2014. ', 'Discoloration: there were customer reports of yellow discolored solution. The yellow coloration is the result of oxidation of the amino acid tryptophan due to a damaged overpouch. ', ' product labeled to contain Sulfamethoxazole and Trimethoprim Tablets, 400 mg/80 mg instead of Sulfamethoxazole and Trimethoprim Tablets, 800 mg/160 mg', 'Microbial Contamination of Non-Sterile Product(s): The product was found to be contaminated with Bulkholderia sp.', ' preservative may not have dissolved completely or precipitated out of product', ' bupivacaine', 'Failed Stability Specifications: Product is subpotent and has out of specification known and unknown impurities.', 'Marketed without an approved NDA/ANDA - These products are being recalled due to the presence of synthetic hormone/prohormone (methylated anabolic steroid) ingredient making them unapproved new drugs.', 'Marketed Without An Approved NDA/ANDA: Miracle Rock 48 was found to contain undeclared thiosildenafil, an analogue of an FDA approved drug for male erectile dysfunchtion making this product an unapproved drug. ', 'Failed Dissolution Specifications: This recall is an extension of the recall initiated on 07/31/2013 for Bupropion HCl Extended-Release Tablets (XL) 300 mg, because another lot was shown to have similar failing results for dissolution at the 8-hour timepoint.', ' glyBURIDE, Tablet, 1.25 mg, NDC 00093834201, Pedigree: W003677, EXP: 2/28/2014', ' CALCITRIOL, Capsule, 0.5 mcg, NDC 63304024001, Pedigree: AD32757_10, EXP: 5/14/2014. ', 'Labeling: Incorrect Instructions', 'Lack of Assurance of Sterility:Solution leaking through the port cover of the primary container, which was identified during a retain sample visual inspection.', 'Presence of Particulate Matter: Products recalled due to presence of particulate matter (metal)', 'Labeling: Incorrect Instructions:outer carton contains the incorrect instructions for Step 2 stating \"Do cut the patch\" rather than the correct instructions of \"Do not cut the patch\". The pouch containing the patch is labeled correctly. ', 'Subpotent Drug: failed at the 3 and 6 month stability time points.', 'Microbial contamination of Non-Sterile Products', 'Marketed without an Approved NDA/ANDA: FDA has determined that the products are unapproved new drugs and misbranded. ', 'Failed Tablet/Capsule Specifications: Some tablets had the potential to not conform to weight specifications.', 'Failed Impurities/Degradation Specifications:Out of specification result for a known impurity obtained during testing.', 'Lack of Assurance of Sterility: Sterility of product is not assured', ' CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: AD21846_46, EXP: 5/1/2014', ' single visible particulate was identified during a retain sample inspection identified as stainless steel', 'Labeling: Label Mixup: POTASSIUM ACID PHOSPHATE, Tablet, 500 mg may have potentially been mislabeled as the following drug: predniSONE, Tablet, 20 mg, NDC 00591544301, Pedigree: AD56879_5, EXP: 5/21/2014. ', 'Chemical contamination: emission of strong odor after package was opened', ' COLESEVELAM HCL Tablet, 625 mg may be potentially mislabeled as lamoTRIgine Tablet, 50 mg (1/2 of 100 mg), NDC 13668004701, Pedigree: AD46265_31, EXP: 5/15/2014.', 'Labeling Not Elsewhere Classified: front labels have the incorrect NDC or 0145-1506-01 instead of the correct NDC of 0145-1506-05 and some back labels have the incorrect indication stating \"use for the cure of most jock itch\" rather than \"use for the cure of most athlete\\'s foot\".', ' aMILoride HCl, Tablet, 5 mg, NDC 64980015101, Pedigree: W003686, EXP: 6/26/2014', 'Defective Delivery System: Out of Specification (OOS) results for the z-statistic value, which relates to the patients and caregiver ability to remove the release liner from the patch adhesive prior to administration, were obtained. ', ' VITAMIN B COMPLEX W/C, Tablet, 0 mg, NDC 00904026013, Pedigree: AD60240_48, EXP: 5/22/2014. ', 'CGMP Deviations: Shipment of product not approved for release.', ' Product contains unapproved hHCG.', 'Marketed Without an Approved NDA/ANDA: product contains sibutramine, a previously approved FDA drug removed from the U.S. marketplace for safety reasons, making it an unapproved new drug.', ' PROPRANOLOL HCL, Tablet, 10 mg may be potentially mislabeled as PERPHENAZINE, Tablet, 16 mg, NDC 00781104901, Pedigree: AD21790_31, EXP: 5/1/2014', 'Labeling: Label Mixup: MINOCYCLINE HCL, Capsule, 100 mg may have potentially been mislabeled as the following drug: PROGESTERONE, Capsule, 100 mg, NDC 00591396401, Pedigree: AD73611_4, EXP: 5/30/2014. ', 'Microbial Contamination of Non-Sterile Products: Failed S.aureus test.', 'cGMP Deviations', 'Subpotent (Single Ingredient Drug): Low assay at the 6-month test interval.', 'Superpotent Drug: a recent review of the USP revealed that an incorrect calculation was used to determine the amount of irinotecan to use in formulation which will result in an assay higher than the labeled claim.', ' ZINC SULFATE Capsule, 220 mg may be potentially mislabeled as CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD52778_10, EXP: 5/20/2014', ' Dry mix failed blend uniformity.', 'Labeling: Label Mixup: CALCITRIOL, Capsule, 0.25 mcg may be potentially as one of the following drugs: ANAGRELIDE HCL, Capsule, 0.5 mg, NDC 00172524160, Pedigree: AD46414_7, EXP: 5/16/2014', 'Presence of Particulate Matter: Potential for small black particles to be present in individual vials, the potential for missing lot number and/or expiry date on the outer carton and the potential for illegible/missing lot number and expiry on individual vials. ', 'Lack of Assurance of Sterility: Glass vials may have finish fractures and glass particles.', 'Presence of Particulate Matter: particulate matter identified as an insect in one vial.', 'Non-Sterility: Direct evidence of contamination for 2 lots based on FDA samples.', 'Marketed without an approved NDA/ANDA - presence of undeclared sibutramine.', 'Failed Tablet/Capsule Specifications: Recall due to wet and/or leaking capsules.', 'Subpotent Drug: Out of specification (OOS) results at the 9 month temperature point.', 'Lack of Assurance of Sterility: A mold like substance was discovered on the surface of an unopened bag of Sodium Chloride 0.9% while prepping the bag for production. ', 'Failed USP Dissolution Test Requirements: The recalled lots do not meet the specification for dissolution.', ' NIFEDIPINE Capsule, 10 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL W/FLUORIDE, Chew Tablet, 1 mg (F), NDC 64376081501, Pedigree: AD22609_7, EXP: 5/2/2014', 'Presence of Particulate Matter: Baxter is issuing a voluntary recall for these IV solutions due to particulate matter found in the solution identified as polyester and cotton fibers, adhesive-like mixture, polyacetal particles, thermally degraded PVC, black polypropylene and human hair embedded in the plastic bag', ' BENAZEPRIL HCL Tablet, 5 mg may be potentially mislabeled as ZINC SULFATE, Capsule, 220 mg, NDC 60258013101, Pedigree: AD52993_34, EXP: 5/20/2014.', 'Cross Contamination With Other Products: The firm recalled Zovia, Lutera, Necon, and Zenchent, because certain lots could potentially be contaminated with trace amounts of Hydrochlorothiazide (HCTZ).', \"Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012 because FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \", 'Failed Dissolution Specifications: out of specification dissolution results in retained samples ', ' ETODOLAC, Tablet, 400 mg may be potentially mislabeled as PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units, NDC 00032121201, Pedigree: W003731, EXP: 6/26/2014.', 'Labeling: Label Mixup: METOPROLOL TARTRATE, Tablet, 25 mg may have potentially been mislabeled as the following drug: DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD76675_1, EXP: 6/3/2014.', 'Marketed Without An Approved NDA/ANDA: Parenteral product is labeled for use as an antidote.', 'Failed Impurities/Degradation Specifications: High out-of-specification results for a related compound obtained during routine stability testing.', 'Labeling: Label Mix-Up: Some cartons of AHP Ibuprofen Tablets, USP, 600mg, lot #142588 that contain blister cards filled with Ibuprofen tablets, 600mg drug product, were found to be mis-labeled with blister card print identifying the product as AHP Oxcarbazepine Tablets, 300mg, lot #142544', 'Lack of Assurance of Sterility: FDA inspection identified GMP violations potentially impacting product quality and sterility.', 'Falied pH specification', 'Failed Stability Specifications: Out of specification results for particle size were obtained at the 60 month test point.', 'Presence of Particulate Matter: Glass particles found in the product after reconstitution.', ' IBUPROFEN, Tablet, 400 mg may be potentially mislabeled as ASPIRIN, Tablet, 325 mg, NDC 00536330501, Pedigree: W002573, EXP: 6/3/2014.', ' PYRIDOXINE HCL, Tablet, 100 mg, NDC 00536440901, Pedigree: AD73627_32, EXP: 5/30/2014. ', ' CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: AD60240_11, EXP: 5/22/2014. ', ' Product contains undeclared indomethacin, diclofenac, and chlorzoxazone.', 'Presence of Particulate Matter: Confirmed customer report of visible particulate embedded in the glass vial.', 'Lack of Assurance of Sterility: Leiter Pharmacy is recalling due bacterial contamination found after investigation at contract testing laboratory discovered that OOS/failed results were reported to customers as passing. Hence the sterility of the products cannot be assured. ', 'cGMP Deviations: Active Pharmaceutical Ingredient (API) manufacturer is on FDA Import Alert. ', 'Labeling: Label Mixup: ESTROPIPATE, Tablet, 0.75 mg may have potentially been mislabeled as the following drug: MESALAMINE DR, Capsule, 400 mg, NDC 00430075327, Pedigree: AD34934_1, EXP: 1/31/2014.', ' GALANTAMINE HBr ER, Capsule, 8 mg may be potentially mislabeled as FAMOTIDINE, Tablet, 20 mg, NDC 16714036104, Pedigree: W003508, EXP: 6/21/2014.', 'Presence of Foriegn Substance: Plastic cap closure particulates may be present in the product.', ' PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD70639_10, EXP: 5/29/2014. ', 'Labeling: Label Mixup: DULoxetine HCl DR, Capsule, 20 mg, may be potentially mis-labeled with one of the following drugs: ENTECAVIR, Tablet, 0.5 mg, NDC 00003161112, Pedigree: AD30140_28, EXP: 5/7/2014', 'Defective Delivery System: out of specification result for droplet size distribution at the d90 measurement testing during the 6 month time point..', ' Pedigree: W002656, EXP: 6/4/2014. ', 'Labeling: Label Mixup: SIMVASTATIN, Tablet, 5 mg may have potentially been mislabeled as the following drug: LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 13668011390, Pedigree: AD65323_10, EXP: 5/29/2014. ', ' PIROXICAM, Capsule, 10 mg, NDC 00093075601, Pedigree: AD21836_1, EXP: 3/31/2014. ', 'Failed Stability Specifications: Out of specification for preservative, benazalkonium chloride.', ' PHENobarbital/ HYOSCYAMINE/ ATROPINE/ SCOPOLAMINE, Tablet, 16.2 mg/0.1037 mg/0.0194 mg/0.0065 mg may be potentially mislabeled as VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: W003639, EXP: 6/25/2014.', ' Immediate product pouches may not be properly sealed.', 'Incorrect/Undeclared Excipients: Specific drug products were compounded with an incorrect solvent.', 'Presence of Foreign Tablets/Capsules: Product labeled TUMS Ultra Assorted Berries 1000mg Chewable tables, may contain EX TUMS Assorted Berries 750mg tablets', 'Subpotent Drug: concentration of product is less than labeled amount. ', 'Lack of Assurance of Sterility: A recall of all compounded sterile preparations within expiry is being initiated due to observations associated with poor sterile production practices resulting in a lack of sterility assurance for their finished drugs. ', 'Superpotent Drug: The vitamin supplement contains an extremely high level of vitamin D3 (Cholecalciferol).', 'Defective Delivery System: Some Lupron Depot Kits may contain a syringe with a potentially defective LuproLoc needle stick protection device.', 'Labeling: Label Error on Declared Strength: Incorrect strength on side display panel of label', ' outer packaging is incorrectly labeled as Buffered Lidocaine 1% instead of correctly as Buffered Lidocaine 0.9%', ' Bottles of Mucinex Fast-Max liquid are correctly labeled on the front of the label, however the back of the bottle where the Drug Facts labeling is, is missing certain Active Ingredients such as acetaminophen, phenylephrine, dextromethorphan, diphenhydramine, and/or guaifenesin. As a result certain safety warnings associated with those ingredients may also be missing. ', 'Lack of Assurance of Sterility: Park Compounding is voluntarily recalling two lots of Methylcobalamin 5mg/ml and Multitrace-5 Concentrate, and one lot of Testosterone Cypionate (sesame oil) for injection due lack of sterility assurance.', 'Failed pH Specifications: Confirmed high out of specification (OOS) results for pH.', 'Microbial Contamination of Non-Sterile Products: Product failed USP Microbial Limits Test. ', ' at the 6-month stability time point', ' product description section of testosterone cypionate incorrectly states \"in grapeseed oil\" instead of \"in sesame oil\" . The primary panel is correct', 'Failed Impurities/Degradation Specifications: During stability testing an unknown impurity was found to be above the specification limit at 36 month test interval', 'Labeling: Label Mixup: azaTHIOprine, Tablet, 50 mg may have potentially been mislabeled as the following drug: SELENIUM, Tablet, 50 mcg, NDC 00904316260, Pedigree: AD56939_1, EXP: 5/21/2014. ', 'CGMP Deviations: The products were manufactured with raw material which contain unknown particles believed to be water and dirt.', ' HYDROXYCHLOROQUINE SULFATE, Tablet, 200 mg may be potentially mislabeled as guanFACINE HCl, Tablet, 1 mg, NDC 00378116001, Pedigree: AD70629_7, EXP: 5/29/2014.', ' equipment failure led to potential breach in asceptic process.', 'Labeling: Label Mixup: RALTEGRAVIR, Tablet, 400 mg may be potentially mis-labeled as one of the following drugs: HYDROCORTISONE, Tablet, 5 mg, NDC00603389919, Pedigree: AD60272_13, EXP: 5/22/2014', ' FLECAINIDE ACETATE Tablet, 50 mg may be potentially mislabeled as VITAMIN B COMPLEX W/C, Tablet, NDC 00904026013, Pedigree: AD46419_7, EXP: 5/16/2014.', 'Marketed Without an Approved NDA/ANDA: Eugene FDA laboratory analyses determined they contain undeclared sildenafil. ', 'Failed Dissolution Specification: During analysis of the 18 month long term stability testing, it was noticed that the drug release results at the 4 hour time point are not meeting specifications.', 'Subpotent. drug', 'Presence of Foreign Substance: Truvada was found to contain small red silicone rubber particulates.', 'Presence of Particulate Matter: Black particulate matter was identified as aggregate of silicone rubber pieces from a filler diaphragm and fluorouracil crystals. ', ' bottles were incorrectly labeled as 10 mL instead of correctly labeled as 4 mL', 'Presence of Foreign Substance: Uncharacteristic blacks spots on tablets.', ' Some bottles of product were missing the color-coded strength on the primary display panel of the label.', 'Labeling: Label Mixup: CYCLOBENZAPRINE HCL, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD46257_62, EXP: 5/15/2014', 'Failed Content Uniformity Specifications', 'Labeling: Label Mixup: tiZANidine HCl, Tablet, 2 mg may have potentially been mislabeled as the following drug: NIACIN TR, Tablet, 500 mg, NDC 00904434260, Pedigree: W002969, EXP: 6/11/2014.', 'Failed Content Uniformity: Product was out of specification for spray content uniformity obtained during stability testing. ', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: AD33897_19, EXP: 5/9/2014', 'Marketed Without An Approved NDA/ANDA: Dietary supplements contains undeclared sibutramine, desmethylsibutramine and phenolphthalein based on FDA sampling.', ' guaiFENesin ER, Tablet, 600 mg, NDC 63824000850, Pedigree: W003244, EXP: 6/17/2014', 'Microbial Contamination of a Non-Sterile Products: Product was found to be contaminated with the bacteria, Sarcina Lutea.', ' TOLTERODINE TARTRATE ER, Capsule, 2 mg, NDC 00009519001, Pedigree: W002724, EXP: 6/6/2014', ' ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: W003101, EXP: 6/13/2014', 'Labeling: Label Mixup: PYRIDOXINE HCL, Tablet, 50 mg may have potentially been mislabeled as one of the following drugs: LACTOBACILLUS GG, Capsule, 15 Billion Cells, NDC 49100036374, Pedigree: W003787, EXP: 6/27/2014', 'Stability Does Not Support Expiry: manufactured with an active ingredient that expired before the labeled Beyond Use Date.', 'Presence of Particulate Matter- Confimed customer complaint of particulates embedded in glass container and in contact with product solution.', 'Marketed without an approved NDA/ANDA: Samantha Lynn Inc. is recalling Reumofan Plus Tablets because it contains undeclared drug ingredients making it an unapproved drug. ', 'Lack of Assurance of Sterility: Sterility of product is not assure', ' DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071204, Pedigree: W003247, EXP: 6/17/2014. ', 'Presence of Particulate Matter: identified as a cloth fiber.', ' DOCUSATE SODIUM, Capsule, 50 mg, NDC 67618010060, Pedigree: AD65457_13, EXP: 5/24/2014', ' clomiPRAMINE HCl, Capsule, 50 mg, NDC 51672401205, Pedigree: W002998, EXP: 6/11/2014', ' label on outer carton incorrectly states Diphenhydramine 25 mg instead of 12.5 mg. Also, quantity is incorrectly stated as 30 daytime and 30 nighttime instead of 36 daytime and 24 nighttime.', 'Defective Delivery System: Out of specification for z-statistic related to mechanical peel force.', ' PRO', 'Failed Dissolution Specifications: Failure of dissolution test observed at three month time point.', 'Failed Impurities/Degradation Specifications: Out-of-Specification degradant results. ', 'Lack of Assurance of Sterility: Process deficiencies were observed in the sterile ophthalmic and injectable products that could have compromised the sterility of the product.', ' PROMETHAZINE HCL, Tablet, 25 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: W002574, EXP: 6/3/2014.', ' clonazePAM, Tablet, 0.25 mg (1/2 of 0.5 mg), NDC 00093083201, Pedigree: AD73518_1, EXP: 5/31/2014', 'Failed Impurities/Degradation Specifications: Product is out of specification for a known degradant. ', ' VALSARTAN, Tablet, 160 mg, NDC 0007803', 'Failed Impurites/Degradation Specifications: Test failure of single largest peak at 18 months.', 'Lack of Assurance of Sterility: The product is being recalled because the product label does not state sterile in accordance with 21 CFR Part 200.50(a)(1), Ophthalmic Preparations and Dispensers, and it is not in compliance with 21 CFR Part 349, Ophthalmic Drug Products for Over-The-Counter Use.', ' prednisoLONE, Tablet, 5 mg may be potentially mislabeled as ASPIRIN/ER DIPYRIDAMOLE, Capsule, 25 mg/200 mg, NDC 00597000160, Pedigree: W003644, EXP: 8/24/2013.', 'Presence of Foreign Substance: Tablets may contain dark blemishes identified as stainless steel.', 'Labeling: Label Mixup: glyBURIDE, Tablet, 2.5 mg may have potentially been mislabeled as one of the following drugs: sulfaSALAzine, Tablet, 500 mg, NDC 59762500001, Pedigree: AD46265_13, EXP: 5/15/2014', ' microbial assay reported unacceptable high plate counts and positive for E. Coli', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W003870, EXP: 6/27/2014. ', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredient: sibutramine and N-desmethylsibutramine', ' CALCIUM CITRATE, Tablet, 200 mg Elemental Calcium may be potentially mislabeled as TRIAMTERENE/HCTZ, Tablet, 37.5 mg/25 mg, NDC 00378135201, Pedigree: AD28333_4, EXP: 5/6/2014.', 'Labeling: Incorrect Or Missing Lot and/or Exp Date: The lot number and/or expiration date may be illegible on the outer plastic bottle packaging.', ' CALCITRIOL, Capsule, 0.5 mcg, NDC 63304024001, Pedigree: W003730, EXP: 6/26/2014', ' product may contain fibrous material', 'Lack of Assurance of Sterility: Martin Avenue Pharmacy, Inc. is conducting a voluntary recall of all compounded sterile preparations within expiry. The recall is being initiated in connection with a recent FDA inspection due to observations associated with certain quality control procedures that present a risk to sterility assurance.', 'Cross Contamination with Other Products: findings of carryover of trace amounts of a previously manufactured product fluvastatin', ' hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W003332, EXP: 6/18/2014', \"Lack of Assurance of Sterility: The product lots are being recalled due to laboratory results (from a contract lab) indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable. Hence the sterility of the products cannot be assured.\", 'Presence of Particular Matter: Potential glass delamination and consistent with glass particulates observed in sample vials.', 'Presence of Particulate Matter: Failed the appearance test for the presence of visible particles.', 'Labeling: Not Elsewhere Classified: correctly labeled bottles were packaged in cartons that were mislabeled with an incorrect active ingredient, phenylephrine rather than pseudoephedrine, on the carton face and carton top.', ' ISOSORBIDE DINITRATE ER Tablet, 40 mg may be potentially mislabeled as CILOSTAZOL, Tablet, 50 mg, NDC 60505252101, Pedigree: AD21811_7, EXP: 5/1/2014.', 'Penicillin Cross Contamination: Multiple finished products potentially contaminated with penicillin.', ' PANTOPRAZOLE SODIUM DR, Tablet, 20 mg may be potentially mislabeled as DRONEDARONE HCL, Tablet, 400 mg, NDC 00024414260, Pedigree: AD52778_52, EXP: 5/20/2014.', 'Presence of foreign substance -This recall has been intiated due to the presence of a polyethylene piece on the finished product.', 'Microbial Contamination of Non-Sterile Products: contamination with the bacteria, Burkholderia cepacia.', 'Labeling: Label Mixup: LOXAPINE, Capsule, 5 mg may have potentially been mislabeled as the following drug: SERTRALINE HCL, Tablet, 50 mg, NDC 16714061204, Pedigree: AD46426_1, EXP: 5/15/2014. ', ' potential for charcoal particulates', ' potential that a low level of endotoxins may be present in the diluent vials.', ' Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling AFRICAN BLACK ANT because FDA laboratory analysis determined they contain undeclared amounts of sildenafil an active ingredient of FDA-approved drugs used to treat erectile dysfunction. ', 'Labeling: Label Mixup:quiNIDine SULFATE, Tablet, 200 mg may have potentially been mislabeled as the following drug: QUINAPRIL, Tablet, 40 mg, NDC 31722027090, Pedigree: AD52778_76, EXP: 5/21/2014. ', 'Chemical Contamination: Complaints of an uncharacteristic odor identified as 2,4,6 tribromoanisole. ', 'Microbial Contamination of Non-Sterile Products: Lot in question had an elevated microbial count outside of specifications and E. Coli contamination.', 'Presence of Particulate Matter: A single visible particulate was observed in a retention sample bottles identified as stainless steel', ' CINACALCET HCL Tablet, 60 mg may be potentially mislabeled as RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: W003741, EXP: 6/26/2014.', 'Failed Dissolution Specifications: Low Out-of-Specification results for the 8 hour timepoint.', 'Labeling: Label Mixup: REPAGLINIDE, Tablet, 2 mg may have potentially been mislabeled as one of the following drugs: COLCHICINE, Tablet, 0.6 mg, NDC 64764011907, Pedigree: AD46419_1, EXP: 5/16/2014', 'Lack of Assurance of Sterility: Due to lack of documentation of proper environmental monitoring during the time in which the medication was produced..', 'Defective Delivery System: Defective stem valve causes leakage of the propellant in the spray canister delivering no drug or an inadequate amount of the drug to be delivered.', ' CHOLECALCIFEROL, Capsule, 5000 units, NDC 00904598660, Pedigree: AD70629_19, EXP: 5/29/2014', ' Bar code scans as 0.15% Potassium Chloride in 0.9% Sodium Chloride (20 mEq K/liter).', ' traZODone HCl Tablet, 150 mg may be potentially mislabeled as NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 00135051001, Pedigree: AD21858_1, EXP: 5/1/2014', ' SODIUM BICARBONATE Tablet, 650 mg may be potentially mislabeled as NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 00135051001, Pedigree: W002974, EXP: 6/11/2014.', \"Lack of Assurance of Sterility: A portion of the batch quantity was compounded outside of the firm's process media validation.\", 'Failed Impurities/Degradation Specifications: A stability lot was out of specification for a known impurity at the 8 month Controlled Room Temperature stability time-point. ', 'Presence of Particulates', 'Cross Contamination with Other Products: Product contains Promacta (eltrombopag).', 'Marketed Without An Approved NDA/ANDA ', 'Failed Dissolution Specifications: Product did not meet dissolution specification at an intermediate time point.', ' some patches may not contain fentanyl gel ', ' lot being recalled as a precaution due to the discovery of 2 particles found in a lot which preceded the recalled lot', ' CALCIUM POLYCARBOPHIL, Tablet, 625 mg, NDC 00536430611, Pedigree: AD73592_11, EXP: 5/31/2014. ', 'Lack of Assurance of Sterility: The firm expanded the recall to other injectable products due to lack of assurance of sterility from poor aseptic practices observed at the firm. ', \"Subpotent Drug: The active ingredient, fluocinolone acetonide, was found to be subpotent during the firm's routine testing.\", ' LORATADINE Tablet, 10 mg may be potentially mislabeled as GLYCOPYRROLATE, Tablet, 2 mg, NDC 00603318121, Pedigree: W002650, EXP: 6/5/2014', ' MYCOPHENOLATE MOFETIL, Capsule, 250 mg, NDC 0037822500', 'Failed Tablet/Capsule Specifications: out of specification for thickness.', 'Presence of Particulate Matter: Confirmed customer complaint for the presence of particulate matter.', 'Presence of Foreign Tablets/Capsules', 'Failed Impurities/Degradation Specifications: High out of specification impurity test results were obtained during stability testing. ', ' PANCRELIPASE DR, Capsule, 24000 /76000 /120000 USP units, NDC 00032122401, Pedigree: AD65457_4, EXP: 5/24/2014. ', 'Lack of assurance of sterility ', ' aMILoride HCl, Tablet, 5 mg, NDC 64980015101, Pedigree: AD60272_55, EXP: 5/22/2014', ' MULTIVITAMIN/ MULTIMINERAL/ LUTEIN, Capsule, 0, ND', 'Failed Impurities/Degradation Specifications: An Out of Specification (OOS) result was generated for the 18 month stability time point for ketone cilexetil impurity and total impurities.', 'Microbial Contamination of Non-Sterile Products: bulk solution tested positive for the presence of the bacteria, Burkholderia cepacia. ', 'Lack of Assurance of Sterility: There is a potential for the solution to leak from the administration port of the primary container.', 'Subpotent (Multiple Ingredient) Drug: Low out of specification assay results for the hydrocodone bitartrate ingredient was found.', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 05445800022, Pedigree: AD21858_4, EXP: 5/1/2014', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 175 mcg may have potentially been mislabeled as one of the following drugs: LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00781518392, Pedigree: AD46265_34, EXP: 5/15/2014', 'Labeling: Label Mixup: NEBIVOLOL HCL, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: THYROID, Tablet, 30 mg, NDC 00456045801, Pedigree: AD73611_1, EXP: 5/30/2014', 'GMP Deviations', 'Presence of Particulate Matter: particulate matter identified as fibers and/or plastics', ' leaking of premix bags ', 'Failed Tablet/Capsule Specifications: One oversized tablet was found in a sealed 100 count bottle of Glimepiride at the retail level.', 'Temperature Abuse: One shipment was inadvertantly stored refrigerated rather than the labeled room temperature recommendation at McKesson Medical-Surgical Inc., one of the distributing wholesalers.', 'Marketed Without An Approved NDA/ANDA: Product is being recalled due to excessive levels of lovastatin. Lovastatin is an FDA approved drug making this dietary supplement an unapproved new drug.', ' PYRIDOXINE HCL, Tablet, 100 mg, NDC 00536440901, Pedigree: AD76686_4, EXP: 5/31/2014', ' metal particulates were visually observed in the tablets.', 'Labeling: Label Mixup: ESCITALOPRAM, Tablet, 5 mgmay have potentially been mislabeled as the following drug: SODIUM CHLORIDE, Tablet, 1 gm, NDC 00223176001, Pedigree: W003707, EXP: 6/25/2014. ', 'Defective delivery system: Softgel capsules are leaking.', ' SILDENAFIL CITRATE, Tablet, 25 mg, NDC 00069420030, Pedigree: W003646, EXP: 6/25/2014', 'Labeling: Label Mixup: DOCUSATE SODIUM, Capsule, 250 mg may have potentially been mislabeled as one of the following drugs: SACCHAROMYCES BOULARDII LYO, Capsule, 250 mg, NDC 00414200007, Pedigree: W003030, EXP: 6/12/2014', 'Labeling: Label mix-up. Docusate Sodium 100mg Softgels were mislabeled as Docusate Calcium 240mg.', ' CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD49463_1, EXP: 5/16/2014', ' mold contamination', 'Marketed Without an Approved NDA/ANDA: Fossil Fuel Products, is recalling RezzRX due to undeclared hydroxylthiohomosildenafil and aminotadalafil.', 'Subpotent (Single Ingredient) Drug: This product was found to be subpotent for the salicyclic acid active ingredient.', 'Failed Impurities/Degradation Specifications: Out of specification for impurities.', 'Subpotent Drug: During routine stability testing one tablet was found with tablet weight below specification.', ' QUINAPRIL Tablet, 40 mg may be potentially mislabeled as PROPRANOLOL HCL, Tablet, 10 mg, NDC 16714002104, Pedigree: AD52778_73, EXP: 5/21/2014.', ' 8-hours for the 18-month stability testing point.', ' ARIPiprazole, Tablet, 15 mg may be potentially mislabeled as ATOMOXETINE HCL, Capsule, 40 mg, NDC 00002322930, Pedigree: AD21790_82, EXP: 5/1/2014', 'Marketed Without An Approved NDA/ANDA: FDA analysis found Rhino 5 which is marketed as a dietary supplement to contain undeclared desmethyl carbondenafil and dapoxetine. Desmethyl carbondenafil is a phosphodiesterase (PDE)-5 inhibitors which is a class of drugs used to treat male erectile dysfunction, making this product an unapproved new drug. Dapoxetine is an active ingredient not approved by ', ' TACROLIMUS, Capsule, 1 mg, NDC 00781210301, Pedigree: AD56917_7, EXP: 5/21/2014', ' LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD46300_11, EXP: 5/15/2014', 'Labeling: Label Mixup: AMANTADINE HCL, Capsule, 100 mg may have potentially been mislabeled as one of the following drugs: ACARBOSE, Tablet, 25 mg, NDC 00054014025, Pedigree: W002725, EXP: 6/6/2014', 'Labeling Illegible: There is a possibility that the bottle labels do not contain the strength of the product as well as other printing details. ', 'Defective Container: Defective bottles may not have tamper evident seals properly seated, and therefore it may be difficult to determine if the product had been opened or tampered with. ', ' FOSINOPRIL SODIUM, Tablet, 10 mg, NDC 60505251002, Pedigree: AD46414_19, EXP: 5/16/2014', ' benzocaine', ' 12 month stability timepoint', 'Labeling: Label Mixup: DESMOPRESSIN ACETATE, Tablet 0.1 mg may have potentially been mislabeled as the following drug: LOXAPINE, Capsule, 5 mg, NDC 00591036901, Pedigree: AD46426_7, EXP: 5/15/2014. ', ' 8 hr stability timepoint', ' LOSARTAN POTASSIUM, Tablet, 25 mg may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: AD68028_1, EXP: 5/28/2014', 'Subpotent drug: Two lots of Oxycodone and Acetaminophen Capsules, USP 5/500 mg are being recalled due to low out of specification (OOS) assay result obtained at expiry (24 months) for the oxycodone portion of the product.', 'Labeling: Incorrect or Missing Lot and/or Expiration date', 'Superpotent Drug: A complaint was reported by a pharmacist who stated several tablets were noticeably thicker in appearance.', ' all sterile human compounded drugs within expiry', ' presence of black particles describes generically as cellulose-based bundles of brown fibrous material. ', ' CHOLECALCIFEROL, Tablet, 2000 units may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 00904052060, Pedigree: AD46312_34, EXP: 5/16/2014', 'Presence of Particulate Matter: Complaints received of discolored solution identified as subvisible particles of iron oxide that are agglomerating.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: AD56924_1, EXP: 5/21/2014', 'Presence of Particulate Matter: The firm received a complaint of an embedded particulate in the neck of one vial composed primarily of iron.', ' product labeled to contain Docusate Sodium 240mg instead of Docusate Calcium 240mg', ' ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: W002774, EXP: 6/6/2014', ' medication was sterilized with a recalled filter', ' some of the outer laminate foil pouches allowed in air and moisture, which could potentially decrease the effectiveness or change the characteristics of the product.', 'Labeling: Label Mixup: amLODIPine BESYLATE, Tablet, 5 mg may have potentially been mislabeled as the following drug: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: W002839, EXP: 6/7/2014. ', ' CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W003828, EXP: 6/', 'Presence of particulate matter: characterized as thin colorless flakes that are visually and chemically consistent with glass delamination observed in reserve sample vials', 'Marketed without an Approved NDA/ANDA.', ' HYDROCORTISONE, Tablet, 5 mg, NDC 00603389919, Pedigree: W002729, EXP: 6', ' MISOPROSTOL, Tablet, 100 mcg, NDC 43386016012, Pedigree: AD42611_7, EXP: 5/14/2014', 'Failed pH Specification: It has been determined that the pH of the lots recalled, may not meet specification at expiry.', ' LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: AD60272_25, EXP: 5/22/2014', ' Product is being recalled due to the potential of not meeting the Impurity C specification through the product shelf life ', 'Defective Delivery System: Some canisters may not contain sufficient propellant to deliver the labeled claim of 200 actuations through the end of shelf life.', ' contaminated with Klebsiella pneumoniae', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 88 mcg may have potentially been mislabeled as one of the following drugs: NEBIVOLOL HCL, Tablet, 5 mg, NDC 00456140530, Pedigree: AD73611_7, EXP: 5/30/2014', ' METOPROLOL TARTRATE, Tablet, 50 mg, NDC 00093073301, Pedigree: W003844, EXP: 6/27/2014', ' NIACIN TR, Capsule, 500 mg, N', ' SODIUM CHLORIDE, Tablet, 1000 mg, NDC 00527111610, Pedigree: W003926, EXP: 7/1/2014. ', 'Lack of Assurance of Sterility: Confirmed report of leaking in the primary container.', ' SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: W003115, EXP: 6/13/2014. ', 'Labeling: Label Mix-Up', 'Labeling: Label Mixup: CHOLECALCIFEROL, Tablet, 5000 units may have potentially been mislabeled as one of the following drugs: LACTOBACILLUS ACIDOPHILUS, Capsule, 0 mg, NDC 54629011101, Pedigree: AD65311_7, EXP: 5/24/2014', 'Sub-potent Drug', ' at the 18 month time point. ', ' CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: W002715, EXP: 6/5/2014', ' CITALOPRAM Tablet, 10 mg may be potentially mislabeled as OXYBUTYNIN CHLORIDE, Tablet, 5 mg, NDC 00603497521, Pedigree: AD52778_61, EXP: 5/20/2014', 'Labeling: Label Mixup: PYRIDOXINE HCL, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: AD73627_29, EXP: 5/30/2014', 'Labeling: Label Mixup: HYDROCHLOROTHIAZIDE, Tablet, 12.5 mg may have potentially been mislabeled as one of the following drugs: hydrALAZINE HCl, Tablet, 100 mg, NDC 23155000401, Pedigree: AD73652_4, EXP: 5/29/2014', 'Labeling: Label Mixup: OMEGA-3-ACID ETHYL ESTERS, Capsule, 1000 mg may have potentially been mislabeled as one of the following drugs: SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD39858_4, EXP: 5/15/2014', ' amLODIPine BESYLATE, Tablet, 10 mg may be potentially mislabeled as FINASTERIDE, Tablet, 5 mg, NDC 16714052201, Pedigree: AD62846_1, EXP: 2/28/2014.', 'Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing, lack of OTC drug labeling requirements and labeled Not Approved for sale in U.S.A..', 'Failed Impurities/Degradation Specifications', ' QUEtiapine FUMARATE, Tablet, 100 mg, NDC 60505313301, Pedigree: W002777, EXP: 6/6/2014', ' NIACIN TR, Capsule, 500 mg, NDC 00904063160, Pedigree: AD60240_17, EXP: 5/22/2014', ' guaiFENesin ER, Table', ' PRAMIPEXOLE DI-HCL, Tablet, 0.25 mg may be potentially mislabeled as TACROLIMUS, Capsule, 1 mg, NDC 00781210301, Pedigree: W003704, EXP: 6/26/2014.', ' FERROUS SULFATE, Tablet, 325 mg (65 mg Elem Fe) may be potentially mislabeled as COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: W002711, EXP: 6/6/2014', 'Labeling: Not Elsewhere Classified: Lack of leaflets and approved labels on bottles.', 'Lack of Assurance of Sterility: The product has the potential for solution to leak at the administrative port.', ' MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68585000575, Pedigree: W002712, EXP: 6/6/2014', 'Subpotent Drug: Drug potency was compromised during shipment.', ' trailer may not have met GMP requirements prior to filling', ' chlorproMAZINE HCl, Tablet, 100 mg, NDC 00832030300, Pedigree: AD70629_4, EXP: 5/29/2014', 'Presence of Particulate Matter Perrigo is recalling seven lots of Clindamycin Palmitate Hydrochloride for Oral Solution 75mg/5ml. ', 'Lack of Assurance of Sterility: Lack of sterility assurance in compounded aseptically filled injectable products.', 'Presence of Foreign Tablets/Capsules: Potential of Pravastatin tablet fragments in bottles of Valacyclovir 1 gm Tablets. ', 'Lack of Assurance of Sterility: A particle excursion for a different batch of the same product may lead to a lack of sterility assurance.', 'PRESENCE OF PARTICULATE MATTER: Product complaint for the presence of particulate matter identified as an insect. ', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1110 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD70655_8, EXP: 5/29/2014', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD60578_5, EXP: 5/29/2014. ', ' DOCUSATE SODIUM, Capsule, 50 mg, NDC 67618010060, Pedigree: AD60211_8, EXP: 5/21/2014', ' Stored/dispensed in a non-GMP compliant warehouse at S.I.M.S., Italy.', 'Non-Sterility: One lot of Glycopyrrolate solution for injection was found to be contaminated with Bacillus thuringiensis.', 'Chemical Contamination: Product recalled due to an elevated level of a residual solvent impurity in the API that exceeds the Threshold of Toxicological Concern (TTC) calculation for the impurity.', 'Presence of Foreign Substance: This recall is being conducted due to the potential for extrinsic foreign particles in the API used to manufacture SPIRIVA Handihaler', ' chlorproMAZINE HCl, Tablet, 50 mg, NDC 00832030200, Pedigree: AD32973_4, EXP: 5/9/2014', 'Presence of Particulate Matter: particulate matter identified as iron oxide, was found embedded in the neck of glass vials.', 'Presence of Foreign Tablets/Capsules: Recall is being conducted due to a foreign capsule found in one bottle.', ' VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: AD39858_1, EXP: 5/16/2014. ', 'Failed impurities/degradation specification: An out of specification results has been determined for an individual related substance during stability testing at the 18th month interval for the Famotidine 10 mg Tablet, USP.', ' labeled with incorrect EXP Date', ' MODAFINIL Tablet, 50 mg (1/2 of 100 mg Tablet) may be potentially mislabeled as SACCHAROMYCES BOULARDII LYO, Capsule, 250 mg, NDC 00414200007, Pedigree: AD21859_1, EXP: 10/31/2013.', 'Incorrect Product Formulation: Vials labeled as Testosterone Cypionate 200 mg/mL in Sesame Oil are being recalled because they contains Estradiol Valerate 20 mg/mL.', 'Labeling: Label Mixup: ACARBOSE, Tablet, 25 mg may be potentially mislabeled as one of the following drugs: ZINC GLUCONATE, Tablet, 50 mg, NDC 00904319160, Pedigree: AD60240_57, EXP: 5/22/2014', ' WARFARIN SODIUM, Tablet, 0.5 mg (1/2 of 1 mg) may be potentially mislabeled as SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: AD70636_1, EXP: 5/29/2014.', ' BISACODYL EC, Tablet, 5 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: AD37056_13, EXP: 5/10/2014.', 'Non Sterility: Microbial contamination ', 'Presence of Foreign Tablet/Capsule: Vytorin 10 mg/40 mg tablets were found in bottles of Vytorin 10 mg/20 mg tablets. ', 'Labeling: Label Mixup: MESALAMINE DR, Capsule, 400 mg may have potentially been mislabeled as the following drug: CHLOROPHYLLIN COPPER COMPLEX, Tablet, 100 mg, NDC 11868000901, Pedigree: AD34928_1, EXP: 5/9/2014. ', 'Failed Dissolution Specifications: Out of Specification (OOS) test results for Hour-4 at the 32 month CRT Stability Level.', ' diphenhydrAMINE HCl, Tablet, 25 mg may be potentially mislabeled as ATORVASTATIN CALCIUM, Tablet, 40 mg, NDC 00378212177, Pedigree: AD33897_10, EXP: 5/9/2014', ' LIOTHYRONINE SODIUM,', ' MYCOPHENOLATE MOFETIL, Tablet, 500 mg, NDC 00004026001, Pedigree: AD49414_4, EXP: 5/17/2014', 'Failed Stability Specification', ' hydrALAZINE HCl Tablet, 100 mg may be potentially mislabeled as DOXEPIN HCL, Capsule, 150 mg, NDC 49884022201, Pedigree: AD46312_10, EXP: 5/16/2014', 'Lack of Assurance of Sterility: The Mentholatum Company has recalled Rohto Arctic, Rohto Ice, Rohto Hydra, Rohto Relief and Rohto Cool eye drops, due to concerns related to the quality assurance of sterility controls. ', ' FERROUS SULFATE, Tablet, 325 mg (65 mg Elemental Iron) may be potentially mislabeled as RAMIPRIL, Capsule, 2.5 mg, NDC 68180058901, Pedigree: AD54549_16, EXP: 5/20/2014.', 'Incorrect/ Undeclared Excipient: Contains undeclared benzyl alcohol.', 'Labeling: Label Mixup: VERAPAMIL HCL, Tablet, 40 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: W003095, EXP: 6/12/2014', 'Lack of Assurance of Sterility. A recent FDA inspection reported GMP violations potentially impacting product quality and sterility.', 'Cross contamination with other products: Belladonna Alkaloids with Phenobarbital Tablets contained a trace amount of Methocarbamol.', 'Failed Tablet/Capsule Specifications: Complaints were received for significant tablet erosion for Alprazolam 1 mg.', 'Lack of Assurance of Sterility: Complaints of broken tips on the ampules.', ' It may display wrong product code reflecting 0.9% Sodium Chloride Injection , USP 100 mL in MINI-BAG Plus container instead of 50 mL.', 'Failed Tablet/Capsule Specifications: Pharmacist complaint of an excessive amount of broken and/or chipped tablets in the bottle. ', 'Marketed Without An Approved NDA/ANDA: This product is being recalled because FDA issued a final rule establishing that all over-the-counter (OTC) drug products containing colloidal silver ingredients or silver salts for internal or external use are not generally recognized as safe and effective and are misbranded.', 'Failed Stability Specifications: The active sunscreen ingredient, avobenzone 3%, may not be stable over the shelf life, the sunscreen effectiveness may be less than labeled.', 'Failed Impurities/Degradation Specifications: Product recalled due to elevated impurity result detected during routine stability testing.', 'Failed Impurities/Degradation Specifications: out of specification result for Clonazepam Related Compound (RC) A (a known impurity) at 15 month timepoint.', 'Labeling: Label Mixup: ASPIRIN/ER DIPYRIDAMOLE, Capsule, 25 mg/200 mg may have potentially been mislabeled as the following drug: THIAMINE HCL, Tablet, 100 mg, NDC 00904054460, Pedigree: AD70639_1, EXP: 5/29/2014', ' Senna Leaf powder 140 mg. It should correctly be stated as &quot', 'Tablets/Capsules Imprinted With Wrong ID: Pharmaceuticals are imprinted with an incorrect identifier code on the embossed tablets..', 'Failed Tablet/Capsule Specification: Tablets were found to be twice the thickness in one lot of product.', 'Presence of Particulate Matter: The product was discolored and contained visible particulates (iron oxide) in the solution and embedded in the glass vial.', ' 9 month stability', 'Discoloration: presence of scuffing marks on tablets. ', 'Non-Sterility: 50% dextrose is being recalled after particulate matter, later identified as mold, was found floating in the product.', ' ZINC SULFATE, Capsule, 50 mg may be potentially mislabeled as SERTRALINE HCL, Tablet, 50 mg, NDC 16714061204, Pedigree: AD30993_14, EXP: 5/9/2014.', 'Adulterated Presence of Foreign Tablets/Capsules: Some bottles may contain a small number of Nexium 20 mg capsules intended for the Japanese market in addtion to Nexium 40 mg capsules.', 'Chemical Contamination: This product is being recalled because trace amounts of a plasticizer (Di-Octyl Phthalate) may be present in the product.', 'Chemical Contamination: Recall due to a customer complaint trend regarding capsule odor. ', ' FDA analysis found the product to contain Chlorzoxazone, Nefopam, Diclofenac, Ibuprofen, Naproxen, and Indomethacin ', 'cGMP deviations - presence of rubber particles found loose in the bulk product.', 'Labeling: Not Elsewhere Classified: Potassium Chloride was printed on Potassium Phosphate label stock thereby having both names on the label of a 250 mL bag of Potassium Chloride.', 'Non-Sterility: Customer complaints of mold in the product after use and handling due to the fact that the preservative used in the lots of Carboxymethylcellulose Sodium 0.5% Ophthalmic Solution may not be effective through expiry. ', 'Lack of assurance of sterility: Potential channel leaks near the threaded vial port.', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredient: Phenolphthalein', ' LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00378180701, Pedigree: W003476, EXP: 6/20/2014. ', 'Marketed Without an Approved NDA/ANDA: The products are unapproved drugs', ' LORATADINE, Tablet, 10 mg, NDC 45802065078, Pedigree: W002652, EXP: 6/5/2014', 'Failed Impurities/Degradation Specifications: Out of specification results for impurities testing was obtained at the 6 and 9 month time points.', ' laboratory testing was not followed in accordance with GMP requirements.', 'Failed Impurities/Degradation Specifications: Par Pharmaceutical is recalling Pramipexole Dihydrochloride Extended Release tablets because it contains a known product impurity above currently approved specification levels.', 'Labeling: Label Mixup: LOSARTAN POTASSIUM, Tablet, 50 mg may have potentially been mislabeled as the following drug: MIDODRINE HCL, Tablet, 2.5 mg, NDC 00185004001, Pedigree: W003265, EXP: 6/17/2014. ', 'Labeling: Incorrect or Missing Package Insert- Missing text on the product insert in the \"Clinical Studies\" and \"Specific Adverse Events\" sections.', 'Subpotent Drug: trace amounts of methylcobalamin in compounded drug.', 'Incorrect/ Undeclared Excipient: Firm is recalling product due to an incorrect statement of \\x1cPreservative free\\x1d on the individual carton label. The vial label and outer carton label contain the correct statement of 0.9% benzyl alcohol added as a preservative. ', 'Failed Dissolution Specifications ', 'Presence of Particulate Matter: The 1g Cefepime for Injection USP and Dextrose Injection USP lot has been found to contain visible organic particulate matter in a reserve sample unit.', ' RemedyRepack, Inc. a relabeler, is recalling these products due to incorrect storage instructions.', ' however it should state 2mg per mL', 'Failed Dissolution Test Requirements', 'Subpotent Drug: Subpotent atorvastatin.', 'Subpotent drug. ', 'Cross Contamination with Other Products: Product was mixed with another type of mouth wash. ', 'Failed Impurity/degradation Specification', ' FDA analysis found them to contain sibutramine and phenolphthalein', ' MULTIVITAMIN/MULTIMINERAL Tablet may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: AD62865_13, EXP: 5/23/2014', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Bottled product is labeled with an expiration date of Apr 2015. The correct expiration is Apr 2013. ', ' AMANTADINE HCL, Capsule, 100 mg, NDC 00781204801, Pedigree: AD21790_1, EXP: 5/1/2014. ', ' PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 009045', 'Labeling: Label Mixup: VENLAFAXINE HCL, Tablet, 25 mg may have potentially been mislabeled as one of the following drugs: sitaGLIPtin PHOSPHATE, Tablet, 50 mg, NDC 00006011231, Pedigree: W002824, EXP: 6/7/2014', ' The voluntary recall of the aforementioned batch of product is being initiated due to two bottles missing container labels.', 'Presence of particulate matter: visible free floating and partially embedded particulate matter in the glass vials.', 'Super-Potent Drug: Out of Specification Assay test results were reported for stability samples.', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,100 mg may be potentially mislabeled as CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: W003788, EXP: 6/27/2014', ' ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/250 mg/65 mg, NDC 46122010478, Pedigree: W003722, EXP: 4/30/2014', ' DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree: W003005, EXP: 6/11/2014', 'Failed Impurities/Degradation Specifications: Watson Laboratories Inc. is recalling meprobamate because an out of specification result for an impurity diphenyl sulfone .', 'Labeling: Incorrect or Missing Lot and/or Exp Date - Product is missing or has illegible lot and expiry codes, as well as defective or cracked caps.', ' RIBAVIRIN, Capsule, 200 mg may be potentially mislabeled as MODAFINIL, Tablet, 50 mg (1/2 of 100 MG Tablet), NDC 55253080130, Pedigree: AD21787_4, EXP: 5/1/2014', ' glyBURIDE MICRONIZED, Tablet, 3 mg, NDC 00093803501, Pedigree: W003155, EXP: 6/13/2014. ', 'Lack Of Assurance Of Sterility: Confirmed customer complaints of glass product container vials that may be broken or cracked.', 'Labeling: Label Mixup: EFAVIRENZ, Capsule, 200 mg may have potentially been mislabeled as the following drug: metFORMIN HCl, Tablet\\t500 mg, NDC 23155010201, Pedigree: AD46312_25, EXP: 5/16/2014. ', 'Correct Labeled Product Mispack: Shipping cartons labeled as containing Potassium Chloride injection actually contained bags labeled and containing Gentamicin Sulfate injection inside. ', ' SERTRALINE HCL Tablet, 50 mg may be potentially mislabeled as NORTRIPTYLINE HCL, Capsule, 10 mg, NDC 00093081001, Pedigree: AD70585_4, EXP: 5/29/2014', 'Presence of Foreign Tablets: A product complaint was received by a pharmacist who discovered an Atorvastatin 20 mg tablet inside a sealed bottle of 90-count Atorvastatin 10 mg.', ' TACROLIMUS, Capsule, 1 mg, NDC 00781210301, Pedigree: AD37056_1, EXP: 5/10/2014', 'Impurities/Degradation Products: A confirmed out of specification result for Leukine sargramostin lot B18827 occurred at the three month time point.', ' CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD54587_1, EXP: 5/21/2014', 'CGMP Deviations: an expired active ingredient was used in the manufacture of these recalled lots.', ' ACARBOSE, Tablet, 25 mg', ' PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: AD46257_25, EXP: 5/15/2014', 'Stability Data Does Not Support Expiry:potential loss of potency in drugs packaged and stored in syringes.', 'Chemical Contamination: Uncharacteristic moldy odor due to presence of 2,4,6-tribromoanisole (TBA).', \"Adulterated Presence of Foreign Tablets: Dr. Reddy's Laboratories has received complaints of mislabeled bottles of Amlodipine Besylate and Benazepril Hydrochloride Capsules and Ciprofloxacin Tablets.\", ' ACARBOSE Tablet, 25 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD39588_4, EXP: 5/13/2014.', ' guaiFENesin ER, Tablet, 600 mg, NDC 45802049878, Pedigree: AD30140_37, EXP: 5/7/2014', 'Failed Tablet/Capsule Specifications: Product being recalled due to the potential presence of cracked or broken capsules. ', 'Marketed Without An Approved NDA/ANDA: All lots of Volcano Liquid and Volcano Capsules, marketed as dietary supplements, are being recalled because they were found to contain undeclared active pharmaceutical ingredients, making them unapproved new drugs.', 'Defective Container: Glass vials may crack due to low (thin) out of specification vial wall thickness which may lead to contamination and lack of assurance of sterility. ', 'CGMP Deviations: Hydroxyzine Pamoate Capsules, USP, 100 mg were manufactured using an unapproved material: API was incorrectly released for use in manufacturing. ', ' 36 month stability timepoint', 'Subpotent Drug: confirmed subpotency in one lot of this product that was packaged and stored in syringes.', 'Lack of Assurance of Sterility: The recall is being initiated due to the lack of sterility assurance and concerns associated with the quality control processes identified during an FDA inspection.', ' NICOTINE POLACRILEX Lozenge, 2 mg may be potentially mislabeled as VITAMIN B COMPLEX WITH C/FOLIC ACID, Tablet, NDC 60258016001, Pedigree: W003361, EXP: 6/19/2014.', ' TRIHEXYPHENIDYL HCL, Tablet, 1 mg (1/2 of 2 mg), NDC 00591533501, Pedigree: AD7', 'Labeling: Label Mixup: SOTALOL HCL, Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: DILTIAZEM HCL, Tablet, 120 mg, NDC 00093032101, Pedigree: AD30197_1, EXP: 5/9/2014', ' DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: W003821, EXP: 6/27/2014', 'Labeling: Label Mix Up- Incorrect back label applied to the product.', 'Defective container: products are packaged in pouches which may not have been fully sealed', ' OXYBUTYNIN CHLORIDE, Tablet, 5 mg, NDC 00603497521, Pedigree: W003898, EXP: 6/27/2014. ', 'Labeling: Label Mixup: VALSARTAN, Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: TEMAZEPAM, Capsule, 7.5 mg, NDC 00378311001, Pedigree: AD49418_1, EXP: 5/17/2014', 'Defective Container: This recall is being carried out due to the potential for improperly sealed bottles.', ' PRAMIPEXOLE DI-HCL, Tablet, 0.125 mg, NDC 13668009190, Pedigree: AD25264_10, EXP: 5/3/2014. ', 'Labeling: Label Mixup: PERPHENAZINE, Tablet, 8 mg may have potentially been mislabeled as the following drug: NIFEdipine, Capsule, 10 mg, NDC 59762100401, Pedigree: AD52778_55, EXP: 5/20/2014. ', 'Presence of Particulate Matter: A glass defect was found on the interior neck of the vial during a retain sample inspection where the glass vial contained visible embedded metallic particulate and free floating metallic particulates were also found in solution.', 'Lack of Assurance of Sterility: Sigma-Tau PharmaSource, Inc. is conducting a voluntary recall of five lots of Oncaspar Injection, because of a crack under the crimp seal which caused a leak. ', 'Marketed without an approved NDA/ANDA - presence of undeclared sibutramine, desmethylsibutramine (an active metabolite of sibutramine) and/or phenolphthalein.', 'Does Not Meet Monograph: Chlorhexidine Gluconate Surgical Scrub Brush is being recalled due to higher concentrations of available chlorhexidine gluconate.', ' CYPROHEPTADINE HCL Tablet, 4 mg may be potentially mislabeled as ACARBOSE, Tablet, 25 mg, NDC 00054014025, Pedigree: W003673, EXP: 6/25/2014', ' SOLIFENACIN SUCCINATE Tablet, 5 mg may be potentially mislabeled as BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg, NDC 00574010601, Pedigree: W003754, EXP: 6/26/2014.', 'CGMP Deviations: A drum of Abilify 30 mg Tablets rejected during the compression stage was not segregated from the other portion of the lot and was inadvertently shipped, packaged and distributed.', ' SENNOSIDES, Tablet, 8.6 mg, NDC 00182109301, Pedigree: W003256, EXP: 6/17/2014. ', 'Labeling: Label Mixup: THIORIDAZINE HCL, Tablet, 50 mg may have potentially been mislabeled as the following drug: guanFACINE HCl, Tablet, 1 mg, NDC 00591044401, Pedigree: AD73525_13, EXP: 4/30/2014.', ' NICOTINE POLACRILEX, LOZENGE, 2 mg, NDC 37205098769, Pedigree: AD73623_7, EXP: 5/30/2014', 'Presence of Foreign Capsules/Tablets: Benzonatate 100 mg co-mingled with benzonatate 200 mg capsules. ', 'Labeling: Label Mixup: PANTOPRAZOLE SODIUM DR, Tablet, 20 mg may be potentially mislabeled as one of the following drugs: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD60272_16, EXP: 5/22/2014', ' NITROFURANTOIN MONOHYDRATE/ MACROCRYSTALS, Capsule, 100 mg may be potentially mislabeled as MINOCYCLINE HCL, Capsule, 50 mg, NDC 00591569401, Pedigree: AD52778_46, EXP: 5/20/2014.', ' COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: W003871, EXP: 6/27/2014', 'Lack of Assurance of Sterility: A small number of pre-filled syringes may contain needles which protrude through the needle shield.', 'Lack of Assurance of Sterility: Loose crimp applied to the fliptop vial.', 'Labeling: Label Mixup: PREGABALIN, Capsule, 25 mg may have potentially been mislabeled as one of the following drugs: CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W003713, EXP: 6/26/2014', 'Marketed Without An Approved NDA/ANDA: Products marked as dietary supplements have labeling that bears drug/disease claims, making them unapproved drugs.', 'Labeling: Label Mix-Up: Incorrect back labeling of the immediate container of eye drops (unit carton and front label are correct) which do not list three active ingredients: Dextran 70, PEG 400, and povidone. ', ' The product is being recalled because several inactive ingredients were not included in the labeling for this product: Undeclared D&C Red #33, FD&C Blue #1, Titanium Dioxide Suspension, Purified Water USP. ', 'CGMP Deviations: Products are underdosed or have an incorrect dosage regime. ', 'Marketed without an Approved NDA/ANDA: Product contains an undeclared drug, sibutramine, making it an unapproved new drug.', 'Superpotent Drug: Out Of Specification (OOS) result for Assay.', 'CGMP Deviations: The active pharmaceutical ingredient (API) intended for use in furosemide oral solution USP was inadvertently used to manufacture the recalled furosemide tablets USP. ', 'Microbial Contamination of Non-Sterile Products: Suspensions made from these lots of Amoxicillin 125 mg/5 mL showed yeast and mold growth at the 14 day time point.', 'Lack of Assurance of Sterility: Fliptop vial crimps are loose or missing.', ' PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet, 0 mg, NDC 00904531360, Pedigree: W003706, EXP: 6/25/2014', ' MIRTAZAPINE Tablet, 7.5 mg may be potentially mislabeled as ISONIAZID, Tablet, 300 mg, NDC 00555007102, Pedigree: W003691, EXP: 6/26/2014.', 'Failed Stability Specification: out of specification result obtained for the Particle Size Distribution test during stability testing.', ' ISOSORBIDE MONONITRATE Tablet, 20 mg may be potentially mislabeled as COLCHICINE, Tablet, 0.6 mg, NDC 64764011907, Pedigree: AD52778_22, EXP: 5/20/2014', ' HYDROCORTISONE Tablet, 5 mg may be potentially mislabeled as ORPHENADRINE CITRATE ER, Tablet, 100 mg, NDC 43386048024, Pedigree: W002962, EXP: 6/11/2014', ' carBAMazepine ER, Tablet, 100 mg, NDC 00078051005, Pedigree: W003330, EXP: 6/18/2014. ', 'Labeling: Label Mixup: VITAMIN B COMPLEX, Capsule, 0 mg may have potentially been mislabeled as the following drug: ACARBOSE, Tablet, 25 mg, NDC 23155014701, Pedigree: AD32757_1, EXP: 5/13/2014. ', 'Labeling: Label Error On Declared Strength', 'Subpotent Drug and Stability Data Does Not Support Expiry: confirmed subpotency and potential loss of potency in drugs packaged and stored in syringes.', 'Chemical Contamination: Bottles may contain broken dessicants', 'Labeling: Label Error on Declared Strength- Unopened bottles of Ropinirole USP 3 mg tablets was found to be incorrectly labeled as Ropinirole USP 4 mg tablets..', 'Labeling: Not Elsewhere Classified', 'Labeling: Label Mixup: CALCIUM CARBONATE/CHOLECALCIFEROL, Tablet, 600 mg/800 units may be potentially mis-labeled as the following drug: REPAGLINIDE, Tablet, 1 mg, NDC 00169008281, Pedigree: AD52387_1, EXP: 5/17/2014. ', 'Presence of Precipitate', ' and a missing stopper and flip cap were received and therefore sterility cannot be assured.', ' PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011010, Pedigree: AD65317_1, EXP: 5/24/2014. ', ' The Lot and/or Expiration date on the tube may not be legible in this lot.', ' ASPIRIN, Tablet, 325 mg, NDC 00536330501, Pedigree: W003355, EXP: 6/19/2014', 'Defective Delivery System: Out of Specification (OOS) results for the mechanical peel force (MPF) and and/or the z-statistic values.', ' 9-month stability interval', ' product linked to adverse event reports of endophthalimitis eye infections and FDA inspection findings resulted in concerns regarding quality control processes', ' Hydrochlorothiazide at the 9 month time point.', ' LACTOBACILLUS GG, Capsule, 0 mg, NDC 49100036374, Pedigree: W003173, EXP: 6/13/2014. ', ' MESALAMINE CR, Capsule, 250 mg may be potentially mislabeled as ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: AD52378_1, EXP: 5/17/2014.', ' Out of specification results for two known degradation products and total impurities at 18 months', 'Labeling: Label Mixup: SILDENAFIL CITRATE, Tablet, 25 mg may have potentially been mislabeled as the following drug: PHENobarbital/ HYOSCYAMINE/ ATROPINE/ SCOPOLAMINE, Tablet, 16.2 mg/0.1037 mg/0.0194 mg/0.0065 mg, NDC 66213042510, Pedigree: W003640, EXP: 6/25/2014. ', ' out of specification results for heparin raw material', ' LACTOBACILLUS GG Capsule, 10 Billion Cells may be potentially mislabeled as guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: AD21965_22, EXP: 5/1/2014.', 'Cross Contamination with Other Products: Four lots of Liothyronine Sodium Tablets, USP 5 mcg are being recalled due to the finding of a potential carryover of trace amounts of a previously manufactured product.', 'Presence of Foreign Substance: Presence of blue plastic floating in loratadine syrup.', ' ASPIRIN, Chew Tablet, 81 mg, NDC 00536329736, Pedigree: AD33897_1, EXP: 5/9/2014', ' PIMOZIDE Tablet, 2 mg may be potentially mislabeled as DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree: AD30140_31, EXP: 5/7/2014.', 'Labeling:Missing Label: Bottles may not have a product label, or have a label with missing or illegible lot number and/or expiry date.', ' ITRACONAZOLE, Capsule, 100 mg may be potentially mislabeled as FAMCICLOVIR, Tablet, 500 mg, NDC 00093811956, Pedigree: AD54549_4, EXP: 5/20/2014.', 'CGMP Deviations: The recalled acetaminophen tablet lot was not manufactured under current good manufacturing practices as noted by a recent inspection of the manufacturing firm.', 'Presence of Foreign Tablets/Capsules: One bottle of Percocet 10/325 mg was found to contain a tablet of Endocet 10/25 mg, the generic form.', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg may be potentially mislabeled as tiZANidine HCL, Tablet, 2 mg, NDC 57664050289, Pedigree: AD70700_10, EXP: 5/29/2014.', 'Failed Stability Specifications: Tagitol V Barium Sulfate Lot #65846 sampled at 10 months exhibited results above the upper specification for viscosity.', 'Failed Impurity/Degradations Specifications', ' LIOTHYRONINE SODIUM Tablet, 25 mcg may be potentially mislabeled as guanFACINE HCl, Tablet, 1 mg, NDC 00378116001, Pedigree: AD46414_22, EXP: 5/16/2014', 'Does Not Meet Monograph: Budesonide may be slightly above or below the specification range.', 'Failed Impurities/Degradation Specifications: This product is being recalled due to an out of specification result for an impurity.', 'Labeling: Label Mixup: ASPIRIN, CHEW Tablet, 81 mg may have potentially been mislabeled as one of the following drugs: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD30028_4, EXP: 5/8/2014', ' box labeled to contain 200 mg blister packs but actually contain 100 mg blister packs', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 175 mcg may have potentially been mislabeled as the following drug: CINACALCET HCL, Tablet, 60 mg, NDC 55513007430, Pedigree: W003742, EXP: 6/26/2014. ', 'Superpotent Drug: Product may not meet specifications throughout shelf life. ', 'Lack of Assurance of Sterility: Sterility of product is not assured.', ' sterility concerns with all injectable drug products that were made with sterilized filtered stock solutions.', 'Labeling: Label Mix-Up: Bryant Ranch received Tevas venlafaxine hydrochloride extended-release tablets for repackaging, but labeled it incorrectly as the immediate release formulation. ', 'Presence of Particulate Matter: The bupivacaine HCl injection used to compound this lot of BUPivacaine HCl 0.25% Preservative Free 500 mL in On-Q C-bloc was recalled by the supplier due to a customer complaint of visible particles embedded in the glass vial. ', ' THIORIDAZINE HCL, Tablet, 50 mg, NDC 00378061601, Pedigree: AD73525_28, EXP: 5/30/2014. ', 'Labeling: Label Mix-up: The product is being recalled because active ingredient in the Drug Facts box incorrectly states &quot', 'Impurities/Degradation Products: Potential for drug related impurities to exceed the specification limits. ', 'Adulterated Presence of Foreign Tablets: Pharmaceutical manufacturer may have distributed foreign tablets in bottles of Levetiracetam Tablets, USP 500 mg.', 'Lack of Processing Controls', ' CALCITRIOL, Capsule, 0.25 mcg, NDC 00054000725, Pedigree: W003638, EXP: 6/25/2014. ', ' does not meet in process specification requirements', 'Labeling: Label Mixup: VITAMIN B COMPLEX W/C, Tablet, 0 mg may have potentially been mislabeled as the following drug: CINACALCET HCL, Tablet, 30 mg, NDC 55513007330, Pedigree: AD54516_4, EXP: 5/20/2014.', 'Discoloration: Some vials were found to contain powder with a yellowish-brownish appearance.', 'CGMP Deviations: Pharmaceuticals were produced and distributed with active ingredients not manufactured according to Good Manufacturing Practices', 'Presence of Foreign Substance: customer complaint that one unit dose cup contained a small piece of cardboard contaminant.', ' FLUoxetine HCl, Capsule, 10 mg\\t, NDC 16714035103, Pedigree: AD70585_13, EXP: 5/29/2014', 'Labeling: Label Mixup: PANCRELIPASE DR, Capsule, 24000 /76000 /120000 USP units may be potentially mislabeled as one of the following drugs: SERTRALINE HCL, Tablet, 50 mg, NDC 16714061204, Pedigree: AD70585_7, EXP: 5/29/2014', 'Presence of Particulate Matter: Glass particulate matter was observed in a retention sample during an annual review.', ' MISOPROSTOL Tablet, 100 mcg may be potentially mislabeled as QUINAPRIL HCL, Tablet, 10 mg, NDC 59762502001, Pedigree: AD42611_4, EXP: 5/14/2014.', ' REPAGLINIDE, Tablet, 2 mg, NDC 00169008481, Pedigree: AD70639_13, EXP: 5/29/2014', ' small number of tubes may include the presence of mold on the cap', 'Labeling: Label Mixup: NABUMETONE, Tablet, 500 mg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: AD46429_1, EXP: 5/15/2014.', ' TRIMETHOBENZAMIDE HCl, Capsule, 300 mg may be potentially mislabeled as GABAPENTIN, Tablet, 600 mg, NDC 00228263611, Pedigree: AD21965_7, EXP: 5/1/2014', 'Failed tablet/capsule specification: missing break line on the 5mg tablet.', 'Defective Container', ' TORSEMIDE, Tablet, 10 mg, NDC 31722053001,', 'Labeling -label error on declared strength: unopened, sealed bottle of Terazosin Hydrochloride (HCl) 10mg Capsules contained Terazosin HCl 5 mg Capsules', 'Failed Tablet/Capsule Specification', ' All lots of sterile products compounded by the pharmacy within expiry are subject to this recall. This recall is initiated due to concerns associated with quality control procedures observed during a recent FDA inspection. ', 'Labeling: Label Mixup: LITHIUM CARBONATE ER, Tablet, 300 mg may be potentially mislabled as the following drug: VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 50 mg, NDC 40985022251, Pedigree: AD39588_10, EXP: 5/13/2014. ', ' buPROPion HCl ER (XL), Tablet, 150 mg, NDC 67767014130, Pedigree: AD52412_4, EXP: 4/30/2014', 'Failed Dissolution Specifications: Stability results found the product did not meet the drug release dissolution specifications.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD73521_13, EXP: 5/30/2014. ', 'Presence of Foreign Tablets/Capsules: 20 tablets of Oxycodone/APAP 7.5/500 mg were found in a sealed 100 count bottle of Oxycodone and Acetaminophen Tablets, USP 10/650 mg lot# 705791A.', ' exceeded specification at the 9 hour time point', 'CGMP Deviations: Citations given to API supplier by the Italian Health Agency AIFA for several critical deficiencies which caused a recall of the API lot used to manufacture Propanolo HCl Injection.', 'Failed Stability Specifications: The subject lots exhibited OOS results for Homogeneity test (Moderate separation).', ' PANTOPRAZOLE SODIUM DR, Tablet, 40 mg, NDC 64679043402, Pedigree: AD37063_10, EXP: 5/13/2014', ' Lozenges are overly thick, overly soft, and sub and superpotent.', ' ACAMPROSATE CALCIUM DR, Tablet, 333 mg, NDC 00456333001, Pedigree: W002973, EXP: 6/11/2014', ' PANTOPRAZOLE SODIUM DR, Tablet, 20 mg, NDC 00008060601, Pedigree', 'Marketed Without An Approved NDA/ANDA: The product contains undeclared sibutramine. The presence of sibutramine, a previously approved controlled substance that was removed from the U.S. market in October 2010 for safety reasons, in this tainted product renders it an unapproved drug for which safety and efficacy have not been established and therefore subject to recall.', 'Marketed Without An Approved NDA/ANDA: product is an unapproved drug due to nasal decongestant claims as well as not complying with the nasal decongestant final monograph.', 'CGMP Deviations: Purified water used to manufacture the drug products may have been contaminated with Burkholderia cepacia.', 'Failed Tablet/Capsule Specifications: Discovery of an underweight tablet.', 'Lack of Assurance of Sterility and Stability Data does not Support Expiry: recent inspection observations associated with certain quality control procedures that present a risk to sterility and quality assurance.', ' FDA inspection revealed poor aseptic practices and conditions potentially affecting the sterility of their compounded sterile products', 'Labeling: Label Mixup: LITHIUM CARBONATE ER, Tablet, 225 mg (1/2 of 450 mg) may be potentially mislabled as one of the following drugs: CYCLOBENZAPRINE HCL, Tablet, 5 mg, NDC 00591325601, Pedigree: AD73525_7, EXP: 5/30/2014', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W003217, EXP: 6/14/2014. ', 'Lack of Assurance of Sterility: Fallon Pharmacy recalled Bevacizumab 25mg/mL due to sterility assurance concerns based on testing of this lot by a third party lab, indicating that test results reported as passing sterility may have been inaccurate.', 'Penicillin Cross Contamination - Possible presence of penicillin in bulk budesonide powder used to compound prescription nasal rinse/nebulizer capsules. ', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD60236_1, EXP: 5/22/2014. ', 'Failed Impurities/Degradation Specifications: An out of specification (OOS) result was reported for impurity at the 21 month stability time point.', ' ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: AD49582_7, EXP: 5/16/2014. ', ' GLIMEPIRIDE, Tablet, 1 mg may be potentially mislabeled as clomiPRAMINE HCl, Capsule, 50 mg, NDC 51672401205, Pedigree: AD73525_4, EXP: 5/30/2014.', ' out of specification results for carbon dioxide', ' CHOLECALCIFEROL', ' identified as calcium salt of Ketorolac ', 'Labeling: Incorrect or Missing Lot No. and/or Exp Date: Expiration date incorrectly reflects a 36 month shelf life, instead of the 24 month shelf life', 'Chemical Contamination: The product is being recalled due to complaints reporting a strong garlic odor or strong chemical smell.', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,110 mg, NDC 11523726503, Pedigree: AD49399_4, EXP: 5/16/2014', ' QUINAPRIL HCL Tablet, 10 mg may be potentially mislabeled as PROPRANOLOL HCL, Tablet, 80 mg, NDC 23155011401, Pedigree: AD42566_4, EXP: 5/14/2014.', ' Small micro fracture observed in the 2-Liter bottle at the fill line resulting in a small leak when patient reconstitutes the bulk powder', 'Marketed without an approved NDA/ANDA for which safety and efficacy has not been established.', 'Defective Delivery System: There is a remote potential that cartons of product could be co-packaged with an oral dosing syringe without dose markings. ', 'Microbial Contamination of Non-Sterile Products: Product may be contaminated with Burkholderia cepacia.', \"Non-Sterility: Valeant's laboratory observed a positive microbial contamination of Virazole lot 340353F, during testing at the 12 month stability pull.\", ' CAFFEINE Tablet, 200 mg may be potentially mislabeled as CALCIUM CITRATE, Tablet, 950 mg (200 mg ELEMENTAL Ca), NDC 00904506260, Pedigree: AD21846_24, EXP: 5/1/2014', 'Subpotent Drug: Out of Specification (OOS) result during routine stability testing at 24 months.', 'Impurities/Degradation Products: An out of specification result for a known impurity of the product occurred during 12 month stability testing.', ' P', 'Lack of Assurance of Sterility: Sterility of product is not assured. ', 'Presence of Particulate', ' RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: AD32757_47, EXP: 5/13/2014', ' an impurity identified as N-Butyl-Benzene Sulfonamide (NBBS) was detected during impurity testing ', ' precipitation of drug product', ' ATENOLOL, Tablet, 12.5 mg (1/2 of 25 mg), NDC 63304062101, Pedigree: AD73525_1, EXP: 5/30/2014. ', 'Marketed without an Approved NDA/ANDA: Products contain undeclared desmethyl carbondenafil and dapoxetine.', ' guanFACINE HCl Tablet, 2 mg may be potentially mislabeled as buPROPion HCl ER, Tablet, 200 mg, NDC 47335073886, Pedigree: AD21790_4, EXP: 5/1/2014', ' rather than the correct date of August 28, 2017 (date of expiration of the Corinz Antiseptic Cleansing & Moisturizing Oral Rinse). Note, the correct expiration date of August 28, 2017, is printed on the Corinz Oral Rinse package.', ' tablets may contain stainless steel metal particulates ', ' LANTHANUM CARBONATE, CHEW Tablet, 500 mg, NDC 4092025290, Pedigree: W003410, EXP: 6/19/2014. ', 'CGMP Deviations: The first aid kits that are subject to the voluntary recall is being initiated due to failure in stability testing of the active ingredient Benzalkonium Chloride.', 'Defective Container: There were customer complaints of cracked and leaking glass vials.', 'Presence of Particulate Matter: Firm is recalling a small number of vials with very small reflective flakes consistent with delamination of the glass vial.', ' reports of damaged product that may alter the predicted release of scopolamine following transdermal application.', 'Chemical Contamination: Product were manufactured with active pharmaceutical ingredient (API) batches contaminated with residual materials and solvents.', 'Failed Content Uniformity Specifications: Failed Uniformity of Dosage Units specifications.', 'Presence of Particulate Matter: A single visible particulate was identified during a retain sample inspection.', 'Labeling: Label Mixup: DRONEDARONE HCL, Tablet, 400 mg may be potentially as the following drug: METHYLERGONOVINE MALEATE, Tablet, 0.2 mg, NDC 43386014028, Pedigree: AD52778_40, EXP: 5/20/2014. ', 'Presence of Foreign Tablets/Capsules: A pharmacist reported a rogue tablet of different size and markings in bottle of Metoprolol', ' lidding deformity allows the contained product to transpire causing potential viscosity and assay failures. The viscosity and assay failures were due to the loss of moisture. The loss of moisture caused the viscosity to increase and assay to increase relative to the sample volume', ' PROPRANOLOL HCL, Tablet, 10 mg may be potentially mislabeled as PIOGLITAZONE HCL, Tablet, 15 mg, NDC 00093204856, Pedigree: AD52778_70, EXP: 5/21/2014.', 'Lack of Sterility Assurance.', 'Labeling: Incorrect Package Insert', 'Marketed Without An Approved NDA/ANDA: product marketed as a dietary supplement was found to be tainted with undeclared sibutramine, a previously approved controlled substance that was removed from the U.S. market in October 2010 for safety reasons, in this tainted product renders it an unapproved drug.', ' bottles of Glipizide 5 mg tablets may contain Glipizide 10 mg tablets ', 'Labeling: Label Mixup: PERPHENAZINE, Tablet, 16 mg may have potentially been mislabeled as one of the following drugs: LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: AD21790_28, EXP: 5/1/2014', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,110 mg, NDC 11523726503, Pedigree: AD46300_17, EXP: 5/15/2014', \"Lack of Assurance of Sterility: Walgreens Specialty Pharmacy is recalling one lot of Progesterone in Ethyl Oleate sterile injection due to concerns of sterility assurance with the specialty pharmacy's independent testing laboratory.\", ' possible loose crimp applied to fliptop vial', ' OMEGA-3-ACID ETHYL ESTERS, Capsule, 1000 mg, NDC 00173078302, Pedigree: AD32757_40, EXP: 5/14/2014', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredient: N-desmethylsibutramine, benzylsibutramine, and sibutramine', 'Lack of Assurance of Sterility: Leiter Pharmacy is recalling due bacterial contamination found after investigation at contract testing laboratory discovered that OOS results were reported to customers as passing. Hence the sterility of these products cannot be assured. ', 'Marketed without an Approved NDA/ANDA: This recall is being initiated because of changes to the dissolution profile in distributed lots resulting from a manufacturing site change. There is currently no approved application supporting the alternate manufacturing site.', 'Lack of Assurance of Sterility: Sterility could not be assured for compounded sterile renal nutritional prescriptions.', 'Marketed Without An Approved NDA/ANDA: Miracle Diet 30 was found to contain undeclared phenolphthalein, a drug product once contained in over-the-counter laxatives but was taken off the U.S. market due to safety concerns, making this product an unapproved drug. ', 'Failed Impurities/Degradation Specifications: The known impurity went out of specification at 12 months stability point. ', ' FINASTERIDE, Tablet, 5 mg, NDC 16714052201, Pedigree: W003031, EXP: 2/28/2014. ', 'Failed Impurities/Degradation:Specifications:Unknown degradant found during stability testing.', 'Labeling: Label Mixup: CANDESARTAN CILEXETIL, Tablet, 16 mg may have potentially been mislabeled as the following drug: IRBESARTAN, Tablet, 150 mg, NDC 65862063830, Pedigree: W003649, EXP: 6/25/2014.', 'Labeling: Label Mixup: BUMETANIDE, Tablet, 0.5 mg, Rx only may have potentially been mislabeled as the following drug: ERYTHROMYCIN DR EC, Tablet, 250 mg, NDC 24338012213, Pedigree: AD46426_13, EXP: 5/15/2014.', ' GLYCOPYRROLATE, Tablet, 2 mg, NDC 49884006601', ' COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD70655_11, EXP: 5/28/2014', ' CHOLECALCIFEROL, Tablet', 'Lack of Assurance of Sterility: there is a potential for solution to leak at the administrative port of the primary container.', ' guanFACINE HCl, Tablet, 2 mg, NDC 65162071310, Pedigree: W003678, EXP: 6/25/2014', 'Non-Sterility: One lot of N-Acetyl Cysteine vials tested positive for Herbaspirillum huttiense.', ' MAGNESIUM GLUCONATE DIHYDRATE Tablet, 500 mg (27 mg Elemental Magnesium) may be potentially mislabeled as hydrALAZINE HCl, Tablet, 100 mg, NDC 23155000401, Pedigree: AD30197_7, EXP: 5/9/2014.', 'Subpotent Drug.', 'Failed Impurities/Degradation:Specifications:Unknown degradant found during stability testing', 'Labeling: Label Mixup: chlorproMAZINE HCl, Tablet, 50 mg may have potentially been mislabeled as the following drug: ACAMPROSATE CALCIUM DR, Tablet, 333 mg, NDC 00456333001, Pedigree: AD32973_1, EXP: 5/9/2014. ', 'Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing, lack of OTC drug labeling requirements and labeled Not Approved for sale in U.S.A.. ', ' CHOLECALCIFEROL/CALCIUM/PHOSPHORUS Tablet, 120 units/105 mg/81 mg may be potentially mislabeled as PROMETHAZINE HCL, Tablet, 25 mg, NDC 65162052110, Pedigree: W002578, EXP: 6/3/2014', 'Labeling: Not elsewhere classified. NDC number is incorrect on the container. ', ' MULTIVITAMIN/MULTIMINERAL Tablet may be potentially mislabeled as PRENATAL MULTIVITAMIN/MULTIMINERAL Tablet, NDC 00904531360, Pedigree: AD73652_16, EXP: 5/30/2014.', ' reports of adverse events after injection', 'CGMP Deviations: Products are underdosed or have an incorrect dosage regime. ', \"CGMP Deviations: There is potential that Abbott's third party manufacturer, Hospira, may have applied a foreign (incorrect) stopper to vials in a specific lot of Zemplar Injection.\", ' Warnings portion of the Package Insert is missing the warning statement: Anaphylaxis has been reported with urinary-derived hCG products.\\x1d ', ' Product was found to be contaminated with Sphingomonas paucimobilis bacteria.', ' ENTECAVIR, Tablet, 0.5 mg, NDC 00003161112, Pedigree: W003687, EXP: 6/26/2014', 'Marketed without an Approved NDA/ANDA: This recall is being initiated because of changes to the dissolution profile in distributed lots resulting from a manufacturing site change. There is currently no approved application supporting the alternate manufacturing site. ', 'Labeling: Label Mixup: THIAMINE HCL, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: SIMVASTATIN, Tablet, 5 mg, NDC 00093715298, Pedigree: AD65323_13, EXP: 5/29/2014', ' this product is being recalled for containing an undeclared diuretic called Triamterene, an FDA approved prescription only medication used to treat edema, making it an unapproved new drug', ' out-of-specification result for one individual unknown impurity at the 24-month room temperature stability test station.', ' carBAMazepine ER, Tablet, 100 m', 'Labeling: Incorrect or missing package insert: the affected product was packaged with an out-of-date package insert (PI) dated February 2014.', 'Good Manufacturing Practices Deviations: The product has an active pharmaceutical ingredient from an unapproved source.', 'Impurities/Degradation Products', ' no identity or purity testing on incoming oxygen gas, and lack of documentation', ' CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: W002693, EXP: 6/5/2014', ' ESZOPICLONE, Tablet, 3 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 1000 units, NDC 00904582460, Pedigree: W002779, EXP: 6/6/2014.', ' incorrect or missing insert', 'Marketed without an Approved NDA/ANDA: Laboratory analysis conducted by the FDA has determined that the products was found to contain sildenafil, an undeclared active pharmaceutical ingredient.', 'Non-sterility: Product is made in a non-sterile facility and is not intended for use in humans or animals.', ' partial tablet erosion resulting in tablet weights below specification in some tablets', 'Labeling: Label Mixup: ASCORBIC ACID, Tablet, 250 mg may have potentially been mislabeled as one of the following drugs: PREGABALIN, Capsule, 200 mg, NDC 00071101768, Pedigree: AD30024_1, EXP: 5/9/2014', 'Subpotent Drug: Product failed to meet USP Specifications on assay, content uniformity, and dissolution.', 'Lack of Assurance of Sterility: Lack of sterility assurance in compounded aseptically filled injectable products. ', 'Labeling: Label Mixup: LOSARTAN POTASSIUM, Tablet, 50 mg may have potentially been mislabeled as the following drug: ATORVASTATIN CALCIUM, Tablet, 80 mg, NDC 60505267109, Pedigree: AD21965_4, EXP: 5/1/2014. ', ' glyBURIDE, Tablet, 1.25 mg, NDC 00093834201, Pedigree: AD21790_10, EXP: 2/28/2014', 'Presence of Foreign Tablets/Capsules:179 doses of Valacyclovir HCl 500 mg tablets were repacked in unit dose packslabeled as Atorvastatin Calcium ', 'Subpotent Drug: out of specification results for assay test.', ' MELATONIN, Tablet, 1 mg, NDC 47469000466, Pedigree: AD60240_14, EXP: 5/22/2014', ' contract laboratory identified Staphylococcus warneri in the product', ' FENOFIBRATE, Tablet, 54 mg, NDC 00378710077, Pedigree: W002733, EXP: 6/6/2014', 'Labeling: Label Mixup: OXYBUTYNIN CHLORIDE, Tablet, 2.5 mg (1/2 of 5 mg) may have potentially been mislabeled as the following drug: PIMOZIDE, Tablet, 1 mg (1/2 of 2 mg), NDC 57844018701, Pedigree: AD73525_61, EXP: 5/30/2014. ', 'Presence of Foreign Substance: Red Silicone Rubber Particulates are Present in Drug.', ' GALANTAMINE HBR ER, Capsule, 24 mg may be potentially mislabeled as ESCITALOPRAM, Tablet, 5 mg, NDC 00093585001, Pedigree: W003733, EXP: 6/26/2014.', 'Labeling: Label Mixup: TOLTERODINE TARTRATE ER, Capsule, 2 mg may be potentially mislabeled as one of the following drugs: RANOLAZINE ER\\t, Tablet, 500 mg, NDC 61958100301, Pedigree: AD62995_7, EXP: 5/29/2014', ' VITAMIN B COMPLEX ', ' FDA inspection revealed poor aseptic practices and conditions potentially affecting the sterility of their compounded sterile products.', ' heavy metals (chromium, titanium etc) and inactive components of the product were visually observed during routine stability testing. ', 'Presence of foreign substance: One lot of the product may contain black foreign particles ', ' Selected lots of Badger Baby and Kids Sunscreen Lotion were recalled due to microbial contamination.', 'Presence of Particulate Matter: identified as dried skin.', ' due to prolonged heat exposure.', ' SEVELAMER CARBONATE Tablet, 800 mg may be potentially mislabeled as tiZANidine HCl, Tablet, 2 mg, NDC 55111017915, Pedigree: AD46265_16, EXP: 5/15/2014', ' PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 13811051410, Pedigree: AD65314_1, EXP: 5/24/2014', ' lamotrigine, Tablet, 50 mg (1/2 of 100 mg) may be potentially mislabeled as OXYBUTYNIN CHLORIDE, Tablet, 2.5 mg (1/2 of 5 mg), NDC 00603497521, Pedigree: AD73525_64, EXP: 5/30/2014', 'Failed dissolution specifications - the out of specification result for dissolution was identified during 3 month stability testing. ', ' VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 0 mg, NDC 40985022251, Pedigree: AD76686_1, EXP: 5/31/201', ' ARIPiprazole, Tablet, 15 mg, NDC 59148000913, Pedigree: AD28322_1, EXP: 5/6/2014. ', ' manufacturer is Not Registered with the Food and Drug Administration', 'Subpotent (Single Ingredient Drug): Distribution of product that did not meet specifications. ', 'Presence of Particulate Matter: The firm manufactured products using Hospira 0.9% Sodium Chloride, USP injection which were subsequently recalled due to the presence of particulate matter (human hair).', 'Lack of Assurance of Sterility: product produced on a day there was an excursion in environmental monitoring data.', 'Presence of Foreign Substance(s): A product complaint was received from a pharmacist who discovered that several tablets displayed brown specks. The same complainant also reported that metal shaving like material was observed on the surface of one tablet. ', 'Failed Stability Specifications: Out of specification result for preservative sodium benzoate.', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 112 mcg may have potentially been mislabeled as the following drug: RALTEGRAVIR, Tablet, 400 mg, NDC 00006022761, Pedigree: AD60272_19, EXP: 5/22/2014. ', 'Labeling: Label lacks warning or Rx legend', ' glyBURIDE, Tablet, 2.5 mg, NDC 0009383', ' carBAMazepine ER, Capsule, 200 mg may be potentially mislabeled as ACAMPROSATE CALCIUM DR, Tablet, 333 mg, NDC 00456333001, Pedigree: AD46333_1, EXP: 5/15/2014.', ' tiZANidine HCl Tablet, 2 mg may be potentially mislabeled as RIBAVIRIN, Capsule, 200 mg, NDC 68382026007, Pedigree: AD21790_37, EXP: 4/30/2014', 'Microbial Contamination of Non-Sterile Products: Syrspend SF and Syrspend SF Grape Flavor are being recalled due to the presence of yeast. ', 'Tablets/Capsules Imprinted with Wrong ID', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W003705, EXP: 6/25/2014', 'Non-Sterility: Hartley Medical Center Pharmacy, Inc. is recalling Prolotherapy with Phenol due to non-sterility concerns.', ' NIACIN TR, Tablet, 500 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: W002968, EXP: 6/11/2014.', 'Failed Impurities/Degradation Specifications: Product from this lot may not meet specifications for a product degradant. ', ' ATORVASTATIN CALCIUM, Tablet, 80 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, 10 Billion Cells, NDC 49100036374, Pedigree: AD21965_19, EXP: 5/1/2014.', ' Correct labeled product miscart/mispack: Some Physician sample cartons were incorrectly labeled as Kombiglyze XR 2.5mg/1000mg on the external package carton, whereas the contents were Kombiglyze XR 5 mg/500 mg blister packaged tablets. The individual blister units are labeled correctly.', 'CGMP Deviations: product was not manufactured under current good manufacturing practices which contributed to Failed Impurities/Degradation Specifications as a high out of specification impurity result was detected during routine quality testing of stability samples.', ' LETROZOLE Tablet, 2.5 mg may be potentially mislabeled as METOPROLOL TARTRATE, Tablet, 50 mg, NDC 00093073301, Pedigree: W003848, EXP: 6/27/2014.', 'Subpotent Drug: Salicylic acid is subpotent.', 'Failed Impurities/Degradation Specifications: Out of Specification results for Individual Other Unknown Related Compounds were obtained at the 48 month time-point.', ' objectionable conditions observed during a FDA inspection ', ' VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 50 mg may be potentially mislabeled as COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD30180_16, EXP: 5/9/2014', ' VENLAFAXINE HCL, Tablet, 25 mg, NDC 00093019901, Pedigree: W003860, EXP: 6/27/2014. ', ' HYOSCYAMINE SULFATE SL Tablet, 0.125 mg may be potentially mislabeled as azaTHIOprine, Tablet, 50 mg, NDC 00054408425, Pedigree: AD56832_1, EXP: 5/21/2014', 'Marketed Without an Approved NDA/ANDA: The products were found to contain FDA approved ingredients and analogues of FDA approved ingredients used to treat male erectile dysfunction, making them unapproved new drugs.', 'Labeling: Label Mixup: HYOSCYAMINE SULFATE ODT, Tablet, 0.125 mg may have potentially been mislabeled as the following drug: FLUoxetine HCl, Capsule, 10 mg, NDC 16714035103, Pedigree: W003613, EXP: 6/25/2014. ', 'Impurities/Degradation Products: High Out of Specification levels for carbostyril, a known degradation product of diazepam.', 'GMP deviation', ' product not manufactured under sterile conditions as required for ophthalmic drug products', 'Labeling: Incorrect Expiration Date', ' correct labeled bottles of Assured Ibuprofen softgels were packaged into cartons of Assured Naproxen Sodium Tablets, USP', ' ASPIRIN EC DR Tablet, 81 mg may be potentially mislabeled as MELATONIN, Tablet, 3 mg, NDC 51991001406, Pedigree: AD28322_7, EXP: 5/6/2014', ' MULTIVITAMIN/MULTIMINERAL Chew Tablet may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg), NDC 00527134101, Pedigree: AD30140_40, EXP: 5/7/2014', 'Marketed Without An Approved NDA/ANDA: FDA analysis found this product contained undeclared sibutramine and phenolphthalein, two active ingredients that were once marketed in the U.S. but removed due to safety reasons, making this product an unapproved new drug. ', 'Failed Dissolution Specifications: Failed 24 month dissolution testing.', ' LACTOBACILLUS GG Capsule, 15 Billion Cells may be potentially mislabeled as ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: W003356, EXP: 6/19/2014', ' ISOSORBIDE MONONITRATE, Tablet, 20 mg, NDC 62175010701, Pedigree: AD67989_10, EXP: 5/28/2014', ' PANCRELIPASE DR Capsule may be potentially mislabeled as MELATONIN, Tablet, 1 mg, NDC 35046000391, Pedigree: W003317, EXP: 6/18/2014', \" firm's analysis revealed subpotent result for morphine sulfate assay.\", 'Failed Impurities/Degradation Specifications: Level of iron exceeds the limit set by the USP monograph for it (USP limit is NMT 0.5 ug/g (ppm)).', ' tablet breakage while pushing through the blister pack (dispenser) .', ' product labeled as Morphine Sulfate 20 mg/mL actually contained OxyCODONE HCl 20 mg/mL', ' BENZOCAINE/MENTHOL Lozenge, 15 mg/2.6 mg may be potentially mislabeled as CHOLECALCIFEROL/ CALCIUM/ PHOSPHORUS, Tablet, 120 units/105 mg/81 mg, NDC 64980015001, Pedigree: AD32345_1, EXP: 5/14/2014.', 'Labeling: Label Mixup: FENOFIBRATE, Tablet, 54 mg may have potentially been mislabeled as the following drug:\\t FAMCICLOVIR, Tablet, 500 mg, NDC 00093811956, Pedigree: AD49448_4, EXP: 5/17/2014. ', ' CRANBERRY Tablet, 450 mg may be potentially mislabeled as METOPROLOL SUCCINATE ER, Tablet, 200 mg, NDC 62037083301, Pedigree: AD73652_13, EXP: 5/30/2014.', ' tablets may contain stainless steel metal particulates', ' amLODIPine BESYLATE, Tablet, 5 mg, NDC 00093716798, Pedigree: W002840, EXP: 6/7/2014. ', 'Failed Impurities/Degradation Specifications:There is a potential for the tablets to be out of specification for impurities throughout shelf life. ', 'Marketed without an approved NDA/ANDA - Product contains undeclared sibutramine, desmethylsibutramine and phenolphthalein.', 'Lack of sterility assurance.', ' guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: AD62834_4, EXP: 5/24/2014', 'Super-Potent Drug: Out of specification for potency results (high) were obtained for one lot of morphine sulfate Inj. ', ' tiZANidine HCl Tablet, 1 mg (1/2 of 2 mg) may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 00536440801, Pedigree: AD60428_10, EXP: 5/22/2014.', 'Failed Dissolution Specification: One lot of product did not meet the first stage dissolution specification limits. ', 'Failed Impurities/Degradation Specifications: unspecified degradation product', ' LACTASE ENZYME Tablet, 3000 units may be potentially mislabeled as BENZOCAINE/MENTHOL, LOZENGE, 15 mg/3.6 mg, NDC 63824072016, Pedigree: AD21811_4, EXP: 5/1/2014', 'Tablet Separation: The manufacturer of Arthrotec had recalled the lots that were used to re-package this product because they may contain broken tablets.', ' out of specification result for particle size distribution during stability testing', 'Labeling: Incorrect or Missing Lot and/or Exp. Date - The subject lot is missing the lot number and expiration date stamp on the primary box..', 'Lack of Assurance of Sterility: Product sterility cannot be guaranteed.', 'Presence of Particulate Matter: Confirmed customer complaint of particulate matter, identified as a human hair, visible in the injection port and primary container.', ' PYRIDOXINE HCL, Tablet, 50 mg, NDC 00904052060, Pedigree: W003257, EXP: 6/17/2014. ', ' CRANBERRY EXTRACT/VITAMIN C Capsule, 450 mg/125 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 00536406001, Pedigree: W002653, EXP: 6/5/2014', ' MULTIVITAMIN/ MULTIMINERAL/ LUTEIN Capsule may be potentially mislabeled as CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: AD21846_37, EXP: 5/1/2014', 'Failed Tablet/Capsule Specifications: This recall is being carried out due to an out of specification result for appearance.', 'Labeling: Label Mixup: MODAFINIL, Tablet, 200 mg may have potentially been mislabeled as one of the following drugs: OMEGA-3-ACID ETHYL ESTERS, Capsule, 1000 mg, NDC 00173078302, Pedigree: W003692, EXP: 6/26/2014. ', 'Lack of Assurance of Sterility: Complaints of leaks due to an incomplete seal at the bag seam.', 'Labeling: Label Mixup: TERBUTALINE SULFATE, Tablet, 2.5 mg may have potentially been mislabeled as the following drug:\\t SOTALOL HCL, Tablet, 80 mg, NDC 00093106101, Pedigree: AD52778_85, EXP: 5/21/2014. ', ' PROPRANOLOL HCL, Tablet, 10 mg, NDC 00603548221, Pedigree: AD60264_1, EXP: 5/22/2014', 'Presence of Particulate Matter: A single visible particulate was observed and confirmed in sample bottles of the recalled lots during retain inspection.', 'Labeling: Label Mix-Up: A complaint from a pharmacist was received that the entire contents of 1 bottle labeled as Rugby label Enteric Coated Aspirin 81 mg Tablets actually contained Acetaminophen 500 mg Tablets.', 'Failed Dissolution Specifications and Failed Tablet Specifications: High 30 minute dissolution test and presence of broken lozenges.', ' mold', 'Failed Dissolution Specifications: Unexplained low out of specification results for dissolution.', ' PHENYTOIN SODIUM ER, Capsule, 30 mg, NDC 00071374066, Pedigree: W003331, EXP: 6/19/2014. ', 'Superpotent (Single Ingredient) Drug: Above specification assay results for percentage of magnesium sulfate.', 'Chemical Contamination: Novartis Pharmaceuticals Corporation has recalled physician sample bottles of Diovan, Exforge, Exforge HCT,Lescol XL, Stalevo, Tekturna and Tekturna HCT Tablets due to contamination with Darocur 1173 a photo curing agent used in inks on shrink-wrap sleeves.', 'Labeling: Label Mixup: LORazepam, Tablet, 0.25 mg (1/2 of 0.5 mg) may have potentially been mislabeled as the following drug: traMADol HCl, Tablet, 25 mg (1/2 of 50 mg), NDC 57664037708, Pedigree: AD60272_92, EXP: 5/22/2014. ', 'Failed Tablet/Capsule Specifications: Product recalled due to reports of breakage and leakage of Paricalcitol capsules.', 'Failed Dissolution Specifications: Failure of dissolution test observed at the 18 month time point.', 'Failed Content Uniformity Specifications - The lot failed to meet the acceptance criteria for Uniformity of Dosage Units at the time of release for the oxycodone component.', ' ASPIRIN, Tab', 'Presence of Particulate Matter: visible crystalline particulates and the discovery of crystalline particulate in a retain sample.', 'Subpotent Drug: Out of Specification (OOS) for potency at the 6-month stability time point.', 'Microbial Contamination of Non-Sterile Products: Lots failed microbiological testing at the 12-month time point.', ' Complaints that cream appears to have crystallized', 'Labeling: Label Mixup: IRBESARTAN, Tablet, 150 mg may have potentially been mislabeled as the following drug: BENAZEPRIL HCL, Tablet, 40 mg, NDC 65162075410, Pedigree: AD32757_7, EXP: 5/13/2014. ', 'Marketed without an approved NDA/ANDA: Product contains undeclared sibutramine and desmethylsibutramine.', ' product found to contain undeclared sibutramine', 'Labeling: Label Mixup: METHOCARBAMOL, Tablet, 500 mg may have potentially been mislabeled as the following drug: LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 00093736498, Pedigree: AD46312_16, EXP: 5/16/2014.', 'Failed Impurity/Degradation Specifications: Out of specifications for unknown impurity.', 'Labeling: Label Mixup: PIROXICAM, Capsule, 10 mg may have potentially been mislabeled as the following drug: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD30140_10, EXP: 5/7/2014. ', 'Crystallization: Potential to exhibit precipitation/crystallization in IV bag or IV line upon reconstitution.', 'Lack of Assurance of Sterility: The firm received a complaint of a sterility failure using a non-validated sterility test on a medication cassette.', ' The word \\x1cnot\\x1d is missing from the following sentences \"do bandage tightly or cover with any type of wrap except clothing and \"do use with a heating pad or with other heat sources\\x1d in the Drug Facts panel \"Warning\" section', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: AD39588_7, EXP: 5/13/2014', 'Crystallization: Impurities in a raw material used to manufacture the diluent can cause the formation of crystals in the diluent vials after cold storage. The TORISEL vials are not affected by this issue.', 'Failed Impurities/Degradation Specifications : Out-of-specification result for an unidentified impurity at the 12 month stability test point.', 'Microbial Contamination of Non-Sterile Products: Elevated counts of bacteria was found, Serratia liquefaciens.', 'Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing, lack of OTC drug labeling requirements and labeled Not Approved for sale in U.S.A.. ', ' VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree:', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Incorrect lot number, 327B160012, appears on the case label, the correct lot number, 327B16002 appears on the immediate container.', 'Microbial Contamination of a Non-Sterile Products: Three product lots are contaminated with Burkholderia cepacia.', ' hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W002735, EXP: 6/6/2014', 'Presence of Particulate Matter: Visible particles embedded in the glass identified during a retain sample inspection.', ' RIVAROXABAN Tablet, 20 mg may be potentially mislabeled as VENLAFAXINE HCL, Tablet, 100 mg, NDC 00093738301, Pedigree: W002619, EXP: 6/4/2014.', 'Lack of Assurance of Sterility: There is the potential for the solution to leak from the administrative port to the fill tube seal.', 'Marketed Without An Approved NDA/ANDA: Product was found to contain sibutramine, desmethylsibutramine and phenolphthalein based on FDA sampling and analysis. ', 'Impurities/Degradation Products: Out of specification results for Related Compound during routine stability testing.', ' MODAFINIL, Tablet, 200 mg, NDC 00603466216, Pedigree: W002760, EXP: 6/6/2014', 'Labeling: Label Mixup: DICYCLOMINE HCL, Tablet, 20 mg may have potentially been mislabeled as the following drug: RAMIPRIL, Capsule, 2.5 mg, NDC 68180058901, Pedigree: AD76639_1, EXP: 5/31/2014. ', ' CALCIUM CITRATE, Tablet, 950 mg (200 mg Elem Calcium) may be potentially mislabeled as tiZANidine HCL, Tablet, 2 mg, NDC 57664050289, Pedigree: W003750, EXP: 6/26/2014.', ' ZINC GLUCONATE, Tablet, 50 mg, NDC 00904319160, Pedigree: W003028, EXP: 6/12/2014', 'CGMP Deviations: Failure of the manufacturer, Wockhardt Ltd, to adequately investigate customer complaints.', ' The Lot and/or Expiration date on the tube may not be legible in this lot..', 'Labeling: Label Mixup: chlorproMAZINE HCl, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: ACYCLOVIR, Tablet, 800 mg, NDC 00093894701, Pedigree: AD70629_1, EXP: 5/29/2014', 'Failed Dissolution Specification ', 'Failed Dissolution Specifications: Stability results found the product did not meet the drug dissolution specifications.', 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling XZEN PLATINUM because FDA laboratory analysis determined they contain undeclared amounts of sildenafil and tadalafil, active ingredients of FDA-approved drugs used to treat erectile dysfunction. ', 'Presence of Foreign Tablet: A pharmacist found a clopidogrel tablet in the 1000-count bottle of hydrochlorothiazide 25 mg tablets. ', ' CALCIUM/ CHOLECALCIFEROL/ SODIUM, Tablet, 600 mg/400 units/5 mg, NDC 00', ' DOCUSATE SODIUM, Capsule, 50 mg may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00378181101, Pedigree: AD60211_1, EXP: 5/21/2014', ' MULTIVITAMIN/MULTIMINERAL W/IRON, Chew Tablet, NDC 00536781601, Pedigree: W003018, EXP: 6/12/2014', 'Defective Container: Tamper evident ring failures discovered on some bottles. ', 'Labeling: Label Mixup: ACETAMINOPHEN, CHEW Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: BENAZEPRIL HCL, Tablet, 40 mg, NDC 65162075410, Pedigree: AD49423_1, EXP: 5/16/2014', 'Labeling: Label Mixup: CHLORTHALIDONE, Tablet, 12.5 mg (1/2 of 25 mg) may have potentially been mislabeled as the following drug: PROPRANOLOL HCL, Tablet, 5 mg (1/2 of 10 mg), NDC 23155011001, Pedigree: AD73525_25, EXP: 5/30/2014.', 'Marketed without an approved NDA/ANDA', ' FOSINOPRIL SODIUM, Tablet, 20 mg may be potentially mislabeled as TOLTERODINE TARTRATE ER, Capsule, 2 mg, NDC 00009519001, Pedigree: AD65478_1, EXP: 5/29/2014.', 'Superpotent Drug: Confirmed customer complaint of a single unit dose blister cavity containing 2 OXYCODONE HCl 5 mg tablets.', ' HYOSCYAMINE SULFATE ER Tablet, 0.375 mg may be potentially mislabeled as SERTRALINE HCL, Tablet, 50 mg, NDC 16714061204, Pedigree: W003575, EXP: 6/24/2014.', ' TORSEMIDE Tablet, 10 mg may be potentially mislabeled as MEXILETINE HCL, Capsule, 200 mg, NDC 00093874001, Pedigree: AD25264_7, EXP: 5/3/2014.', ' LORATADINE, Tablet, 10 mg, NDC 45802065078, Pedigree: W003253, EXP: 6/17/2014. ', ' GLUCOSAMINE/CHONDROITIN, Capsule, 500 mg/40', 'Non-Sterility: RX Formulation initiated this recall due to a report of microbial contamination found in Calcium Gluconate saturated solution that was observed upon drawing the vial contents into a syringe. ', 'Failed Tablet/Capsule Specifications: thick tablets exceeding specifications were found. ', 'Lack of Assurance of Sterility: Failed at expiry for Preservative Effectiveness Test (PET), therefore the product may be susceptible to microbial growth before the expiry date.', ' 12 month stability time point', ' OXcarbazepine Tablet, 150 mg may be potentially mislabeled as traZODone HCl, Tablet, 50 mg, NDC 50111043301, Pedigree: AD54562_1, EXP: 5/20/2014.', 'Labeling: Not Elsewhere Classified: This product is misbranded because the product is not sterile and the labeling is misleading in relation to sterility claims. ', 'LABELING: Label Mix-up: 30 count Effervescent Potassium/Chloride Tablets, may be labeled as 30 count K Effervescent Tablets.', ' lamoTRIgine, Tablet, 50 mg (1/2 of 100 mg), NDC 13668004701, Pedigree: A', 'Labeling: Label Mixup: chlordiazePOXIDE HCl, Capsule, 25 mg may have potentially been mislabeled as one of the following drugs: FLECAINIDE ACETATE, Tablet, 50 mg, NDC 65162064110, Pedigree: AD46414_16, EXP: 5/16/2014', 'Failed Stability Specifications: Low Out of Specification results for alcohol content.', ' product found to contain sulfoaildenafil, an analogue of sildenafil, the active ingredient in a FDA approved product used for erectile dysfunction, making it an unapproved new drug', ' CALCIUM CARBONATE +D3, Tablet, 600 mg/400 units, NDC 00904323392, Pedigree: AD54576_1, EXP: 5/20/2014', 'Labeling: Label Mixup: TOLTERODINE TARTRATE ER, Capsule, 4 mg may be potentially mislabeled as one of the following drugs: HYDRALAZINE HCL, Tablet, 25 mg, NDC 50111032701, Pedigree: AD49610_4, EXP: 5/16/2014', ' GUAIFENESIN, Tablet, 200 mg, NDC 00904515460, Pedigree: W002853, EXP: 6/7/2014', 'Labeling: Label Mixup: TACROLIMUS, Capsule, 1 mg may have potentially been mislabeled as one of the following drugs: BISOPROLOL FUMARATE, Tablet, 5 mg, NDC 29300012601, Pedigree: AD34934_7, EXP: 5/10/2014', ' TOLTERODINE TARTRATE ER, Capsule, 4 mg, NDC 00009519101, Pedigree: AD73686_1, EXP: 5/31/2014. ', ' During a routine simulation of the manufacturing of AmBisome, a bacterial contamination was detected in some media fill units. No contaminated batches have actually been identified in the finished product, but there is a possibility of contamination.', 'Correct Labeled Product Mispack: Ifosfamide Injection 50 mg/mL, 60 mL, correctly labeled vial may have been mis-packaged in a carton labeled Doxorubicin Hydrochloride Injection 2 mg/mL, 100 mL', 'Marketed Without an Approved NDA/ANDA: product tested positive for PDE-5 Sildenafil and PDE-5 Hydroxythiohomosildenafil. Hydroxythiohomosildenafil is an analog of sildenafil, an FDA approved prescription drug for Erectile Dysfunction (ED). ', ' OMEGA-3 FATTY ACID Capsule, 1000 mg may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 00904052060, Pedigree: AD22865_19, EXP: 5/2/2014', ' HYDROCHLOROTHIAZIDE Tablet, 12.5 mg may be potentially mislabeled as chlordiazePOXIDE HCl, Capsule, 25 mg, NDC 00555015902, Pedigree: AD46333_4, EXP: 5/16/2014.', ' CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: AD60240_42, EXP: 5/22/2014', ' fibers identified as cellulose and polyvinyl', 'Labeling: Label Mix-up: The affected units were labeled incorrectly describing the product as \"ointment\" instead of \"solution.\"', ' a portion of the tablets could contain the incorrect debossing on one side of the tablet U2 instead of U3.', ' fluocinolone acetonide. ', ' ASCORBIC ACID Tablet, 500 mg may be potentially mislabeled as FEBUXOSTAT, Tablet, 40 mg, NDC 64764091830, Pedigree: AD23082_16, EXP: 11/1/2013.', 'Presence of Particulate Matter: Confirmed customer complaints received for the presence of blue plastic, identified as fragments of the frangible from the vial adapter.', 'Labeling: Correct Labeled Product Miscart/Mispack: The shipper label displayed \"5 mL x 50,\" instead of \"10 mL x 50,\"', 'Lack of Processing Controls: Isomeric Pharmacy Solution, LLC announces a voluntary field action for the Methylprednisolone Acetate/Lidocaine HCl 40/10 mg/mL Injection because the sterile injectable products were sterilized too long leading to potential difficulty re\\x10suspending particles.', 'Good Manufacturing Practices Deviations: The product has an Active Pharmaceutical Ingredient from an unapproved source.', ' POTASSIUM ACID PHOSPHATE, Tablet, 500 mg, NDC 00486111101, Pedigree: AD52778_34, EXP: 5/20/2', 'Labeling: Label Mixup: DEXAMETHASONE, Tablet, 1 mg may have potentially been mislabeled as the following drug: VENLAFAXINE HCL ER, Capsule, 150 mg, NDC 00093738656, Pedigree: AD30993_20, EXP: 5/9/2014. ', 'Labeling: Label Mixup: DESLORATADINE, Tablet, 5 mg may have potentially been mislabeled as the following drug: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD30180_28, EXP: 5/9/2014. ', ' Particulates identified as stainless steel and barium sulfate.', 'Lack of Assurance of Sterilty: Specific lot numbers of these products have been identified for potential administration port leakage. The potential for leakage is the result of a manufacturing issue which occurred during the sealing of the closure assembly at the administration port. ', ' LACTOBACILLUS GG, Capsule, 0, NDC 49100036374, Pedigree: AD65457_16, EXP: 5/24/2014', 'Presence of Foreign Tablets/Capsules: A Pharmacist reported that a bottle of Effexor XR 150 mg capsules contained a single peach colored capsule printed TKN250 which was identified as a Tikosyn (dofetilide) capsule.', ' Lack of Assurance of Sterility', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 137 mcg may have potentially been mislabeled as the following drug: ISONIAZID, Tablet, 300 mg, NDC 00555007102, Pedigree: AD60272_70, EXP: 5/22/2014. ', ' GLUCOSAMINE/CHONDROITIN DS, Capsule, 500 mg/400 mg may be potentially mislabeled as GLYCOPYRROLATE, Tablet, 2 mg, NDC 00603318121, Pedigree: AD22865_4, EXP: 5/2/2014', 'Presence of Foreign Substance: Product complaint for the presence of foreign matter identified as silicone within the tablet.', 'Lack of Assurance of Sterility: Due to lack of documentation of proper environmental monitoring during the time in which the medication was produced.', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg may be potentially mislabeled as NORTRIPTYLINE HCL, Capsule, 50 mg, NDC 00093081201, Pedigree: AD21790_70, EXP: 5/1/2014.', 'Presence of Particulate Matter: Certain batches of Atorvastatin tablets 10 mg, 20 mg and 40 mg may contain small glass particulates.', 'Labeling: Label Mix-up', 'Chemical Contamination: QS Plus wipes were found to be contaminated with different substance (7820, Graffiti Remover).', 'Labeling: Label Mixup: TACROLIMUS, Capsule, 0.5 mg may have potentially been mislabeled as one of the following drugs: CINACALCET HCL, Tablet, 30 mg, NDC 55513007330, Pedigree: W003168, EXP: 6/13/2014', 'Chemical Contamination: The product may contain trace amounts of benzophenone, a component of the label varnish that may leach through the bottle and into the drug product.', ' CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: AD30028_7, EXP: 5/8/2014', ' possibility of Glipizide 10 mg tablets commingled', ' products being recalled in response to a recall notice from the manufacturer, Wockhardt Limited, following a FDA inspection which noted inadequate investigation of market complaints, resulting in unsuccessful identification of root causes, and the investigation not being expanded to prevent repeat failure', 'Presence of Foreign Substance(s)', 'Labeling: Label Error On Declared Strength: Bags of Potassium Chloride 10 mEq per 100 mL were incorrectly overpouched with wraps labeled as Potassium Chloride Injection, 20 mEq per 100 mL.', 'Lack of Assurance of Sterility: Confirmed consumer report of fluid leaking from primary container of bag.', 'Presence of Particulate Matter: Visible cellulose fibers were observed in a small number of prefilled syringes during a routine quality examination.', 'Labeling: Label Mixup: VARENICLINE, Tablet, 0.5 mg may have potentially been mislabeled as one of the following drugs: LACTOBACILLUS GG, Capsule, 0, NDC 49100036374, Pedigree: W003051, EXP: 6/12/2014', ' MESALAMINE CR, Capsule, 500 mg may be potentially mislabeled as clomiPRAMINE HCl, Capsule, 50 mg, NDC 51672401205, Pedigree: AD21790_7, EXP: 5/1/2014.', ' DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071215, Pedigree: AD70633_1, EXP: 5/29/2014', 'Labeling: Label Mixup: FLECAINIDE ACETATE, Tablet, 100 mg may be potentially mislabeled as the following drug: COLESTIPOL HCL MICRONIZED, Tablet, 1 g, NDC 59762045001, Pedigree: AD56847_1, EXP: 5/21/2014. ', 'Presence of Particulate Matter: Baxter Healthcare Corporation has received a complaint reporting the presence of particulate matter identified as plastic/rubber in famotidine Injection premixed containers.', 'Labeling: Incorrect or missing Lot and/or Exp Date: Printing error caused an overlap in the \"y\" and \"3\" making the actual \"Use By 3/2015\" date appear to read \"Use By8/2015\".', 'Presence of Particulate Matter: Confirmed customer compliants of finding an insect floating in the primary container of each product.', 'Labeling: Label Mixup: carBAMazepine ER, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: ISOSORBIDE DINITRATE ER, Tablet, 40 mg, NDC 57664060088, Pedigree: AD23082_4, EXP: 5/3/2014', \"Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012. FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \", 'Microbial Contamination of Non-Sterile Products: Active Pharmaceutical Ingredient (API) failed USP microbial tests.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD73652_1, EXP: 5/29/2014', 'Presence of Particulate Matter: Due to customer complaints of small black particles, identified as part of the ointment tube cap, generated by the action of unscrewing the cap from the aluminum tube and potentially introducing the particle into the product.', 'Subpotent', ' SEVELAMER CARBONATE, Tab', ' SODIUM BICARBONATE, Tablet, 650 mg, NDC 64980018210, Pedigree: W002970, EXP: 6/11/2014. ', 'Labeling: Label Mixup: LIOTHYRONINE SODIUM, Tablet, 25 mcg may have potentially been mislabeled as one of the following drugs: LEVOTHYROXINE SODIUM, Tablet, 175 mcg, NDC 00378181701, Pedigree: W003151, EXP: 6/13/2014', ' The affected lots were found to be contaminated with bacterium, Burkholderia cepacia complex. ', 'Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with undeclared fluoxetine, an FDA approved drug used to treat depression, anxiety, panic attacks, obsessive-compulsive disorder, or bulimia and phenolphthalein, an ingredient found in over-the-counter laxative products that was withdrawn from the US market due to concerns of carcinogenicity, making it an unapproved drug.', 'Presence of particulate matter: Presence of silicone oil microdroplets in bevacizumab syringes for intravitreal use.', 'Lack of Assurance of Sterility: Sandoz Inc is recalling Cefazolin for Injection, USP 1 gm vials, lot DB2208, due to a customer complaint for broken/cracked vials which was confirmed through review of retained samples.', 'Labeling: Label Mixup: ASPIRIN DR EC, Tablet, 81 mg may have potentially been mislabeled as one of the following drugs: SOTALOL HCL, Tablet, 120 mg, NDC 00093106001, Pedigree: AD49448_20, EXP: 5/17/2014', ' Ethinyl Estradiol', ' SENNOSIDES Tablet, 8.6 mg may be potentially mislabeled as SACCHAROMYCES BOULARDII LYO, Capsule, 250 mg, NDC 00414200007, Pedigree: AD37063_7, EXP: 5/13/2014.', 'Labeling: Label Mixup:MINOXIDIL, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: methylPREDNISolone, Tablet, 4 mg, NDC 00781502201, Pedigree: AD52778_43, EXP: 5/20/2014. ', 'Subpotent drug: low fill volume in some of the capsules', ' the bulk lot yielded an out of specification result at the 8 hr timepoint, 18 month interval', 'Marketed without an Approved NDA/ANDA and non-sterility: NANO PNC Water by nebulizer was sampled and found to contain variovorax paradoxus.', ' VARENICLINE, Tablet, 0.5 mg, NDC 00069046856, Pedigree: W003083, EXP: 6/12/2014', ' hydrALAZINE HCl, Tablet, 50 mg, NDC 50111032801, Pedigree: AD52778_28, EXP: 5/20/2014', 'Labeling: Label Mixup: ENTECAVIR, Tablet, 0.5 mg may be potentially mis-labeled as one of the following drugs: ARIPiprazole, Tablet, 2 mg, NDC 59148000613, Pedigree: AD30140_25, EXP: 5/7/2014', 'Lack of Assurance of Sterility: Sterility could not be assured for compounded sterile renal nutritional prescriptions', 'Labeling: Label Mixup: MULTIVITAMIN/MULTIMINERAL, CHEW Tablet, 0 mg may have potentially been mislabeled as one of the following drugs: MELATONIN, Tablet, 1 mg, NDC 74312002832, Pedigree: W003717, EXP: 6/26/2014', 'Failed Impurities/Degradation Specifications: Product did not meet specification in total impurities at the 9-month stability station.', 'Presence of Particulate Matter: Product from lot KF2199, may contain tablets with pieces of nitrile rubber glove embedded within the tablets.', ' LEVOTHYROXINE/ LIOTHYRONINE, Tablet, 19 mcg/4.5 mcg, NDC 42192032901, Pedigree: AD30197_19, EXP: 3/31/2014', ' QUEtiapine FUMARATE, Tablet, 25 mg, NDC 60505313001, Pedigree: W003099, EXP: 6/13/2014. ', 'Labeling: Label Mixup: METHAZOLAMIDE, Tablet, 50 mg may have potentially been mislabeled as the following drug: BUPRENORPHINE HCL SL, Tablet, 2 mg, NDC 00054017613, Pedigree: AD39573_1, EXP: 5/13/2014. ', 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling AFRICAN BLACK ANT because FDA laboratory analysis determined they contain undeclared amounts of sildenafil an active ingredient of FDA-approved drugs used to treat erectile dysfunction. ', ' COENZYME Q-10, Capsule, 30 mg, NDC 00904501546, Pedigree: W002814, EXP: 6/7/2014. ', 'Presence of Foreign Substance: Belladonna Alkaloids with Phenobarbital Tablets with black specks comprised of degraded organic material on tablets. ', 'Failed impurities/degradation specifications: Out of specification results noticed in related substance test during analysis of 24 months long term (25 degree Celsius /65% RH) stability samples of two batches.', ' diphenhydrAMINE HCl, Tablet, 25 mg, NDC 00904555159, Pedigree: W003513, EXP: 6/21/2014', ' LEVOTHYROXINE/ LIOTHYRONINE Tablet, 19 mcg/4.5 mcg may be potentially mislabeled as MAGNESIUM GLUCONATE DIHYDRATE, Tablet, 500 mg (27 mg Elemental Magnesium), NDC 60258017201, Pedigree: AD30197_16, EXP: 5/9/2014.', 'Labeling: Label Mixup: PROPAFENONE HCL, Tablet, 150 mg may have potentially been mislabeled as the following drug: FOSINOPRIL SODIUM, Tablet, 10 mg, NDC 00185004109, Pedigree: AD54549_7, EXP: 5/20/2014. ', 'Presence of Foreign Substance: Par Pharmaceutical, Inc. is recalling one lot of HydrALAZINE Hydrochloride tablets due to the presence of small aluminum particles. ', ' ATENOLOL, Tablet, 12.5 mg (1/2 of 25 mg) may be potentially mislabeled as VITAMIN B COMPLEX WITH C/FOLIC ACID, Tablet, NDC 60258016001, Pedigree: AD73652_19, EXP: 5/30/2014', 'Temperature Abuse: Products experienced uncontrolled temperature excursions during transit.', 'Marketed Without An Approved NDA/ANDA: FDA analysis of this product found it to contain undeclared steroids and steroid-like substances making this an unapproved new drug.', 'Presence of Particulate Matter and Lack of Assurance of Sterility: The firm received a complaint for customer of presence of particulate matter, leaky containers, and missing port protectors. ', 'Failed Stability Specifications: Unable to meet shelf life expiry.', ' MISOPROSTOL Tablet, 200 mcg may be potentially mislabeled as PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: AD21790_34, EXP: 5/1/2014', 'Labeling: Incorrect or Missing Lot and/or Exp Date: The lot number and/or expiration date may be illegible on the outer plastic bottle packaging.', 'Labeling Illegible: Portions of the product labeling in the area of the dosing directions, the warnings & other information sections is obscured.', \" Product fails specification for appearance/color. A complaint was received regarding an abnormal appearance of children's ibuprofen suspension.\", ' an impurity identified as N-Butyl-Benzene Sulfonamide (NBBS) detected during impurity testing ', 'Impurities/Degradation Products: Out of specificiation results for impurities at the 18-month room temperature time point.', ' DOXYCYCLINE MONOHYDRATE Capsule, 100 mg may be potentially mislabeled as diphenhydrAMINE HCl, Tablet, 25 mg, NDC 00904555159, Pedigree: AD67992_4, EXP: 5/28/2014', 'Failed Impurities/Degradation Specifications: High out of specification test result for impurities during stability testing.', 'Short Fill: These products are being recalled because there is potential that vials with low fill volume were released into distribution.', 'Product Lacks Stability: Out-of-specification (OOS) results were observed for assay and description in retain samples.', 'Presence of Foreign Tablets: Presence of atenolol 25 mg tablet mixed into promethazine 25 mg tablet bottles.', 'Chemical Contamination: The recall has been initiated based on multiple complaints received from pharmacists and consumers reporting that they detected an off-odor, described as moldy, musty or fishy in nature which has been identified as trace levels of Tribromoanisole (TBA) and Trichloroanisole (TCA).', ' various products were not stored at Controlled Room Temperature as per USP guidelines during shipping', 'Subpotent Drug: One lot Xanax (alprazolam) 0.25 mg tablets, was found to be below specification for assay (potency) at the 46 month time point.', 'Incorrect/Undeclared Excipients: The firm recalled specific lots of Walgreens brand Aspirin Free Tension Headache Caplets due to the presence of sucralose, which was not declared on the label.', ' RASAGILINE MESYLATE, Tablet, 0.5 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: W002690, EXP: 6/5/2014.', ' hydrALAZINE HCl Tablet, 50 mg may be potentially mislabeled as CapsuleTOPRIL, Tablet, 12.5 mg, NDC 00143117101, Pedigree: AD52778_16, EXP: 5/20/2014.', ' NABUMETONE, Tablet, 500 mg, NDC 00185014501, Pedigree: AD46426_4, EXP: 5/15/2014', ' acetaZOLAMIDE, Tablet, 250 mg, NDC 51672402301, Pedigree: AD62865_1, EXP: 5/23/2014', 'Defective Delivery System: Some Lupron Depot Kits may containin a syringe with a potentially defective LuproLoc needle stick protection device.', 'Subpotent drug', ' THIAMINE HCL, Tablet, 100 mg, NDC 00904054460, Pedig', 'Labeling: Label Mixup: PYRIDOXINE HCL, Tablet, 25 mg may have potentially been mislabeled as the following drug: TORSEMIDE, Tablet, 10 mg, NDC 50111091601, Pedigree: AD30197_25, EXP: 5/9/2014. ', ' defective valve', 'Labeling: Label Mixup: NEFAZODONE HCL, Tablet, 150 mg may have potentially been mislabeled as the following drug: LIOTHYRONINE SODIUM, Tablet, 25 mcg, NDC 42794001902, Pedigree: AD46414_35, EXP: 5/16/2014.', 'Failed Impurities/Degradation Specifications: This repackaged product was recalled by its manufacturer due to failed results for impurities.', 'Marketed without an approved NDA/ANDA: Product contains undeclared sibutramine and phenolphthalein.', 'Presence of Particulate Matter: Potential presence of glass particulate matter in the vials. ', 'Presence of Foriegn Tablets/Capsules: A single Tikosyn¿ (dofetilide) 250 mcg capsule was discovered in one bottle of Tikosyn¿ (dofetilide) 500 mcg (0.5 mg).', 'Marketed without an approved NDA/ANDA: Product contains undeclared Sibutramine, Phenolphthalein and/or Diclofenac.', ' QUEtiapine FUMARATE, Tablet, 25 mg, NDC 65862048901, Pedigree: AD49582_22, EXP: 4/30/2014. ', \"cGMP Deviations: This recall is a result of the original manufacturer's recall, in which the firm did not adequately investigate customer complaints.\", 'Failed Impurity/Degradation Specifications due to moisture ingress in individual bottles', 'Labeling: Label Mixup: guanFACINE HC, Tablet, 1 mg may have potentially been mislabeled as one of the following drugs: glyBURIDE, Tablet, 2.5 mg, NDC 00093834301, Pedigree: AD46265_22, EXP: 5/15/2014', ' GLUCOSAMINE/CHONDROITIN DS, Tablet, 500 mg/400 mg, NDC 00904559293, Pedigree: AD60211_17, EXP: 5/22/2014. ', 'Superpotent (Multiple Ingredient) Drug: There is the potential for oversized and superpotent tablets.', ' FOSINOPRIL SODIUM Tablet, 10 mg may be potentially mislabeled as CALCITRIOL, Capsule, 0.25 mcg, NDC 00054000725, Pedigree: AD46414_10, EXP: 5/16/2014.', ' CHOLECALCIFEROL, Capsule, 5000 units may be potentially mislabeled as SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD70629_16, EXP: 5/29/2014', 'Presence of Foreign Substance: A complaint was received for black specks identified as stainless steel inclusions and cellulose with trace amounts of aluminum and iron-rich inclusions.', 'Labeling: Label Mixup: FLUCONAZOLE, Tablet, 200 mg may have potentially been mislabeled as one of the following drugs: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD65475_10, EXP: 5/28/2014', ' heavy metals (chromium, titanium etc) and inactive components of the product were visually observed during routine stability testing', 'Presence of Particulate Matter: particulate matter identified as metallic-like and non-metallic cellulose fiber particles found in retain vials', ' FDA inspectional findings resulted in concerns associated with quality control procedures that impacted sterility assurance', ' FINASTERIDE, Tablet, 5 mg may be potentially mislabeled as DIGOXIN, Tablet, 0.125 mg, NDC 00115981101, Pedigree: AD62829_8, EXP: 5/23/2014', 'Subpotency: Out of Specification (OOS) result at the 36 month routine stability time point.', ' Glass particulates observed in vials', 'Labeling: Label Error On Declared Strength: The side label description incorrectly states \"Each mL contains 500 mcg Clonidine Hydrochloride\" instead of stating \"Each mL contains 100 mcg Clonidine Hydrochloride\".', 'Failed Impurities/Degradation Specifications: Out of specification test results for impurities during stability testing.', 'Labeling: Label Mixup :SELENIUM, Tablet, 50 mcg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: AD56917_13, EXP: 5/21/2014. ', ' confirmed results by FDA analysis after customer complaints of discoloration ', 'Failed Tablet/Capsule Specifications: Capsule shell (s) opening inside the bottle The Initial reports stated one or two capsules in a bottle count of 30\\x19s opening. First report came in June 14, 2016. Till date about 22 reports have come in from pharmacies which report two batches 130/16/001 and 130/16/002. Third batch 130/16/003 is not distributed yet, will be recalled from warehouse. ', ' CALCITRIOL, Capsule, 0.5 mcg may be potentially mislabeled as NIACIN TR, Tablet, 250 mg, NDC 10939043533, Pedigree: W003756, EXP: 5/31/2014', 'Failed Dissolution Specification: Out of a specification result occurred during the 3-month stability testing. Dissolution result at the 4-hour time point was 41% (specification: 20-40%). ', ' CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD42592_1, EXP: 5/14/2014', ' VARENICLINE, Tablet, 0.5 mg, NDC 00069046856, Pedigree: AD22616_1, EXP: 5/2/2014. ', 'Superpotent (Multiple Ingredient) Drug: Oversized tablets resulting in superpotent assays of both the hydrocodone and acetaminophen components.', ' traZODone HCl Tablet, 50 mg may be potentially mislabeled as DEXAMETHASONE, Tablet, 1 mg, NDC 00054418125, Pedigree: AD37088_1, EXP: 5/9/2014', ' NIFEDIPINE, Capsule, 10 mg, NDC 43386044024, Pedigree: AD23082_7, EXP: 9/23/2013. ', 'Labeling: Presence of Undeclared Color Additive', 'Impurities/Degradation Products: Out Of Specification levels of nitrogen dioxide.', 'Lack of Assurance of Sterility: a recent FDA inspection at the manufacturing firm raised concerns that the product sterility may be compromised.', 'Labeling: Label Mixup: FLUVASTATIN, Capsule, 20 mg may have potentially been mislabeled as the following drug: ACETAMINOPHEN/ BUTALBITAL/ CAFFEINE, Tablet, 325 mg/50 mg/40 mg, NDC 00603254421, Pedigree: W002654, EXP: 6/4/2014. ', \"Lack of Assurance of Sterility: The product lots are being recalled due to laboratory results (from a contract lab) indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable. Hence the sterility of the products cannot be assured. \", ' BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg, NDC 00574010603, Pedigree: AD68010_4, EXP: 5/28/2014. ', ' MAGNESIUM CHLORIDE DR, Tablet, 64 mg, NDC 00904791152, Pedigree: AD54510_1, EXP: 2/28/2014. ', 'Presence of Foreign Substance: Fragments of wood found when the product was extruded onto a toothbrush.', 'Labeling: Label Mixup: TRIFLUOPERAZINE HCL, Tablet, 1 mg may have potentially been mislabeled as the following drug: TERBUTALINE SULFATE, Tablet, 2.5 mg, NDC 00115261101, Pedigree: AD52778_88, EXP: 5/21/2014. ', 'Labeling: Label Mixup: SIROLIMUS, Tablet, 1 mg may be potentially mislabeled as one of the following drugs: PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: AD60272_34, EXP: 5/22/2014', ' blister cavities may contain more than one tablet /capsule', 'Non-sterility: due to a failed sterility test ', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: W003358, EXP: 6/19/2014. ', 'Presence of Particulate Matter: A foreign particle found in a pre-filled syringe was reported through a consumer complaint about a pre-filled syringe. ', 'Labeling: Label Mixup: CYANOCOBALAMIN, Tablet, 1000 mcg may have potentially been mislabeled as one of the following drugs: VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 50 mg, NDC 40985022251, Pedigree: AD30180_19, EXP: 5/9/2014', 'Labeling: Label Mixup', ' damaged blister units ', 'Lack of Assurance of Sterility:All sterile products compounded, repackaged, and distributed by this compounding pharmacy due to lack of sterility assurance and concerns associated with the quality control processes. ', 'Marketed Without An Approved NDA/ANDA: Captomer and Captomer-250 are marketed as dietary supplements and labeled to be sourced from Dimercaptosuccinic Acid (DMSA) which is the active ingredient in an FDA approved drug making these products unapproved new drugs.', 'Labeling: Label Mixup: METOPROLOL TARTRATE, Tablet, 50 mg may have potentially been mislabeled as one of the following drugs: METOPROLOL TARTRATE, Tablet, 25 mg, NDC 57664050652, Pedigree: W003843, EXP: 6/27/2014', ' ORPHENADRINE CITRATE ER Tablet, 100 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: W002965, EXP: 6/10/2014.', 'Labeling: Label Mixup: TRIAMTERENE/ HYDROCHLOROTHIAZIDE, Tablet, 37.5 mg/25 mg may have potentially been mislabeled as the following drug: SEVELAMER HCL, Tablet\\t800 mg, NDC 58468002101, Pedigree: W002858, EXP: 6/7/2014.', 'Lack of Assurance of Sterility: A customer complaint reported some units had incomplete seals (open seals) on the Individual unit packaging.', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredient: Phenolphthalein.', ' may have a low frequency assembly fault which may result in pens block during the so-called \"air shot\" step', 'Defective container', 'Labeling: Labeling Bears Unapproved Claims', 'Failed Dissolution Specification: This product recall is due to the product lot # 50077231 exceeding dissolution specifications. All other test specifications were met. ', 'Labeling: Label Mixup: PROGESTERONE, Capsule, 100 mg may be potentially mislabeled as the following drug: LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg), NDC 00527134101, Pedigree: AD46265_40, EXP: 5/15/2014. ', 'Presence of foreign tablets/capsules: 50 mg Persantine tablets were found in a 75 mg Persantine 100-count bottle and 50 mg Persantine tablet was found in a 100 count bottle of 75 mg Dipyridamole.', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg may be potentially mis-labeled as DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: AD33897_16, EXP: 5/9/2014', ' Due to an error in the manufacturing procedure, a cylinder in liquid withdrawal service was not marked \\x1cSyphon Tube\\x1d indicating liquid withdrawal and shipped as a gas withdrawal cylinder.', 'Labeling: Label Mix-up: Product was incorrectly labeled,\"Tabs\" instead of \"Capsules.\"\\x1d', 'Labeling: Label Mixup: TRI-BUFFERED ASPIRIN, Tablet, 325 mg may have potentially been mislabeled as the following drug: ISOMETHEPTENE MUCATE/ DICHLORALPHENAZONE/APAP, Capsule, 65 mg/100 mg/325 mg, NDC 44183044001, Pedigree: W003596, EXP: 5/31/2014. ', 'Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 11845014882, Pedigree: AD70700_7, EXP: 5/29/2014', ' ISOSORBIDE MONONITRATE Tablet, 10 mg may be potentially mislabeled as ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD28322_10, EXP: 5/6/2014.', 'Failed Stability Specifications: Micro Labs is recalling two lots due to out of specification results during stability testing. ', 'Discoloration: presence of atypical yellow discoloration of the solution .', ' CHOLECALCIFEROL, Capsule, 2000 units, ND', 'Labeling: Label Mixup: NEFAZODONE HCL, Tablet, 200 mg may have potentially been mislabeled as the following drug: NEFAZODONE HCL, Tablet, 150 mg, NDC 00093711306, Pedigree: AD46414_41, EXP: 5/16/2014.', ' CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD73623_1, EXP: 5/30/2014', 'Tablet Thickness: Product is being recalled due to the potential of being underweight or overweight.', ' BUPRENORPHINE HCL SL, Tablet, 2 mg, NDC 00054017613, Pedigree: AD54478_1, EXP: 5/20/2014', 'Presence of Foreign Substance: Uncharacteristic black spots identified as a food grade lubricant with trace amounts of foreign particulates and stainless steel inclusions have been found in the tablets.', 'Lack of Assurance of Sterility: Bausch & Lomb, Inc. is recalling 7 Lots of Murocel Methylcellulose Lubricant Opthalmic Solution 1% (15 mL). Product was found to be OOS for Antimicrobial Effectiveness testing (AET) at the 12 month stability time point. ', ' SELEGILINE HCL, Capsule, 5 mg may be potentially mislabeled as ITRACONAZOLE, Capsule, 100 mg, NDC 10147170003, Pedigree: AD54549_10, EXP: 5/20/2014.', ' PANTOPRAZOLE SODIUM DR Tablet, 40 mg may be potentially mislabeled as SENNOSIDES, Tablet, 8.6 mg, NDC 60258095001, Pedigree: AD37063_17, EXP: 5/13/2014.', 'Defective Delivery System: Out of Specification (OOS) results for the z-statistic value, which relates to the patients and caregiver ability to remove the release liner from the patch adhesive prior to administration, were obtained.', ' Firm states that erroneous potency information was found on the label.', 'Microbial Contamination of Non-Sterile Products: The product may be contaminated with bacteria. ', 'Non-Sterility: Complaints of leaks and particulate matter identified as mold in the solution bag and the overpouch.', ' product contains sildenafil and tadalafil which are active pharmaceutical ingredients in FDA approved drugs used to treat erectile dysfunction (ED) ', ' GLUCOSAMINE/CHONDROITIN DS, Capsule, 500 mg/400', 'Crystallization: Formation of crystals observed in product.', 'CGMP Deviations: Cylinders filled using out of date gauges.', ' recall initiated by manufacturer due to reports of wet capsules ', ' incorrect expiration date on container label is 02/2019, correct expiration date should be 02/2018', ' potential leakage from administrative port.', 'Glutathione 100 mg/mL injectable human drug is recalled due to Out Of Specification results or potential bacterial contamination and it was reported as passing by a contract laboratory. ', ' PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree:', 'Chemical Contamination: Topiramate Tablets is being recalled due to complaints related to an off - odor. described as moldy, musty or fishy in nature.', ' Sr-82 levels exceeded alert limit specification ', 'Failed Impurities/Degradation Specifications: Two lots failed specification for unknown impurity at the 24 month stability testing. ', ' LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00074929690, Pedigree: AD22865_16, EXP: 5/2/2014', 'Presence of Particulate Matter: This product is being recalled due to the discovery of particles in the stability samples and retain samples.', 'Failed Dissolution Specifications: Dissolution failures found during testing of control samples at the four hour time point.', 'Superpotent: Drug product active ingredients were formulated incorrectly (too high) with respect to the label strength.', 'Labeling: Label Mixup: LITHIUM CARBONATE ER, Tablet, 450 mg may be potentially mislabled as one of the following drugs: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD21790_19, EXP: 5/1/2014', 'Lack of Assurance of Sterility: The required reduction of endotoxin was not met during the annual revalidation of the vial washer.', ' OLANZapine, Tablet, 7.5 mg, NDC 55111016530, Pedigree: AD73', 'Lack of Assurance of Sterility: Defective container resulting in the lack of sterility assurance. ok thanks', 'Lack of Assurance of Sterility: Crimp defects during visual inspection could affect container closure integrity.', ' OLANZapine, Tablet, 7.5 mg may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 175 mcg, NDC 00527135001, Pedigree: AD46265_37, EXP: 5/15/2014', ' MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68', ' PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD25452_7, EXP: 5/3/2014', 'Failed Dissolution Specification: Corepharma Inc. is recalling Pyridostigmine Bromide Tablets USP 60 mg due to an out of specification dissolution test generated at the 30 month stability time point.', 'Labeling: Label Mixup: DIGOXIN, Tablet, 125 mcg may have potentially been mislabeled as the following drug: CHOLECALCIFEROL/ CALCIUM/ PHOSPHORUS, Tablet, 120 units/105 mg/81 mg, NDC 64980015001, Pedigree: W002581, EXP: 6/3/2014. ', ' PERPHENAZINE, Tablet, 16 mg, NDC', 'Lack of Assurance of Sterility: There is the potential for solution to leak from the administrative port to the fill tube seal.', 'Labeling: Label Mixup: PERPHENAZINE, Tablet, 16 mg may have potentially been mislabeled as one of the following drugs: MELATONIN, Tablet, 1 mg, NDC 47469000466, Pedigree: AD46257_19, EXP: 5/15/2014', ' PYRIDOXINE HCL Tablet, 50 mg may be potentially mislabeled as CALCIUM CITRATE, Tablet, 950 mg (200 mg Elem Ca), NDC 00904506260, Pedigree: W002699, EXP: 6/5/2014', 'Unit Dose Mispackaging: Product packaging defect which could result in code date smearing, incomplete blister card cuts, and missing or incorrectly placed liquicaps within the blisters.', 'Lack of Assurance of Sterility: Firm mistakenly released quarantined, non conforming material that failed sterility testing.', ' side panel of sticker label applied by Dispensing Solutions Inc. incorrectly indicates product name as Ventolin HFA 90 mcg instead of correctly as Atrovent HFA 12.9 grams Inhalation Aerosol ', 'Correct Labeled Product Miscart/Mispack: some cartons labeled as Pantoprazole Sodium Delayed-Release may contain correctly labeled blister cards of Lorazepam tablets', 'Failed Impurities/Degradation Specifications: Out of specification for unknown impurities.', ' OLANZapine, Tablet, 7.5 mg, NDC 55111016530, Pedigree: AD60272_79, EXP: 5/22/2014', 'Penicillin Cross Contamination: potentially contaminated with penicillin', 'Lack of Sterility Assurance: customer report of leaking bag', ' VERAPAMIL HCL, Tablet, 40 mg, NDC 00591040401, Pedigree: W003170, EXP: 6/13/2014. ', 'Labeling: Label Mixup: NIACIN, Tablet, 500 mg may have potentially been mislabeled as one of the following drugs: NAPROXEN, Tablet, 500 mg, NDC 53746019001, Pedigree: AD54516_1, EXP: 5/20/2014', 'Penicillin Cross Contamination: All lots of all products repackaged between 01/05/12 through 02/12/15 are being recalled because they were repackaged in a facility with penicillin products without adequate separation which could introduce the potential for cross contamination with penicillin.', 'Marketed Without an Approved ANDA/NDA: presence of sildenafil. ', ' 500 mg capsules were found in bottles labeled to contain 250 mg capsules', ' ZONISAMIDE, Capsule, 100 mg, NDC 64679099001, Pedigree: W003786, EXP: 6/27/2014', ' ZINC SULFATE, Capsule, 50 mg, NDC 00904533260, Pedigree: AD30994_8, EXP: 5/9/2014. ', 'Labeling: Label Mixup: PIOGLITAZONE HCL, Tablet, 15 mg may have potentially been mislabeled as one of the following drugs: DOXYCYCLINE MONOHYDRATE, Capsule, 100 mg, NDC 49884072703, Pedigree: AD52778_25, EXP: 5/20/2014', 'Does Not Meet Monograph: Phenylephrine and pseudoephedrine are below monograph specifications, and label inaccurately contains wording \"Rx Only\".', 'Labeling: Label Mixup: glyBURIDE MICRONIZED, Tablet, 3 mg may have potentially been mislabeled as the following drug: DIGOXIN, Tablet, 0.125 mg, NDC 00115981101, Pedigree: W003154, EXP: 6/13/2014. ', 'Failed Content Uniformity Specifications: The product may not meet finished product release specifications, including the uniformity of dosage due to a packaging degradation related to the adhesive component of the paper pouch that can impact the level of fluorescein present in the strips.', 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling XZone 1200because FDA laboratory analysis determined that they contain undeclared amounts of sildenafil and tadalafil, active ingredients of FDA-approved drugs used to treat erectile dysfunction. ', 'Lack of Assurance of Sterility: Recalling firm reported a complaint for mold on the interior surface of the overpouch.', 'Incorrect/ Undeclared Excipients: NyQuil Liquid Original bottles were inadvertently overwrapped with NyQuil Liquid Cherry information as a result the outer wrap does not correctly identify color additives, particularly FD&C Yellow No. 6 and FD&C Yellow 10.', 'Defective Container: Pump head detaching from the canister unit upon removal of the overcap.', 'Defective Container: Product missing safety seal around the neck of the bottle. The product label indicates, \"Tamper Evident: Do not use if printed seal around cap is broken or missing.\" Because the product is missing the approved component and is not consistent with the labeling, the lot is being recalled.', ' products have been found to contain tadalafil, the active ingredient in an FDA approved product used to treat erectile dysfunction, making this product an unapproved drug', 'Stability Does Not Support Expiry: manufactured with an active ingredient that expired before the labeled Beyond Use Date. ', ' LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: AD62796_1, EXP: 5/22/2014. ', ' 12 month acid dissolution test results were above upper limit specifications.', 'Failed Impurities/Degradation Specifications: out of specification result for known impurity at 6 month timepoint.', ' 15 month stability (by mfr)', ' RILUZOLE Tablet, 50 mg may be potentially mislabeled as traZODone HCl, Tablet, 150 mg, NDC 50111044101, Pedigree: W003245, EXP: 6/17/2014.', ' PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet, NDC 51991056601, Pedigree: W003511, EXP: 6/21/2014', ' REPAGLINIDE, Tablet, 2 mg, NDC 00169008481, Pedigree: AD464', 'Labeling: Label Mixup: CapsuleTOPRIL, Tablet, 6.25 mg (1/2 of 12.5 mg) may have potentially been mislabeled as the following drug:, LUBIPROSTONE, Capsule, 24 mcg, NDC 64764024060, Pedigree: AD46312_1, EXP: 5/16/2014. ', 'Failed pH specification', ' FOLIC ACID, Tablet, 1 mg, NDC 65162036110, Pedigree: W003097, EXP: 6/13/2014. ', 'Labeling: Label Mixup: DOCUSATE CALCIUM, Capsule, 240 mg may have potentially been mislabeled as one of the following drugs: diphenhydrAMINE HCl, Tablet, 25 mg, NDC 00904555159, Pedigree: AD33897_13, EXP: 5/9/2014', 'Labeling: Label Mixup: hydrOXYzine PAMOATE, Capsule, 100 mg may have potentially been mislabeled as one of the following drugs: CALCIUM CITRATE, Tablet, 950 mg (200 mg Elemental Calcium), NDC 00904506260, AD46257_43, EXP: 5/15/2014', 'Unit Dose Mispackaging: This recall event is due to a random undetected packaging issue which could increase the potential for a small number of individual unit dose blisters to be packed with more than one tablet.', 'Labeling: Incorrect or missing lot and/or expiration date. The product was mistakenly labeled with an expiration date of 10/16 instead of 01/16.', ' BENAZEPRIL HCL, Tablet, 5 mg, NDC 65162075110, Pedigree: AD52778_7, EXP: 5/20/2014', 'Marketed Without An Approved NDA/ANDA: Samples tested by FDA were found to contain sulfoaildenafil, an analogue of sildenafil, an FDA approved drug used in the treatment of male erectile dysfunction, making these products unapproved new drugs. ', ' THIAMINE HCL, Tablet, 100 mg, NDC 00904054460, Pedigree: AD52993_16, EXP: 5/20/2014. ', ' PRAMIPEXOLE DI-HCL, Tablet, 1 mg may be potentially mislabel as MISOPROSTOL, Tablet, 200 mcg, NDC 59762500801, Pedigree: W003117, EXP: 6/13/2014.', 'Lack of Assurance of Sterility: Hospira, Inc is voluntarily recalling the products due to possible leaking bags.', ' ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/25', 'CGMP Deviations: Products are underdosed or have an incorrect dosage regime. ', 'Marketed Without an Approved ANDA/NDA: presence of sibutramine', 'Failed Impurities/Degradation Specifications: out of specification results for impurities/degradation testing for N-Oxide ', 'Failed dissolution specifications: Glipizide 2.5 mg ER Tablets exceeded dissolution specification rates for the 10 hour testing point.', 'Marketed Without An Approved NDA/ANDA: FDA analyses detected the presence of phenolphthalein, N-di-Desmethylsibutramine, and trace amounts of sibutramine and N-Desmethylsibutramine. Sibutramine and phenolphthalein were previously available drug products but were removed from the U.S. market making these products unapproved new drugs.', 'Subpotent Drug: Heparin raw material was found to have low potency ', ' VERAPAMIL HCL ER, Tablet, 240 mg may be potentially mislabeled as TRIFLUOPERAZINE HCL, Tablet, 1 mg, NDC 00781103001, Pedigree: AD52778_91, EXP: 5/21/2014.', ' LACTOBACILLUS ACIDOPHILUS, Capsule, 500 Million CFU may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: W002694, EXP: 6/5/2014', 'Labeling: Label Mixup: PYRIDOXINE HCL, Tablet, 50 mg may have potentially been mislabeled as one of the following drugs: MELATONIN, Tablet, 1 mg, NDC 04746900466, Pedigree: AD21846_17, EXP: 5/1/2014', 'Lack of Assurance of Sterility: Specific lot numbers of these products have been identified for potential administration port leakage. The potential for leakage is the result of a manufacturing issue which occurred during the sealing of the closure assembly at the administration port. ', 'Labeling: Label Mixup: CILOSTAZOL, Tablet, 100 mg may have potentially been mislabeled as the following drug: TRIAMTERENE/ HYDROCHLOROTHIAZIDE, Tablet, 37.5 mg/25 mg, NDC 00591042401, Pedigree: W002900, EXP: 6/10/2014.', ' Product contains undeclared diclofenac and methocarbamol.', ' hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W003008, EXP: 6/11/2014. ', 'Presence of Foreign Substance: Product is being recalled due to receiving an elevated number of patient complaints related to a visible presence of medical grade silicone oil essential to the functionality of the syringe and plunger stopper system.', ' NIACIN, Tablet, 100 mg, NDC 00904227160, Pedigree: W002661, EXP: 6/5/2014', 'Labeling: Label Mixup: BISMUTH SUBSALICYLATE, CHEW Tablet, 262 mg may have potentially been mislabeled as the following drug: IRBESARTAN, Tablet, 150 mg, NDC 00093746556, Pedigree: AD42592_7, EXP: 5/14/2014. ', 'Labeling: Label Mixup: sulfaSALAzine, Tablet, 500 mg may have potentially been mislabeled as one of the following drugs: FLUCONAZOLE, Tablet, 200 mg, NDC 00172541360, Pedigree: AD65475_16, EXP: 5/28/2014', 'Failed Dissolution Specifications: High out of specification dissolution result at 1 hour time point.', 'Labeling: Label Mixup: MINOCYCLINE HCL, Capsule, 50 mg may have potentially been mislabeled as the following drug: MINOXIDIL, Tablet, 2.5 mg, NDC 00591564201, Pedigree: AD52778_49, EXP: 5/20/2014. ', 'Labeling: Wrong barcode. An incorrect bar code was noted on the vial label of Hectorol 2 mcg/1mL vial.', ' The back of the Medication Guide attached to the Package Insert for Ritalin Tablets was printed with information related to Ritalin SR (Sustained Release) Tablets. Both products, Ritalin Tablets and Ritalin SR Tablets utilize a combined Package Insert. The individual Medication Guides are attached to the Package Insert via a perforation. Although t', 'Non Sterility', 'Presence of Particulate Matter: Customer complaint for an insect found free floating inside a single bag for each lot recalled. ', 'Labeling: Label Mixup: ASCORBIC ACID, Tablet, 500 mg may have potentially been mislabeled as the following drug: VENLAFAXINE HCL, Tablet, 100 mg, NDC 00093738301, Pedigree: AD42566_1, EXP: 5/14/2014. ', 'Failed Tablet/Capsule Specifications: The products are being recalled due to chipped and broken tablets.', 'Labeling: Incorrect or Missing Package Insert: the package insert for the potassium chloride 8 mEq and 10 mEq strength instead of the potassium chloride 10 mEq and 20 mEq strength was packaged with the product. ', ' PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: W002697, EXP: 6/5/2014. ', ' PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet may be potentially mislabeled as COLCHICINE, Tablet, 0.6 mg, NDC 64764011907, Pedigree: AD65457_1, EXP: 5/23/2014', \"Lack of Assurance of Sterility: concerns of sterility assurance with the pharmacy's independent testing laboratory. \", 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling XZONE GOLD because FDA laboratory analysis determined that they contain undeclared amounts of sildenafil and tadalafil, active ingredients of FDA-approved drugs used to treat erectile dysfunction. ', ' DESMOPRESSIN ACETATE, Tablet, 0.1 mg, NDC 00591246401, Pedigree: AD46426_16, EXP: 5/15/2014', 'All lots of sterile products compounded by the pharmacy that are within expiry were recalled due to concerns associated with quality control procedures that present a potential risk to sterility assurance that were observed during a recent FDA inspection.', 'Labeling: Label Mixup: FAMCICLOVIR, Tablet, 500 mg may have potentially been mislabeled as one of the following drugs: TOLTERODINE TARTRATE ER, Capsule, 4 mg, NDC 00009519101, Pedigree: AD49448_1, EXP: 5/17/2014', 'Lack of Assurance of Sterility: FDA inspection findings resulted in concerns regarding quality control processes', 'Impurities/Degradation Products: exceeded specification at 3 month stability testing ', ' SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: W002611, EXP: 6/4/2014. ', 'Labeling: Label Mixup:CYANOCOBALAMIN, Tablet, 500 mcg was mislabled as SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: W002859, EXP: 6/7/2014. and may have potentially been mislabeled as one of the following drugs: VITAMIN B COMPLEX W/C, Tablet, 0, NDC 00536730001, Pedigree: AD52993_7, EXP: 5/20/2014', 'Lack of Assurance of Sterility ', ' RASAGILINE MESYLATE, Tablet, 0.5 mg, NDC 68546014256, Pedigree: W002929, EXP: 6/10/2014. ', ' GLYCOPYRROLATE, Tablet, 2 mg, NDC 00603318121, Pedigree: W003252, EXP: 6/17/2014. ', 'Presence of Foreign Substance: black specks comprised of degraded organic material found on tablets', ' ESZOPICLONE, T', ' Presence of co-mingled LipaCreon 13000.', 'Presence of Paticulate Matter', 'Presence of Particulate Matter: Visible particulate embedded in vials was observed and confirmed in a sample bottle during retain inspection.', ' ESTERIFIED ESTROGENS, Tablet, 0.625 mg may be potentially mislabeled as ETODOLAC, Tablet, 400 mg, NDC 51672401801, Pedigree: W003734, EXP: 6/26/2014.', 'Presence of Precipitate: Small amounts of diphenydramine and mannitol precipitated out of solution.', ' LACTOBACILLUS ACIDOPHILUS, Capsule, 500 MILLION CFU, NDC 43292050022, Pedigree: AD60240_20, EXP: 5/22/2014', 'Labeling: Label Mixup: TRIAMTERENE/HCTZ, Tablet, 37.5 mg/25 mg may have potentially been mislabeled as the following drug: CAFFEINE, Tablet, 100 mg (1/2 of 200 mg), NDC 24385060173, Pedigree: AD30028_31, EXP: 5/8/2014.', 'Lack of Assurance of Sterility: Loose crimp applied to the fliptop vial', 'Failed Impurities/Degradation Specifications: the manufacturer, recalled product due to slightly above specification results for a Related Compound during routine stability testing ', 'Crystallization', 'Marketed Without An Approved NDA/ANDA: FDA analysis found the product to contain sulfoaildenafil, an analogue of sildenafil which is an ingredient in an FDA-approved drug for the treatment of male erectile dysfunction, making this an unapproved new drug.', ' NITROFURANTOIN MACROCRYSTALS, Capsule, 50 mg, NDC 47781030701, Pedigree: AD25452_4, EXP: 5/3/2014', ' BENAZEPRIL HCL Tablet, 40 mg may be potentially mislabeled as NEFAZODONE HCL, Tablet, 200 mg, NDC 00093102506, Pedigree: AD46414_44, EXP: 5/16/2014', ' Product Contains Undeclared API (Oxybenzone)', 'Labeling: Label Mixup: ACETAMINOPHEN/ BUTALBITAL/ CAFFEINE, Tablet, 325 mg/50 mg/40 mg may have potentially been mislabeled as the following drug: ASPIRIN, Tablet, 325 mg, NDC 49348000123, Pedigree: W002640, EXP: 6/4/2014. ', 'Lack of sterility assurance', 'Failed Stability Specifications: Pyridostigmine Bromide tablets, is being recalled due to an out of specification test result during stablity testing.', ' Out of specification for lactol and total impurities.', 'Presence of Particulate Matter: A single visible particulate was observed and confirmed in a sample bottle during retain inspection.', 'Lack of Assurance of Sterility: FDA inspection findings resulted in concerns regarding quality control processes.', 'Labeling: Label Error on Declared Strength-The recalled product has a misprint on the Amoldipine 10 mg label, 5 mg is listed in the USP description. Tablet strength is 10 mg.', 'Defective Container: Confirmed customer complaints of leaking bottles. ', 'Failed dissolution specifications', ' OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/110 mg may be potentially mislabeled as BENZOCAINE/MENTHOL, LOZENGE, 15 mg/2.6 mg, NDC 63824073116, Pedigree: AD42592_4, EXP: 5/14/2014.', 'Contraceptive Tablets out of Sequence: A placebo tablet was found in a row of active tablets.', ' the correct date is 09/17. ', 'Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with undeclared phenolphthalein, an ingredient found in over-the-counter laxative products that was withdrawn from the US market due to concerns of carcinogenicity, making it an unapproved drug.', 'Presence of Foreign Substance: Presence of hair.', ' VITAMIN B COMPLEX W/C Capsule may be potentially mislabeled as SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: AD39560_1, EXP: 5/13/2014.', 'Failed Impurities/Degradation Specifications: 3 month stability testing. ', 'Labeling: Incorrect Or Missing Package Insert: Product is labeled with unapproved labeling.', ' guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: W003514, EXP: 6/21/2014. ', 'Presence of Particulate Matter: Stainless steel in a chemical reactor dissolved into the API solution and was detected in the finished product.', 'Presence of Particulate Matter: Nylon fibers found in a bottle of 0.9% sodium chloride for irrigation.', 'Defective Container: Lids on unit dose cups are not fully qualified.', 'Labeling: Label Mixup: PHENYTOIN SODIUM ER, Capsule, 30 mg may have potentially been mislabeled as the following drug: LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: W003327, EXP: 6/19/2014. ', ' out of specification for trans-calcitriol degradant at the 9 month stability time point', 'Defective Container: A number of Synthroid bottles have a localized thin wall defect on the bottom which may potentially impact the stability of the tablets.', 'Lack of Assurance of Sterility: Either a loose crimp or no crimp was applied to the fliptop vials.', 'CGMP Deviations: potential contamination of products manufactured on the same equipment and lines as the contaminated product.', ' guaiFENesin ER, Tablet, 600 mg, NDC 45802049878, Pedigree: W003689, EXP: 6/26/20', ' PANTOPRAZOLE SODIUM DR, Tablet, 20 mg may be potentially mislabel as NORTRIPTYLINE HCL, Capsule, 75 mg, NDC 00093081301, Pedigree: W003694, EXP: 6/26/2014.', ' CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: W003716, EXP: 6/26/2014', ' particulate found in retain samples', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 88 mcg may have potentially been mislabeled as the following drug: guanFACINE HCl, Tablet, 1 mg, NDC 00378116001, Pedigree: W003007, EXP: 6/12/2014. ', 'Failed Impurities/Degradation Specifications ', ' CINACALCET HCL, Tablet, 30 mg may be potentially mislabeled as ACETAMINOPHEN, Chew Tablet, 80 mg, NDC 00536323307, Pedigree: W003113, EXP: 6/13/2014', 'Defective Delivery System: Firm recalled Guaifenesin liquid and Guaifenesin DM liquid due incorrect dose markings on the dosing cups. ', ' DISULFIRAM Tablet, 250 mg may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 00904052060, Pedigree: AD22865_22, EXP: 5/2/2014.', ' AMANTADINE HCL, Capsule, 100 mg, NDC 00781204801, Pedigree: W003674, EXP: 6/25/2014', ' CHLOROPHYLLIN COPPER COMPLEX, Tablet, 100 mg may be potentially mislabeled as traZODone HCl, Tablet, 50 mg, NDC 50111043301, Pedigree: AD37088_4, EXP: 5/9/2014.', ' PRAMIPEXOLE DI-HCL, Tablet, 1.5 mg may be potentially mislabeled as LIOTHYRONINE SODIUM, Tablet, 25 mcg, NDC 42794001902, Pedigree: AD68010_11, EXP: 5/28/2014.', ' CGMP Deviations: The pressure gages, vacuum gages, and thermometer had surpassed the calibration expiry period, which may have resulted in overfill/underfill of oxygen cylinders.', 'Failed Impurities/Degradation specifications: out-of-specification results 14 & 15 month time point', 'Failed Dissolution Specifications: Failed stability testing for dissolution test at 18 months.', ' Two lots of Lidocaine 2% with Epinephrine 1:100,000 Injectable, distributed under the names: Octocaine 100, and 2% Xylocaine Dental, may be subpotent for the epinephrine component.', ' FOLIC ACID, Tablet, 1 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: AD32328_5, EXP: 5/9/2014', 'Defective Container: Leakage of unit dose cups that may occur at the seal.', 'Failed Tablet/Capsule Specifications: Split tablets were found in the 12-month stability samples.', 'Lack of Assurance of Sterility: There are also CGMP Deviations. ', ' complaints received by the manufacturer of crystals forming in product', 'Failed Moisture Limit', 'Presence of Particulate Matter: Lots identified in this recall notification may contain small particulates. ', 'Subpotent drug: Avobenzone 3%, one of the active sunscreen ingredients may be subpotent and sunscreen effectiveness may be less than labeled', ' RAMIPRIL, Capsule, 2.5 mg, Rx only may be potentially mislabeled as PROPAFENONE HCL, Tablet, 150 mg, NDC 00591058201, Pedigree: AD54549_13, EXP: 5/20/2014', 'Labeling: Incorrect or missing lot and or Exp Date: The bottles were labeled with an incorrect expiry date 11/2016. The correct expiry date is 09/2016. ', 'Presence of Particulate Matter.', 'Lack of Assurance of Sterility: There is the potential for the solution to leak from the seal of the fill tube to the bag.', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 112 mcg may have potentially been mislabeled as the following drug: MULTIVITAMIN/MULTIMINERAL, Tablet, 0 mg, NDC 00536406001, Pedigree: AD22865_13, EXP: 5/2/2014. ', ' FAMOTIDINE Tablet, 20 mg may be potentially mislabeled as CARVEDILOL PHOSPHATE ER, Capsule, 20 mg, NDC 00007337113, Pedigree: W003225, EXP: 6/17/2014', 'Labeling: Label Mixup: NIACIN TR, Tablet, 750 mg may have potentially been mislabeled as the following drug: NORTRIPTYLINE HCL, Capsule, 50 mg, NDC 00093081201, Pedigree: AD46414_47, EXP: 5/16/2014. ', 'Labeling: Label Mixup: FLUVASTATIN SODIUM, Capsule, 20 mg may have potentially been mislabeled as the following drug: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD73597_1, EXP: 5/31/2014. ', 'Labeling: Label Mixup: NIFEdipine ER, Tablet, 60 mg may have potentially been mislabeled as the following drug: NICOTINE POLACRILEX, LOZENGE, 2 mg, NDC 00135051001, Pedigree: W003749, EXP: 6/26/2014. ', 'Crystallization: Product contains particulate identified to be crystallized active ingredient.', ' CHOLECALCIFEROL, Tablet, 2000 units, NDC 00904615760, Pedigree: W003744, EXP: 6/26/2014', ' PRAMIPEXOLE DI-HCL, Tablet, 0.125 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 00904549213, Pedigree: AD23082_13, EXP: 11/1/2013', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 137 mcg may have potentially been mislabeled as the following drug: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD21846_1, EXP: 5/1/2014.', 'Presence of Particulate Matter: One lot of Bacteriostatic Water for Injection, USP diluent vials that were packed with Trastuzumab Kits for investigational use has the potential to contain glass particulates. ', \"Subpotent Drug: the active ingredient, fluocinolone acetonide, was found to be subpotent during the firm's routine testing.\", 'Lack of Assurance of Sterility: Firm is recalling two injectable products due to concerns with quality control processes.', ' MELATONIN, Tablet, 3 mg, NDC 51991001406, Pedigree: AD70655_14, EXP: 5/28/2014', 'Labeling: Label Mixup: DILTIAZEM HCL, Tablet, 120 mg, may have potentially been mislabeled as the following drug: NICOTINE POLACRILEX, LOZENGE, 2 mg, NDC 00135051001, Pedigree: AD329737, EXP: 5/9/2014. ', 'Subpotent Drug: Cetacaine Topical Anesthetic Liquid is being recalled because one of the three active ingredients, tetracaine, is below the specification limit at the 21 month stability test point. ', 'Failed Stability Specifications: The recalled lots did not meet the specification for color and pH throughout shelf life. ', 'Presence of Particulate Matter: reports of small grey/brown particles found in the primary container identified as brass particulates', ' Incorrect or Missing Lot and/or Exp Date', ' LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: W002730, EXP: 6/6/2014', ' product contains the steroid ingredient 2, 17a-dimethyl-17b-hydroxy-5a-androst-1-en-3-one, making it an unapproved new drug', 'Failed Impurities/Degradation Specifications: Firm is recalling product due to an impurity out-of-specification result.', 'Marketed Without an Approved NDA/ANDA: Product tested positive for Sibutramine, an appetite suppressant that was withdrawn from the U.S. market in October 2010 for safety reasons, making this product an unapproved new drug.', 'Failed Impurities/Degradation Specifications: Ketoconazole Cream 2% is the subject of a voluntary drug recall by Fougera due to an Out Of Specification result for an unknown degradant product', ' defective seals where the metal silver ring was not attached tightly to the vial', 'Labeling: Label Mixup: RALOXIFENE HCL, Tablet, 60 mg may be potentially mis-labeled as following drug: ISOSORBIDE MONONITRATE, Tablet, 20 mg, NDC 62175010701', 'Marketed Without An Approved NDA/ANDA: product is an unapproved drug and additionally 3 lots were found to be subpotent.', 'Superpotent (Single Ingredient) Drug: Some of the prefilled cartridge units have been found to be overfilled and contain more than the 1 mL labeled fill volume.', 'Presence of Particulate Matter: B. Braun Medical Inc. is recalling several injectable products due to visible particulate matter found in reserve sample units.', ' The firm received two product complaints for small, dark particulate matter identified in solution post reconstitution.', 'Defective container: Product distributed without inner seal on bottles.', 'Failed Impurities/Degradation Specifications: Observed levels of highest unknown impurity exceeding specification limit at the 3 month stability time point.', 'Labeling: Label Mixup: MYCOPHENOLATE MOFETIL, Capsule, 250 mg may have potentially been mislabeled as the following drug: PRAMIPEXOLE DI-HCL, Tablet, 0.25 mg, NDC 16714058501, Pedigree: W003761, EXP: 6/26/2014. ', 'Labeling: Incorrect or Missing Package Insert: Package insert is missing updates compared with reference drug insert.', 'Presence of Foreign Substance: Presence of stainless steel particles.', 'Presence of Particulate Matter: The firm initiated the recall due to visible presence of particulate matter.', ' NEOMYCIN SULFATE, Tablet, 500 mg may be potentially mislabeled as IMIPRAMINE HCL, Tablet, 25 mg, NDC 00781176401, Pedigree: AD49448_10, EXP: 5/17/2014.', \"Lack of Assurance of Sterility: A recent FDA inspection of Vann Healthcare Services facility revealed deficiencies that raise concerns about the pharmacy's ability to consistently assure sterility of their products. \", 'Superpotent and Subpotent drugs ', 'Failed Dissolution Specification:12 hour time point at 18 months of product shelf life.', 'Stability Data Does Not Support Expiry: potential loss of potency in drugs packaged and stored in syringes.', 'Lack of Assurance of Sterility: Recall initiated due to FDA observations pertaining to aseptic and GMP practices at the manufacturers site potentially impacting product sterility.', 'Labeling: Label Mixup: REPAGLINIDE, Tablet, 1 mg may have potentially been mislabeled as one of the following drugs: VALSARTAN, Tablet, 40 mg, NDC 00078042315, Pedigree: AD52372_1, EXP: 5/17/2014', 'Miscalibrated and/or Defective Delivery System: Genentech has received complaints for Nutropin AQ NuSpin 10 & 20 reporting that the dose knob spun slowly and the injection took longer than usual (slow dose delivery).', ' FDA inspectional findings resulted in concerns associated with quality control procedures that impacted sterility assurance.', 'Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 20 mg may have potentially been mislabeled as one of the following drugs: COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD32325_4, EXP: 5/9/2014', 'Marketed Without An Approved NDA/ANDA: Products were found to contain undeclared sibutramine, the active ingredient in a previously approved FDA product indicated for weight loss but removed from the market for safety reasons, making these products unapproved new drugs.', 'Labeling: Label Mixup: NIACIN TR, Capsule, 500 mg may have potentially been mislabeled as one of the following drugs: PERPHENAZINE, Tablet, 16 mg, NDC 00603506321, Pedigree: AD46265_49, EXP: 5/15/2014', 'CGMP Deviations', 'Unit Dose Mispackaging', 'Presence of particulate matter: A returned customer sample was evaluated and found to have human hair attached to a pinched area of the stopper.', ' the label states that the product contains 62% ethyl alcohol, but the ethyl alcohol content is 20%.', ' CYCLOBENZAPRINE HCL, Tablet, 5 mg, NDC 00591325601, Pedigree: AD46265_4, EXP: 5/15/2014', 'Labeling: Label Mixup: RILUZOLE, Tablet, 50 mg may have potentially been mislabeled as the following drug: LACTOBACILLUS, Tablet, 0 mg, NDC 64980012950, Pedigree: AD62986_10, EXP: 5/23/2014. ', 'Labeling: Incorrect or missing lot and/or exp date- This product is being recalled due to an incorrect expiration date of 05/2017. The correct expiration date is 10/2016.', 'Subpotent Drug: Product has an an out of specification in iron assay analysis found during 18 month stability testing.', 'Labeling: Label Mixup: ASCORBIC ACID, CHEW Tablet, 500 mg may have potentially been mislabeled as the following drug: PHENOL, LOZENGE, 29 mg, NDC 00068021918, Pedigree: AD60428_4, EXP: 5/22/2014. ', ' CHOLECALCIFEROL, Tablet, ', ' PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet may be potentially mislabeled as CYANOCOBALAMIN, Tablet, 100 mcg, NDC 00536354201, Pedigree: AD62840_1, EXP: 5/24/2014.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD21846_11, EXP: 5/1/2014. ', 'CGMP Deviations: Confirmed customer compliant of odor when turning on a cylinder of medical air.', ' HYOSCYAMINE SULFATE ODT, Tablet, 0.125 mg, NDC 00574024701, Pedigree: W003614, EXP: 6/25/2014. ', ' 9 month stability timepoint', 'Failed Tablet/Capsule Specifications: An unusually thick tablet was reported through a complaint. ', 'Marketed Without An Approved NDA/ANDA: New York State Department of Health analysis of this product found it to contain undeclared steroid-like substances making it an unapproved new drug.', 'Non-Sterility: Product tested positive for bacterial contamination.', 'Cross Contamination With Other Products: Potential cross-contamination of cephalosporin.', 'Incorrect or Missing Lot and/or Exp Date: Ketorolac Tromethamine Injection, is being recalled as a result of labeling the product with the incorrect expiration date. ', 'Failed Stability Specifications: Product failed to meet 12 months long term stability specification for viscosity', 'Labeling: Label Mixup: glyBURIDE, Tablet, 1.25 mg may have potentially been mislabeled as one of the following drugs: CYPROHEPTADINE HCL, Tablet, 4 mg, NDC 60258085001, Pedigree: W003676, EXP: 6/25/2014', 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling XZEN GOLD because FDA laboratory analysis determined they contain undeclared amounts of sildenafil and tadalafil, active ingredients of FDA-approved drugs used to treat erectile dysfunction. ', ' CINACALCET HCL, Tablet, 30 mg, NDC 55513007330, Pedigree: W003615, EXP: 6/25/2014. ', ' white substance confirmed as Guaifenesin, an active ingredient was observed in some bottles. If the product is shaken or warmed the white particles goes into the solution.', 'Presence of Particulate Matter: Particulate matter consistent with delamination of the glass vial container.', 'Superpotent Drug: Product contains twice the stated amount of midazolam.', ' LOVASTATIN, Tablet, 20 mg, NDC 00185007201, Pedigree: W003263, EXP: 6/17/2014. ', ' CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: AD46257_59, EXP: 5/15/2014', 'Superpotent (Single Ingredient) Drug: The prefilled cartridge unit has been found to be overfilled and contain more than the 1 mL labeled fill volume.', 'Failed Dissolution Specifications: Product did not meet specification requirements for dissolution.', 'Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared sildenafil, making AMPD GOLD an unapproved drug.', 'Labeling: Label Mix-up: This recall was initiated after identifying that the label statement on the blister strip regarding the maximum number of capsules/caplets that should be taken within a 24-hour period, does not match the statement on the carton. ', 'Labeling: Label mix-up. The inner packaging was properly labeled Omeprazole DR 40mg Capsules, but the outer secondary packaging was mislabeled Lansoprazole Delayed-Release 30mg Capsules. ', 'Failed Stability Specifications: confirmed out of specification results obtained during refrigerated material stability testing indicating that drug may settle within drug cassettes nearing the end of their refrigerated shelf-life', ' PIOGLITAZONE, Tablet, 15 mg, NDC 00591320530, Pedigree: AD28322_4, EXP: 4/30/2014', 'Stability Data Does Not Support Expiry: Printed expiration date should be Nov 2013 rather than Nov 2014.', 'Stability data does not support expiration date: Stability data indicates the Carbamide Peroxide will degrade below acceptable levels within the 24-month expiration date printed on the packaging.', 'Lack of Sterility Assurance: All lots of sterile products compounded by the pharmacy that are not expired due to concerns associated with quality control procedures that present a potential risk to sterility assurance that were observed during a recent FDA inspection..', 'Failed USP Content Uniformity Requirements: OOS result reported on retained samples.', 'Labeling: Label Mixup: MEXILETINE HCL, Capsule, 150 mg may have potentially been mislabeled as the following drug: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD62865_4, EXP: 5/23/2014.', 'Labeling: Label Mixup: GLYCOPYRROLATE, Tablet, 2 mg may have potentially been mislabeled as one of the following drugs: PARICALCITOL, Capsule, 1 mcg, NDC 00074431730, Pedigree: W002667, EXP: 6/5/2014', 'Marketed Without An Approved NDA/ANDA: The product contains undeclared sibutramine and phenolphthalein. Sibutramine and phenolphthalein are not currently marketed in the United States, making this product an unapproved new drug.', ' 15 month stability', ' some cartons labeled as Clobetasol Propionate Cream USP contain tubes labeled as Clobetasol Propionate Gel USP. The actual product in the tube is Clobetasol Propionate Cream USP', 'Microbial Contamination of Non-Sterile Products: A lot of raw material used in the manufacture of Ranitidine was positive for Pseudomonas sp. ', ' MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 37205018581, Pedigree: W002513, EXP: 6/3/2014. ', 'Lack of Assurance of Sterility: Park Compounding is recalling Methylcobalamin 5 mg/mL, Multitrace-5 Concentrate, and Testosterone Cypionate (sesame oil) for injection due to lack of sterility assurance.', ' METOPROLOL SUCCINATE ER, Tablet, 200 mg may be potentially mislabeled as Pedigree: AD73652_13, EXP: 5/30/2014. ', ' IRBESARTAN, Tablet, 150 mg may be potentially mislabeled as ATROPINE SULFATE/DIPHENOXYLATE HCL, Tablet, 0.025 mg/2.5 mg, NDC 00378041501, Pedigree: W003597, EXP: 6/24/2014', 'cGMP deviations', ' out of specification for the known impurity 4-chlorobenzophenone. ', 'Labeling: Label Mixup: FENOFIBRATE, Tablet, 54 mg may have potentially been mislabeled as one of the following drugs: LUBIPROSTONE, Capsule, 24 MCG, NDC 64764024060, Pedigree: AD21790_46, EXP: 5/1/2014', ' VENLAFAXINE HCL, Tablet, 75 mg, NDC 00093738201, Pedigree: W002533, EXP: 2/28/2014', ' ERYTHROMYCIN DR EC Tablet, 250 mg may be potentially mislabeled as methylPREDNISolone, Tablet, 4 mg, NDC 00781502201, Pedigree: AD46426_10, EXP: 5/15/2014.', 'Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared phenolphthalein, making BtRiM Max an unapproved drug.', 'Labeling: Incorrect or Missing Lot AND/OR Exp Date. ', 'Failed Dissolution Specifications: Product found to be out of specification (OOS) during stability testing.', ' HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 76439030910, Pedigree: AD54501_1, EXP: 5/21/2014', ' CETIRIZINE HCL, Tablet, 5 mg, NDC 00378363501, Pedigree: AD32757_13, EXP: 5/13/2014', 'Failed Dissolution Specifications: Out of specification for dissolution of sulfamethoxazole.', 'Discoloration: Reconstituted solution may appear pink instead of colorless to pale yellow when stored per the labeled conditions.', ' LURASIDONE HCl Tablet, 120 mg may be potentially mislabeled as DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree: W003486, EXP: 6/20/2014.', 'Penicillin Cross Contamination.', 'Failed PH specification: The lots of Carboplatin Injection were manufactured from Carboplatin API lots which trended out of specification low pH.', ' CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: AD76686_7, EXP: 5/31/2014. ', 'Subpotent Drug: Phenylephrine component is subpotent.', 'Failed Tablet/Capsule Specifications: A product complaint was received from a pharmacist who discovered that 3 tablets in a 1000-count bottle were oversized.', ' OLANZAPINE, Tablet 7.5 mg may be potentially mislabeled as NORTRIPTYLINE HCL, Capsule, 75 mg, NDC 00093081301, Pedigree: AD21790_73, EXP: 5/1/2014.', 'Labeling: Not elsewhere classified - count on the label was incorrect.', 'Presence of particulate matter: characterized as thin colorless flakes that are visually and chemically consistent with glass delamination.', 'Superpotent Drug: Qualitest Pharmaceuticals is initiating a recall of three flavors of Acetaminophen Oral Suspension Liquid 160mg/5mL for failure of the product assay at the 12 month timepoint. ', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 88 mcg may have potentially been mislabeled as one of the following drugs: clomiPRAMINE HCl, Capsule, 50 mg, NDC 51672401205, Pedigree: AD46265_1, EXP: 5/15/2014', 'Presence of Foreign Substance: foreign material found in the bulk inventory.', ' SEVELAMER HCl Tablet, 800 mg may be potentially mislabeled as RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: W002857, EXP: 6/7/2014.', 'Labeling: Label Mixup: HYDROCORTISONE, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: carBAMazepine ER, Tablet, 200 mg, NDC 51672412401, Pedigree: AD60272_7, EXP: 5/22/2014', 'Superpotent Drug: Out Of Specification (OOS) result for Assay. ', 'Labeling: Not Elsewhere Classified: This unit dose product is being recalled because the product\\'s name includes the word \"Children\\'s\" which is misleading since the 650 mg dose of acetaminophen contained within it, is an adult dose.', 'Failed Impurities/Degradation Specifications: Out of specification results for unknown impurity.', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 112 mcg may have potentially been mislabeled as one of the following drugs: ZINC SULFATE, Capsule, 220 mg (50 mg Elem Zn), NDC 00904533260, Pedigree: AD57624_1, EXP: 5/9/2014', 'Lack of Assurance of Sterility: Failed preservative effectiveness testing', 'Labeling: Missing label', ' MULTIVITAMIN/M', 'Presence of Particulate Matter: A confirmed customer complaint reported the presence of a brown, rust-colored particle embedded at the bottom of the glass vial. ', 'Failed Impurities/Degradation Specifications: Pfizer is recalling certain lots due to out of specification results for azithromycin N-oxide degradant.', 'Microbial contamination of Non Sterile Product', 'Cross Contamination w/Other Products: During stability testing chromatographic review revealed extraneous peaks identified as acetaminophen and codeine. ', 'Lack of Sterility Assurance: All lots of sterile products compounded by the pharmacy that are not expired due to concerns associated with quality control procedures that present a potential risk to sterility assurance that were observed during a recent FDA inspection.', ' LANTHANUM CARBONATE Chew Tablet, 500 mg may be potentially mislabeled as ISONIAZID, Tablet, 300 mg, NDC 00555007102, Pedigree: AD32757_31, EXP: 5/13/2014', 'Failed Tablet/Capsule Specifications: Presence of split or broken tablets.', 'Superpotent (Single Ingredient Drug): salicylic acid ', 'Product Lacks Stability: These lots are being recalled due to the failure to meet the particle size distribution specification.', 'Labeling: Label Mixup: EFAVIRENZ, Tablet, 600 mg may have potentially been mislabeled as the following drug: NIACIN ER, Tablet, 500 mg, NDC 00074307490, Pedigree: AD73637_1, EXP: 5/30/2014. ', 'Failed Impurities/Degradation Specifications: The API for these products had an out of specification result for an organic impurity.', ' LORATADINE, Tablet, 10 mg, NDC 45802065078, Pedigree: AD22865_7, EXP: 5/2/2014', 'Labeling: Label Error on Declared Strength- Bottles containing 500 mg acetaminophen tablets mislabeled to contain 325 mg tablets.', 'Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with undeclared sibutramine, an appetite suppressant that was withdrawn from the US market for safety reasons, and phenolphthalein, an ingredient found in over-the-counter laxative products that was withdrawn from the US market due to concerns of carcinogenicity, making it an unapproved drug.', ' oxidized steel, organic material and shredded polypropylene', 'Failed Impurities/Degradation Specifications: The recall is being initiated due to an out-of-specification result in the degradation product testing detected during stability monitoring. ', 'Correct Labeled Product Mispacked', 'Marketed without an Approved NDA/ANDA: FDA has determined that the products are unapproved new drugs and misbranded. ', ' PIMOZIDE Tablet, 1 mg (1/2 of 2 mg) may be potentially mislabeled as METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 63304057901, Pedigree: AD73525_52, EXP: 5/30/2014.', ' SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: W002623, EXP: 6/4/2014. ', 'Labeling: Label Mixup: NIACIN TR, Capsule, 250 mg may have potentially been mislabeled as the following drug: METHYLERGONOVINE MALEATE, Tablet, 0.2 mg, NDC 43386014028, Pedigree: W003477, EXP: 6/20/2014. ', 'Defective Delivery System: United Therapeutics is voluntarily recalling a small number of Tyvaso Inhalation Systems with Optineb ON-100/7 and TD-100/A medical devices. These devices may have been programmed with a different software version than intended for the device. If the device has the incorrect software, it may not operate as indicated in the Instructions for Use.', 'Labeling: Incorrect or Missing Lot and/or Exp Date: incorrect expiration date of 02/0218 is printed on the container label instead of the correct expiration date of 02/2018.', ' product debossed with an incorrect punch. Bottles could contain tablets debossed with V259 (debossing for PreTab) instead of the correct punch, V264 (debossing for Virt-Nate). ', 'Defective Container: Vials may be missing stoppers.', 'Miscalibrated/Defective Delivery System', 'Labeling: Incorrect Or Missing Lot and/or Exp Date: Some expiries and lot numbers are missing.', ' METHOCARBAMOL, Tablet, 500 mg, NDC 00143129001, Pedigree: AD46312_28, EXP: 5/16/2014', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Bottles were incorrectly labeled with an expiry date of 11/17', 'CGMP deviations: Products were manufactured with active pharmaceutical ingredients that were not manufactured with good manufacturing practices.', 'Paddock Laboratories, LLC are recalling one lot (2012028142) of Moexipril HCl Tablets 7.5mg (expiration 1/2014) because of a non-conformity dissolution failure result found during routine stability testing at the 6 month test interval.', 'Failed Tablet/Capsule Specification: some capsules over time do not meet or are suspected to not meet the specification for acid resistance. ', 'Presence of Foreign Substance: The products are being recalled because they may contain foreign substances.', ' 12 month stability testing (Expansion of RES #70548).', ' NICOTINE POLACRILEX Lozenge, 2 mg may be potentially mislabeled as ASPIRIN DR EC, Tablet, 81 mg, NDC 00182106105, Pedigree: AD52433_1, EXP: 5/17/2014', ' MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: W003022, EXP: 6/12/2014', 'Labeling: Incorrect or Missing Package Insert: Package insert is missing warning regarding anaphylaxis. ', 'Incorrect Product Formulation: An incorrect gas was used to remove the oxygen from the vial.', 'Labeling: Label Mixup: BUMETANIDE, Tablet, 1 mg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: W003218, EXP: 6/17/2014.', 'Lack of Assurance of Sterility: Concerns with product sterility by the manufacturer of the eye wash irrigating solution.', 'Defective Delivery System: Some units have actuation counters set to a number other than 60.', 'Subpotent Drug: Low out of specification results for both pH and assay obtained during routine stability testing after 36 months.', 'Labeling: Label Mixup: ASPIRIN, Tablet, 325 mg may have potentially been mislabeled as one of the following drugs: PANCRELIPASE DR, Capsule, 0 mg, NDC 42865010302, Pedigree: W003354, EXP: 6/19/2014', 'cGMP Deviations: GYMA laboratories Inc. has recalled multiple Active Pharmaceutical Ingredients manufactured in Italy upon receipt of a Rapid Alert Notification issued by The Italian Medicines Agency due to lack of good manufacturing practices. ', 'Failed Tablet/Capsule Specifications: Potential tablet defect of broken tablets and/or equatorial splitting of the bilayer tablets into the two drug components. ', 'Failed Dissolution Specifications: The firm was notified that there was a dissolution out of specification result on the 6 month stability samples.', 'Lack of Assurance of Sterility: An FDA inspection at the facility raised concerns that product sterility was potentially impacted.', ' PERPHENAZINE, Tablet, 16 mg, NDC 00781104901, Pedigree: W003682, EXP: 6/25/2014. ', 'Failed Impurities/Degradation Specifications: Out of specification (OOS) results for related compound G were obtained at 12-month (at expiry) stability time-point for room temperature sample(s). ', 'Failed impurities/Degradation specifications: out of specification results for individual unknown and total impurity at the 12th month room temperature stability test station', 'Failed dissolution specifications - low dissolution results at S3 stage.', ' ATORVASTATIN CALCIUM, Tablet, 20 mg, NDC 60505257909, Pedigree: W003846, EXP: 6/27/2014', 'Presence of Particulate Matter: During a review of retain samples, the firm found a glass particulate in one lot of Acetylcysteine Solution ', 'Incorrect/Undeclared Excipients: ZEE Medical is recalling ZEE Aspirin due to the incorrect listing of inactive ingredients on the product label.', 'Marketed Without An Approved NDA/ANDA: The product contains undeclared sibutramine and phenolphthalein. Marketed Without An Approved NDA/ANDA: The product contains undeclared sibutramine and phenolphthalein. Sibutramine and phenolphthalein are not currently marketed in the United States, making this product an unapproved new drug.', 'Labeling: Missing Label', 'Crystallization: Product is being recalled due to visible particulates identified during a retain sample inspection. Findings have identified the particles as Carboplatin crystals.', ' CALCIUM CARBONATE/CHOLECALCIFEROL, Tablet, 600 mg/800 units, NDC 00005550924, Pedigree: AD52993_1, EXP: 5/17/2014', ' \"Related Compound C\" ', 'Chemical Contamination: The IV solutions were packaged in AVIVA containers which may contain trace levels of cumene hydroperoxide (CHP).', 'Failed Impurities/Degradation Specifications: High out of specification results for the known impurity p-Aminophenol.', 'Failed impurities/degradation: out of specification result for impurity secorapamycin.', 'Lack of Assurance of Sterility: A recent FDA inspection found that this product was not being compounded in an area appropriate for lyophilization which may lead to a lack of sterility assurance. ', ' damage to the internal portion of the dropper tip portion of the container', 'Lack of Assurance of Sterility: University Compounding Pharmacy is voluntarily recalling certain pharmacy products due to lack of assurance of sterility concerns.', 'Failed Dissolution Specification', 'Labeling: Incorrect or Missing Lot and/or Exp. Date - Firm received a customer complaint that the expiration date printed on the unit carton (5/18) does not match the expiration date on the bottle label (5/17).', 'Microbial Contamination of Non Sterile Products', 'Lack of Assurance of Sterility: Aluminum crimps do not fully seal the rubber stopper to the vials.', 'Failed Impurities/Degradation Specifications: out of specification for unknown impurity', ' amLOD', 'Failed Content Uniformity Specifications: The product may not meet the limit for blend uniformity specification.', 'Failed pH Specifications: product was too acidic.', 'Labeling: Label Mixup: SACCHAROMYCES BOULARDII LYO, Capsule, 250 mg may have potentially been mislabeled as one of the following drugs: PREGABALIN, Capsule, 200 mg, NDC 00071101768, Pedigree: AD21787_1, EXP: 5/1/2014', 'Failed Tablet/Capsule Specifications: There is a potential for broken tablets.', 'Lack of Assurance of Sterility: Failed preservative effectiveness testing.', 'Labeling: Label Mixup: ISONIAZID, Tablet, 300 mg may have potentially been mislabeled as one of the following drugs: hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W003690, EXP: 6/26/2014', ' MELATONIN, Tablet, 1 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: W003711, EXP: 6/26/2014.', 'Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared phenolphthalein and fluoxetine, making EDGE an unapproved drug.', ' sulfaSALAzine Tablet, 500 mg may be potentially mislabeled as HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD46265_7, EXP: 5/15/2014.', 'Superpotent Drug: Product may not be uniformly blended resulting in non-uniform distribution of the active ingredient menthol.', 'Failed Impurities/ Degradation Specifications: OOS for related compound (levofloxacin n-oxide) at the 18 month stability time point.', ' FEXOFENADINE HCL, Tablet, 60 mg, NDC 45802042578, Pedigree: AD46257_50, EXP: 5/15/2014. ', 'Defective Container: An unacceptable level of blister defects have been identified in Loratadine and Pseudoephedrine Sulfate Extended Release Tablets, 10 mg/240 mg.', ' acetaZOLAMIDE', ' METAXALONE, Tablet, 800 mg, NDC 64720032110, Pedigree: W003738, EXP: 6/26/2014', 'Failed pH specification: Product pH test value of 5.72 failed to meet its product specification of 6.0 to 7.5.', ' TACROLIMUS, Capsule, 0.5 mg, NDC 00781210201, Pedigree: W003169, EXP: 6/13/2014', ' ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: W003526, EXP: 6/21/2014', 'Subpotent (Single Ingredient Drug): out-of-specification result for coal tar content assay.', ' guaiFENesin ER Tablet, 600 mg may be potentially mislabeled as OMEGA-3-ACID ETHYL ESTERS, Capsule, 1000 mg, NDC 00173078302, Pedigree: W003243, EXP: 6/17/2014.', ' PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units, NDC 00032121207, Pedigree: AD70639_7, EXP: 5/29/2014', ' NIACIN TR, Capsule, 250 mg, NDC 00904062960, Pedigree: W003478, EXP: 6/20/2014', ' at the 12 month time interval.', ' VITAMIN B COMPLEX WITH C/FOLIC ACID, Tablet, NDC 60258016001, Pedigree: AD70655_17, EXP: 5/28/2014', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD30028_1, EXP: 5/8/2014', ' ISOSORBIDE MONONITRATE ER, Tablet, 30 mg, NDC 62175012837, Pedigree: W003350, EXP: 6/18/2014. ', ' ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: AD39588_1, EXP: 5/13/2014. ', 'Lack of Assurance of Sterility: A small cut in the solution bag may have been introduced during the manufacturing process, resulting in a leak of the bag into the overpouch.', 'Microbial Contamination of Non-Sterile Products: Laboratory findings of high total plate count above specification.', 'Labeling: Label Mixup: DIGOXIN, Tablet, 0.125 mg may have potentially been mislabeled as one of the following drugs: MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD21846_34, EXP: 5/1/2014', ' CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: W003024, EXP: 6/12/2014', ' QUETIAPINE FUMARATE Tablet, 12.5 mg (1/2 of 25 mg) may be potentially mislabeled as SIMVASTATIN, Tablet, 40 mg, NDC 00093715598, Pedigree: AD22845_4, EXP: 5/2/2014.', ' CILOSTAZOL Tablet, 100 mg may be potentially mislabeled as DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071204, Pedigree: AD65475_1, EXP: 5/28/2014.', 'Labeling: Label Mixup:TRIHEXYPHENIDYL HCL, Tablet, 1 mg (1/2 of 2 mg) may have potentially been mislabeled as the following drug: PERPHENAZINE, Tablet, 16 mg, NDC 00781104901, Pedigree: AD73525_22, EXP: 5/30/2014. ', 'Labeling: Label Error on Declared Strength: Labeled 3.1% Amino Acids but contains 3.3% Amino Acids', 'Labeling: Not elsewhere classified - Product label incorrectly lists Scopolamine Hydrocodone as an active ingredient on the side panel instead of Scopolamine Hydrobromide.', 'Labeling: Label Mixup: THYROID, Tablet, 60 mg may have potentially been mislabeled as the following drug: THYROID, Tablet, 30 mg, NDC 00456045801, Pedigree: W002847, EXP: 6/7/2014.', ' ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/250 mg/65 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Chew Tablet, NDC 00536344308, Pedigree: W003714, EXP: 6/26/2014.', 'Subpotent Drug and Failed Impurities/Degradation Specifications', 'Labeling', 'Active Ingredients per dose&quot', 'Presence of particulate matter: Confirmed customer report for the presence of particulate matter within a single vial.', ' FAMOTIDINE, Tablet, 20 mg, NDC 16714036104, Pedigree: W003764, EXP: 6/26/2014. ', ' TORSEMIDE, Tablet, 10 mg may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 00536440801, Pedigree: AD30197_22, EXP: 5/9/2014.', ' rifAXIMin Tablet, 200 mg may be potentially mislabeled as CapsuleTOPRIL, Tablet, 25 mg, NDC 00143117201, Pedigree: AD52778_19, EXP: 5/20/2014.', ' traZODone HCl, Tablet, 50 mg, NDC 50111043303, P', 'Defective Delivery System: Potential for dose delivery out of specification due to interation of the drug product powder with the lubricant on the interior of the capsule shell. ', ' and may have potentially been mislabeled as one of the following drugs: methylPREDNISolone, Tablet, 4 mg, NDC 00603459321, Pedigree: AD32764_11, EXP: 3/31/2014', 'Marketed Without an Approved NDA/ANDA', 'Subpotent Drug', 'Labeling: Incorrect or Missing Lot and/or Exp Date: Greenstone LLC is recalling Nifedipine Extended Release tablets (90mg). The expiration date on the package is 48 months instead of 36 months. ', 'Labeling: Label Mixup: PROPRANOLOL HCL ER, Capsule, 60 mg may have potentially been mislabeled as the following drug: CINACALCET HCL, Tablet, 30 mg, NDC 55513007330, Pedigree: AD52778_82, EXP: 5/21/2014.', 'Lack of Assurance of Sterility: Potential of punctures through the overwrap and primary container which may result in IV bag leaks.', ' exceeded the specification for both mechanical peel force (MPF) and/or the z-statistic value', 'Failed Content Uniformity Specifications: The product may not meet finished product release specifications, including the uniformity of dosage due to a packaging degradation related to the adhesive component of the paper pouch that can impact the level of rose bengal present in the strips.', 'Marketed without an approved NDA/ANDA - New Life Nutritional Center is recalling SUPER FAT BURNER, MAXI GOLD WEIGHT LOSS PILL and Esmeralda products marketed as Dietary Supplements due to the presence of undeclared and unapproved drugs.', ' GLUCOSAMINE/CHONDROITIN Capsule, 500 mg/400 mg may be potentially mislabeled as FEXOFENADINE HCL, Tablet, 60 mg, NDC 45802042578, Pedigree: AD60240_30, EXP: 5/22/2014.', 'Failed stability specifications:This recall has been initiated due to out of specification results for viscosity.', ' MAGNESIUM CHLORIDE, Tablet, 64 mg may be potentially mislabeled as VITAMIN B COMPLEX W/C, Tablet, NDC 00904026013, Pedigree: AD52993_31, EXP: 5/17/2014', 'Lack of Assurance of Sterility: incomplete or missing data regarding production.', ' MELATONIN Tablet, 1 mg may be potentially mislabeled as CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: W002692, EXP: 6/5/2014', ' HYDROCHLOROTHIAZIDE, Tablet, 12.5 mg, NDC 00228282011, Pedigree: AD67989_13, EXP: 5/28/2014. ', ' PREGABALIN, Capsule, 25 mg, NDC 00071101268, Pedigree: W003121, EXP: 6/13/2014', 'Labeling: Label Mixup: ROSUVASTATIN CALCIUM, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: IBUPROFEN, Tablet, 400 mg, NDC 67877029401, Pedigree: W002577, EXP: 6/3/2014', ' NICOTINE POLACRILEX Gum, 2 mg may be potentially mislabeled as SACCHAROMYCES BOULARDII LYO, Capsule, 250 mg, NDC 00414200007, Pedigree: AD54586_4, EXP: 5/21/2014.', 'Marketed Without An Approved NDA/ANDA: FDA analysis found MaXtremeZEN which is marketed as a dietary supplement to contain undeclared desmethyl carbondenafil and dapoxetine. Desmethyl carbondenafil is a phosphodiesterase (PDE)-5 inhibitors which is a class of drugs used to treat male erectile dysfunction, making this product an unapproved new drug. Dapoxetine is an active ingredient not approved', 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling Black Ant because FDA laboratory analysis determined they contain undeclared amounts of sildenafil an active ingredient of FDA-approved drugs used to treat erectile dysfunction. ', ' CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: AD73521_7, EXP: 5/30/2014. ', 'Marketed Without An Approved NDA/ANDA: FDA analysis found eXtenZone which is marketed as a dietary supplement to contain undeclared desmethyl carbondenafil and dapoxetine. Desmethyl carbondenafil is a phosphodiesterase (PDE)-5 inhibitors which is a class of drugs used to treat male erectile dysfunction, making this product an unapproved new drug. Dapoxetine is an active ingredient not approved b', 'Failed Dissolution Specifications: Stability lots cannot support dissolution past the 36 month time point.', 'Labeling: Label Mixup: VENLAFAXINE HCL, Tablet, 75 mg may have potentially been mislabeled as the following drug: TACROLIMUS, Capsule, 1 mg, NDC 00781210301, Pedigree: W002508, EXP: 6/3/2014. ', 'Superpotent', 'CGMP Deviations: Eloxatin was manufactured by Ben Venue Laboratories, a contract manufacturer, which was recently inspected by the agency and revealed significant issues in Good Manufacturing Practices.', ' TACROLIMUS, Capsule, 1 mg, NDC 00781210', ' METOPROLOL TARTRATE Tablet, 12.5 mg (1/2 of 25 mg) may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: AD68022_1, EXP: 5/28/2014', 'Presence of Particulate Matter: Customer complaint stating that one vial contained a glass shard.', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredients: N-desmethylsibutramine, benzylsibutramine, and sibutramine', ' LACTOBACILLUS ACIDOPHILUS, Capsule, 500 Million CFU, NDC 43292050022, Pedigree: AD30028_10, EXP: 5/7/2014. ', 'Labeling: Label Mixup: MULTIVITAMIN/MULTIMINERAL, Tablet, 0 mg may have potentially been mislabeled as one of the following drugs: sitaGLIPtin PHOSPHATE, Tablet, 50 mg, NDC 00006011231, Pedigree: AD62829_11, EXP: 5/23/2014', 'Marketed Without An Approved NDA/ANDA: Lightning Rod capsules are being recalled because FDA analysis found it to contain an undeclared analogue of sildenafil. Sildenafil is the active ingredient in an FDA-approved product indicated for the treatment of male erectile dysfunction (ED), making this product an unapproved new drug.', ' DESIPRAMINE HCL Tablet, 50 mg may be potentially mislabeled as clomiPRAMINE HCl, Capsule, 50 mg, NDC 51672401205, Pedigree: AD30140_4, EXP: 5/7/2014.', 'Failed Dissolution Specifications: Low out of specification dissolution results.', ' METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 57664050652, Pedigree: AD68010_14, EXP: 5/28/2014. ', 'Superpotent (Multiple Ingredient) Drug: Confirmed customer complaints of oversized tablets resulting in superpotent assays of both the hydrocodone and acetaminophen components. ', ' SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD73627_11, EXP: 5/30/2014', 'Labeling: Label Mix-Up: A typographical error in the product form on the carton label incorrectly lists the configuration as 30 \"Capsules\" (3 x 10) rather than \"Tablets\". ', 'Subpotent Drug: During review of retain samples, the manufacturer observed low fill in some capsules, which was related to an issue detected with the encapsulating equipment.', ' ASPIRIN DR EC, Tablet, 81 mg, NDC 00182106105, Pedigree: W003094, EXP: 6/13/2014. ', ' NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 37205098769, Pedigree: W003823, EXP: 6/27/2014', ' analytical results found product to contain Sphingomonas paucimobilis', 'Labeling: Label Mixup: SOTALOL HCL, Tablet, 120 mg may have potentially been mislabeled as the following drug: NEOMYCIN SULFATE, Tablet, 500 mg, NDC 51991073801, Pedigree: AD49448_17, EXP: 5/17/2014.', 'Marketed Without an Approved NDA/ANDA: FDA lab results found undeclared API Fluoxetine in this dietary supplement.', 'cGMP deviation', ' PSEUDOEPHEDRINE HCL, Tablet, 60 mg may be potentially mislabeled as REPAGLINIDE, Tablet, 1 mg, NDC 00169008281, Pedigree: W002855, EXP: 6/7/2014.', ' rear panel is incorrectly labeled with the PreviDent 5000 Enamel Protect rear panel. ', 'Failed Impurities/Degradation Specifications: out of specification impurity test results. ', 'Marketed Without an Approved NDA/ANDA: Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling Xzen 1200 because FDA laboratory analysis determined they contain undeclared amounts of sildenafil and tadalafil, active ingredients of FDA-approved drugs used to treat erectile dysfunction. ', \" the firm's medical trays contain Hospira's 0.9% Sodium Chloride bags which were subject to recall due to leaking bags.\", ' MULTIVITAMIN/MULTIMINERAL, Tablet may be potentially mislabeled as QUEtiapine FUMARATE, Tablet, 25 mg, NDC 60505313001, Pedigree: AD33897_25, EXP: 5/9/2014', 'Lack of Assurance of Sterility: The pharmacy is recalling one lot of Hydroxocobalamin MDV 5mg/mL due to failed sterility results by a third party contract testing lab. Hence the sterility of the product cannot be assured. ', ' LOSARTAN POTASSIUM, Tablet, 50 mg, NDC 00093736598, Pedigree: W003268, EXP: 6/17/2014. ', 'Presence of Particulate Matter: Discolored solution due to a chip in the glass at the neck of the vial, also glass particulate was found within the solution. ', 'Impurities/Degradation: This recall is being carried out due to the potential for some lots not meeting impurity specifications.', ' Some bottles of Tizanidine 4mg Tablets, had the incorrect manufacturer (Actavis) printed on the label.', ' potential to have inaccurate dosage delivery', 'Failed Dissolution Specifications: 6 month time point.', ' ISONIAZID, Tablet, 300 mg, NDC 00555007102, Pedigree: AD32757_28, EXP: 5/13/2014. ', ' RANOLAZINE ER Tablet, 500 mg may be potentially mislabeled as MELATONIN, Tablet, 3 mg, NDC 51991001406, Pedigree: AD25452_16, EXP: 5/3/2014', 'Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredients: Phenolphthalein and N-desmethylsibutramine', 'Labeling: Label Mixup: MONTELUKAST SODIUM, CHEW Tablet, 4 mg may be potentially mislabeled as the following drug: DICYCLOMINE HCL, Tablet, 20 mg, NDC 00591079501, Pedigree: AD76639_4, EXP: 5/31/2014. ', 'Failed tablet specifications: One lot was found to contain oversized tablets.', ' BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg, NDC 00781532531, Pedigree: AD32579_7, EXP: 5/9/2014', ' MONTELUKAST SODIUM, CHEW Tablet, 4 mg, NDC 00006071131, Pedigree: AD76639_11, EXP: 5/31/2014. ', ' MIRTAZAPINE, Tablet, 7.5 mg, NDC 59762141503, Pedigree: AD73525_55, EXP: 5/30/2014. ', 'Discoloration: Brown spots were noted embedded in Amlodipine Besylate Tablets, 10 mg, Lot # MP4344.', 'Cross Contamination w/Other Products: This active pharmaceutical ingredient is being recalled due to cross contamination with another product.', ' IM and SQ injectable products are being recalled because the manufacturing firm is not registered with the FDA as a drug manufacturer', 'Failed Impurities/Degradation Specifications: out of specification result for Clonazepam Related Compound (RC) A (a known impurity) at 16 month timepoint.', ' AMANTADINE HCL, Capsule, 100 mg, NDC 00781204801, Pedigree: W003323, EXP: 6/18/2014. ', 'CGMP Deviations: active pharmaceutical ingredient intermediates failed specifications.', 'Adulterated Presence of Foreign Tablets: This product is being recalled becaiuse 30 valacyclovir hydrochloride tablets USP 500 mg were discovered in a bottle labeled Zolpidem Tartrate tables USP 10 mg ', 'Labeling: Label Mixup:NICOTINE POLACRILEX, GUM, 2 mg may have potentially been mislabeled as one of the following drugs: FOLIC ACID, Tablet, 1 mg, NDC 65162036110, Pedigree: AD33897_22, EXP: 5/9/2014', 'Labeling: Label Mixup: MYCOPHENOLATE MOFETIL, Capsule, 250 mg may be potentially mis-labeled as the following drug: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD52412_11, EXP: 5/17/2014. ', 'Lack of Assurance of Sterility: The firm expanded the recall to other injectable products due to lack of assurance of sterility from poor aseptic practices observed at the firm.', 'Failed Dissolution Test Requirements: During analysis of long term stability studies at 3 months time point, an OOS was reported for Quetiapine Fumarate Tablets, 25 mg.', 'Labeling: Label Mixup: NICOTINE POLACRILEX, LOZENGE, 2 mg may have potentially been mislabeled as one of the following drugs: ESTRADIOL, Tablet, 0.5 mg, NDC 00555089902, Pedigree: AD30993_11, EXP: 5/9/2014', ' VITAMIN B COMPLEX Tablet may be potentially mislabeled as OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,100 mg, NDC 11523726503, Pedigree: W003789, EXP: 6/27/2014', 'Failed Stability Testing: This product is below specification for preservative content.', ' Labeling: Label Mix-up: Pitocin storage conditions should be labeled, \"Store between 20¿ to 25¿C (68¿ to 77¿F)\". Pitocin lot 225867 and part of Pitocin lot 231423 were labeled, \"Store between 20¿ to 25¿C (28¿ to 77¿F)\". ', 'The affected lots of Carboplatin Injection, Cytarabine Injection, Methotrexate Injection, USP, and Paclitaxel Injection are beig recalled due to visible particles embedded in the glass located at the neck of the vial. There may be the potential for product to come into contact with the embedded particles and the particles may become dislodged into the solution.', 'Marketed Without an Approved NDA/ANDA: FDA sampling confirmed the presence of Salicylic acid in dietary supplements.', 'Labeling: Wrong Bar Code: There is a potential for some units to be mislabeled with an incorrect barcode on the immediate container that scans as heparin sodium 2000 USP units/1000 mL in 0.9% in sodium chloride injection.', 'Presence of Foreign Tablets/Capsules: Firm received a market complaint stating the presence of one foreign tablet (Montelukast Sodium Chewable Tab 4mg) in the product bottle of Pantoprazole. ', 'Subpotent (Single Ingredient) Drug: This product was found to be subpotent for the benzoyl peroxide active ingredient. Additionally, this product is mislabeled because the label either omits or erroneously added inactive ingredients to the label. ', ' OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W002509, EXP: 6/3/2014', 'Microbial Contamination of Non-Sterile Products', ' LACTASE ENZYME, Tab', 'Marketed without an Approved NDA/ANDA: Dietary supplement may contain amounts of active ingredients found in some FDA-approved drugs for erectile dysfunction (ED) making the dietary supplement an unapproved drug. ', 'Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared phenolphthalein and fluoxetine, making iNSANE an unapproved drug.', ' COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree', 'Labeling: Label Mixup: ATOMOXETINE HCL, Capsule, 80 mg may be potentially mis-labeled as one of the following drugs: ATOMOXETINE HCL, Capsule, 18 mg, NDC 00002323830, Pedigree: AD30140_16, EXP: 5/7/2014', 'Presence of Foreign Tablets/Capsules: Presence of a comingled Carbimazole 5 mg tablet.', ' LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00378180701, Pedigree: AD42584_1, EXP: 5/14/2014. ', 'Marketed Without an Approved NDA/ANDA: Bacai, Inc. DBA Ky Duyen House is voluntarily recalling Lite Fit USA, lot 13165, due to undeclared sibutramine, making it an unapproved new drug.', 'Microbial Contamination of a Non-Sterile Products: 12-Hour Sinus Nasal Spray under various labeling are being recalled due to microbial contamination identified during testing.', ' some bottles may contain debris that was swept up during cleaning', 'Lack of Assurance of Sterility: Nephron Pharmaceuticals Corporation conducted a routine periodic aseptic process simulation and discovered bacterial growth in a number of media fill vials, exceeding the allowable limit.', 'Failed Tablet/Capsule Specifications: customer complaints of broken or crushed capsules, resulting in loose powder in the bottle.', ' CHLORTHALIDONE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 00378022201, Pedigree:', 'Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg) may have potentially been mislabeled as one of the following drugs: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD30180_1, EXP: 5/8/2014', 'Failed Impurity/Degradation Specification', ' COLESTIPOL HCL MICRONIZED Tablet, 1 g may be potentially mislabeled as rifAXIMin, Tablet, 200 mg, NDC 65649030103, Pedigree: AD54587_10, EXP: 4/30/2014.', 'Presence of Foreign Substance: consumer complaint for foreign matter embedded in the tablet identified as a broken piece of wire rope from the manufacturing equipment.', 'Marketed Without an Approved NDA/ANDA: The product is an unapproved new drug.', 'Labeling: Label Mixup: VALSARTAN, Tablet, 40 mg may have potentially been mislabeled as one of the following drugs: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD52372_4, EXP: 5/17/2014', ' VALSARTAN, Tablet, 40 mg, NDC 00078042315, Pedigree: AD32579_1, EXP: 5/9/2014. ', 'Labeling: Label Mixup: PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units may be potentially mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: W003726, EXP: 6/26/2014', 'Labeling: Error on Declared Strength. Product labeled to contain 150 mcg tablets actually contained 75 mcg tablets.', 'CGMP Deviations: Hydroxyzine Pamoate Capsules, USP, 25 mg were manufactured using an unapproved material: API was incorrectly released for use in manufacturing. ', 'Labeling:Label Mixup', 'Labeling: Label Mixup: DOXYCYCLINE HYCLATE, Capsule, 100 mg may have potentially been mislabeled as the following drug: RALOXIFENE HCL, Tablet, 60 mg, NDC 00002416530, Pedigree: W002644, EXP: 6/5/2014.', 'Failed impurities/degradation specifications: product was out of specification for unknown impurity at the 9 month stability time point', ' FIDAXOMICIN Tablet, 200 mg may be potentially mislabeled as BENAZEPRIL HCL, Tablet, 40 mg, NDC 65162075410, Pedigree: W003918, EXP: 6/28/2014.', ' DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD54498_4, EXP: 5/20/2014', 'Presence of Foreign Tablets/Capsules: Recall is due to a pharmacist complaint of a \"foreign material\", identified as Metoprolol Tartrate Tablet USP 50 mg, found co-mingled in a bottle of Ranitidine Tablets USP 150 mg. ', 'Presence of Foriegn Substance:The manufacturer, West-ward Pharmaceutical, recalled product because of the presence of black spots on tablets. In response, the repackager initiated its own recall.'}\n"
]
}
],
"source": [
"all_uniq_reasons = get_reason_for_recall()\n",
"print('number of unique reasons :', len(all_uniq_reasons))\n",
"print('Reasons :', all_uniq_reasons)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Classes for each drug recalls"
]
},
{
"cell_type": "code",
"execution_count": 6,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"# a dictionary mapping each source id (from the list displayed above) to the corresponding news category\n",
"def mapping():\n",
" d = {}\n",
" response = requests.get('https://newsapi.org/v1/sources?language=en')\n",
" response = response.json()\n",
" for s in response['sources']:\n",
" d[s['id']] = s['category']\n",
" return d"
]
},
{
"cell_type": "code",
"execution_count": 10,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"categories: ['science-and-nature', 'entertainment', 'technology', 'gaming', 'business', 'music', 'sport', 'general']\n"
]
}
],
"source": [
"# let's see what categories we have:\n",
"print('categories:', list(set(m.values())))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Ok, now this script needs to run repetitively to collect the data. "
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Now that the data has been collected, we will start anlayzing it :\n",
"\n",
"- We'll have a look at the dataset and inspect it\n",
"- We'll apply some preoprocessings on the texts: tokenization, tf-idf\n",
"- We'll cluster the articles using two different algorithms (Kmeans and LDA)\n",
"- We'll visualize the clusters using Bokeh and pyldavis"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Step 3: Data analysis"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"[[ go back to the top ]](#Table-of-contents)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Data discovery\n",
"[[ go back to the top ]](#Table-of-contents)"
]
},
{
"cell_type": "code",
"execution_count": 27,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"%matplotlib inline\n",
"# pandas for data manipulation\n",
"import pandas as pd\n",
"pd.options.mode.chained_assignment = None\n",
"# nltk for nlp\n",
"from nltk.tokenize import word_tokenize, sent_tokenize\n",
"from nltk.corpus import stopwords\n",
"# list of stopwords like articles, preposition\n",
"stop = set(stopwords.words('english'))\n",
"from string import punctuation\n",
"from collections import Counter\n",
"import re\n",
"import numpy as np"
]
},
{
"cell_type": "code",
"execution_count": 28,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"with open('drug-enforcement-0001-of-0001.json') as data_file: \n",
" drug_data = json.load(data_file)"
]
},
{
"cell_type": "code",
"execution_count": 29,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"data = pd.DataFrame.from_records(drug_data['results'])"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"The data is now ingested in a Pandas DataFrame.\n",
"\n",
"Let's see how it looks like."
]
},
{
"cell_type": "code",
"execution_count": 30,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/html": [
"<div>\n",
"<table border=\"1\" class=\"dataframe\">\n",
" <thead>\n",
" <tr style=\"text-align: right;\">\n",
" <th></th>\n",
" <th>address_1</th>\n",
" <th>address_2</th>\n",
" <th>center_classification_date</th>\n",
" <th>city</th>\n",
" <th>classification</th>\n",
" <th>code_info</th>\n",
" <th>country</th>\n",
" <th>distribution_pattern</th>\n",
" <th>event_id</th>\n",
" <th>initial_firm_notification</th>\n",
" <th>...</th>\n",
" <th>product_type</th>\n",
" <th>reason_for_recall</th>\n",
" <th>recall_initiation_date</th>\n",
" <th>recall_number</th>\n",
" <th>recalling_firm</th>\n",
" <th>report_date</th>\n",
" <th>state</th>\n",
" <th>status</th>\n",
" <th>termination_date</th>\n",
" <th>voluntary_mandated</th>\n",
" </tr>\n",
" </thead>\n",
" <tbody>\n",
" <tr>\n",
" <th>0</th>\n",
" <td>7050 Camp Hill Rd</td>\n",
" <td></td>\n",
" <td>20120702</td>\n",
" <td>Fort Washington</td>\n",
" <td>Class III</td>\n",
" <td>Lot #CMF023, Expiration 07/13.</td>\n",
" <td>United States</td>\n",
" <td>Nationwide</td>\n",
" <td>61872</td>\n",
" <td>Letter</td>\n",
" <td>...</td>\n",
" <td>Drugs</td>\n",
" <td>Defective Container; damaged blister units</td>\n",
" <td>20120517</td>\n",
" <td>D-1404-2012</td>\n",
" <td>Mcneil Consumer Healthcare, Div Of Mcneil-ppc,...</td>\n",
" <td>20120711</td>\n",
" <td>PA</td>\n",
" <td>Terminated</td>\n",
" <td>20130411</td>\n",
" <td>Voluntary: Firm Initiated</td>\n",
" </tr>\n",
" <tr>\n",
" <th>1</th>\n",
" <td>600 N Field Dr Bldg J45</td>\n",
" <td></td>\n",
" <td>20120620</td>\n",
" <td>Lake Forest</td>\n",
" <td>Class III</td>\n",
" <td>Lot #: 04510KL*, Exp 01OCT2012; *lot number m...</td>\n",
" <td>United States</td>\n",
" <td>Nationwide</td>\n",
" <td>62053</td>\n",
" <td>Letter</td>\n",
" <td>...</td>\n",
" <td>Drugs</td>\n",
" <td>Superpotent (Single Ingredient) Drug: Above sp...</td>\n",
" <td>20120405</td>\n",
" <td>D-1390-2012</td>\n",
" <td>Hospira, Inc.</td>\n",
" <td>20120627</td>\n",
" <td>IL</td>\n",
" <td>Terminated</td>\n",
" <td>20130808</td>\n",
" <td>Voluntary: Firm Initiated</td>\n",
" </tr>\n",
" <tr>\n",
" <th>2</th>\n",
" <td>12515 E 55th St Ste 100</td>\n",
" <td></td>\n",
" <td>20120618</td>\n",
" <td>Tulsa</td>\n",
" <td>Class I</td>\n",
" <td>PTC Drug Number: 4033. PTC Batch Number: 65I...</td>\n",
" <td>United States</td>\n",
" <td>FL</td>\n",
" <td>61233</td>\n",
" <td>FAX</td>\n",
" <td>...</td>\n",
" <td>Drugs</td>\n",
" <td>Labeling: Label mix-up; Bottles labeled to con...</td>\n",
" <td>20101110</td>\n",
" <td>D-1385-2012</td>\n",
" <td>Physicians Total Care, Inc</td>\n",
" <td>20120627</td>\n",
" <td>OK</td>\n",
" <td>Terminated</td>\n",
" <td>20120724</td>\n",
" <td>Voluntary: Firm Initiated</td>\n",
" </tr>\n",
" <tr>\n",
" <th>3</th>\n",
" <td>150 Signet Drive</td>\n",
" <td></td>\n",
" <td>20120802</td>\n",
" <td>Toronto</td>\n",
" <td>Class II</td>\n",
" <td>Lot #s: JN1060, JN1061, JN1062, Exp 06/12</td>\n",
" <td>Canada</td>\n",
" <td>Nationwide and Puerto Rico</td>\n",
" <td>62574</td>\n",
" <td>Letter</td>\n",
" <td>...</td>\n",
" <td>Drugs</td>\n",
" <td>Presence of Particulate Matter: Lots identifi...</td>\n",
" <td>20120430</td>\n",
" <td>D-1439-2012</td>\n",
" <td>Apotex Inc.</td>\n",
" <td>20120808</td>\n",
" <td></td>\n",
" <td>Terminated</td>\n",
" <td>20130919</td>\n",
" <td>Voluntary: Firm Initiated</td>\n",
" </tr>\n",
" <tr>\n",
" <th>4</th>\n",
" <td>200 Somerset Corporate Blvd Fl 7th</td>\n",
" <td></td>\n",
" <td>20120731</td>\n",
" <td>Bridgewater</td>\n",
" <td>Class II</td>\n",
" <td>C201293 Exp Date 08/2013</td>\n",
" <td>United States</td>\n",
" <td>Nationwide and Puerto Rico</td>\n",
" <td>62591</td>\n",
" <td>Letter</td>\n",
" <td>...</td>\n",
" <td>Drugs</td>\n",
" <td>Adulterated Presence of Foreign Tablets: Dr. R...</td>\n",
" <td>20120409</td>\n",
" <td>D-1434-2012</td>\n",
" <td>Dr. Reddy's Laboratories, Inc.</td>\n",
" <td>20120808</td>\n",
" <td>NJ</td>\n",
" <td>Terminated</td>\n",
" <td>20130124</td>\n",
" <td>Voluntary: Firm Initiated</td>\n",
" </tr>\n",
" </tbody>\n",
"</table>\n",
"<p>5 rows × 25 columns</p>\n",
"</div>"
],
"text/plain": [
" address_1 address_2 center_classification_date \\\n",
"0 7050 Camp Hill Rd 20120702 \n",
"1 600 N Field Dr Bldg J45 20120620 \n",
"2 12515 E 55th St Ste 100 20120618 \n",
"3 150 Signet Drive 20120802 \n",
"4 200 Somerset Corporate Blvd Fl 7th 20120731 \n",
"\n",
" city classification \\\n",
"0 Fort Washington Class III \n",
"1 Lake Forest Class III \n",
"2 Tulsa Class I \n",
"3 Toronto Class II \n",
"4 Bridgewater Class II \n",
"\n",
" code_info country \\\n",
"0 Lot #CMF023, Expiration 07/13. United States \n",
"1 Lot #: 04510KL*, Exp 01OCT2012; *lot number m... United States \n",
"2 PTC Drug Number: 4033. PTC Batch Number: 65I... United States \n",
"3 Lot #s: JN1060, JN1061, JN1062, Exp 06/12 Canada \n",
"4 C201293 Exp Date 08/2013 United States \n",
"\n",
" distribution_pattern event_id initial_firm_notification \\\n",
"0 Nationwide 61872 Letter \n",
"1 Nationwide 62053 Letter \n",
"2 FL 61233 FAX \n",
"3 Nationwide and Puerto Rico 62574 Letter \n",
"4 Nationwide and Puerto Rico 62591 Letter \n",
"\n",
" ... product_type \\\n",
"0 ... Drugs \n",
"1 ... Drugs \n",
"2 ... Drugs \n",
"3 ... Drugs \n",
"4 ... Drugs \n",
"\n",
" reason_for_recall recall_initiation_date \\\n",
"0 Defective Container; damaged blister units 20120517 \n",
"1 Superpotent (Single Ingredient) Drug: Above sp... 20120405 \n",
"2 Labeling: Label mix-up; Bottles labeled to con... 20101110 \n",
"3 Presence of Particulate Matter: Lots identifi... 20120430 \n",
"4 Adulterated Presence of Foreign Tablets: Dr. R... 20120409 \n",
"\n",
" recall_number recalling_firm \\\n",
"0 D-1404-2012 Mcneil Consumer Healthcare, Div Of Mcneil-ppc,... \n",
"1 D-1390-2012 Hospira, Inc. \n",
"2 D-1385-2012 Physicians Total Care, Inc \n",
"3 D-1439-2012 Apotex Inc. \n",
"4 D-1434-2012 Dr. Reddy's Laboratories, Inc. \n",
"\n",
" report_date state status termination_date voluntary_mandated \n",
"0 20120711 PA Terminated 20130411 Voluntary: Firm Initiated \n",
"1 20120627 IL Terminated 20130808 Voluntary: Firm Initiated \n",
"2 20120627 OK Terminated 20120724 Voluntary: Firm Initiated \n",
"3 20120808 Terminated 20130919 Voluntary: Firm Initiated \n",
"4 20120808 NJ Terminated 20130124 Voluntary: Firm Initiated \n",
"\n",
"[5 rows x 25 columns]"
]
},
"execution_count": 30,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"data.head()"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"It's cool to have all these features. In this article, we will be mainly focusing on the description column.\n",
"\n",
"Let's look at the data shape."
]
},
{
"cell_type": "code",
"execution_count": 31,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"data shape: (7002, 25)\n"
]
}
],
"source": [
"print('data shape:', data.shape)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's check the distribution of the different categories across the dataset."
]
},
{
"cell_type": "code",
"execution_count": 33,
"metadata": {
"collapsed": false,
"scrolled": false
},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x17b86aac630>"
]
},
"execution_count": 33,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAA64AAAIoCAYAAABpmLYDAAAABHNCSVQICAgIfAhkiAAAAAlwSFlz\nAAALEgAACxIB0t1+/AAAHjFJREFUeJzt3XGMZWd53/HfgxcSixJsAh1ZthUj1UpK6kKsLThJG21A\nMQaamrYJISLBpk72HyeiraV0idpagSCRVoRAmiC5samJ0hCXBmHFKMQyjKo2ghgDsQMEeUts2Vsb\nN7FxWJyAlj79Y8+SkdnxzsJ67rMzn480mnvfe+6d9452zu53z3vOVHcHAAAApnrKqicAAAAAT0S4\nAgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhtz6on8ESe/exn\n9wUXXLDqabCDfOlLX8rTn/70VU8DYFP2U8Bk9lGcanfcccefd/dzTrTd6HC94IIL8rGPfWzV02AH\nWV9fz759+1Y9DYBN2U8Bk9lHcapV1b1b2c5SYQAAAEYTrgAAAIy2pXCtqrOq6r1V9adV9Zmq+t6q\nelZV3VpVdy+fz162rap6R1UdrKo7q+riDa9zxbL93VV1xZP1pgAAANg5tnrE9e1Jfr+7vyvJ85N8\nJsmBJLd194VJblvuJ8nLkly4fOxP8s4kqapnJbk2yYuSvDDJtcdiFwAAADZzwnCtqmcm+YEk1ydJ\nd3+lu7+Q5PIkNy6b3Zjklcvty5O8u4/6SJKzquqcJC9Ncmt3P9zdjyS5Ncllp/TdAAAAsONs5Yjr\nc5P83yTvqqpPVNVvVNXTk6x19wPLNg8mWVtun5vkvg3Pv38Z22wcAAAANrWVX4ezJ8nFSX62uz9a\nVW/P3ywLTpJ0d1dVn4oJVdX+HF1inLW1tayvr5+Kl4UkyeHDh/2ZAkaznwIms49iVbYSrvcnub+7\nP7rcf2+Ohuvnq+qc7n5gWQr80PL4oSTnb3j+ecvYoST7Hje+/vgv1t3XJbkuSfbu3dt+TxSnkt89\nBkxnPwVMZh/FqpxwqXB3P5jkvqr6zmXoJUk+neTmJMeuDHxFkvcvt29O8trl6sKXJHl0WVL8wSSX\nVtXZy0WZLl3GAAAAYFNbOeKaJD+b5Leq6mlJPpfkdTkavTdV1VVJ7k3yqmXbDyR5eZKDSR5btk13\nP1xVb0py+7LdG7v74VPyLgAAANixthSu3f3JJHuP89BLjrNtJ7l6k9e5IckNJzNBAAAAdret/h5X\nAAAAWAnhCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoA\nAMBowhUAAIDR9qx6ApwaFxy4ZdVTOC1cc9GRXOl7tSX3vOUVq54CAAAkccQVAACA4YQrAAAAowlX\nAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAA\nAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAY\nTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpw\nBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoA\nAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA\n0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJ\nVwAAAEbbUrhW1T1VdVdVfbKqPraMPauqbq2qu5fPZy/jVVXvqKqDVXVnVV284XWuWLa/u6queHLe\nEgAAADvJyRxx/cHufkF3713uH0hyW3dfmOS25X6SvCzJhcvH/iTvTI6GbpJrk7woyQuTXHssdgEA\nAGAz38xS4cuT3LjcvjHJKzeMv7uP+kiSs6rqnCQvTXJrdz/c3Y8kuTXJZd/E1wcAAGAX2Gq4dpI/\nqKo7qmr/MrbW3Q8stx9MsrbcPjfJfRuee/8yttk4AAAAbGrPFrf7h919qKr+dpJbq+pPNz7Y3V1V\nfSomtITx/iRZW1vL+vr6qXjZHe+ai46segqnhbUzfa+2ys8erMbhw4f9/AFj2UexKlsK1+4+tHx+\nqKrel6PnqH6+qs7p7geWpcAPLZsfSnL+hqeft4wdSrLvcePrx/la1yW5Lkn27t3b+/bte/wmHMeV\nB25Z9RROC9dcdCRvvWur/1+zu93zmn2rngLsSuvr6/F3HzCVfRSrcsKlwlX19Kp6xrHbSS5N8idJ\nbk5y7MrAVyR5/3L75iSvXa4ufEmSR5clxR9McmlVnb1clOnSZQwAAAA2tZVDT2tJ3ldVx7b/r939\n+1V1e5KbquqqJPcmedWy/QeSvDzJwSSPJXldknT3w1X1piS3L9u9sbsfPmXvBAAAgB3phOHa3Z9L\n8vzjjP9FkpccZ7yTXL3Ja92Q5IaTnyYAAAC71Tfz63AAAADgSSdcAQAAGE24AgAAMJpwBQAAYDTh\nCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUA\nAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAA\nowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYT\nrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwB\nAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAA\nMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA0\n4QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIV\nAACA0YQrAAAAowlXAAAARttyuFbVGVX1iar6veX+c6vqo1V1sKp+p6qetox/y3L/4PL4BRte4w3L\n+Ger6qWn+s0AAACw85zMEdfXJ/nMhvu/lORt3f13kjyS5Kpl/Kokjyzjb1u2S1U9L8mrk3x3ksuS\n/HpVnfHNTR8AAICdbkvhWlXnJXlFkt9Y7leSFyd577LJjUleudy+fLmf5fGXLNtfnuQ93f3l7v6z\nJAeTvPBUvAkAAAB2rj1b3O5Xkvxckmcs9789yRe6+8hy//4k5y63z01yX5J095GqenTZ/twkH9nw\nmhuf8zVVtT/J/iRZW1vL+vr6Vt/LrnbNRUdOvBFZO9P3aqv87MFqHD582M8fMJZ9FKtywnCtqn+c\n5KHuvqOq9j3ZE+ru65JclyR79+7tffue9C+5I1x54JZVT+G0cM1FR/LWu7b6/zW72z2v2bfqKcCu\ntL6+Hn/3AVPZR7EqW/kX/Pcn+SdV9fIk35rk25K8PclZVbVnOep6XpJDy/aHkpyf5P6q2pPkmUn+\nYsP4MRufAwAAAMd1wnNcu/sN3X1ed1+QoxdX+lB3vybJh5P8yLLZFUnev9y+ebmf5fEPdXcv469e\nrjr83CQXJvmjU/ZOAAAA2JG+mTWT/ybJe6rqF5N8Isn1y/j1SX6zqg4meThHYzfd/amquinJp5Mc\nSXJ1d3/1m/j6AAAA7AInFa7dvZ5kfbn9uRznqsDd/ddJfnST5785yZtPdpIAAADsXifze1wBAABg\n2wlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYT\nrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwB\nAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAA\nMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA0\n4QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIV\nAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAA\nAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABG\nE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaCcM16r61qr6o6r646r6VFX9wjL+3Kr6aFUd\nrKrfqaqnLePfstw/uDx+wYbXesMy/tmqeumT9aYAAADYObZyxPXLSV7c3c9P8oIkl1XVJUl+Kcnb\nuvvvJHkkyVXL9lcleWQZf9uyXarqeUleneS7k1yW5Ner6oxT+WYAAADYeU4Yrn3U4eXuU5ePTvLi\nJO9dxm9M8srl9uXL/SyPv6Sqahl/T3d/ubv/LMnBJC88Je8CAACAHWtL57hW1RlV9ckkDyW5Ncn/\nTvKF7j6ybHJ/knOX2+cmuS9JlscfTfLtG8eP8xwAAAA4rj1b2ai7v5rkBVV1VpL3JfmuJ2tCVbU/\nyf4kWVtby/r6+pP1pXaUay46cuKNyNqZvldb5WcPVuPw4cN+/oCx7KNYlS2F6zHd/YWq+nCS701y\nVlXtWY6qnpfk0LLZoSTnJ7m/qvYkeWaSv9gwfszG52z8GtcluS5J9u7d2/v27TupN7RbXXngllVP\n4bRwzUVH8ta7TuqP/a51z2v2rXoKsCutr6/H333AVPZRrMpWrir8nOVIa6rqzCQ/lOQzST6c5EeW\nza5I8v7l9s3L/SyPf6i7exl/9XLV4ecmuTDJH52qNwIAAMDOtJVDT+ckuXG5AvBTktzU3b9XVZ9O\n8p6q+sUkn0hy/bL99Ul+s6oOJnk4R68knO7+VFXdlOTTSY4kuXpZggwAAACbOmG4dvedSb7nOOOf\ny3GuCtzdf53kRzd5rTcnefPJTxMAAIDdaktXFQYAAIBVEa4AAACMJlwBAAAYTbgCAAAwmnAFAABg\nNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjC\nFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsA\nAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAA\nRhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwm\nXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgC\nAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAA\nYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBo\nwhUAAIDRThiuVXV+VX24qj5dVZ+qqtcv48+qqlur6u7l89nLeFXVO6rqYFXdWVUXb3itK5bt766q\nK568twUAAMBOsZUjrkeSXNPdz0tySZKrq+p5SQ4kua27L0xy23I/SV6W5MLlY3+SdyZHQzfJtUle\nlOSFSa49FrsAAACwmROGa3c/0N0fX25/Mclnkpyb5PIkNy6b3Zjklcvty5O8u4/6SJKzquqcJC9N\ncmt3P9zdjyS5Ncllp/TdAAAAsOOc1DmuVXVBku9J8tEka939wPLQg0nWltvnJrlvw9PuX8Y2GwcA\nAIBN7dnqhlX1t5L89yT/srv/sqq+9lh3d1X1qZhQVe3P0SXGWVtby/r6+ql42R3vmouOrHoKp4W1\nM32vtsrPHqzG4cOH/fwBY9lHsSpbCteqemqORutvdffvLsOfr6pzuvuBZSnwQ8v4oSTnb3j6ecvY\noST7Hje+/viv1d3XJbkuSfbu3dv79u17/CYcx5UHbln1FE4L11x0JG+9a8v/X7Or3fOafaueAuxK\n6+vr8XcfMJV9FKuylasKV5Lrk3ymu395w0M3Jzl2ZeArkrx/w/hrl6sLX5Lk0WVJ8QeTXFpVZy8X\nZbp0GQMAAIBNbeXQ0/cn+ckkd1XVJ5exn0/yliQ3VdVVSe5N8qrlsQ8keXmSg0keS/K6JOnuh6vq\nTUluX7Z7Y3c/fEreBQAAADvWCcO1u/9nktrk4ZccZ/tOcvUmr3VDkhtOZoIAAADsbid1VWEAAADY\nbsIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGE\nKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcA\nAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAA\njCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhN\nuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAF\nAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAA\nwGjCFQAAgNGEKwAAAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDR\nhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgtBOGa1XdUFUPVdWfbBh7VlXdWlV3\nL5/PXsarqt5RVQer6s6qunjDc65Ytr+7qq54ct4OAAAAO81Wjrj+lySXPW7sQJLbuvvCJLct95Pk\nZUkuXD72J3lncjR0k1yb5EVJXpjk2mOxCwAAAE/khOHa3f8jycOPG748yY3L7RuTvHLD+Lv7qI8k\nOauqzkny0iS3dvfD3f1Iklvz9TEMAAAAX2fPN/i8te5+YLn9YJK15fa5Se7bsN39y9hm41+nqvbn\n6NHarK2tZX19/Ruc4u5yzUVHVj2F08Lamb5XW+VnD1bj8OHDfv6AseyjWJVvNFy/pru7qvpUTGZ5\nveuSXJcke/fu7X379p2ql97Rrjxwy6qncFq45qIjeetd3/Qf+13hntfsW/UUYFdaX1+Pv/uAqeyj\nWJVv9KrCn1+WAGf5/NAyfijJ+Ru2O28Z22wcAAAAntA3Gq43Jzl2ZeArkrx/w/hrl6sLX5Lk0WVJ\n8QeTXFpVZy8XZbp0GQMAAIAndMI1k1X120n2JXl2Vd2fo1cHfkuSm6rqqiT3JnnVsvkHkrw8ycEk\njyV5XZJ098NV9aYkty/bvbG7H3/BJwAAAPg6JwzX7v7xTR56yXG27SRXb/I6NyS54aRmBwAAwK73\njS4VBgAAgG0hXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACM\nJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGG3P\nqicAwM53wYFbVj2F08Y1Fx3Jlb5fJ3TPW16x6ikAsI0ccQUAAGA04QoAAMBowhUAAIDRhCsAAACj\nCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0YQrAAAAowlXAAAARhOu\nAAAAjCZcAQAAGE24AgAAMNqeVU8AAABW7YIDt6x6CqeFay46kit9r7bknre8YtVT2FEccQUAAGA0\n4QoAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIV\nAACA0YQrAAAAowlXAAAARhOuAAAAjCZcAQAAGE24AgAAMJpwBQAAYDThCgAAwGjCFQAAgNGEKwAA\nAKMJVwAAAEYTrgAAAIwmXAEAABhNuAIAADCacAUAAGA04QoAAMBowhUAAIDRhCsAAACjCVcAAABG\nE64AAACMJlwBAAAYTbgCAAAwmnAFAABgNOEKAADAaMIVAACA0bY9XKvqsqr6bFUdrKoD2/31AQAA\nOL1sa7hW1RlJfi3Jy5I8L8mPV9XztnMOAAAAnF62+4jrC5Mc7O7PdfdXkrwnyeXbPAcAAABOI9sd\nrucmuW/D/fuXMQAAADiu6u7t+2JVP5Lksu7+qeX+TyZ5UXf/zIZt9ifZv9z9ziSf3bYJshs8O8mf\nr3oSAE/AfgqYzD6KU+07uvs5J9poz3bMZINDSc7fcP+8Zexruvu6JNdt56TYParqY929d9XzANiM\n/RQwmX0Uq7LdS4VvT3JhVT23qp6W5NVJbt7mOQAAAHAa2dYjrt19pKp+JskHk5yR5Ibu/tR2zgEA\nAIDTy3YvFU53fyDJB7b768LCMnRgOvspYDL7KFZiWy/OBAAAACdru89xBQAAgJMiXAEAABht289x\nhe1QVf/siR7v7t/drrkAHE9VXfxEj3f3x7drLgCPV1X/+oke7+5f3q65QCJc2bl++Ake6yTCFVi1\ntz7BY53kxds1EYDjeMaqJwAbuTgTAAAAozniyo5keQswnVMaAGDrhCs7leUtwHROaQCALbJUGAAA\ngNEccQWAFXBKA3A6qKrXJ3lXki8m+Y0k35PkQHf/wUonxq7j97gCwGo84wQfABP8i+7+yySXJnlO\nktclectqp8Ru5IgrAKxAd//CqucAsAW1fH55knd19x9XVT3RE+DJ4IgrO1pVvb6qvq2Our6qPl5V\nl656XgAAp4k7quoPcjRcP1hVz0jy/1Y8J3YhF2diR6uqP+7u51fVS5NcneTf5ej/Fl684qkBAIxX\nVU9J8oIkn+vuL1TVs5Kc1913rnhq7DKOuLLTfd3ylg1jAAA8se9N8tklWn8iyb9N8uiK58QuJFzZ\n6SxvAUZzSgMw3DuTPFZVz0/yc0nuTfLu1U6J3Ui4stNdleRAkn/Q3Y8leWqOXg0PYApX7AQmO9JH\nzy28PMnbu/vtceVzVkC4stNZ3gJM55QGYLIvVtUbkvxEkluWc16fuuI5sQsJV3Y6y1uA6ZzSAEz2\nY0m+nOSq7n4wyXlJ/uNqp8Ru5KrC7GhV9fHuvriq/n2SQ919/bGxVc8NIHHFTgDYCkdc2eksbwGm\nc0oDMFZVXVJVt1fV4ar6SlV9tarso9h2wpWdzvIWYDqnNACT/ackP57k7iRnJvmpJL+20hmxK1kq\nDAAr5JQGYLKq+lh3762qO7v77y9jf9jd37fqubG77Fn1BODJVFWXJPnVJH83ydOSnJHkcHc/c6UT\nA/gbG09p+AGnNADDPFZVT0vyyar6D0keSPL0Fc+JXchSYXY6y1uA6ZzSAEz2kzn6H/8/k+RLSc5P\n8s9XOiN2JUuF2dEsbwEAgNOfpcLsdJa3AKM5pQGYqKruSrLpEa5jBwRguzjiyo5WVd+R5KEcPV/s\nXyV5ZpJf7+6DK50YwKKqPpbk1Un+W5K9SV6b5MLu/vmVTgzY1ZZ/Q22qu+/drrlA4ogrO9yGnepf\nJfmFVc4FYDPdfbCqzujuryZ5V1X94arnBOx6T02y1t3/a+NgVf2jJP9nNVNiNxOu7EiWtwCnEac0\nABP9SpLjrfz4q+WxH97e6bDbWSrMjmR5C3C6cEoDMFFV/Ul3/71NHruruy/a7jmxuzniyk5leQtw\nWnBKAzDUtz7BY2du2yxgIVzZqSxvAUZzSgMw3O1V9dPd/Z83DlbVTyW5Y0VzYhezVJgdyfIWYDqn\nNACTVdVakvcl+Ur+JlT35uiv7fqn3f3gqubG7uSIKzuV5S3AdE5pAMbq7s8n+b6q+sEkxw4G3NLd\nH1rhtNjFnrLqCcCT5Paq+unHD1reAgzyK0m+eJzxY6c0AKxcd3+4u391+RCtrIylwuxIlrcA0zml\nAQC2zlJhdiTLW4DTgFMaAGCLHHEFgBWoqt9O8qFNrtj5Q939Y6uZGQDMI1wBYAWc0gAAWydcAWCF\nHndKw6ec0gAAX0+4AgAAMJpfhwMAAMBowhUAAIDRhCsAAACjCVcAAABGE64AAACM9v8Bm6tkXE7P\n6LwAAAAASUVORK5CYII=\n",
"text/plain": [
"<matplotlib.figure.Figure at 0x17b86a8f1d0>"
]
},
"metadata": {},
"output_type": "display_data"
}
],
"source": [
"data.classification.value_counts().plot(kind='bar', grid=True, figsize=(16, 9))"
]
},
{
"cell_type": "code",
"execution_count": 34,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x17b86ac21d0>"
]
},
"execution_count": 34,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAA64AAAJtCAYAAAA2DS3cAAAABHNCSVQICAgIfAhkiAAAAAlwSFlz\nAAALEgAACxIB0t1+/AAAIABJREFUeJzs3XvYbWVdN/rvD/EUpOBphWBib7y6McLDSlHfcqFtPKVY\nWkqU4KZwX1lZemXYe/BV872stlraaaPYq2aZmSYeSolcagcU8AAquiWFgFBSPKFpor/9xxxLn5Zr\nsZ61WGuOez7r87mueT1j3GPMOX7zuddhfue4xz2quwMAAACjOmDuAgAAAOCGCK4AAAAMTXAFAABg\naIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0wRUAAIChCa4AAAAM7cC5C7ght7vd7frI\nI4+cu4x95ktf+lIOOuiguctgD+m/1aXvVpv+W236b3Xpu9Wm/1bXRu+7Cy+88NPdfftd7Td0cD3y\nyCNzwQUXzF3GPrN169Zs2bJl7jLYQ/pvdem71ab/Vpv+W136brXpv9W10fuuqi5fz36GCgMAADA0\nwRUAAIChCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0wRUAAICh\nCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0wRUAAIChCa4AAAAM\nTXAFAABgaIIrAAAAQztw7gJGcuQZb17q8Z52zPU5dYnHvOx5j1jasQAAAPYWZ1wBAAAYmuAKAADA\n0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAA\nhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAA\nMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAA\ngKGtK7hW1SFV9dqq+khVXVJV96uq21TVOVX1sennodO+VVUvqqpLq+qiqrrXmtc5Zdr/Y1V1yr56\nUwAAAGwc6z3j+jtJ/rq775bk2CSXJDkjybndfVSSc6f1JHlYkqOmx+lJ/iBJquo2SZ6Z5L5J7pPk\nmdvCLgAAAOzMLoNrVd06yQ8lOStJuvvfu/tzSU5M8vJpt5cnefS0fGKSV/TCeUkOqarDkjwkyTnd\nfW13fzbJOUkeulffDQAAABvOes643iXJvyb5o6p6X1W9tKoOSrKpu6+e9vlkkk3T8uFJrljz/Cun\ntp21AwAAwE5Vd9/wDlWbk5yX5AHd/e6q+p0kX0jyC919yJr9Ptvdh1bVm5I8r7v/bmo/N8mvJtmS\n5Bbd/etT+39P8m/d/f9sd7zTsxhinE2bNt371a9+9d55p+tw8VWfX9qxkmTTLZNP/dvyjnfM4bde\n3sH2A9ddd10OPvjguctgD+i71ab/Vpv+W136brXpv9W10fvu+OOPv7C7N+9qvwPX8VpXJrmyu989\nrb82i+tZP1VVh3X31dNQ4Gum7VcludOa5x8xtV2VRXhd2751+4N195lJzkySzZs395YtW7bfZZ85\n9Yw3L+1YSfK0Y67P8y9eTxfsHZedvGVpx9ofbN26Ncv888neo+9Wm/5bbfpvdem71ab/Vpe+W9jl\nUOHu/mSSK6rqrlPTg5N8OMnZSbbNDHxKkjdMy2cnecI0u/BxST4/DSl+a5ITqurQaVKmE6Y2AAAA\n2Kn1nu77hSSvqqqbJfl4kidmEXpfU1WnJbk8yU9M+74lycOTXJrky9O+6e5rq+o5Sc6f9nt2d1+7\nV94FAAAAG9a6gmt3vz/JjsYdP3gH+3aSJ+/kdV6W5GW7UyAAAAD7t/XexxUAAABmIbgCAAAwNMEV\nAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmu\nAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1w\nBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiC\nKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMT\nXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia\n4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQ\nBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABjauoJrVV1WVRdX1fur\n6oKp7TZVdU5VfWz6eejUXlX1oqq6tKouqqp7rXmdU6b9P1ZVp+ybtwQAAMBGsjtnXI/v7nt09+Zp\n/Ywk53b3UUnOndaT5GFJjpoepyf5g2QRdJM8M8l9k9wnyTO3hV0AAADYmRszVPjEJC+fll+e5NFr\n2l/RC+clOaSqDkvykCTndPe13f3ZJOckeeiNOD4AAAD7gfUG107ytqq6sKpOn9o2dffV0/Ink2ya\nlg9PcsWa5145te2sHQAAAHbqwHXu91+6+6qqukOSc6rqI2s3dndXVe+NgqZgfHqSbNq0KVu3bt0b\nL7suTzvm+qUdK0k23XK5x1zm73J/cN111/mdrih9t9r032rTf6tL3602/be69N3CuoJrd181/bym\nql6fxTWqn6qqw7r76mko8DXT7lcludOapx8xtV2VZMt27Vt3cKwzk5yZJJs3b+4tW7Zsv8s+c+oZ\nb17asZJFaH3+xev97uDGu+zkLUs71v5g69atWeafT/Yefbfa9N9q03+rS9+tNv23uvTdwi6HClfV\nQVX1nduWk5yQ5INJzk6ybWbgU5K8YVo+O8kTptmFj0vy+WlI8VuTnFBVh06TMp0wtQEAAMBOred0\n36Ykr6+qbfv/SXf/dVWdn+Q1VXVaksuT/MS0/1uSPDzJpUm+nOSJSdLd11bVc5KcP+337O6+dq+9\nEwAAADakXQbX7v54kmN30P6ZJA/eQXsnefJOXutlSV62+2UCAACwv7oxt8MBAACAfU5wBQAAYGiC\nKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMT\nXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia\n4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQ\nBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACG\nJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAw\nNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACA\noQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwtHUH16q6SVW9r6re\nNK3fpareXVWXVtWfVdXNpvabT+uXTtuPXPMaz5jaP1pVD9nbbwYAAICNZ3fOuD4lySVr1n8jyQu7\n+3uTfDbJaVP7aUk+O7W/cNovVXV0kscnuXuShyb5/aq6yY0rHwAAgI1uXcG1qo5I8ogkL53WK8mD\nkrx22uXlSR49LZ84rWfa/uBp/xOTvLq7v9rdn0hyaZL77I03AQAAwMa13jOuv53k6Um+Ma3fNsnn\nuvv6af3KJIdPy4cnuSJJpu2fn/b/ZvsOngMAAAA7dOCudqiqH0lyTXdfWFVb9nVBVXV6ktOTZNOm\nTdm6deu+PuQ3Pe2Y63e901606ZbLPeYyf5f7g+uuu87vdEXpu9Wm/1ab/ltd+m616b/Vpe8Wdhlc\nkzwgyaOq6uFJbpHkVkl+J8khVXXgdFb1iCRXTftfleROSa6sqgOT3DrJZ9a0b7P2Od/U3WcmOTNJ\nNm/e3Fu2bNmDt7VnTj3jzUs7VrIIrc+/eD1dsHdcdvKWpR1rf7B169Ys888ne4++W236b7Xpv9Wl\n71ab/ltd+m5hl0OFu/sZ3X1Edx+ZxeRKf9vdJyd5e5LHTrudkuQN0/LZ03qm7X/b3T21P36adfgu\nSY5K8p699k4AAADYkG7M6b5fTfLqqvr1JO9LctbUflaSV1bVpUmuzSLsprs/VFWvSfLhJNcneXJ3\nf/1GHB8AAID9wG4F1+7emmTrtPzx7GBW4O7+SpIf38nzn5vkubtbJAAAAPuv3bmPKwAAACyd4AoA\nAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcA\nAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgC\nAAAwNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEV\nAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmu\nAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1w\nBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGiC\nKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAAYGi7DK5VdYuq\nek9VfaCqPlRVz5ra71JV766qS6vqz6rqZlP7zaf1S6ftR655rWdM7R+tqofsqzcFAADAxrGeM65f\nTfKg7j42yT2SPLSqjkvyG0le2N3fm+SzSU6b9j8tyWen9hdO+6Wqjk7y+CR3T/LQJL9fVTfZm28G\nAACAjWeXwbUXrptWbzo9OsmDkrx2an95kkdPyydO65m2P7iqamp/dXd/tbs/keTSJPfZK+8CAACA\nDWtd17hW1U2q6v1JrklyTpJ/SvK57r5+2uXKJIdPy4cnuSJJpu2fT3Lbte07eA4AAADs0IHr2am7\nv57kHlV1SJLXJ7nbviqoqk5PcnqSbNq0KVu3bt1Xh/o2Tzvm+l3vtBdtuuVyj7nM3+X+4LrrrvM7\nXVH6brXpv9Wm/1aXvltt+m916buFdQXXbbr7c1X19iT3S3JIVR04nVU9IslV025XJblTkiur6sAk\nt07ymTXt26x9ztpjnJnkzCTZvHlzb9myZbfe0I1x6hlvXtqxkkVoff7Fu9UFN8plJ29Z2rH2B1u3\nbs0y/3yy9+i71ab/Vpv+W136brXpv9Wl7xbWM6vw7aczramqWyb5P5NckuTtSR477XZKkjdMy2dP\n65m2/21399T++GnW4bskOSrJe/bWGwEAAGBjWs/pvsOSvHyaAfiAJK/p7jdV1YeTvLqqfj3J+5Kc\nNe1/VpJXVtWlSa7NYibhdPeHquo1ST6c5PokT56GIAMAAMBO7TK4dvdFSe65g/aPZwezAnf3V5L8\n+E5e67lJnrv7ZQIAALC/WteswgAAADAXwRUAAIChCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrg\nCgAAwNAEVwAAAIYmuAIAADA0wRUAAIChCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAE\nVwAAAIYmuAIAADA0wRUAAIChCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYm\nuAIAADA0wRUAAIChCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0\nwRUAAIChCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0wRUAAICh\nCa4AAAAMTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0wRUAAIChCa4AAAAM\nTXAFAABgaIIrAAAAQxNcAQAAGJrgCgAAwNAEVwAAAIYmuAIAADA0wRUAAIChCa4AAAAMTXAFAABg\naIIrAAAAQxNcAQAAGJrgCgAAwNB2GVyr6k5V9faq+nBVfaiqnjK136aqzqmqj00/D53aq6peVFWX\nVtVFVXWvNa91yrT/x6rqlH33tgAAANgo1nPG9fokT+vuo5Mcl+TJVXV0kjOSnNvdRyU5d1pPkocl\nOWp6nJ7kD5JF0E3yzCT3TXKfJM/cFnYBAABgZ3YZXLv76u5+77T8xSSXJDk8yYlJXj7t9vIkj56W\nT0zyil44L8khVXVYkockOae7r+3uzyY5J8lD9+q7AQAAYMPZrWtcq+rIJPdM8u4km7r76mnTJ5Ns\nmpYPT3LFmqddObXtrB0AAAB26sD17lhVByf5iyS/1N1fqKpvbuvurqreGwVV1elZDDHOpk2bsnXr\n1r3xsuvytGOuX9qxkmTTLZd7zGX+LvcH1113nd/pitJ3q03/rTb9t7r03WrTf6tL3y2sK7hW1U2z\nCK2v6u7XTc2fqqrDuvvqaSjwNVP7VUnutObpR0xtVyXZsl371u2P1d1nJjkzSTZv3txbtmzZfpd9\n5tQz3ry0YyWL0Pr8i9f93cGNdtnJW5Z2rP3B1q1bs8w/n+w9+m616b/Vpv9Wl75bbfpvdem7hfXM\nKlxJzkpySXe/YM2ms5Nsmxn4lCRvWNP+hGl24eOSfH4aUvzWJCdU1aHTpEwnTG0AAACwU+s53feA\nJD+d5OKqev/U9mtJnpfkNVV1WpLLk/zEtO0tSR6e5NIkX07yxCTp7mur6jlJzp/2e3Z3X7tX3gUA\nAAAb1i6Da3f/XZLayeYH72D/TvLknbzWy5K8bHcKBAAAYP+2W7MKAwAAwLIJrgAAAAxNcAUAAGBo\ngisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABD\nE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAY\nmuAKAADA0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA\n0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAA\nhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAA\nMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAA\ngKEJrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhrbL4FpVL6uqa6rqg2vablNV\n51TVx6afh07tVVUvqqpLq+qiqrrXmuecMu3/sao6Zd+8HQAAADaa9Zxx/d9JHrpd2xlJzu3uo5Kc\nO60nycOSHDU9Tk/yB8ki6CZ5ZpL7JrlPkmduC7sAAABwQ3YZXLv7nUmu3a75xCQvn5ZfnuTRa9pf\n0QvnJTmkqg5L8pAk53T3td392STn5NvDMAAAAHybPb3GdVN3Xz0tfzLJpmn58CRXrNnvyqltZ+0A\nAABwgw68sS/Q3V1VvTeKSZKqOj2LYcbZtGlTtm7durdeepeedsz1SztWkmy65XKPuczf5f7guuuu\n8ztdUfputem/1ab/Vpe+W236b3Xpu4U9Da6fqqrDuvvqaSjwNVP7VUnutGa/I6a2q5Js2a59645e\nuLvPTHJmkmzevLm3bNmyo932iVPPePPSjpUsQuvzL77R3x2s22Unb1nasfYHW7duzTL/fLL36LvV\npv9Wm/5bXfputem/1aXvFvZ0qPDZSbbNDHxKkjesaX/CNLvwcUk+Pw0pfmuSE6rq0GlSphOmNgAA\nALhBuzzdV1V/msXZ0ttV1ZVZzA78vCSvqarTklye5Cem3d+S5OFJLk3y5SRPTJLuvraqnpPk/Gm/\nZ3f39hM+AQAAwLfZZXDt7pN2sunBO9i3kzx5J6/zsiQv263qAAAA2O/t6VBhAAAAWArBFQAAgKEJ\nrgAAAAxNcAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxN\ncAUAAGBogisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBo\ngisAAABDE1wBAAAYmuAKAADA0ARXAAAAhia4AgAAMDTBFQAAgKEJrgAAAAxNcAUAAGBogisAAABD\nE1wBAAAY2oFzFwB7y5FnvHmpx3vaMdfn1CUe87LnPWJpxwIAgJE44woAAMDQBFcAAACGJrgCAAAw\nNMEVAACAoQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACA\noQmuAAAADE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAA\nDE1wBQAAYGiCKwAAAEMTXAEAABia4AoAAMDQBFcAAACGJrgCAAAwNMEVAACAoQmuAAAADE1wBQAA\nYGiCKwAAAEMTXAEAABja0oNrVT20qj5aVZdW1RnLPj4AAACrZanBtapukuT3kjwsydFJTqqqo5dZ\nAwAAAKtl2Wdc75Pk0u7+eHf/e5JXJzlxyTUAAACwQg5c8vEOT3LFmvUrk9x3yTUAgznyjDcv9XhP\nO+b6nLrEY172vEcs7Vhz0H8AwL5W3b28g1U9NslDu/tnpvWfTnLf7v75NfucnuT0afWuST66tAKX\n73ZJPj13Eewx/be69N1q03+rTf+tLn232vTf6trofXfn7r79rnZa9hnXq5Lcac36EVPbN3X3mUnO\nXGZRc6mqC7p789x1sGf03+rSd6tN/602/be69N1q03+rS98tLPsa1/OTHFVVd6mqmyV5fJKzl1wD\nAAAAK2SpZ1y7+/qq+vkkb01ykyQv6+4PLbMGAAAAVsuyhwqnu9+S5C3LPu6g9osh0RuY/ltd+m61\n6b/Vpv9Wl75bbfpvdem7LHlyJgAAANhdy77GFQAAAHaL4AoAAMDQBNeZVNUBVXWruesAgH2pqg6q\nqgOm5f9cVY+qqpvOXRcAq8U1rktUVX+S5P9O8vUkFya5dZIXdPdvzVoYu6Wq7pDkFtvWu/ufZywH\nYGhVdWGSH0xyaJLzklyQ5MvdffKshXGDquqpN7S9u1+wrFrYPVX1Yze0vbtft6xaYG9a+qzC+7mj\nu/sLVXVyFjMr/2oWAVZwXQFV9agkz09yxyTXJLlzkkuS3H3Oulifqrp9Fn/njs5//OLhQbMVxbro\nu5VX3f3lqjotyYu7+zer6v1zF8UufefcBbDHHjn9vEOS+yf522n9+CRbkwiurCTBdbluOg2PenSS\n3+3ur1WVU96r4zlJjkvyN919z6o6PslJM9fE+r0qyZ8leUQWIx9OSfKvs1bEeum71VZVdb8kJyc5\nbWq7yYz1sA7d/ay5a2DPdPcTk6Sq3pTFSZOrp/XDkvzenLXBjeEa1+X6f5NcluSgJO+sqjsn+cKs\nFbE7vtbdn0lyQFUd0N1vT3KPuYti3W7b3Wdl0Y/v6O7/K4svIhifvlttv5TkGUle390fqqrvSfL2\nmWtinabrks+tqg9O699fVf9t7rpYlyO3hdbJp5L857mKgRvLGdcl6u4XJXnRmqbLp7N2rIbPVdXB\nSd6Z5FVVdU2S62euifX72vTz6qp6RJJ/SXLEjPWwfvpuhXX3O5K8o6q+Y1r/eJJfnLcqdsNLkvxK\nFl++p7svmubs+PVZq2I9tlbVW5P86bT+uPjSiBVmcqYlqqpNSf5Xkjt298Oq6ugk95vOJDC4qjoo\nyVeSVBZD3m6d5FXTWVgGV1U/kuRdSe6U5MVJbpXkWd199qyFsUv6brVNw4TPSnJwd393VR2b5End\n/XMzl8Y6VNX53f0DVfW+7r7n1Pb+7jbiaAVMEzX94LT6zu5+/Zz1wI0huC5RVf1Vkj9K8l+7+9iq\nOjDJ+7r7mJlLA4B9oqreneSxSc5eE3w+2N3fN29lrMf02eXnk/x5d9+rqh6b5LTuftjMpQH7GUOF\nl+t23f2aqnpGknT39VX19bmL4oZV1ReT7PQbnu52P96BVdXTp1lMX5wd9GN3G7I4uGlW4Z9NcmTW\n/L81XevKCujuK6pqbZP/+1bHk5OcmeRuVXVVkk8k+al5S2I9prOtv5HF7MI1PdrnFlaV4LpcX6qq\n22b68FxVxyX5/LwlsSvd/Z1JUlXPTvLJJK/Mt4YLu13A+C6Zfl4waxXcGG/IYqjw30TgWUVXVNX9\nk/Q0s/5T8q2/lwxuuib5h6fLZQ7o7i/OXRPr9ptJHtnd/r6xIRgqvERVda8srs/6viQfTHL7JD/e\n3R+YtTDWpare3d333VUbsHe5nm61VdXtkvxOkh/O4ku/tyX5xe6+dtbCWLdpUrS75z/eR/nZ81XE\nelTV33f3A+auA/YWZ1yX60NJHpjkrln85/3RuCXRKvl6VZ2c5NVZnDU/Kc7+DK+q3pgbHur9qCWW\nw555U1U9vLvfMnch7JG7dvfJaxuq6gFJ/n6metgNVfWHSb4jyfFJXprF9crvmbUo1uuCqvqzJH+Z\n5KvbGrv7dfOVBHvOGdclqqr3dve9dtXGmKrqyCzOGjwgiyD090l+qbsvm68qdqWqHjgt/liS70ry\nx9P6SUkkcAxVAAASWElEQVQu6+5fm6Uw1m26zvygLD54fS2u01op/u9bbVV1UXd//5qfByd5XXef\nMHdt3LCq+qMdNLf5AVhVzrguQVV9V5LDk9yyqu6ZxYeuZHFLh++YrTB2yxRQT5y7DnbPdA/JVNVz\nuvuH1mx6Y1W9c6ay2A3brjNntUy3wbl/kttX1VPXbLpVkpvMUxV74CvTzy9X1R2TfCbJXWash3Xq\n7ifOXQPsTYLrcjwkyalJjkjygjXtX0zibM+KqKpbJDkt336dj28uV8Ptq+p7polGUlV3yeI6c1ZA\nVR2a5Kj8x797vngY282SHJzFZ421Xz58IYvhpqyGN1bVIUl+K8l7sxhx9JJ5S2I9fG5hozFUeImq\n6jHd/Rdz18Geqao/T/KRJD+Z5NlZzCp8SXc/ZdbCWJeqemgWt3T4eBajHu6c5End/dZZC2OXqupn\nspiJ9ogk709yXJJ/7O4HzVoY61JVd+7uy+eug91XVQckOa67/2Fav3mSW3S3OyKsAJ9b2GgE1yUz\nM9/qqqr3dfc911znc9Mkb/XheXVMH7ruNq1+pLu/ekP7M4aqujjJDyQ5r7vvUVV3S/Ks7n7czKWx\nDtN9eJ+eb/+/z7+dK6Cq/rG77zd3Hew+n1vYaMxou0TTzHyPS/ILWZzx+fEszvqwGr42/fxcVX1f\nklsnOXK+ctgD987iw/OxSR5XVU+YuR7W5yvd/ZVk8eVDd38ki9nZWQ2vyuKsz12SPCvJZUnOn7Mg\ndsvbquoxVVW73pXB+NzChuIa1+W6/5qZ+Z5VVc9PYkry1XHmdJ3df09ydhbXbv2PeUtivarqlUn+\nUxZDTbfdxqiTvGK2olivK6dr7P4yyTlV9dkk/zJzTazfbbv7rKp6yjRZ2juq6h1zF8W6PTWLWb2v\nr6qvxKzeq8TnFjYUQ4WXqKre3d33rarzsrg1x2eSfLC7j5q5NNjwquqSJEe3f/RW2nR7o1sn+evu\n/ve562HXquq87j6uqt6a5EVZfOnw2u7+TzOXBsAKccZ1ud60g5n5XjpvSazXdH3kY7IYZvPNvzuu\nUV4ZH8ziPq5Xz10Iu2canXJWd3942+2NWCm/XlW3TvK0JC/O4nY4vzxvSaxXVT0gyfu7+0tV9VNJ\n7pXkt7v7n2cujZ3Y7vZT36a7X3BD22FUguty/eY0GcxfVNWbspik4iu7eA7jeEOSzye5MIlJfVbP\n7ZJ8uKrekzX9192Pmq8k1umSJC+pqgOT/FGSPzWr6WqoqpskOaq735TFv5/Hz1wSu+8PkhxbVcdm\nMcnWWUlemeSBs1bFDXHvazYkQ4WXqKre29332lUbY6qqD3b3981dB3tmGmL6bZzBWx1VddckT0xy\nUpK/T/KS7n77vFWxK1X19u4WWFfUts8pVfU/klw1Xa/ss8vgpi+NfrG7Xzh3LbC3OOO6BFX1XUkO\nT3LLqrpnFhMbJIvhUt8xW2Hsrn+oqmO6++K5C2H3CairbfoQdrfp8ekkH0jy1Kp6Unc/ftbi2JV/\nqKrfTfJnSb60rbG73ztfSeyGL1bVM5L8VJIfmu7tetOZa2IXuvvrVfWoJIIrG4YzrktQVackOTXJ\n5ixuAbAtuH4xyf/ubjMLr4Cq+nCS703yiSyGmm6bWfH7Zy2MG1RVX8zievJv2xQzY66Eqnphkkcm\nOTeLa13fs2bbR7vbrXEGVlU7Oive7iW5GqYv338yyfnd/a6q+u4kW7rbjOyDq6rnZjGZnS+N2BAE\n1yWqqsd091/MXQd7pqp2eM/d7r582bXA/qSqnpjkNd39pR1su7XrXQG+nS+N2GgE1yWoqkcmuWhb\nwJmuE3lMksuTPKW7PzFnfeyeqrpDFhNrJUnMrAj7VlX90I7au/udy66F9auqn+ruP97ZDKdmNh2b\n0SrAaFzjuhzPTXJcklTVj2RxnchJSe6Z5A+TPGS+0liv6VqR5ye5Y5Jrktw5i9lO7z5nXbAf+JU1\ny7dIcp8sZvd21mBsB00/zXC6grpbv624qtqU5H8luWN3P6yqjk5yv+4+a+bSYI8447oEVfWB7j52\nWn5Zko92929M62bmWxFV9YEsPij/TXffs6qOT3JSd58+c2mwX6mqO2Vxe7GT5q4FYFRV9VdZ3ELs\nv3b3sdMtxd7X3cfMXBrskQPmLmA/UVV18DQT34OzmGBkm1vs5DmM52vd/ZkkB1TVAdNtOO4xd1Gw\nH7oyiVtTrYiquktVvaCqXldVZ297zF0X7Adu192vSfKNJOnu65N8fd6SYM8ZKrwcv53k/Um+kOSS\n7r4gSaZb41w9Z2Hsls9V1cFJ3pnkVVV1TZLrZ64JNryqenG+da3dAVlcZvGB+SpiN/1lkrOSvDHT\nB2hgKb5UVbfN9O9nVR2XxGR2rCxDhZekqg5PcockH+jub0xthyW5qcl9xlZV35tkUxZfPvxbFh+c\nT87iGtc3d/eFM5YHG950S7Fk8eHr+iSXdfc/zFgSu6Gq3t3d9527DtjfVNW9k7woixEqH0xy+yQ/\n3t2++GMlCa6wC1X1piS/1t0Xbde+Ockzu/uR81QGG1tVnZjkiO7+vWn9PVl88OokT+/u185ZH+tT\nVT+Z5Kgkb8viHthJ3EsSlmG6rvWuWcwG/dHu/trMJcEeM1QYdu3I7UNrknT3BVV15PLLgf3G05M8\nfs36zZLcO8nBWUw4IriuhmOS/HQWk9ttGyrcMSs07FNV9U9Jfqu7/3BN25u6+0dmLAv2mOAKu3ZD\nE2jdcmlVwP7nZt19xZr1v+vua5NcW1UH7exJDOdHk3xPd//73IXAfuZrSY6vqvsmedL0d/DwmWuC\nPWZW4SWoqtvc0GPu+til86vqZ7dvrKqfyeJeksC+cejale7++TWrt19yLey5DyQ5ZO4iYD/05e5+\nXBb3nH9XVX13vjXRHawcZ1yX48Is/qGoJN+d5LPT8iFJ/jnJXeYrjXX4pSSvr6qT862gujmLYYs/\nOltVsPG9u6p+trtfsraxqp6U5D0z1cTu25TkI1V1fv7jNa6Pmq8k2C9UknT3b1bVe7O4ztwJE1aW\nyZmWqKr+MMnZ3f2Waf1hSX64u582b2WsR1Udn2/dO/JD3f23c9YDG11V3SGLW6l8Ncm2iXzuneTm\nSR7d3Z+aqzbWr6oeuKP27n7HsmuB/UlVPbK737hm/c5JTunuZ89YFuwxwXWJqurC7r73dm0XdPfm\nuWoCGF1VPSjJ3adVXxqtiKq6W3d/ZFq+eXd/dc2247r7vPmqg42vqs7t7gfvqg1WhaHCy/Xpqvpv\nSf54Wj85yWdmrAdgeFNQFVZXz58kude0/I9rlpPk97dbB/aSqrpFku9IcruqOjTTkOEkt4rJmVhh\ngutynZTkmUlen8U1r++c2gBgo6mdLO9oHdh7npTF/Bx3zLcus0iSLyT53Vkqgr3AUOEZVNVB3f2l\nuesAgH2lqt7b3ffafnlH68DeV1W/0N0vnrsO2FuccV2iqrp/kpcmOTjJd1fVsVncV+vn5q0MAPa6\nI6rqRVmcXd22nGndcEXYR6rqQdMlFldV1Y9tv727XzdDWXCjCa7L9cIkD0lydpJ09weq6ofmLQkA\n9olfWbN8wXbbtl8H9p4HZjEvwCN3sK2TCK6sJEOFl6iq3t3d962q93X3Pae2D3T3sXPXBgAAMCpn\nXJfrimm4cFfVTZM8JcklM9cEAMAGU1X/lOS8JO9K8q7u/tDMJcGN4ozrElXV7ZL8TpIfzuIan7cl\n+cXuvnbWwgAA2FCq6uZJ7pvkB5M8IMldk1zU3T86a2Gwh5xxXa67dvfJaxuq6gFJ/n6megAA2Ji+\nnuRr089vJLlmesBKcsZ1iXY0/b9bAgCwkVXV92Qx2uh+WXx4/sckv9zdH5+1MNjgqurLSS5O8oIk\nf9Pdn5m5JLhRnHFdgqq6X5L7J7l9VT11zaZbJbnJPFUBwFL8SZLfS7JteOLjk/xpFkMYgX3npCT/\nJcnPJfmZqvqHJO/s7nPnLQv2zAFzF7CfuFkW9249MMl3rnl8IcljZ6wLAPa16u5Xdvf10+OPs7gl\nB7APdfcbuvtXkjwpyVuSnJrkTbMWBTeCocJLVFV37u7L564DAPa1qrrNtPj0JJ9L8uosAuvjkty8\nu58zV22wP6iqv0hybJJ/SvLOLGYXfk93f2XWwmAPCa5LUFW/3d2/VFVvzA6+Ze7uR81QFgDsM1X1\niSz+z6sdbO7u/p4llwT7har6gSRXJDkiyfuS/FSSxyS5LMn/dDcLVpXgugRVde/uvrCqHrij7d39\njmXXBADAxlNV703yw919bVX9UBajHX4hyT2S/B/d7TI1VpLgCgDsU1X1fUmOTnKLbW3d/Yr5KoKN\nq6o+0N3HTsu/l+Rfu/t/Tuvv7+57zFkf7CmzCi/RdM/W/5nkzln87iuGSwGwgVXVM5NsySK4viXJ\nw5L8XRLBFfaNm1TVgd19fZIHJzl9zTaf/VlZ/vAu11lJfjnJhVncDBoANrrHZjFBzPu6+4lVtSnJ\nS2euCTayP03yjqr6dJJ/y2JSplTV9yb5/JyFwY0huC7X57v7r+YuAgCW6N+6+xtVdX1V3SrJNUmM\nNIJ9pLufW1XnJjksydv6W9cFHpDFta6wkgTX5Xp7Vf1Wktcl+eq2xu5+73wlAcA+dUFVHZLkJVmM\nOLouyXvmLQk2tu4+bwdt/98ctcDeYnKmJaqqt++gubv7QUsvBgD2saqqJEd09xXT+pFJbtXdF81Z\nFwCrR3AFAPaZqrqwu+89dx0ArDZDhZegqp66XVMn+XSSv+vuT8xQEgAsy3lV9QPdff7chQCwug6Y\nu4D9xHdu97hVks1J/qqqHj9nYQCwjx2f5B+r6p+q6qKquriqDBUGYLcYKjyjqrpNkr/p7nvNXQsA\n7AtVdecdtXf35cuuBYDV5YzrjLr72iQ1dx0AsK909+XbHllcJvODSX5/5rIAWDGC64yq6vgkn527\nDgDYV6rqZlX1o1X150muTvLgJH84c1kArBiTMy1BVV2cxYRMa90myb8kecLyKwKAfauqTkhyUpIT\nkrw9ySuS/EB3P3HWwgBYSa5xXYIdXN/TST7T3V+aox4A2Neq6htJ3pXk1G0z6FfV/9/e3btcXYZx\nAP9eSi2lhOma6D8QmEuPEBRCS7XUYAQN/QG9ODc0NgTV0tBaQ5MODVIILbWlIEE1KSU0+UKBQ4Nc\nDc8jyFOow/md+9z2+cDhnHOd5Tv+Lq7rvs/l7j46NhkAMzJxXQMXUADwP3Qsyakk56vqcpKvkuwd\nGwmAWZm4AgCLqqqtbK8Nv5rkUpKz3f352FQAzETjCgCsRVXtSXIyyanufmt0HgDmoXEFAABgo/k7\nHAAAADaaxhUAAICN5lZhAGDlqurAvX7v7hvrygLA/JxxBQBWrqquZPt/yyvJU0lu7nx+Isnv3X1k\nYDwAJmNVGABYue4+0t1Hk3yT5OXuPtjdTyZ5KcmZsekAmI2JKwCwmKq60N3P7Kr92N3HR2UCYD7O\nuAIAS7pWVe8n+XLn+xtJrg/MA8CErAoDAEt6PcmhJGezvSJ8aKcGAA/MqjAAsLiqeqy7b43OAcCc\nTFwBgMVU1VZV/Zzkl53vT1fVZ4NjATAZjSsAsKSPk7yYnXOt3X0pyXNDEwEwHY0rALCo7r66q3R7\nSBAApuVWYQBgSVeraitJV9UjSd7JztowADwolzMBAIupqoNJPk1yMkkl+TbJ2919Y2gwAKaicQUA\nFlNVJ7r7h/vVAOBeNK4AwGKq6mJ3H7tfDQDuxRlXAGDlqurZJFtJDlXV6bt+2p9k75hUAMxK4woA\nLOHRJI9n+1lj3131v5K8NiQRANOyKgwALKaqDnf3b6NzADA3jSsAsHJV9Ul3v1tVXyf518NGd78y\nIBYAk7IqDAAs4Yud94+GpgDgoWDiCgAAwEYzcQUAFlNVJ5J8kORwtp87Kkl399GRuQCYi4krALCY\nqvo1yXtJLiS5fafe3deHhQJgOiauAMCS/uzuc6NDADA3E1cAYDFV9WGSvUnOJPn7Tr27Lw4LBcB0\nNK4AwGKq6rv/KHd3v7D2MABMS+MKAADARnPGFQBYuao6vavUSa4l+b67rwyIBMDE9owOAAA8lPbt\neu1PcjzJuao6NTIYAPOxKgwArE1VHUhyvruPjc4CwDxMXAGAtenuG0lqdA4A5qJxBQDWpqqeT3Jz\ndA4A5uJyJgBg5arqp2xfyHS3A0n+SPLm+hMBMDNnXAGAlauqw7tKneR6d98akQeAuWlcAQAA2GjO\nuAIAALDRNK4AAABsNI0rAAAAG03jCgAAwEbTuAIAALDR/gENwkcudAPE6wAAAABJRU5ErkJggg==\n",
"text/plain": [
"<matplotlib.figure.Figure at 0x17b86af4b00>"
]
},
"metadata": {},
"output_type": "display_data"
}
],
"source": [
"data.country.value_counts().plot(kind='bar', grid=True, figsize=(16, 9))"
]
},
{
"cell_type": "code",
"execution_count": 35,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"# remove duplicate description columns\n",
"data = data.drop_duplicates('product_description')"
]
},
{
"cell_type": "code",
"execution_count": 36,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"# remove rows with empty descriptions\n",
"data = data[~data['product_description'].isnull()]"
]
},
{
"cell_type": "code",
"execution_count": 37,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"(6957, 25)"
]
},
"execution_count": 37,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"data.shape"
]
},
{
"cell_type": "code",
"execution_count": 38,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"data['len'] = data['product_description'].map(len)"
]
},
{
"cell_type": "code",
"execution_count": 39,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"(6957, 26)"
]
},
"execution_count": 39,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"data.shape"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Text processing : tokenization\n",
"[[ go back to the top ]](#Table-of-contents)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Now we start by building a tokenizer. This will, for every description:\n",
"\n",
"- break the descriptions into sentences and then break the sentences into tokens\n",
"- remove punctuation and stop words\n",
"- lowercase the tokens"
]
},
{
"cell_type": "code",
"execution_count": 40,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"def tokenizer(text):\n",
" try:\n",
" tokens_ = [word_tokenize(sent) for sent in sent_tokenize(text)]\n",
" \n",
" tokens = []\n",
" for token_by_sent in tokens_:\n",
" tokens += token_by_sent\n",
"\n",
" tokens = list(filter(lambda t: t.lower() not in stop, tokens))\n",
" tokens = list(filter(lambda t: t not in punctuation, tokens))\n",
" tokens = list(filter(lambda t: t not in [u\"'s\", u\"n't\", u\"...\", u\"''\", u'``', \n",
" u'\\u2014', u'\\u2026', u'\\u2013'], tokens))\n",
" filtered_tokens = []\n",
" for token in tokens:\n",
" if re.search('[a-zA-Z]', token):\n",
" filtered_tokens.append(token)\n",
"\n",
" filtered_tokens = list(map(lambda token: token.lower(), filtered_tokens))\n",
"\n",
" return filtered_tokens\n",
" except Error as e:\n",
" print(e)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"A new column 'tokens' can be easily created using the map method applied to the 'description' column."
]
},
{
"cell_type": "code",
"execution_count": 41,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"data['tokens'] = data['product_description'].map(tokenizer)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"The tokenizer has been applied to each description through all rows. Each resulting value is then put into the 'tokens' column that is created after the assignment. Let's check what the tokenization looks like for the first 5 descriptions:"
]
},
{
"cell_type": "code",
"execution_count": 42,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"product_description: Imodium Multi-Symptom Relief Caplets, Loperamide HCl 2 mg/Simethicone 125 mg, 18 count blister pack cartons, McNeil Consumer Healthcare, Div of McNeil-PPC Inc., Fort Washington, PA\n",
"tokens: ['imodium', 'multi-symptom', 'relief', 'caplets', 'loperamide', 'hcl', 'mg/simethicone', 'mg', 'count', 'blister', 'pack', 'cartons', 'mcneil', 'consumer', 'healthcare', 'div', 'mcneil-ppc', 'inc.', 'fort', 'washington', 'pa']\n",
"\n",
"product_description: Magnesium Sulfate in Water for Injection, 40 mg/mL (0.325 mEq Mg++/mL), 2 g total, 50 mL Flexible Container, Rx only, Hospira, Inc., Lake Forest, IL 60045; NDC 0409-6729-24.\n",
"tokens: ['magnesium', 'sulfate', 'water', 'injection', 'mg/ml', 'meq', 'mg++/ml', 'g', 'total', 'ml', 'flexible', 'container', 'rx', 'hospira', 'inc.', 'lake', 'forest', 'il', 'ndc']\n",
"\n",
"product_description: Morphine Sulfate Extended Release tablet, 30 mg, 60 tablet bottles, Rx only, Physician Total Care, Inc, Tulsa, Ok 74146-6234, NDC 54868-4033-00 \n",
"tokens: ['morphine', 'sulfate', 'extended', 'release', 'tablet', 'mg', 'tablet', 'bottles', 'rx', 'physician', 'total', 'care', 'inc', 'tulsa', 'ok', 'ndc']\n",
"\n",
"product_description: Dorzolamide HCI/Timolol Maleate Ophthalmic Solution 22.3mg/6.8mg per mL, 10mL bottle, For Topical Application in the Eye, Sterile Ophthalmic Solution, Rx Only, Mfg by: Apotex Inc., Toronto, Ontario, Canada M9L 1T9\n",
"tokens: ['dorzolamide', 'hci/timolol', 'maleate', 'ophthalmic', 'solution', '22.3mg/6.8mg', 'per', 'ml', '10ml', 'bottle', 'topical', 'application', 'eye', 'sterile', 'ophthalmic', 'solution', 'rx', 'mfg', 'apotex', 'inc.', 'toronto', 'ontario', 'canada', 'm9l', '1t9']\n",
"\n",
"product_description: Dr. Reddy's Amlodipine Besylate and Benazepril Hydrochloride 5 mg*/20 mg, 500 Capsules, Rx only, Mfd. By: Dr. Reddy's Laboratories Limited, Bachepalli - 502 325 INDIA, NDC 55111-340-05\n",
"tokens: ['dr.', 'reddy', 'amlodipine', 'besylate', 'benazepril', 'hydrochloride', 'mg*/20', 'mg', 'capsules', 'rx', 'mfd', 'dr.', 'reddy', 'laboratories', 'limited', 'bachepalli', 'india', 'ndc']\n",
"\n"
]
}
],
"source": [
"for descripition, tokens in zip(data['product_description'].head(5), data['tokens'].head(5)):\n",
" print('product_description:', descripition)\n",
" print('tokens:', tokens)\n",
" print() "
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's group the tokens by category, apply a word count and display the top 10 most frequent tokens. "
]
},
{
"cell_type": "code",
"execution_count": 47,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"def keywords(category):\n",
" tokens = data[data['reason_for_recall'] == category]['tokens']\n",
" alltokens = []\n",
" for token_list in tokens:\n",
" alltokens += token_list\n",
" counter = Counter(alltokens)\n",
" return counter.most_common(10)"
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"reason_for_recall : Failed Impurities/Degradation Specifications: High out of specification impurity test results were obtained during stability testing.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('buprenorphine', 1), ('upc', 1), ('pharmaceuticals', 1), ('sublingual', 1), ('hydrochloride', 1), ('rx', 1), ('bottles', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error On Declared Strength: Trelstar 11.25 mg labeled carton/kit contained a vial labeled as 3.75 mg instead of a vial being labeled as 11.25mg.\n",
"top 10 keywords: [('single-dose', 2), ('ndc', 2), ('pharma', 1), ('rx', 1), ('sterile', 1), ('injectable', 1), ('inc.', 1), ('debio', 1), ('triptorelin', 1), ('vial', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MISOPROSTOL Tablet, 200 mcg may be potentially mislabeled as PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: AD21790_34, EXP: 5/1/2014; SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: W003115, EXP: 6/13/2014. \n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('misoprostol', 1), ('rx', 1), ('mcg', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Subpotent (Single Ingredient Drug): The firm is recalling the product because the product is subpotent and does not meet the labeled 0.25% zinc pyrithione level.\n",
"top 10 keywords: [('fl', 1), ('topical', 1), ('zinc', 1), ('dermallogix', 1), ('otc', 1), ('oz', 1), ('distributed', 1), ('spray', 1), ('pyritione', 1), ('dermazinc', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: failed specification for unknown impurity at the 24 month stability testing. \n",
"top 10 keywords: [('transdermal', 2), ('rx', 1), ('mg/hr', 1), ('use', 1), ('ag', 1), ('lohmann', 1), ('therapie', 1), ('republic', 1), ('germany', 1), ('nitroglycerin', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products; Selected lots of Badger Baby and Kids Sunscreen Lotion were recalled due to microbial contamination.\n",
"top 10 keywords: [('code', 4), ('upc', 4), ('lotion', 2), ('sunscreen', 2), ('tube', 2), ('broad', 2), ('canada', 2), ('zinc', 2), ('oxide', 2), ('badger', 2)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications\n",
"top 10 keywords: [('ndc', 19), ('mg', 13), ('manufactured', 13), ('rx', 12), ('tablets', 10), ('nj', 10), ('sun', 9), ('inc.', 8), ('usp', 8), ('upc', 7)]\n",
"---\n",
"reason_for_recall : Resuspension Problems: Recalled lot did not meet resuspendability requirements.\n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('ingelheim', 1), ('laboratories', 1), ('oxcarbazepine', 1), ('ndc', 1), ('suspension', 1), ('oral', 1), ('ohio', 1), ('boehringer', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug; for the active, HCB, and preservatives, Propylparaben and Butylparaben at the 18 month stability test point\n",
"top 10 keywords: [('ferndale', 4), ('rx', 2), ('cream', 2), ('wt', 2), ('ndc', 2), ('hydrocortisone', 2), ('gm', 2), ('inc.', 2), ('net', 2), ('tubes', 2)]\n",
"---\n",
"reason_for_recall : Superpotent drug: Out of specification test result for assay during stability testing.\n",
"top 10 keywords: [('canada', 3), ('ml', 2), ('amoxicillin', 1), ('rx', 1), ('toronto', 1), ('suspension', 1), ('oral', 1), ('ndc', 1), ('mg/', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: FDA analysis detected the presence of sibutramine, N-Desmethylsibutramine and phenolphthalein. Sibutramine and phenolphthalein were previously available drug products but were removed from the U.S. market making these products unapproved new drugs.\n",
"top 10 keywords: [('fiber', 1), ('30-count', 1), ('mulberry', 1), ('alfalfa', 1), ('sweet', 1), ('distributed', 1), ('leaf', 1), ('aurantium', 1), ('bottle', 1), ('citrus', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; damage to the internal portion of the dropper tip portion of the container\n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('made', 1), ('inc', 1), ('use', 1), ('valley', 1), ('pharmaceutical', 1), ('spring', 1), ('b', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: Novartis Pharmaceuticals Corporation has recalled physician sample bottles of Diovan, Exforge, Exforge HCT,Lescol XL, Stalevo, Tekturna and Tekturna HCT Tablets due to contamination with Darocur 1173 a photocuring agent used in inks on shrink-wrap sleeves.\n",
"top 10 keywords: [('novartis', 26), ('tablets', 20), ('stein', 16), ('per', 16), ('pharmaceuticals', 15), ('sale', 13), ('bottle', 13), ('ndc', 13), ('east', 13), ('manufactured', 13)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet may be potentially mislabeled as RILUZOLE, Tablet, 50 mg, NDC 00075770060, Pedigree: AD62992_11, EXP: 5/23/2014; ASPIRIN, Chew Tablet, 81 mg, NDC 00536329736, Pedigree: W003093, EXP: 6/13/2014; NIACIN TR, Capsule, 250 mg, NDC 00904062960, Pedigree: W003478, EXP: 6/20/2014; PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 009045\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('llc', 1), ('service', 1), ('counter', 1), ('prenatal', 1), ('multivitamin/multimineral', 1)]\n",
"---\n",
"reason_for_recall : Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing, lack of OTC drug labeling requirements and labeled Not Approved for sale in U.S.A. \n",
"top 10 keywords: [('country', 1), ('b.p.', 1), ('net', 1), ('origin', 1), ('farm', 1), ('new', 1), ('whitfield', 1), ('a1', 1), ('guyana', 1), ('contents', 1)]\n",
"---\n",
"reason_for_recall : The product lots are being recalled due to laboratory results indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable.\n",
"top 10 keywords: [('pf', 1), ('dexpanthenol', 1), ('pharmacy', 1), ('250mg/ml', 1), ('1ml', 1), ('wellness', 1), ('qty', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: methylPREDNISolone, Tablet, 4 mg may have potentially been mislabeled as the following drug: OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/110 mg, NDC 11523726503, Pedigree: AD42584_15, EXP: 5/14/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('methylprednisolone', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Subpotent; 12 month time point for the active ingredient Phenylephrine HCl.\n",
"top 10 keywords: [('symptom', 1), ('count', 1), ('blister', 1), ('pe', 1), ('gel', 1), ('liqgel', 1), ('stores', 1), ('distributed', 1), ('hcl', 1), ('acetaminophen/dextromethorphan', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: AD32582_3, EXP: 5/9/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('bromocriptine', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('mesylate', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Failed pH Specifications: 12 month stability testing\n",
"top 10 keywords: [('hospira', 2), ('inc.', 2), ('il', 1), ('rx', 1), ('use', 1), ('fliptop', 1), ('sulfate', 1), ('rocky', 1), ('forest', 1), ('vial', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Product found to be out of specification (OOS) during stability testing. \n",
"top 10 keywords: [('ca', 2), ('ndc', 2), ('bottle', 2), ('inc.', 2), ('tablets', 1), ('stason', 1), ('park', 1), ('rx', 1), ('san', 1), ('60-count', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MIRTAZAPINE Tablet, 7.5 mg may be potentially mislabeled as ISONIAZID, Tablet, 300 mg, NDC 00555007102, Pedigree: W003691, EXP: 6/26/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('mirtazapine', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of specifications results for impurities.\n",
"top 10 keywords: [('7-hydrate', 1), ('performance', 1), ('-genar', 1), ('use', 1), ('inc.', 1), ('parkway', 1), ('avantor', 1), ('100lb', 1), ('center', 1), ('corporate', 1)]\n",
"---\n",
"reason_for_recall : Failed USP Dissolution Test Requirements: This sub-recall is in response to Prometheus Laboratories Inc. recall for Mercaptopurine USP 50mg because the lot does not meet the specification for dissolution.\n",
"top 10 keywords: [('tablets', 4), ('carton', 3), ('rx', 2), ('x', 2), ('american', 2), ('inc.', 2), ('ndc', 2), ('oh', 2), ('glenn', 2), ('mercaptopurine', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: In the course of inspecting retention samples visual particles were observed.\n",
"top 10 keywords: [('ndc', 2), ('ml', 2), ('ny', 1), ('package', 1), ('sodium', 1), ('dose', 1), ('american', 1), ('rx', 1), ('pharmacy', 1), ('regent', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Product contains undeclared sibutramine.\n",
"top 10 keywords: [('thinogenics', 2), ('capsules', 2), ('llc', 2), ('p.o', 1), ('bethesda', 1), ('supplement', 1), ('30-count', 1), ('easy', 1), ('box', 1), ('weight', 1)]\n",
"---\n",
"reason_for_recall : Failed Content Uniformity Specifications: resulting in both superpotent and subpotent tablets.\n",
"top 10 keywords: [('tablets', 4), ('rx', 3), ('100-count', 3), ('ii', 3), ('llc.', 3), ('sulfate', 3), ('ndc', 3), ('hyoscyamine', 3), ('tn', 3), ('mg', 3)]\n",
"---\n",
"reason_for_recall : Failed Impuities/Degradation Specifications\n",
"top 10 keywords: [('fresenius', 2), ('base', 2), ('dose', 2), ('/ml', 2), ('mg/ml', 2), ('rx', 2), ('kabi', 2), ('mcg', 2), ('schaumburg', 2), ('ndc', 2)]\n",
"---\n",
"reason_for_recall : Does Not Meet Monograph: NEW GPC INC. has recalled multiple Over-the-Counter Drug Products due to lack of drug listing and lack of OTC drug labeling requirements. \n",
"top 10 keywords: [('country', 1), ('remedy', 1), ('net', 1), ('origin', 1), ('rector', 1), ('farm', 1), ('new', 1), ('a1', 1), ('guyana', 1), ('contents', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Product excipient was not re-tested at the appropriate date.\n",
"top 10 keywords: [('ndc', 3), ('ml', 3), ('bottles', 2), ('corp.', 1), ('rx', 1), ('apotex', 1), ('bromfenac', 1), ('available', 1), ('b', 1), ('weston', 1)]\n",
"---\n",
"reason_for_recall : First Aid Only, Inc is recalling Smart Tab First Aid ezRefill System Ibuprofen boxes and First Aid Cabinets containing these Ibuprofen boxes. Ibuprofen boxes (FAE 7014) were accidentally used to package aspirin packs (10 packs of 2 / 235mg tablets).\n",
"top 10 keywords: [('boxes', 2), ('aid', 2), ('first', 2), ('smart', 1), ('tab', 1), ('count', 1), ('wa', 1), ('ibuprofen', 1), ('ezrefill', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an approved NDA/ANDA: Product may contain undeclared active pharmaceutical ingredients Diclofenac Sodium, Dexamethasone, and Methocarbamol.\n",
"top 10 keywords: [('reumofan', 3), ('plus', 2), ('llc', 2), ('usa', 2), ('tablets', 1), ('distriubted', 1), ('30-count', 1), ('per', 1), ('natural', 1), ('riger', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; DARUNAVIR Tablet, 800 mg may be potentially mislabeled as HYDROcodone BITARTRATE/ ACETAMINOPHEN, Tablet, 7.5 mg/325 mg, NDC 52544016201, Pedigree: W004005, EXP: 7/1/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('darunavir', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: High Out-of-specification results were obtained for both known and unknown impurities.\n",
"top 10 keywords: [('mg/0.025', 3), ('mg', 3), ('tablets', 2), ('ca', 2), ('inc.', 2), ('ndc', 2), ('watson', 2), ('per', 2), ('corona', 2), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Subpotency: product assayed and found OOS for cyproheptadine\n",
"top 10 keywords: [('inc.', 2), ('ml', 2), ('rx', 1), ('nj', 1), ('pint', 1), ('laboratories', 1), ('one', 1), ('glass', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: lot is not meeting the specification limit for number of particles present in the solution.\n",
"top 10 keywords: [('ltd.', 2), ('pharmaceutical', 2), ('rx', 1), ('india', 1), ('elijah', 1), ('ketorolac', 1), ('distributed', 1), ('ndc', 1), ('highway', 1), ('mi', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: FOSINOPRIL SODIUM, Tablet, 10 mg may have potentially been mislabeled as the following drug: MERCapsuleTOPURINE, Tablet, 50 mg, NDC 00054458111, Pedigree: AD54549_1, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('fosinopril', 1), ('ndc', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label mix-up; Bottles labeled to contain Morphine Sulfate IR may contain Morphine Sulfate ER and vice-versa. \n",
"top 10 keywords: [('tablet', 4), ('rx', 2), ('ok', 2), ('care', 2), ('tulsa', 2), ('morphine', 2), ('physician', 2), ('bottles', 2), ('total', 2), ('inc', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MYCOPHENOLIC ACID DR, Tablet, 180 mg may have potentially been mislabeled as the following drug: METHAZOLAMIDE, Tablet, 50 mg, NDC 00781107101, Pedigree: AD37072_11, EXP: 5/13/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('dr', 1), ('tablet', 1), ('acid', 1), ('distributed', 1), ('mycophenolic', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: A particulate, confirmed as human hair, was found sealed between the tube and film at the round seal of the unused administrative port of the container.\n",
"top 10 keywords: [('heparin', 3), ('sodium', 2), ('usp', 2), ('ml', 2), ('il', 1), ('rx', 1), ('unit', 1), ('ndc', 1), ('units/ml', 1), ('flexible', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet Specifications: Broken Tablets Present.\n",
"top 10 keywords: [('tablets', 2), ('oxcarbazepine', 2), ('distributed', 2), ('dispense', 2), ('pharmaceutical', 2), ('caraco', 2), ('detroit', 2), ('tablet', 2), ('rx', 2), ('ltd.', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Not Elsewhere Classified: Pentrexcilina Tablets and Pentrexcilina Liquid are being recalled because the product labels are misleading because they may be confused with Pentrexyl, a prescription antibiotic used to treat respiratory illnesses in Mexico.\n",
"top 10 keywords: [('tablets', 2), ('ca', 2), ('distributed', 2), ('laboratorios', 2), ('upc', 2), ('san', 2), ('co.', 2), ('diego', 2), ('pentrexcilina', 2), ('fl', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Two of the active sunscreen ingredients, octinoxate and octisalate, are below the specifications for assay.\n",
"top 10 keywords: [('new', 12), ('york', 12), ('clinique', 12), ('fl', 6), ('oz.liq./30', 6), ('surge', 6), ('moisturizer', 6), ('tinted', 6), ('dist', 6), ('london', 6)]\n",
"---\n",
"reason_for_recall : Defective container; lidding deformity allows the contained product to transpire causing potential viscosity and assay failures. The viscosity and assay failures were due to the loss of moisture. The loss of moisture caused the viscosity to increase and assay to increase relative to the sample volume\n",
"top 10 keywords: [('ml', 2), ('fl', 1), ('supplied', 1), ('unit', 1), ('125mg/', 1), ('inc.', 1), ('largo', 1), ('xactdose', 1), ('suspension', 1), ('oral', 1)]\n",
"---\n",
"reason_for_recall : Adulterated Presence of Foreign Tablets: Trizivir 300/150/300 mg tables, Lot 0ZP5128 may incorrectly contain Lexiva 700 mg tablets.\n",
"top 10 keywords: [('mg', 2), ('triangle', 2), ('nc', 2), ('research', 2), ('park', 2), ('tablets', 1), ('viiv', 1), ('300mg', 1), ('lamivudine', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules; Presence of co-mingled LipaCreon 13000.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('marketed', 1), ('lipase', 1), ('pancrelipase', 1), ('north', 1), ('inc.', 1), ('product', 1), ('delayed-release', 1), ('germany', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LEFLUNOMIDE Tablet, 10 mg may be potentially mislabeled as DOXYCYCLINE HYCLATE, Capsule, 100 mg, NDC 00143314250, Pedigree: W002645, EXP: 6/5/2014; SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: W002623, EXP: 6/4/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('llc', 1), ('service', 1), ('leflunomide', 1)]\n",
"---\n",
"reason_for_recall : Discoloration: This recall is being carried out due to an orange to brown discolored Amoxicillin powder on the inner foil seal of the bottles. This is an expansion of RES 65050.\n",
"top 10 keywords: [('canada', 3), ('ml', 3), ('ndc', 2), ('teva', 2), ('bottle', 2), ('manufactured', 2), ('amoxicillin', 1), ('rx', 1), ('toronto', 1), ('m1b2k9', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MULTIVITAMIN/MULTIMINERAL W/FLUORIDE, Chew Tablet, 1 mg (F) may be potentially mislabeled as ISOMETHEPTENE MUCATE/ DICHLORALPHENAZONE/APAP, Capsule, 65 mg/100 mg/325 mg, NDC 44183044001, Pedigree: AD22858_1, EXP: 3/31/2014.\n",
"top 10 keywords: [('mg', 1), ('aidapak', 1), ('w/fluoride', 1), ('f', 1), ('counter', 1), ('multivitamin/multimineral', 1), ('distributed', 1), ('ndc', 1), ('chew', 1), ('tablet', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: DULoxetine HCl DR, Capsule, 20 mg, may be potentially mis-labeled with one of the following drugs: ENTECAVIR, Tablet, 0.5 mg, NDC 00003161112, Pedigree: AD30140_28, EXP: 5/7/2014; CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD54587_1, EXP: 5/21/2014; FLUoxetine HCl, Capsule, 10 mg\t, NDC 16714035103, Pedigree: AD70585_13, EXP: 5/29/2014; CHOLECALCIFEROL\n",
"top 10 keywords: [('duloxetine', 1), ('mg', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('dr', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: Tramodol 50 mg tablet has been found in a bottle of Ciprofloxacin 500 mg \n",
"top 10 keywords: [('ciprofloxacin', 1), ('mg', 1), ('tablets', 1), ('count', 1), ('unique', 1), ('rx', 1), ('pharmacecuticals', 1), ('pharmaceutical', 1), ('mumbai', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurity/Degradation Specification; out of specification for trans-calcitriol degradant at the 9 month stability time point\n",
"top 10 keywords: [('rx', 1), ('solution', 1), ('columbus', 1), ('oral', 1), ('ndc', 1), ('ohio', 1), ('roxane', 1), ('bottle', 1), ('laboratories', 1), ('mcg/ml', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter; blue polyisoprene shavings found inside the bag port tubes\n",
"top 10 keywords: [('deerfield', 1), ('il', 1), ('sodium', 1), ('healthcare', 1), ('plastic', 1), ('injection', 1), ('baxter', 1), ('usp', 1), ('chloride', 1), ('container', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug; Two lots of Lidocaine 2% with Epinephrine 1:100,000 Injectable, distributed under the names: Octocaine 100, and 2% Xylocaine Dental, may be subpotent for the epinephrine component.\n",
"top 10 keywords: [('canada', 6), ('dental', 3), ('c', 2), ('dist', 2), ('inc.', 2), ('made', 2), ('pharmaceutical', 2), ('n1r6x3', 2), ('ontario', 2), ('novocol', 2)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: products were found to contain undeclared sildenafil\n",
"top 10 keywords: [('72hp', 2), ('blister', 1), ('fl', 1), ('potency', 1), ('enhancement', 1), ('per', 1), ('inc.', 1), ('pack', 1), ('weston', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/110 mg may be potentially mislabeled as BENZOCAINE/MENTHOL, LOZENGE, 15 mg/2.6 mg, NDC 63824073116, Pedigree: AD42592_4, EXP: 5/14/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('omeprazole/sodium', 1), ('aidapak', 1), ('distributed', 1), ('mg/110', 1), ('llc', 1), ('service', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Three lots of product being recalled having failed stability dissolution testing.\n",
"top 10 keywords: [('mg', 6), ('rx', 3), ('memantine', 3), ('extended', 3), ('louis', 3), ('ndc', 3), ('hcl', 3), ('pack', 3), ('forest', 3), ('mo', 3)]\n",
"---\n",
"reason_for_recall : Superpotent Drug: one ingredient was found to be above assay specification.\n",
"top 10 keywords: [('mg', 3), ('rx', 1), ('papaverine', 1), ('polaris', 1), ('las', 1), ('ave.', 1), ('inc.', 1), ('vials', 1), ('pge', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; sulfaSALAzine Tablet, 500 mg may be potentially mislabeled as HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD46265_7, EXP: 5/15/2014.\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('sulfasalazine', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance; presence of black particles describes generically as cellulose-based bundles of brown fibrous material. \n",
"top 10 keywords: [('pharmaceuticals', 2), ('canada', 2), ('ml', 2), ('manufactured', 2), ('rx', 1), ('contract', 1), ('limited', 1), ('sellersville', 1), ('ndc', 1), ('sulfate', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA; Product contains undeclared diclofenac and methocarbamol.\n",
"top 10 keywords: [('el', 2), ('tablets', 1), ('huesos', 1), ('nueva', 1), ('presentacion', 1), ('en', 1), ('otc', 1), ('cancer', 1), ('original', 1), ('previene', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: manufactured under practices which may result in assay or content uniformity failures.\n",
"top 10 keywords: [('count', 8), ('bottles', 8), ('ndc', 8), ('tablets', 4), ('mg', 4), ('rx', 4), ('new', 4), ('nationwide', 4), ('usp', 4), ('iselin', 4)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ASCORBIC ACID Tablet, 500 mg may be potentially mislabeled as FEBUXOSTAT, Tablet, 40 mg, NDC 64764091830, Pedigree: AD23082_16, EXP: 11/1/2013.\n",
"top 10 keywords: [('mg', 1), ('ascorbic', 1), ('ndc', 1), ('tablet', 1), ('acid', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; tiZANidine HCl Tablet, 1 mg (1/2 of 2 mg) may be potentially mislabeled as PYRIDOXINE HCL, Tablet, 50 mg, NDC 00536440801, Pedigree: AD60428_10, EXP: 5/22/2014.\n",
"top 10 keywords: [('mg', 2), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('tizanidine', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: menthol and methyl salicylate below specification\n",
"top 10 keywords: [('west', 2), ('tx', 2), ('company', 2), ('pharmacal', 2), ('mission', 2), ('ih', 2), ('boerne', 1), ('relieving', 1), ('thera-gesic', 1), ('back', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/250 mg/65 mg may be potentially mislabeled as NAPROXEN, Tablet, 500 mg, NDC 53746019001, Pedigree: AD68025_8, EXP: 5/28/2014.\n",
"top 10 keywords: [('mg', 1), ('aidapak', 1), ('distributed', 1), ('acetaminophen/', 1), ('mg/65', 1), ('counter', 1), ('mg/250', 1), ('ndc', 1), ('tablet', 1), ('caffeine', 1)]\n",
"---\n",
"reason_for_recall : SubPotent Drug: The firm discovered out of specification results for assay and the extended investigation revealed the potential for lower weight tablets.\n",
"top 10 keywords: [('tablets', 2), ('ndc', 2), ('packaged', 2), ('mg', 1), ('100-count', 1), ('count', 1), ('rx', 1), ('oxcarbazepine', 1), ('inc.', 1), ('blisters', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: all sterile compounded products within expiry \n",
"top 10 keywords: [('westlake', 10), ('rx', 5), ('ca', 5), ('park', 5), ('compounding', 5), ('pharmacy', 5), ('n.', 5), ('blvd.', 5), ('vial', 5), ('village', 5)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: API contaminated with glass particulate was used to produce sterile injectable drugs.\n",
"top 10 keywords: [('ml', 263), ('ndc', 140), ('code', 129), ('service', 129), ('bag', 101), ('hcl', 87), ('free', 76), ('compounded', 75), ('pharmedium', 75), ('tn', 75)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: The recall is being initiated due to a lack of sterility assurance and concerns associated with the quality control processes identified during an FDA inspection.\n",
"top 10 keywords: [('pharmacy', 2), ('dallas', 2), ('tx', 2), ('nuvision', 2), ('vial', 2), ('stock', 2), ('compounded', 2), ('ml', 2), ('mg', 1), ('sermorelin/ghrp-6', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Undeclared sibutramine and phenolphthalein in Burn 7 dietary supplement\n",
"top 10 keywords: [('capsules', 2), ('bottle', 1), ('supplied', 1), ('burn', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; FDA analysis found the product to contain Chlorzoxazone, Nefopam, Diclofenac, Ibuprofen, Naproxen, and Indomethacin \n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('supplement', 1), ('arthmax', 1), ('foundation', 1), ('los', 1), ('human', 1), ('bottles', 1), ('distributed', 1), ('count', 1)]\n",
"---\n",
"reason_for_recall : Tablet Thickness: Recall was initiated due to the presence of one slightly oversized tablet in a bottle of the identified lot.\n",
"top 10 keywords: [('tablets', 2), ('manufactured', 2), ('mg', 1), ('fl', 1), ('ltd.', 1), ('per', 1), ('rx', 1), ('india', 1), ('meloxicam', 1), ('corp.', 1)]\n",
"---\n",
"reason_for_recall : Presence of Precipitate; precipitation of drug product\n",
"top 10 keywords: [('ndc', 4), ('vial', 3), ('carton', 2), ('ml', 2), ('rx', 1), ('ca', 1), ('mg/ml', 1), ('irvine', 1), ('use', 1), ('iv', 1)]\n",
"---\n",
"reason_for_recall : Defective Container: Stability samples of both products were noted to have some white solid product residue, identified as dried active ingredients along with the preservative, on the exterior of the bottles. \n",
"top 10 keywords: [('packaged', 12), ('individually', 6), ('ldpe', 6), ('seal', 6), ('filled', 6), ('ophthalmic', 6), ('equipped', 6), ('dropper', 6), ('tip', 6), ('polyethylene', 6)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: product found to contain undeclared sildenafil and tadalafil\n",
"top 10 keywords: [('natural', 2), ('blister', 1), ('distribution', 1), ('supplied', 1), ('power', 1), ('max', 1), ('llc', 1), ('pack', 1), ('herbs', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: all sterile products compounded, repackaged, and distributed by this compounding pharmacy due to lack of sterility assurance and concerns associated with the quality control processes.\n",
"top 10 keywords: [('ml', 191), ('mesa', 77), ('drugs', 77), ('including', 77), ('henderson', 77), ('injection', 77), ('green', 77), ('valley', 77), ('whitney', 77), ('rx', 77)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: THYROID, Tablet, 30 mg may have potentially been mislabeled as one of the following drugs: OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1110 mg, NDC 11523726503, Pedigree: AD70655_20, EXP: 5/29/2014; NICOTINE POLACRILEX, LOZENGE, 2 mg, NDC 37205098769, Pedigree: AD73623_7, EXP: 5/30/2014; PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: W002697, EXP: 6/5/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('thyroid', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: concerns of sterility assurance with the pharmacy's independent testing laboratory\n",
"top 10 keywords: [('ok', 1), ('mg/ml', 1), ('sterile', 1), ('injectable', 1), ('tulsa', 1), ('apothecary', 1), ('cypionate', 1), ('st.', 1), ('51st', 1), ('sih-testosterone', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particular Matter: Potential vendor glass issue - glass spiticules (glass strands) were identified during site inspection of the vials.\n",
"top 10 keywords: [('ml', 2), ('il', 1), ('rx', 1), ('mg/ml', 1), ('sterile', 1), ('ndc', 1), ('ondansetron', 1), ('mg/2', 1), ('injection', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Green Valley Drugs received positive sterility results from their testing lab on two lots of Methylprednisolone Preservative Free 40 mg/mL injectable suspension and one lot of Cyanocobalamin 1000 mcg/mL injection, 30 mL MDV.\n",
"top 10 keywords: [('ml', 4), ('valley', 3), ('drugs', 3), ('green', 3), ('use', 2), ('vials', 2), ('nv', 2), ('henderson', 2), ('office', 2), ('manufactured', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: An incorrect book label for Sucrets Sore Throat, Cough & Dry Mouth Honey Lemon lozenges was applied to the underside of the Sucrets Sore Throat & Cough Vapor Cherry lozenges tin.\n",
"top 10 keywords: [('pharmaceuticals', 1), ('cherry', 1), ('18-count', 1), ('vapor', 1), ('insight', 1), ('throat', 1), ('sore', 1), ('pa', 1), ('dist', 1), ('tin', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; VITAMIN B COMPLEX Tablet may be potentially mislabeled as OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,100 mg, NDC 11523726503, Pedigree: W003789, EXP: 6/27/2014; prednisoLONE, Tablet, 5 mg, NDC 16477050501, Pedigree: W003627, EXP: 6/25/2014. \n",
"top 10 keywords: [('ndc', 1), ('distributed', 1), ('complex', 1), ('tablet', 1), ('aidapak', 1), ('vitamin', 1), ('service', 1), ('counter', 1), ('llc', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix up; product labeled to contain Sulfamethoxazole and Trimethoprim Tablets, 400 mg/80 mg instead of Sulfamethoxazole and Trimethoprim Tablets, 800 mg/160 mg\n",
"top 10 keywords: [('tablets', 2), ('trimethoprim', 2), ('mg', 2), ('sulfamethoxazole', 2), ('rx', 1), ('center', 1), ('mg/160', 1), ('mg/80', 1), ('repackaged', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MEXILETINE HCL, Capsule, 200 mg may have potentially been mislabeled as the following drug: ISOSORBIDE DINITRATE, Tablet, 10 mg, NDC 00781155601, Pedigree: AD25264_1, EXP: 5/3/2014. \n",
"top 10 keywords: [('mg', 1), ('mexiletine', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance, Sandoz is recalling certain lots of Amoxicillin Capsules, USP 500 mg due to potential contamination with fragments of stainless steel wire mesh.\n",
"top 10 keywords: [('ct', 2), ('sandoz', 2), ('ndc', 2), ('manufactured', 2), ('amoxicillin', 1), ('mg', 1), ('princeton', 1), ('rx', 1), ('nj', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Confirmed customer report of visible particulate in the form of an orange or rust colored ring embedded in between the plastic layers of the plastic vial.\n",
"top 10 keywords: [('vial', 2), ('il', 1), ('rx', 1), ('sodium', 1), ('lake', 1), ('per', 1), ('inc.', 1), ('ndc', 1), ('fliptop', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012 because FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \n",
"top 10 keywords: [('ml', 824), ('injectable', 226), ('vial', 141), ('mls', 83), ('kit', 83), ('p.f', 75), ('products', 73), ('different', 72), ('ophthalmic', 63), ('syringe', 49)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Contains an unapproved drug, ligandrol LGD-4033\n",
"top 10 keywords: [('mg', 1), ('fl', 1), ('labs', 1), ('lauderdale', 1), ('lgd-4033', 1), ('ligandrol', 1), ('fort', 1), ('capsules', 1), ('lgd-xtreme', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with undeclared sibutramine, an appetite suppressant that was withdrawn from the US market for safety reasons, making it an unapproved drug.\n",
"top 10 keywords: [('capsules', 6), ('bottles', 5), ('manufactured', 4), ('mg', 4), ('30-count', 3), ('floyd', 2), ('pharmaceuticals', 2), ('nutrition', 2), ('60-count', 2), ('zi', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Products tested positive for Sildenafil and analogs of Sildenafil.\n",
"top 10 keywords: [('distributed', 4), ('florida', 3), ('fl', 2), ('day', 2), ('x-rock', 2), ('blister', 2), ('pill', 2), ('upc', 2), ('capsule', 2), ('labeled', 2)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Routine stability testing at the 12-month interval yielded an out-of-specification (OOS) result for dissolution testing.\n",
"top 10 keywords: [('capsules', 3), ('packaged', 3), ('inc.', 2), ('il', 1), ('blister', 1), ('30-count', 1), ('coated', 1), ('rx', 1), ('box', 1), ('udl', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Package Insert: An outdated version of a patient outsert was used when packaged.\n",
"top 10 keywords: [('rx', 6), ('capsules', 6), ('loxapine', 5), ('count', 5), ('ca', 5), ('inc.', 5), ('ndc', 5), ('corona', 5), ('laboratories', 5), ('bottle', 5)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: Inhalers do not spray properly, emitting either no spray or a short transient spray.\n",
"top 10 keywords: [('per', 2), ('bromide', 1), ('ct', 1), ('ipratropium', 1), ('ingelheim', 1), ('mcg/100', 1), ('inhaler', 1), ('mcg', 1), ('respimat', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specification: Out of Specification dissolution results at 12 month interval.\n",
"top 10 keywords: [('tablets', 1), ('rx', 1), ('horsham', 1), ('box', 1), ('extended', 1), ('rd', 1), ('ud-100', 1), ('ndc', 1), ('pa', 1), ('teva', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: Pravastatin Sodium Tablets isbeing recalled due to complaints related to an off-odor described as moldy, musty or fishy in nature.\n",
"top 10 keywords: [('glenmark', 3), ('generics', 2), ('manufactured', 2), ('mg', 1), ('tablets', 1), ('sodium', 1), ('ltd', 1), ('nj', 1), ('rx', 1), ('bardez', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VARENICLINE, Tablet, 0.5 mg may have potentially been mislabeled as one of the following drugs: LACTOBACILLUS GG, Capsule, 0, NDC 49100036374, Pedigree: W003051, EXP: 6/12/2014; SOTALOL HCL, Tablet, 160 mg, NDC 00093106201, Pedigree: AD22609_10, EXP: 4/30/2014; VENLAFAXINE HCL, Tablet, 25 mg, NDC 00093019901, Pedigree: AD62796_4, EXP: 5/22/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('varenicline', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; BENZOCAINE/MENTHOL Lozenge, 15 mg/3.6 mg may be potentially mislabeled as LUBIPROSTONE, Capsule, 24 mcg, NDC 64764024060, Pedigree: AD21811_1, EXP: 5/1/2014; LOSARTAN POTASSIUM, Tablet, 50 mg, NDC 00093736598, Pedigree: W003268, EXP: 6/17/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('benzocaine/menthol', 1), ('lozenge', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('mg/3.6', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ITRACONAZOLE, Capsule, 100 mg may be potentially mislabeled as FAMCICLOVIR, Tablet, 500 mg, NDC 00093811956, Pedigree: AD54549_4, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('itraconazole', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Firm voluntarily recalled products due to out-of-specification results for an unknown impurity at or near the expiration (24-month).\n",
"top 10 keywords: [('bottle', 3), ('ml', 3), ('b', 2), ('c', 2), ('ophthalmic', 2), ('ciprofloxacin', 1), ('base', 1), ('pharmacal', 1), ('topical', 1), ('sterile', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: The product/lot is out-of-specification (OOS) for the assay of acetic acid at the 18-month test station.\n",
"top 10 keywords: [('rx', 1), ('pharmacal', 1), ('acid', 1), ('upc', 1), ('co.', 1), ('inc.', 1), ('acetic', 1), ('ndc', 1), ('usp', 1), ('ml', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: presence of undeclared morphine. \n",
"top 10 keywords: [('fl', 1), ('ying', 1), ('co.', 1), ('liquid', 1), ('oz', 1), ('herbs', 1), ('distributed', 1), ('ndc', 1), ('wuhan', 1), ('guaifenesin', 1)]\n",
"---\n",
"reason_for_recall : Chemical contamination: emission of strong odor after package was opened.\n",
"top 10 keywords: [('bottles', 14), ('ndc', 14), ('tablets', 7), ('rx', 7), ('sodium', 7), ('tn', 7), ('bristol', 7), ('pharmaceuticals', 7), ('mcg', 7), ('b', 7)]\n",
"---\n",
"reason_for_recall : Penicillin Cross Contamination: All lots of all products repackaged and distributed between 01/05/12 and 02/12/15 are being recalled because they were repackaged in a facility with penicillin products without adequate separation which could introduce the potential for cross contamination with penicillin.\n",
"top 10 keywords: [('kg', 463), ('pharmaceuticals', 463), ('unit', 463), ('packaged', 463), ('bags', 463), ('attix', 463), ('street', 463), ('varying', 463), ('drums', 463), ('pharmaceutical', 463)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LITHIUM CARBONATE ER, Tablet, 450 mg may be potentially mislabled as one of the following drugs: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD21790_19, EXP: 5/1/2014; LACTOBACILLUS ACIDOPHILUS, Capsule, 500 MILLION CFU, NDC 43292050022, Pedigree: AD46257_28, EXP: 5/15/2014; HYDROCORTISONE, Tablet, 5 mg, NDC 00603389919, Pedigree: W002729, EXP: 6\n",
"top 10 keywords: [('mg', 1), ('er', 1), ('lithium', 1), ('carbonate', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed Content Uniformity Specifications: out of specification test result for spray content uniformity. \n",
"top 10 keywords: [('mcg', 2), ('per', 2), ('northridge', 1), ('rx', 1), ('nasal', 1), ('children', 1), ('ca', 1), ('horsham', 1), ('aerosol', 1), ('dipropionate', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurity/Degradation Specifications: Out of Specifications result obtained for a known impurity.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('mg*/vial', 1), ('mfd', 1), ('forest', 1), ('ndc', 1), ('rifampin', 1), ('injection', 1), ('usp', 1), ('akorn', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Particulate matter was found in some vials of Vistide (cidofovir injection).\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('cidofovir', 1), ('mg/ml', 1), ('upc', 1), ('inc.', 1), ('ca', 1), ('ndc', 1), ('vistide', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Confirmed customer complaint of particulate matter floating within the solution of the primary container, consistent with mold.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('ringer', 1), ('ndc', 1), ('lake', 1), ('flexible', 1), ('hospira', 1), ('injection', 1), ('containers', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Stability data does not support expiry. \n",
"top 10 keywords: [('pharmakon', 20), ('injectable', 20), ('inc', 20), ('pharmaceuticals', 20), ('rx', 20), ('packed', 20), ('syringes', 20), ('mg/ml', 17), ('dosage', 15), ('total', 15)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Product is out of specification for a known degradant.\n",
"top 10 keywords: [('ml', 2), ('manufactured', 2), ('reddy', 1), ('rx', 1), ('vials', 1), ('pithampur', 1), ('cipla', 1), ('plot', 1), ('sez', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: FDA analysis found this product to contain undeclared dexamethasone and cyproheptadine which are FDA approved drugs making this product an unapproved drug.\n",
"top 10 keywords: [('capsules', 2), ('drug', 1), ('mg', 1), ('manufactory', 1), ('mayhem', 1), ('proprietary', 1), ('upc', 1), ('chaotic-labz', 1), ('product', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution: Out of Specification test results (low) at the 18 month time-point.\n",
"top 10 keywords: [('czech', 3), ('tablets', 2), ('republic', 2), ('teva', 2), ('manufactured', 2), ('mg', 1), ('per', 1), ('rx', 1), ('sellersville', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Sandoz is recalling one lot of Hydroxychloroquine Sulfate Tablets, USP, 200mg, due to illegibility of the logo on some tablets.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('hydroxychloroquine', 1), ('per', 1), ('princeton', 1), ('rx', 1), ('sandoz', 1), ('nj', 1), ('sulfate', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; QUEtiapine FUMARATE, Tablet, 25 mg may be potentially mislabeled as chlordiazePOXIDE HCl, Capsule, 25 mg, NDC 00555015902, Pedigree: AD49426_1, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('quetiapine', 1), ('fumarate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LACTOBACILLUS ACIDOPHILUS, Capsule, 500 Million CFU may be potentially mislabeled as MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD46257_56, EXP: 5/15/2014; MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD30028_28, EXP: 5/7/2014; CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: AD60240_11, EXP: 5/22/2014. \n",
"top 10 keywords: [('distributed', 1), ('acidophilus', 1), ('ndc', 1), ('aidapak', 1), ('llc', 1), ('cfu', 1), ('lactobacillus', 1), ('million', 1), ('counter', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Missing Label-Primary packaging label (i.e. blister card) is blank and contains no product information (e.g. product name, strength, lot number, expiry). \n",
"top 10 keywords: [('mg', 1), ('tablets', 1), ('x', 1), ('civ', 1), ('princeton', 1), ('rx', 1), ('sandoz', 1), ('inc.', 1), ('nj', 1), ('cards', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: An FDA inspection identified inadequate investigations of past market complaints.\n",
"top 10 keywords: [('wockhardt', 4), ('usa', 4), ('tablets', 2), ('mg', 2), ('upc', 2), ('rx', 2), ('llc', 2), ('nj', 2), ('lisinopril', 2), ('blvd', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg may have potentially been mislabeled as one of the following drugs: guanFACINE HCl, Tablet, 2 mg, NDC 65162071310, Pedigree: AD21790_13, EXP: 5/1/2014; CYCLOBENZAPRINE HCL, Tablet, 5 mg, NDC 00591325601, Pedigree: AD46265_4, EXP: 5/15/2014; guanFACINE HCl, Tablet, 2 mg, NDC 65162071310, Pedigree: W003678, EXP: 6/25/2014; guanFACIN\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hyoscyamine', 1), ('tablet', 1), ('sl', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PARICALCITOL, Capsule, 1 mcg may have potentially been mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 500 mg, NDC 60258014101, Pedigree: AD23082_19, EXP: 5/6/2014; CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W002666, EXP: 6/5/2014. \n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('aidapak', 1), ('rx', 1), ('mcg', 1), ('service', 1), ('capsule', 1), ('llc', 1), ('paricalcitol', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Teva Pharmaceuticals USA, is voluntarily recalling certain lots of Duloxetine DR Capsules USP, 20 mg, 30 mg & 60 mg due to a customer complaint trend regarding capsule breakage. \n",
"top 10 keywords: [('israel', 6), ('capsules', 6), ('teva', 6), ('manufactured', 6), ('mg', 3), ('rx', 3), ('ltd', 3), ('per', 3), ('pharmaceuticals', 3), ('pharmaceutical', 3)]\n",
"---\n",
"reason_for_recall : Stason Pharmaceuticals is recalling Selegiline HCl tablets, USP 5mg 60 count bottle due to an out of specification result for dissolution of stability samples.\n",
"top 10 keywords: [('inc.', 2), ('tablets', 1), ('rx', 1), ('count', 1), ('ca', 1), ('pharma', 1), ('pharmaceuticals', 1), ('al', 1), ('irvine', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance(s): A complaint was received for a rubber-like material in a 500 mg Ciprofloxacin tablet.\n",
"top 10 keywords: [('ciprofloxacin', 1), ('tablets', 1), ('100-count', 1), ('hikma', 1), ('jordan', 1), ('rx', 1), ('pharmaceutical', 1), ('nj', 1), ('corp.', 1), ('mg', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Pfizer Inc. (Pfizer) is recalling PREMPRO (conjugated estrogens/medroxyprogesterone acetate tablets) because certain lots for this product may not meet the specification for conjugated estrogens dissolution.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('blister', 1), ('wyeth', 1), ('rx', 1), ('mg/5.0', 1), ('containing', 1), ('ndc', 1), ('acetate', 1), ('card', 1)]\n",
"---\n",
"reason_for_recall : Lack of sterility assurance;All lots of sterile products compounded by the pharmacy that are within expiry were recalled due to concerns associated with quality control procedures that present a potential risk to sterility assurance that were observed during a recent FDA inspection.\n",
"top 10 keywords: [('rx', 18), ('pharmacy', 17), ('park', 17), ('drug', 17), ('overland', 17), ('compounding', 17), ('perry', 17), ('ks', 17), ('compounded', 16), ('ndc', 14)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ISOSORBIDE DINITRATE ER Tablet, 40 mg may be potentially mislabeled as CILOSTAZOL, Tablet, 50 mg, NDC 60505252101, Pedigree: AD21811_7, EXP: 5/1/2014.\n",
"top 10 keywords: [('mg', 1), ('er', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('dinitrate', 1), ('distributed', 1), ('isosorbide', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; DOXYCYCLINE HYCLATE, Tablet, 100 mg may be potentially mislabeled as DESLORATADINE, Tablet, 5 mg, NDC 00085126401, Pedigree: AD30993_5, EXP: 2/28/2014.\n",
"top 10 keywords: [('mg', 1), ('doxycycline', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('hyclate', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Phenobarbital Tablets have an out of specification for dissolution at the 12 month stability time point\n",
"top 10 keywords: [('phenobarbital', 1), ('tablets', 1), ('mfd', 1), ('rx', 1), ('pharmaceutical', 1), ('nj', 1), ('corp.', 1), ('bottles', 1), ('100=count', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Chemical contamination: Product may be contaminated with a toxic compound.\n",
"top 10 keywords: [('per', 4), ('fl', 2), ('ml', 2), ('pouches', 2), ('upc', 2), ('iodine', 2), ('w/urethane', 2), ('single', 2), ('packaged', 2), ('use', 2)]\n",
"---\n",
"reason_for_recall : Lack of assurance of sterility: ineffective crimp on fliptop vials that may result in leaking at the neck of the vials.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('non-pyrogenic', 1), ('mg/ml', 1), ('sterile', 1), ('diazepam', 1), ('inc.', 1), ('ndc', 1), ('fliptop', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LUBIPROSTONE Capsule, 24 mcg may be potentially mislabeled as ARIPiprazole, Tablet, 2 mg, NDC 59148000613, Pedigree: AD21790_43, EXP: 5/1/2014; CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00904421713, Pedigree: AD21846_46, EXP: 5/1/2014; VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: AD39858_1, EXP: 5/16/2014. \n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('aidapak', 1), ('rx', 1), ('mcg', 1), ('service', 1), ('capsule', 1), ('llc', 1), ('lubiprostone', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: All compounded products.\n",
"top 10 keywords: [('compounded', 1), ('sterile', 1), ('drugs', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; All lots of sterile products compounded by the pharmacy within expiry are subject to this recall. This recall is initiated due to concerns associated with quality control procedures observed during a recent FDA inspection.\n",
"top 10 keywords: [('rx', 42), ('discard', 41), ('fl', 30), ('trinity', 30), ('202-c', 30), ('17th', 30), ('care', 30), ('street', 30), ('sw', 30), ('solutions', 30)]\n",
"---\n",
"reason_for_recall : Failed Impurity/Degradation Specifications; out of specification value for impurity Nitrophenylpuridine Derivative (NPP-D)\n",
"top 10 keywords: [('ml', 2), ('corp.', 1), ('rx', 1), ('eatontown', 1), ('pharma', 1), ('vials', 1), ('lenoir', 1), ('ndc', 1), ('exela', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Report of a vial containing visible particulate matter embedded in the glass wall which has the potential to dislodge resulting in the presence of particulate matter in the product.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('mg/ml', 1), ('forest', 1), ('teartop', 1), ('inc.', 1), ('vials', 1), ('ndc', 1), ('lidocaine', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: The product did not meet the acceptance criteria for the dissolution test during the 24 month routine stability testing.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('count', 1), ('pharmaceuticals', 1), ('tarceva', 1), ('rx', 1), ('seymour', 1), ('ndc', 1), ('erlotinib', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Some single-use vials may be filled with water rather than the product solution and the firm cannot guarantee the sterility of the water-filled vials.\n",
"top 10 keywords: [('vials', 2), ('single-use', 2), ('free', 2), ('fl', 1), ('preservative', 1), ('oz', 1), ('tears', 1), ('60-count', 1), ('dextran', 1), ('drops', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PANTOPRAZOLE SODIUM DR, Tablet, 20 mg may be potentially mislabeled as one of the following drugs: HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: AD60272_16, EXP: 5/22/2014; MULTIVITAMIN/MULTIMINERAL, Tablet, 0 mg, NDC 65162066810, Pedigree: AD73646_13, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('sodium', 1), ('dr', 1), ('tablet', 1), ('aidapak', 1), ('pantoprazole', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Avella Specialty Pharmacy is recalling bevacizumab and vancomycin due to concerns of sterility assurance with the specialty pharmacy's independent testing laboratory.\n",
"top 10 keywords: [('pf', 2), ('az', 2), ('pharmacy', 2), ('specialty', 2), ('avella', 2), ('ml', 2), ('phoenix', 2), ('bevacizumab', 1), ('vancomycin', 1), ('mg/0.05', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: glass delamination\n",
"top 10 keywords: [('total', 1), ('units/ml', 1), ('care', 1), ('oaks', 1), ('dist', 1), ('tulsa', 1), ('alfa', 1), ('epoetin', 1), ('physicians', 1), ('ok', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('count', 1), ('pharmaceuticals', 1), ('temazepam', 1), ('qualitest', 1), ('bottles', 1), ('ndc', 1), ('usp', 1), ('capsules', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ASCORBIC ACID, Tablet, 500 mg may have potentially been mislabeled as the following drug: OXcarbazepine, Tablet, 150 mg, NDC 62756018388, Pedigree: AD54562_4, EXP: 5/20/2014. \n",
"top 10 keywords: [('mg', 1), ('ascorbic', 1), ('ndc', 1), ('tablet', 1), ('acid', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; CAFFEINE Tablet, 200 mg may be potentially mislabeled as CALCIUM CITRATE, Tablet, 950 mg (200 mg ELEMENTAL Ca), NDC 00904506260, Pedigree: AD21846_24, EXP: 5/1/2014; CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: AD60240_4, EXP: 5/22/2014; FEXOFENADINE HCL, Tablet, 60 mg, NDC 45802042578, Pedigree: W003020, EXP: 6/12/2014; MELATONIN, Tablet, 3 mg, ND\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('caffeine', 1), ('service', 1), ('counter', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; FEXOFENADINE HCL Tablet, 180 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 00536406001, Pedigree: AD62992_8, EXP: 5/23/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('fexofenadine', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CHLORTHALIDONE, Tablet, 50 mg may have potentially been mislabeled as the following drug: SENNOSIDES, Tablet, 8.6 mg, NDC 00182109301, Pedigree: W002979, EXP: 6/11/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('chlorthalidone', 1)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: Out of Specification results found for impurity B, identified as the drug's metabolite.\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('per', 1), ('ingelheim', 1), ('perindopril', 1), ('columbus', 1), ('ndc', 1), ('boehringer', 1), ('roxane', 1), ('oh', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Oxidized stainless steel found in vial of 1% Lidocaine Hydrochloride Injection, USP.\n",
"top 10 keywords: [('il', 1), ('injection', 1), ('hcl', 1), ('usp', 1), ('mg/ml', 1), ('forest', 1), ('hospira', 1), ('lake', 1), ('inc.', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Superpotent (Single Ingredient) Drug: All BiCNU lots within expiration which contain carmustine vial lots manufactured by BenVenue Laboratories (BVL) are being recalled because of an overfilled vial discovered during stability testing for a single carmustine lot. \n",
"top 10 keywords: [('diluent', 2), ('inc.', 2), ('usa', 2), ('ndc', 2), ('manufactured', 2), ('bicnu', 2), ('luitpold', 1), ('rx', 1), ('nj', 1), ('shirley', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: These products found to contain undeclared tadalafil. Tadalafil is an FDA-approved drug for the treatment of male Erectile Dysfunction (ED), making these products unapproved new drugs.\n",
"top 10 keywords: [('count', 8), ('mg', 3), ('blister', 3), ('box', 3), ('packaged', 3), ('packs', 3), ('capsules', 2), ('www.hotrodextrastrength.com', 1), ('extra', 1), ('www.firminite.com', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: FDA analysis discovered undeclared lovastatin, making this an unapproved new drug.\n",
"top 10 keywords: [('best', 2), ('mg', 1), ('clemente', 1), ('red', 1), ('ca', 1), ('upc', 1), ('san', 1), ('doctor', 1), ('rice', 1), ('capsules', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-up; some cartons labeled as Clobetasol Propionate Cream USP contain tubes labeled as Clobetasol Propionate Gel USP. The actual product in the tube is Clobetasol Propionate Cream USP\n",
"top 10 keywords: [('hi-tech', 2), ('pharmacal', 2), ('propionate', 1), ('rx', 1), ('use', 1), ('cream', 1), ('ndc', 1), ('label', 1), ('ny', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Firm received fentanyl from a supplier who recalled it because fliptop vial crimps were loose or missing. \n",
"top 10 keywords: [('suite', 5), ('one', 5), ('fentanyl', 5), ('park', 5), ('west', 5), ('use', 5), ('prohibits', 5), ('prescription', 5), ('ndc', 5), ('mcg/ml', 5)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: out of specification test results for the norethindrone impurity.\n",
"top 10 keywords: [('tablets', 2), ('blister', 2), ('ndc', 2), ('per', 2), ('manufactured', 2), ('mg', 1), ('mg/0.1', 1), ('rx', 1), ('sellersville', 1), ('barr', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PROPRANOLOL HCL, Tablet, 10 mg may be potentially mislabeled as PERPHENAZINE, Tablet, 16 mg, NDC 00781104901, Pedigree: AD21790_31, EXP: 5/1/2014; buPROPion HCl ER (XL), Tablet, 150 mg, NDC 67767014130, Pedigree: AD52412_4, EXP: 4/30/2014; MULTIVITAMIN/MULTIMINERAL LOW IRON, Tablet, NDC 64376081601, Pedigree: AD60272_31, EXP: 5/22/2014; PERPHENAZINE, Tablet, 16 mg, NDC\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('propranolol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance; some bottles may contain debris that was swept up during cleaning\n",
"top 10 keywords: [('malta', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('ltd.', 1), ('losartan', 1), ('rx', 1), ('ca', 1), ('gsms', 1), ('bizebbugia', 1)]\n",
"---\n",
"reason_for_recall : Superpotent Drug: Bio-Pharm, Inc. is initiating a recall of one lot of Acetaminophen Oral Suspension Liquid 160mg/5mL failure of the product assay at the 6 month timepoint. \n",
"top 10 keywords: [('fl', 2), ('rugby', 2), ('cherry', 2), ('oz', 2), ('distributed', 2), ('ndc', 2), ('children', 2), ('bottle', 2), ('major', 2), ('livonia', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; COLCHICINE Tablet, 0.6 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 2000 units, NDC 00904615760, Pedigree: AD46312_37, EXP: 5/16/2014; PSEUDOEPHEDRINE HCL, Tablet, 30 mg, NDC 00904505360, Pedigree: AD52993_37, EXP: 5/20/2014; SENNOSIDES, Tablet, 8.6 mg, NDC 00182109301, Pedigree: AD62992_14, EXP: 5/23/2014; CHOLECALCIFEROL, Tablet, 1000 units, NDC 00904\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('colchicine', 1)]\n",
"---\n",
"reason_for_recall : FAILED TABLET/CAPSULE SPECIFICATIONS: Firm is recalling specific lots of pregabalin capsules due to the potential presence of deformed or damaged capsules. \n",
"top 10 keywords: [('ny', 4), ('mg', 2), ('pregabalin', 2), ('rx', 2), ('pfizer', 2), ('division', 2), ('lyrica', 2), ('parke-davis', 2), ('distributed', 2), ('ndc', 2)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Product(s): The product has the potential to be contaminated with Bulkholderia gladioli.\n",
"top 10 keywords: [('pharmacy', 3), ('ndc', 3), ('aid', 3), ('antiseptic', 2), ('first', 2), ('minor', 1), ('relieves', 1), ('itching', 1), ('anesthetic', 1), ('c', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NIACIN TR, Capsule, 500 mg may have potentially been mislabeled as one of the following drugs: PERPHENAZINE, Tablet, 16 mg, NDC 00603506321, Pedigree: AD46265_49, EXP: 5/15/2014; MELATONIN, Tablet, 1 mg, NDC 47469000466, Pedigree: AD60240_14, EXP: 5/22/2014; CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: W002693, EXP: 6/5/2014; GLUCOSAMIN\n",
"top 10 keywords: [('niacin', 1), ('mg', 1), ('ndc', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('tr', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA; Product contains undeclared indomethacin, diclofenac, and chlorzoxazone.\n",
"top 10 keywords: [('blvd', 1), ('nanowellbeing', 1), ('supplement', 1), ('ca', 1), ('upc', 1), ('mirada', 1), ('inc.', 1), ('arthgold', 1), ('super', 1), ('5v', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations; Stored/dispensed in a non-GMP compliant warehouse at S.I.M.S., Italy. \n",
"top 10 keywords: [('tetrahydrozoline', 1), ('corp.', 1), ('ca', 1), ('gardena', 1), ('yy1568', 1), ('cat', 1), ('hydrochloride', 1), ('usp', 1), ('bottle', 1), ('mfg', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility - the firm is recalling select sterile drug products.\n",
"top 10 keywords: [('cantrell', 42), ('ml', 23), ('little', 21), ('drug', 21), ('rx', 21), ('ar', 21), ('ndc', 19), ('single-dose', 19), ('rock', 18), ('chloride', 18)]\n",
"---\n",
"reason_for_recall : Labeling: Wrong Bar Code\n",
"top 10 keywords: [('ndc', 2), ('panel', 2), ('tablets', 1), ('rx', 1), ('bellmawr', 1), ('top', 1), ('hyclate', 1), ('distributed', 1), ('dorado', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: The product was found to contain a slightly out of specification level of bromides, exceeding the bromides limit for USP Sodium Chloride. \n",
"top 10 keywords: [('bags', 3), ('lb', 3), ('morton', 2), ('drums', 2), ('semi-bulk', 2), ('sodium', 1), ('product', 1), ('inc.', 1), ('salt', 1), ('fiber', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Uncharacteristic blacks spots were found in tablets.\n",
"top 10 keywords: [('mg', 4), ('usp', 4), ('tablets', 3), ('sulfate', 2), ('ndc', 2), ('bottle', 2), ('per', 2), ('phenobarbital', 1), ('scopolamine', 1), ('eatontown', 1)]\n",
"---\n",
"reason_for_recall : Impurity/Degradation; exceeded impurity specification at the 8 and 15 month time points (betacyclodextrin ester 1&amp;2)\n",
"top 10 keywords: [('mg', 2), ('count', 2), ('cetirizine', 2), ('ndc', 2), ('hcl', 2), ('major', 2), ('blister', 2), ('sandoz', 2), ('pack', 2), ('children', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Visible particulate embedded in the glass vial was observed and confirmed in a sample bottle during retain sample inspection. \n",
"top 10 keywords: [('ml', 2), ('il', 1), ('rx', 1), ('emulsion', 1), ('mg/ml', 1), ('injectable', 1), ('vials', 1), ('propofol', 1), ('hospira', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: HYDROCORTISONE, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: carBAMazepine ER, Tablet, 200 mg, NDC 51672412401, Pedigree: AD60272_7, EXP: 5/22/2014; guanFACINE HCl, Tablet, 1 mg, NDC 00591044401, Pedigree: W002728, EXP: 4/30/2014; glyBURIDE, Tablet, 1.25 mg, NDC 00093834201, Pedigree: AD21790_10, EXP: 2/28/2014; ACARBOSE, Tablet, 25 mg\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('hydrocortisone', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PHENobarbital, Tablet, 64.8 mg may have potentially been mislabeled as the following drug: PREGABALIN, Capsule, 200 mg, NDC 00071101768, Pedigree: AD73518_4, EXP: 5/31/2014. \n",
"top 10 keywords: [('phenobarbital', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared diclofenac, a prescription non-steroidal anti-inflammatory drug, and chlorpheniramine, an over-the-counter antihistimine, making this an unapproved drug.\n",
"top 10 keywords: [('fullerton', 1), ('ca', 1), ('upc', 1), ('joint', 1), ('natural', 1), ('capsules', 1), ('pyrola', 1), ('60-count', 1), ('formula', 1), ('c', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ISONIAZID, Tablet, 300 mg may have potentially been mislabeled as one of the following drugs: hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W003690, EXP: 6/26/2014; CETIRIZINE HCL, Tablet, 5 mg, NDC 00378363501, Pedigree: AD32757_13, EXP: 5/13/2014; RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: AD32757_47, EXP: 5/13/2014; DULoxetine HCl DR,\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('isoniazid', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; TORSEMIDE Tablet, 10 mg may be potentially mislabeled as MEXILETINE HCL, Capsule, 200 mg, NDC 00093874001, Pedigree: AD25264_7, EXP: 5/3/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('torsemide', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Confirmed customer complaint of discolored solution with visible metal particles embedded in the glass vial and visible in the solution.\n",
"top 10 keywords: [('usp', 3), ('mg', 2), ('bupivacaine', 2), ('lake', 2), ('rx', 2), ('ndc', 2), ('hospira', 2), ('injection', 2), ('hcl', 2), ('forest', 2)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Pharmaceuticals were produced and distributed with active ingredients not manufactured according to Good Manufacturing Practices.\n",
"top 10 keywords: [('ndc', 28), ('bottles', 19), ('inc.', 18), ('pharmaceuticals', 15), ('morgantown', 15), ('wv', 15), ('mylan', 14), ('rx', 14), ('amlodipine', 12), ('besylate', 12)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: OOS (out of specification) assay result at the 12 month stability time point. \n",
"top 10 keywords: [('actelion', 1), ('sterile', 1), ('ampules', 1), ('use', 1), ('south', 1), ('iloprost', 1), ('inc', 1), ('ndc', 1), ('ventavis', 1), ('francisco', 1)]\n",
"---\n",
"reason_for_recall : Chemical contamination: emission of strong odor after package was opened..\n",
"top 10 keywords: [('bottles', 6), ('ndc', 6), ('tablets', 3), ('rx', 3), ('sodium', 3), ('tn', 3), ('bristol', 3), ('pharmaceuticals', 3), ('mcg', 3), ('b', 3)]\n",
"---\n",
"reason_for_recall : Stability Data Does Not Support Expiry\n",
"top 10 keywords: [('sodium', 5), ('ml', 3), ('usp', 3), ('rx', 2), ('units/ml', 2), ('heparin', 2), ('little', 2), ('drug', 2), ('ar', 2), ('upc', 2)]\n",
"---\n",
"reason_for_recall : Lack of assurance of sterility\n",
"top 10 keywords: [('injection', 26), ('bedford', 26), ('pharmacy', 23), ('route', 13), ('nh', 13), ('l.l.c.', 10), ('ny', 10), ('fallon', 10), ('mg/ml', 10), ('latham', 10)]\n",
"---\n",
"reason_for_recall : Failed impurities/degradation specifications: Purity readings for oxygen were out of specification.\n",
"top 10 keywords: [('litres', 2), ('rx', 1), ('ok', 1), ('supplied', 1), ('oxygen', 1), ('care', 1), ('respiratory', 1), ('b', 1), ('cylinders', 1), ('norman', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PHENOL, LOZENGE, 29 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 20 mg, NDC 00378201777, Pedigree: AD49582_10, EXP: 5/16/2014; VITAMIN B COMPLEX W/C, Tablet, 0 mg, NDC 00904026013, Pedigree: AD60240_48, EXP: 5/22/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('lozenge', 1), ('aidapak', 1), ('rx', 1), ('phenol', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate; red and black particulate within the solution and embedded within the plastic vial identified as iron oxide\n",
"top 10 keywords: [('il', 1), ('inj', 1), ('concentrate', 1), ('rx', 1), ('use', 1), ('meq/ml', 1), ('single-dose', 1), ('meq', 1), ('iv', 1), ('fliptop', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Broken tablets found in sealed bottles.\n",
"top 10 keywords: [('mg', 1), ('tablets', 1), ('acetaminophen', 1), ('oxycodone', 1), ('rx', 1), ('al', 1), ('qualitest', 1), ('cii', 1), ('ndc', 1), ('pharmaceuticals', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect Package Insert; product packaged with outdated version of the insert\n",
"top 10 keywords: [('tablets', 1), ('rx', 1), ('count', 1), ('mavik¿', 1), ('trandolapril', 1), ('north', 1), ('pharmaceutical', 1), ('nj', 1), ('il', 1), ('usa', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; HYDROCORTISONE Tablet, 5 mg may be potentially mislabeled as ORPHENADRINE CITRATE ER, Tablet, 100 mg, NDC 43386048024, Pedigree: W002962, EXP: 6/11/2014; CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: W003045, EXP: 6/12/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('hydrocortisone', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: failure of dissolution test observed at nine month time point.\n",
"top 10 keywords: [('usa', 2), ('wockhardt', 2), ('tablets', 1), ('rx', 1), ('30-count', 1), ('llc.', 1), ('waterview', 1), ('succinate', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications; partial tablet erosion resulting in tablet weights below specification in some tablets\n",
"top 10 keywords: [('elizabeth', 2), ('orally', 1), ('tablets', 1), ('count', 1), ('rx', 1), ('llc.', 1), ('nj', 1), ('bottles', 1), ('mg', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviation; cotton coil is missing in some packaged bottles\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('pharmaceuticals', 1), ('sellersville', 1), ('rx', 1), ('ndc', 1), ('disulfiram', 1), ('tablet', 1), ('pa', 1), ('teva', 1)]\n",
"---\n",
"reason_for_recall : Adulterated Presence of Foreign Tablets: A customer complaint was received that a bottle of Tramadol HCl Tablets USP 50 mg contained some tablets of Metoprolol Tartrate Tablets USP, 50 mg.\n",
"top 10 keywords: [('tablets', 2), ('pharmaceuticals', 1), ('ltd.', 1), ('sun', 1), ('elijah', 1), ('distributed', 1), ('ndc', 1), ('india', 1), ('mccoy', 1), ('dadra', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Parenteral product is sold over the counter whose labeling indicates it is to be used for the treatment of disease.\n",
"top 10 keywords: [('ml', 2), ('per', 2), ('drug', 1), ('prakanong', 1), ('ltd.', 1), ('acid', 1), ('co.', 1), ('box', 1), ('sukhumvlt', 1), ('thailand', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; found to contain Lorcaserin, a controlled substance used for weight loss\n",
"top 10 keywords: [('nyc', 1), ('china', 1), ('b-lipo', 1), ('km', 1), ('kunming', 1), ('inc.599', 1), ('bethel', 1), ('west', 1), ('190th', 1), ('street', 1)]\n",
"---\n",
"reason_for_recall : cGMP Deviations: Oral products were not manufactured in accordance with Good Manufacturing Practices.\n",
"top 10 keywords: [('jubilant', 2), ('tablets', 1), ('pharmaceuatical', 1), ('count', 1), ('life', 1), ('salisbury', 1), ('bottles', 1), ('inc', 1), ('ndc', 1), ('cadista', 1)]\n",
"---\n",
"reason_for_recall : Chemical contamination: Firm's inspection discovered the presence of 2-phenylphenol in the product due to migration from the cardboard cartons in which the product is packaged.\n",
"top 10 keywords: [('warner', 5), ('llc', 5), ('tablets', 3), ('rx', 3), ('count', 3), ('pr', 3), ('ndc', 3), ('bottle', 3), ('chilcott', 3), ('company', 3)]\n",
"---\n",
"reason_for_recall : Labeling; Correct labeled product miscart/mispack: Some Physician sample cartons were incorrectly labeled as Kombiglyze XR 2.5mg/1000mg on the external package carton, whereas the contents were Kombiglyze XR 5 mg/500 mg blister packaged tablets. The individual blister units are labeled correctly.\n",
"top 10 keywords: [('tablets', 4), ('bristol-myers', 4), ('company', 4), ('squibb', 4), ('princeton', 4), ('nj', 4), ('usa', 4), ('rx', 2), ('per', 2), ('physician', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CARVEDILOL PHOSPHATE ER, Capsule, 20 mg may be potentially mislabeled as the following drug: BUMETANIDE, Tablet, 1 mg, NDC 00093423301, Pedigree: W003224, EXP: 6/17/2014. \n",
"top 10 keywords: [('phosphate', 1), ('er', 1), ('ndc', 1), ('aidapak', 1), ('mg', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('carvedilol', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Pharmacy Creations is recalling Lidocaine 1% PF Sterile Injection and EDTA disodium 150 mg/mL due to lack of assurance of sterility.\n",
"top 10 keywords: [('dose', 2), ('sterile', 2), ('pharmacy', 2), ('nj', 2), ('injection', 2), ('randolph', 2), ('vial', 2), ('creations', 2), ('ml', 2), ('pf', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Confirmed customer report of dark, fibrous particulates floating within the solution of the primary container, which were subsequently identified as mold\n",
"top 10 keywords: [('bag', 1), ('rx', 1), ('ringer', 1), ('irrigation', 1), ('lake', 1), ('flexible', 1), ('hospira', 1), ('ndc', 1), ('il', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ASPIRIN, Tablet, 325 mg may have potentially been mislabeled as one of the following drugs: PANCRELIPASE DR, Capsule, 0 mg, NDC 42865010302, Pedigree: W003354, EXP: 6/19/2014; acetaZOLAMIDE, Tablet, 250 mg, NDC 51672402301, Pedigree: W003524, EXP: 6/21/2014; METOPROLOL TARTRATE, Tablet, 25 mg, NDC 00378001801, Pedigree: W002535, EXP: 6/3/2014; RIVAROXABAN, Tablet, 20 mg,\n",
"top 10 keywords: [('aspirin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Product is sold over the counter whose labeling indicates it is to be used for parenteral injection.\n",
"top 10 keywords: [('ampoules', 2), ('upc', 1), ('euro', 1), ('per', 1), ('sterile', 1), ('box', 1), ('distributed', 1), ('injection', 1), ('med', 1), ('laboratories', 1)]\n",
"---\n",
"reason_for_recall : The affected lots of Carboplatin Injection, Cytarabine Injection, Methotrexate Injection, USP, and Paclitaxel Injection are being recalled due to visible particles embedded in the glass located at the neck of the vial. There may be the potential for product to come into contact with the embedded particles and the particles may become dislodged into the solution.\n",
"top 10 keywords: [('il', 3), ('rx', 3), ('mg/ml', 3), ('hospira', 3), ('forest', 3), ('vial', 3), ('lake', 3), ('inc.', 3), ('agent', 3), ('dose', 3)]\n",
"---\n",
"reason_for_recall : Subpotent; some patches may not contain fentanyl gel \n",
"top 10 keywords: [('fentanyl', 2), ('ndc', 2), ('watson', 2), ('pouches', 2), ('carton', 2), ('transdermal', 2), ('system', 2), ('mg', 1), ('supplied', 1), ('pharma', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System; potential to have inaccurate dosage delivery\n",
"top 10 keywords: [('trainer', 4), ('ndc', 4), ('auto', 4), ('prefilled', 4), ('auvi-q', 2), ('sanofi-aventis', 2), ('injectors', 2), ('epinephrine', 2), ('rx', 2), ('b', 2)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Product is being recalled due to out of specification dissolution results obtained during routine stability testing.\n",
"top 10 keywords: [('mg', 3), ('rx', 3), ('count', 3), ('extended-release', 3), ('pharmaceuticals', 3), ('la', 3), ('capsules', 3), ('hydrochloride', 3), ('ndc', 3), ('methylphenidate', 3)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength: There is a misprint on the end flap which read 01% rather than 0.1%.\n",
"top 10 keywords: [('fougera', 2), ('pharmaceuticals', 1), ('rx', 1), ('tube', 1), ('triamcinolone', 1), ('upc', 1), ('co.', 1), ('division', 1), ('inc.', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VERAPAMIL HCL, Tablet, 40 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: W003095, EXP: 6/12/2014; TACROLIMUS, Capsule, 1 mg, NDC 00781210301, Pedigree: W003352, EXP: 3/31/2014. \n",
"top 10 keywords: [('mg', 1), ('verapamil', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: TEV-TROPIN [somatropin (rDNA origin) for injection] may contain silicone oil due to leakage of a leaking line during the freeze-drying process.\n",
"top 10 keywords: [('pharmaceuticals', 2), ('mg', 1), ('rx', 1), ('tev-tropin', 1), ('gate', 1), ('rdna', 1), ('sellersville', 1), ('ndc', 1), ('iu', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : cGMP Deviation\n",
"top 10 keywords: [('petnet', 1), ('intravenous', 1), ('use', 1), ('f', 1), ('fludeoxyglucose', 1), ('diagnostic', 1), ('injection', 1), ('usp', 1), ('mci/ml', 1), ('tn', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NIACIN TR, Tablet, 1000 mg may have potentially been mislabeled as the following drug: NIACIN TR, Tablet, 750 mg, NDC 00536703301, Pedigree: AD46414_56, EXP: 5/16/2014. \n",
"top 10 keywords: [('niacin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('tr', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: THIOTHIXENE, Capsule, 1 mg may have potentially been mislabeled as the following drug: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD46257_1, EXP: 5/15/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('thiothixene', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility\n",
"top 10 keywords: [('ml', 399), ('pharmacy', 329), ('rx', 326), ('compounded', 301), ('vials', 174), ('mg/ml', 173), ('injectable', 133), ('vial', 121), ('injection', 109), ('ndc', 101)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; DOXEPIN HCL Capsule, 150 mg may be potentially mislabeled as VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: AD46312_7, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('doxepin', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; GLUCOSAMINE/CHONDROITIN DS, Tablet, 500 mg/400 mg may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD60211_11, EXP: 5/22/2014.\n",
"top 10 keywords: [('mg', 1), ('ds', 1), ('ndc', 1), ('tablet', 1), ('glucosamine/chondroitin', 1), ('mg/400', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: tubing used for filling may interact with the nasal formulation of this product.\n",
"top 10 keywords: [('toronto', 1), ('rx', 1), ('nasal', 1), ('canada', 1), ('apotex', 1), ('inc.', 1), ('azelastine', 1), ('1t9', 1), ('ontario', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ZINC SULFATE, Capsule, 220 mg (50 mg Elem Zn) may be potentially mislabeled as PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD56916_1, EXP: 5/21/2014.\n",
"top 10 keywords: [('mg', 2), ('elem', 1), ('aidapak', 1), ('zinc', 1), ('counter', 1), ('zn', 1), ('sulfate', 1), ('distributed', 1), ('ndc', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Confirmed customer report of leakage of vial contents due to the breaking of the vial neck. \n",
"top 10 keywords: [('il', 1), ('rx', 1), ('10ml', 1), ('flip', 1), ('morphine', 1), ('top', 1), ('sulfate', 1), ('ndc', 1), ('c-ii', 1), ('hospira', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Product was out of specification (OOS) at the 12 month long term stability testing point.\n",
"top 10 keywords: [('wockhardt', 3), ('usa', 2), ('tablets', 1), ('hdpe', 1), ('100-count', 1), ('waterview', 1), ('blvd', 1), ('succinate', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; FDA inspection identified GMP violations potentially impacting product quality and sterility\n",
"top 10 keywords: [('pharmacy', 393), ('tn', 379), ('compounding', 379), ('america', 379), ('knoxville', 379), ('sterile', 243), ('mg/ml', 224), ('vial', 158), ('mcg/ml', 137), ('multi-dose', 135)]\n",
"---\n",
"reason_for_recall : Lack of Sterility Assurance: The product has the potential to leak at the administrative port.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('sodium', 1), ('unit', 1), ('ndc', 1), ('add-vantage', 1), ('hospira', 1), ('injection', 1), ('usp', 1), ('forest', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Out Of Specification results for assay at the stability time-point of 24 months.\n",
"top 10 keywords: [('tablets', 2), ('mfd', 2), ('mg', 1), ('100-count', 1), ('versapharm', 1), ('per', 1), ('rx', 1), ('pharmaceutical', 1), ('nj', 1), ('corp.', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Matter: Guaifenesin API powder is being recalled due to the possibility that the product contains polyethylene fibers from a screen used to sift the Guaifenesin. \n",
"top 10 keywords: [('processing', 1), ('ltd.', 1), ('co.', 1), ('caution', 1), ('taiwan', 1), ('tucheng', 1), ('repacking', 1), ('drums', 1), ('ndc', 1), ('cas', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PYRIDOXINE HCL Tablet, 50 mg may be potentially mislabeled as CALCIUM CITRATE, Tablet, 950 mg (200 mg Elem Ca), NDC 00904506260, Pedigree: W002699, EXP: 6/5/2014; MULTIVITAMIN/MULTIMINERAL W/IRON, Chew Tablet, NDC 00536781601, Pedigree: W003018, EXP: 6/12/2014; OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W003705, EXP: 6/25/2014; LACTASE ENZYME, Tab\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('service', 1), ('counter', 1), ('llc', 1), ('pyridoxine', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; FERROUS SULFATE, Tablet, 325 mg (65 mg Elem Fe) may be potentially mislabeled as COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: W002711, EXP: 6/6/2014; VENLAFAXINE HCL, Tablet, 25 mg, NDC 00093019901, Pedigree: W002825, EXP: 12/31/2013; DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD60236_1, EXP: 5/22/2014. \n",
"top 10 keywords: [('mg', 2), ('fe', 1), ('elem', 1), ('aidapak', 1), ('counter', 1), ('sulfate', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('ferrous', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units may be potentially mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: W003726, EXP: 6/26/2014; LANTHANUM CARBONATE, CHEW Tablet, 500 mg, NDC 54092025290, Pedigree: W002790, EXP: 6/6/2014; CITALOPRAM, Tablet, 10 mg, NDC 57664050788, Pedigree: W002844, EXP: 6/7/2014; AT\n",
"top 10 keywords: [('distributed', 1), ('rx', 1), ('ndc', 1), ('dr', 1), ('usp', 1), ('aidapak', 1), ('pancrelipase', 1), ('llc', 1), ('service', 1), ('units', 1)]\n",
"---\n",
"reason_for_recall : Presence of particulate.\n",
"top 10 keywords: [('per', 2), ('bag', 1), ('rx', 1), ('mg/ml', 1), ('use', 1), ('droperidol', 1), ('total', 1), ('injection', 1), ('little', 1), ('syringe', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; VENLAFAXINE Tablet, 25 mg may be potentially mislabeled as OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,110 mg, NDC 11523726503, Pedigree: AD65457_22, EXP: 5/24/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('venlafaxine', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/ Degradation Specifications \n",
"top 10 keywords: [('pharmaceuticals', 1), ('rx', 1), ('al', 1), ('qualitest', 1), ('ndc', 1), ('usp', 1), ('fl.oz.', 1), ('dexamethasone', 1), ('mg/5', 1), ('huntsville', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA; product contains analogues of sildenafil and tadalafil which are active pharmaceutical ingredients in FDA-approved drugs used to treat erectile dysfunction (ED) making this product an unapproved new drug. \n",
"top 10 keywords: [('night', 1), ('bullet', 1), ('count', 1), ('ca', 1), ('packets', 1), ('produced', 1), ('inc', 1), ('supplied', 1), ('green', 1), ('capsules', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength- bottles missing colored coded panel where strength of the product is displayed.\n",
"top 10 keywords: [('ml', 2), ('amoxicillin', 1), ('rx', 1), ('reconstituted', 1), ('eatontown', 1), ('box', 1), ('corp.', 1), ('distributed', 1), ('ndc', 1), ('po', 1)]\n",
"---\n",
"reason_for_recall : Short Fill: The product is being recalled due to a potential underfill of the affected vials.\n",
"top 10 keywords: [('diagnostics', 2), ('bracco', 2), ('rx', 1), ('nj', 1), ('gadobenate', 1), ('mg/ml', 1), ('princeton', 1), ('ndc', 1), ('dimeglumine', 1), ('multihance', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Avobenzone 3%, one of the active sunscreen ingredients may be subpotent and sunscreen effectiveness may be less than labeled\n",
"top 10 keywords: [('spf', 4), ('research', 2), ('mer', 2), ('liq./50', 2), ('new', 2), ('labs', 2), ('dist', 2), ('fluid', 2), ('fl.oz', 2), ('york', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Confirmed finding of human hair floating in IV solution.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('sodium', 1), ('ndc', 1), ('hospira', 1), ('visiv', 1), ('injection', 1), ('usp', 1), ('forest', 1), ('container', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility and Subpotent Drug: defect in glass vial prevented stopper from forming a seal allowing water to ingress and dilute the product causing it to be less than the labeled potency.\n",
"top 10 keywords: [('ml', 4), ('il', 2), ('rx', 2), ('lake', 2), ('mg/ml', 2), ('bupivacaine', 2), ('ndc', 2), ('hospira', 2), ('injection', 2), ('hcl', 2)]\n",
"---\n",
"reason_for_recall : Subpotent; 6 month stability time point\n",
"top 10 keywords: [('ndc', 4), ('tablets', 2), ('count', 2), ('methylprednisolone', 2), ('mg', 2), ('dose', 2), ('usp', 2), ('blister', 1), ('rx', 1), ('al', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: The firm produced products using 0.9% Sodium Chloride Injection, USP or 5% Dextrose Injection, USP which were subsequently recalled by the manufacturer due to the presence of particulate matter.\n",
"top 10 keywords: [('ml', 17), ('usp', 10), ('injection', 8), ('bags', 6), ('rx', 6), ('land', 6), ('blvd', 6), ('services', 6), ('tx', 6), ('code', 6)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: Product is incorrectly labeled as phenylephrine 50 mg in 0.9% sodium chloride rather than phenylephrine 50 mg in 5% dextrose.\n",
"top 10 keywords: [('mg', 2), ('ml', 2), ('bag', 1), ('sodium', 1), ('ct', 1), ('little', 1), ('per', 1), ('concentration', 1), ('phenylephrine', 1), ('barcode', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Uncharacteristic spots identified as steel corrosion, degraded tablet material and hydrocarbon oil with trace amounts of iron were found in tablets.\n",
"top 10 keywords: [('tablets', 3), ('per', 2), ('ndc', 2), ('bottle', 2), ('mg', 1), ('100-count', 1), ('rx', 1), ('nj', 1), ('corp.', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: FDA analysis found product to contain sibutramine and phenolphthalein\n",
"top 10 keywords: [('beautiful', 2), ('commonwealth', 2), ('ste', 2), ('beach', 2), ('forever', 2), ('place', 2), ('bottles', 2), ('60-count', 2), ('capsules', 2), ('va', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: FDA sampling found undeclared vardenafil and tadalafil in vitaliKOR capsules\n",
"top 10 keywords: [('fast', 1), ('supplement', 1), ('nv', 1), ('las', 1), ('labs', 1), ('llc', 1), ('vitality', 1), ('research', 1), ('acting', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: one or more components of the kit have been found to be contaminated with yeast.\n",
"top 10 keywords: [('ndc', 2), ('rx', 1), ('mitomycin', 1), ('park', 1), ('box', 1), ('kits', 1), ('louis', 1), ('mitosol', 1), ('forest', 1), ('mo', 1)]\n",
"---\n",
"reason_for_recall : Microbial contamination of Non Sterile Product; contamination with Burkholderia cepacia (manufacturer) \n",
"top 10 keywords: [('item', 4), ('box', 3), ('antiseptic', 3), ('per', 3), ('individually', 2), ('corporation', 2), ('zee', 2), ('contains', 2), ('benzalkonium', 2), ('dukal', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: The product contains undeclared sibutramine and . Sibutramine is not currently marketed in the United States, making this product an unapproved new drug.\n",
"top 10 keywords: [('cassia', 1), ('aloe', 1), ('beijing', 1), ('seed', 1), ('body', 1), ('made', 1), ('bitter', 1), ('amylum', 1), ('china', 1), ('30-count', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Products found to contain undeclared sibutramine, N-Desmethylsibutramine, and N-di- Desmethylsibutramine. Sibutramine was removed from the U.S. market for safety reasons, making these products unapproved new drugs.\n",
"top 10 keywords: [('de', 6), ('aguascalientes', 5), ('mex', 5), ('rinconada', 5), ('upc', 5), ('herbal', 5), ('ags', 5), ('mexico', 5), ('c.p', 5), ('av', 5)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength; the label states that the product contains 62% ethyl alcohol, but the ethyl alcohol content is 20%.\n",
"top 10 keywords: [('fl', 18), ('l6t', 18), ('toronto', 18), ('tween', 18), ('justice', 18), ('ethyl', 18), ('anti', 18), ('bac', 18), ('new', 18), ('oh', 18)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; COENZYME Q-10, Capsule, 30 mg may be potentially mislabeled as PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units, NDC 00032121201, Pedigree: W002819, EXP: 6/7/2014.\n",
"top 10 keywords: [('mg', 1), ('coenzyme', 1), ('ndc', 1), ('aidapak', 1), ('q-10', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets: Presence of topiramate 100 mg tablets comingled with 200 mg tablets.\n",
"top 10 keywords: [('usa', 2), ('tablets', 1), ('mg', 1), ('nj', 1), ('ltd.', 1), ('healthcare', 1), ('rx', 1), ('cadila', 1), ('zydus', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ATOMOXETINE HCL, Capsule, 18 mg, may be potentially mis-labeled as the following drug: LOVASTATIN, Tablet, 20 mg, NDC 00185007201, Pedigree: AD28369_1, EXP: 5/7/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('atomoxetine', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: fungal contamination due to leaking containers.\n",
"top 10 keywords: [('rx', 1), ('ca', 1), ('irvine', 1), ('ndc', 1), ('100ml', 1), ('b.', 1), ('injection', 1), ('usp', 1), ('ml', 1), ('container', 1)]\n",
"---\n",
"reason_for_recall : Failed Content Uniformity Specifications.\n",
"top 10 keywords: [('ndc', 4), ('tablet', 3), ('rx', 2), ('irvine', 2), ('tazarotene', 2), ('gel', 2), ('inc', 2), ('tazorac', 2), ('allergan', 2), ('bottle', 2)]\n",
"---\n",
"reason_for_recall : Discoloration\n",
"top 10 keywords: [('racepinephrine', 4), ('fl', 2), ('pharmaceuticals', 2), ('orlando', 2), ('asthmanefrin', 2), ('vials', 2), ('wrapped', 2), ('ndc', 2), ('carton', 2), ('corporation', 2)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: due to failed potency results of 74% (spec. 80-125%).\n",
"top 10 keywords: [('country', 1), ('rx', 1), ('ii', 1), ('unit', 1), ('chorionic', 1), ('prepared', 1), ('hcg', 1), ('prospect', 1), ('compounding', 1), ('lyopholized', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Fresenius Kabi is recalling three lots of Haloperidol Decanoate Injection due to an out-of-specification result.\n",
"top 10 keywords: [('fresenius', 1), ('rx', 1), ('kabi', 1), ('decanoate', 1), ('schaumburg', 1), ('ndc', 1), ('injection', 1), ('il', 1), ('haloperidol', 1), ('vial', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility. Complaints were receive of missing closures and/or leaks which may compromise product sterility. \n",
"top 10 keywords: [('north', 6), ('baxter', 6), ('healthcare', 4), ('corp.', 2), ('rx', 2), ('facility', 2), ('deerfield', 2), ('one', 2), ('container', 2), ('injection', 2)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; FOLIC ACID, Tablet, 1 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: AD32328_5, EXP: 5/9/2014; DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: W003821, EXP: 6/27/2014; ATORVASTATIN CALCIUM, Tablet, 40 mg, NDC 00378212177, Pedigree: W003096, EXP: 6/13/2014. \n",
"top 10 keywords: [('mg', 1), ('folic', 1), ('ndc', 1), ('tablet', 1), ('acid', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Short Fill: Due to an error in the manufacturing process, cylinders in this lot may be empty and contain no medical oxygen.\n",
"top 10 keywords: [('road', 1), ('rx', 1), ('nh', 1), ('oxygen', 1), ('airgas', 1), ('meridian', 1), ('distributed', 1), ('aluminum', 1), ('ndc', 1), ('products', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Dissolution test results at 8 hour time-point were above approved specification limits.\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('30-count', 1), ('american', 1), ('xl', 1), ('south', 1), ('distributed', 1), ('fl', 1), ('oh', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LEVOTHYROXINE/ LIOTHYRONINE Tablet, 19 mcg/4.5 mcg may be potentially mislabeled as MAGNESIUM GLUCONATE DIHYDRATE, Tablet, 500 mg (27 mg Elemental Magnesium), NDC 60258017201, Pedigree: AD30197_16, EXP: 5/9/2014.\n",
"top 10 keywords: [('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('liothyronine', 1), ('distributed', 1), ('mcg', 1), ('mcg/4.5', 1), ('levothyroxine/', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: W003725, EXP: 6/26/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('bromocriptine', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('mesylate', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Correct Labeled Product Mispack: Product tray containing vials was mislabeled to contain another product.\n",
"top 10 keywords: [('vancomycin', 1), ('rx', 1), ('lake', 1), ('equivalent', 1), ('sterile', 1), ('tray', 1), ('inc.', 1), ('10-count', 1), ('hydrochloride', 1), ('fliptop', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: During routine stability testing at the 12 month time point, one product lot was found to be out of specification for dissolution.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('100-count', 1), ('rx', 1), ('al', 1), ('qualitest', 1), ('bottles', 1), ('ndc', 1), ('pharmaceuticals', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: EXEMESTANE, Tablet, 25 mg may be potentially mislabeled as the following drug: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: W003473, EXP: 6/20/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('exemestane', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ISOSORBIDE DINITRATE, Tablet, 10 mg may have potentially been mislabeled as one of the following drugs: SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: AD22845_10, EXP: 5/2/2014; CALCITRIOL, Capsule, 0.5 mcg, NDC 63304024001, Pedigree: AD32757_10, EXP: 5/14/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('dinitrate', 1), ('distributed', 1), ('isosorbide', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: Confirmed customer report of an incorrect expiration date printed on the primary container labeled \"01AUG1017\" rather than \"01AUG2017\".\n",
"top 10 keywords: [('dextrose', 2), ('bag', 1), ('rx', 1), ('normosol-m', 1), ('barcode', 1), ('multiple', 1), ('ndc', 1), ('electrolytes', 1), ('hospira', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Not Elsewhere Classified; Due to an error in the manufacturing procedure, a cylinder in liquid withdrawal service was not marked \u001c",
"Syphon Tube\u001d",
" indicating liquid withdrawal and shipped as a gas withdrawal cylinder.\n",
"top 10 keywords: [('gas', 2), ('rx', 1), ('flammable', 1), ('radnor', 1), ('airgas', 1), ('cylinders', 1), ('usa', 1), ('distributed', 1), ('usp', 1), ('dioxide', 1)]\n",
"---\n",
"reason_for_recall : Does Not Deliver Proper Metered Dose: Potential content of albuterol per dose is below specification.\n",
"top 10 keywords: [('ventolin', 2), ('inhalation', 2), ('hfa', 2), ('triangle', 1), ('rx', 1), ('park', 1), ('use', 1), ('mcg', 1), ('nc', 1), ('aerosol', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: particulate matter was found during the manufacturing process.\n",
"top 10 keywords: [('bags', 1), ('rx', 1), ('ii', 1), ('ambu-flex', 1), ('healthcare', 1), ('deerfield', 1), ('meq/l', 1), ('peritoneal', 1), ('dianeal', 1), ('dialysis', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Fagron is recalling six lots due to the presence of mold. \n",
"top 10 keywords: [('fagron', 6), ('pilot', 3), ('rd', 3), ('inc.', 3), ('base', 3), ('paul', 3), ('knob', 3), ('mn', 3), ('manufactured', 3), ('rx', 3)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ROSUVASTATIN CALCIUM, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: IBUPROFEN, Tablet, 400 mg, NDC 67877029401, Pedigree: W002577, EXP: 6/3/2014; ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD21846_49, EXP: 5/1/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rosuvastatin', 1), ('calcium', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Expiration Date\n",
"top 10 keywords: [('lupin', 2), ('manufactured', 2), ('tablets', 1), ('mg', 1), ('100-count', 1), ('pharmaceuticals', 1), ('goa', 1), ('ndc', 1), ('rx', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Products failed the Antimicrobial Effectiveness Test. \n",
"top 10 keywords: [('fl', 1), ('walgreens', 1), ('regular', 1), ('flavor', 1), ('liquid', 1), ('oz', 1), ('mint', 1), ('antacid', 1), ('strength', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label lacks warning or Rx legend; Certain information was inadvertently excluded from the product carton label.\n",
"top 10 keywords: [('blister', 2), ('per', 2), ('upc', 2), ('pack', 2), ('coated', 2), ('caplets', 2), ('p.o', 1), ('healthcare', 1), ('box', 1), ('mg/bronchodilator', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Product did not conform to the 18-month stability test specification for active Free Benzocaine.\n",
"top 10 keywords: [('mg', 2), ('ndc', 2), ('size', 1), ('nj', 1), ('dist', 1), ('cherry', 1), ('institutional', 1), ('otc', 1), ('16-count', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Labeling Illegible: Some bottles labels have incomplete NDC numbers and missing strength.\n",
"top 10 keywords: [('tablet', 2), ('apace', 1), ('rx', 1), ('enalapril', 1), ('ky', 1), ('maleate', 1), ('ndc', 1), ('run', 1), ('usp', 1), ('5mg', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Cardboard\n",
"top 10 keywords: [('vancomycin', 1), ('rx', 1), ('ndc', 1), ('hydrochloride', 1), ('hospira', 1), ('injection', 1), ('usp', 1), ('forest', 1), ('vial', 1), ('lake', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: potential failure to meet the specification for Impurity D throughout shelf-life. \n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('dose', 1), ('ca', 1), ('mg/10', 1), ('concentrate', 1), ('irvine', 1), ('inc.', 1), ('multiple', 1), ('mitoxantrone', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of a Non-Sterile Product: Kit component is contaminated with Burkholderia multivorans.\n",
"top 10 keywords: [('pharmaceuticals', 1), ('rx', 1), ('ca', 1), ('mg/ml', 1), ('llc.', 1), ('fusepaq', 1), ('hydrochloride', 1), ('calle', 1), ('suspension', 1), ('oral', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: DOXAZOSIN MESYLATE, Tablet, 1 mg may have potentially been mislabeled as the following drug: PYRIDOXINE HCL, Tablet, 100 mg, NDC 00536440901, Pedigree: W003872, EXP: 6/27/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('llc', 1), ('service', 1), ('counter', 1), ('doxazosin', 1), ('mesylate', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: Gabapentin Sodium tablets is recalled due to complaints related to an off - odor described as moldy, musty or fishy in nature.\n",
"top 10 keywords: [('glenmark', 3), ('count', 2), ('ndc', 2), ('generics', 2), ('bottle', 2), ('manufactured', 2), ('tablets', 1), ('mg', 1), ('nj', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; CINACALCET HCL Tablet, 60 mg may be potentially mislabeled as RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: W003741, EXP: 6/26/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('cinacalcet', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; NICOTINE POLACRILEX Gum, 2 mg may be potentially mislabeled as SACCHAROMYCES BOULARDII LYO, Capsule, 250 mg, NDC 00414200007, Pedigree: AD54586_4, EXP: 5/21/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('nicotine', 1), ('polacrilex', 1), ('service', 1), ('llc', 1), ('gum', 1)]\n",
"---\n",
"reason_for_recall : Recalled products were made using an active ingredient that was recalled by a supplier due to penicillin cross contamination.\n",
"top 10 keywords: [('usp', 67), ('micronized', 61), ('unit', 47), ('avenue', 47), ('il', 47), ('rx', 47), ('marshall', 47), ('aurora', 47), ('compounder', 47), ('e3', 46)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LIOTHYRONINE SODIUM, Tablet, 25 mcg may have potentially been mislabeled as one of the following drugs: LEVOTHYROXINE SODIUM, Tablet, 175 mcg, NDC 00378181701, Pedigree: W003151, EXP: 6/13/2014; HYOSCYAMINE SULFATE SL, Tablet, 0.125 mg, NDC 00574025001, Pedigree: W003000, EXP: 6/11/2014. \n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('liothyronine', 1), ('distributed', 1), ('mcg', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Contraceptive Tablets Out of Sequence: This recall has been initiated due to the potential that some regimen packages may not contain placebo tablets.\n",
"top 10 keywords: [('tablets', 2), ('manufactured', 2), ('rx', 1), ('contains', 1), ('regimen', 1), ('sellersville', 1), ('day', 1), ('ndc', 1), ('barr', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: some vials may be mislabeled with an incorrect \"Compounded\"\u001d",
" date, lot number, and \u001c",
"\"Do Not Use Beyond\u001d",
"\" date or BUD (Before Use Date) that may be longer than intended.\n",
"top 10 keywords: [('rx', 1), ('city', 1), ('isomeric', 1), ('mg/ml', 1), ('injectable', 1), ('ut', 1), ('pharmacy', 1), ('salt', 1), ('dr.', 1), ('diacetate', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an approved NDA/ANDA: presence of undeclared sibutramine, desmethylsibutramine (an active metabolite of sibutramine) and phenolphthalein.\n",
"top 10 keywords: [('mg', 1), ('60-count', 1), ('capsules', 1), ('bottle', 1), ('packaged', 1), ('bee', 1), ('diet', 1), ('skinny', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Firm did not adequately investigate customer complaints.\n",
"top 10 keywords: [('usa', 96), ('ndc', 96), ('wockhardt', 96), ('tablets', 66), ('count', 64), ('bottles', 59), ('nj', 48), ('blvd', 48), ('distributed', 48), ('india', 48)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: This lot is being recalled because of out-of-specification test results for Diphenhydramine citrate.\n",
"top 10 keywords: [('mg', 2), ('ibuprofen', 1), ('count', 1), ('citrate', 1), ('nj', 1), ('madison', 1), ('pfizer', 1), ('otc', 1), ('pm', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Discoloration: Firm received complaints of product discoloration and particulates.\n",
"top 10 keywords: [('ml', 3), ('use', 2), ('mg', 1), ('rx', 1), ('diluted', 1), ('per', 1), ('must', 1), ('ndc', 1), ('iv', 1), ('hospira', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LACTOBACILLUS GG Capsule may be potentially mislabeled as VITAMIN B COMPLEX W/C, Capsule, NDC 54629008001, Pedigree: AD39560_4, EXP: 5/13/2014; DOCUSATE SODIUM, Capsule, 50 mg, NDC 67618010060, Pedigree: AD65457_13, EXP: 5/24/2014; VITAMIN B COMPLEX WITH C/FOLIC ACID, Tablet, NDC 60258016001, Pedigree: AD70655_17, EXP: 5/28/2014; TACROLIMUS, Capsule, 1 mg, NDC 00781210\n",
"top 10 keywords: [('distributed', 1), ('gg', 1), ('aidapak', 1), ('llc', 1), ('lactobacillus', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Product failed the appearance for the presence of visible particles under labeled storage condition. \n",
"top 10 keywords: [('ml', 2), ('pharmaceuticals', 1), ('rx', 1), ('ct', 1), ('mg/30', 1), ('mg/ml', 1), ('upc', 1), ('eculizumab', 1), ('ndc', 1), ('cheshire', 1)]\n",
"---\n",
"reason_for_recall : Defective Container: Product lacks tamper evident breakaway band on cap.\n",
"top 10 keywords: [('hydroxide', 2), ('fl', 1), ('fast', 1), ('flanax', 1), ('box', 1), ('mg/20', 1), ('simethicone', 1), ('oz', 1), ('bottles', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Tablets/Capsules Imprinted With Wrong ID: incorrect imprint debossed on the tablets.\n",
"top 10 keywords: [('tablets', 2), ('unichem', 2), ('pilerne', 2), ('rx', 1), ('nj', 1), ('ltd.', 1), ('park', 1), ('laboratories', 1), ('estate', 1), ('goa', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Out of specification (OOS) intermediate in the subsequent processes to manufacture the final API.\n",
"top 10 keywords: [('pharmaceuticals', 1), ('rx', 1), ('ceftriaxone', 1), ('ndc', 1), ('aidarex', 1), ('injection', 1), ('usp', 1), ('india', 1), ('mfg', 1), ('packaged', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Product failed a known impurity specification.\n",
"top 10 keywords: [('labs', 6), ('micro', 6), ('manufactured', 6), ('tablets', 3), ('rx', 3), ('count', 3), ('simvastatin', 3), ('ndc', 3), ('india', 3), ('inc.', 3)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: Two lots of Alprazolam 0.25 mg tablets, were found to be below specification for assay (potency). \n",
"top 10 keywords: [('count', 2), ('b', 2), ('ndc', 2), ('bottle', 2), ('tablets', 1), ('mg', 1), ('civ', 1), ('rx', 1), ('nj', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Penicillin Cross Contamination and Presence of Foreign Substance. Product was contaminated with penicillin and foreign substances during manufacturing process.\n",
"top 10 keywords: [('uk', 8), ('ndc', 6), ('tube', 6), ('rx', 4), ('harmire', 4), ('barnard', 4), ('manufactured', 4), ('box', 4), ('mupirocin', 4), ('glaxo', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 175 mcg may have potentially been mislabeled as the following drug: PRAMIPEXOLE DI-HCL, Tablet, 1 mg, NDC 16714058701, Pedigree: W003150, EXP: 6/13/2014.\n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('levothyroxine', 1), ('distributed', 1), ('mcg', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; TRIMETHOBENZAMIDE HCl, Capsule, 300 mg may be potentially mislabeled as GABAPENTIN, Tablet, 600 mg, NDC 00228263611, Pedigree: AD21965_7, EXP: 5/1/2014; CHOLECALCIFEROL, Capsule, 5000 units, NDC 00904598660, Pedigree: AD70629_19, EXP: 5/29/2014; SODIUM BICARBONATE, Tablet, 650 mg, NDC 64980018210, Pedigree: W002970, EXP: 6/11/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('trimethobenzamide', 1), ('service', 1), ('capsule', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ACETAMINOPHEN, CHEW Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: BENAZEPRIL HCL, Tablet, 40 mg, NDC 65162075410, Pedigree: AD49423_1, EXP: 5/16/2014; ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: W003101, EXP: 6/13/2014; OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD30028_1, EXP: 5/8/2014; TACROLIMUS, \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('acetaminophen', 1), ('tablet', 1), ('aidapak', 1), ('service', 1), ('counter', 1), ('llc', 1), ('chew', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specification; out of specification results for carbon dioxide\n",
"top 10 keywords: [('cu', 5), ('ndc', 5), ('cylinder', 5), ('ft', 5), ('air', 2), ('e', 2), ('rx', 1), ('basking', 1), ('nj', 1), ('allen', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; product is being manufactured and distributed without a NDC number\n",
"top 10 keywords: [('distributed', 3), ('dental', 2), ('ca', 1), ('bottles', 1), ('pa', 1), ('chloride', 1), ('ny', 1), ('sacramento', 1), ('products', 1), ('g', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; METAXALONE Tablet, 800 mg may be potentially mislabeled as ESTERIFIED ESTROGENS, Tablet, 0.625 mg, NDC 61570007301, Pedigree: W003736, EXP: 6/26/2014.\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('metaxalone', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date\n",
"top 10 keywords: [('ndc', 5), ('carton', 4), ('dose', 4), ('rx', 3), ('capsules', 3), ('blister', 2), ('american', 2), ('distributed', 2), ('ohio', 2), ('mg', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Correct Labeled Product Miscart/Mispack: labels on outer containers do not match labels on vials (the correct label)\n",
"top 10 keywords: [('chloride', 3), ('tl', 2), ('thallous', 2), ('ndc', 2), ('rx', 1), ('non-pyrogenic', 1), ('mbq', 1), ('sterile', 1), ('inc.', 1), ('v/v', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications; report of oversized and discolored tablets\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('count', 1), ('rx', 1), ('al', 1), ('qualitest', 1), ('allopurinol', 1), ('ndc', 1), ('pharmaceuticals', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; FDA analysis found them to contain sibutramine and phenolphthalein\n",
"top 10 keywords: [('supplement', 3), ('e', 3), ('bottles', 3), ('distributed', 3), ('count', 3), ('pa', 3), ('vegas', 3), ('solutions', 3), ('mg', 3), ('beextreme', 3)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; QUEtiapine FUMARATE Tablet, 100 mg may be potentially mislabeled as DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: W002776, EXP: 6/6/2014; NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 37205098769, Pedigree: W003823, EXP: 6/27/2014; DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD60578_5, EXP: 5/29/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('quetiapine', 1), ('fumarate', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Product exceeds specification for tablet weight and tablet thickness.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('per', 1), ('wv', 1), ('pharmaceuticals', 1), ('rx', 1), ('morgantown', 1), ('ndc', 1), ('usp', 1), ('mylan', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: raw material recalled due to stainless steel and other contamination.\n",
"top 10 keywords: [('bicarbonate', 10), ('sodium', 10), ('dwight', 9), ('n.', 9), ('church', 9), ('princeton', 9), ('inc.', 9), ('st.', 9), ('harrison', 9), ('per', 5)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; potential for mold contamination\n",
"top 10 keywords: [('bags', 1), ('nj', 1), ('consulting', 1), ('syringes', 1), ('vials', 1), ('glass', 1), ('falls', 1), ('prep', 1), ('devices', 1), ('infusion', 1)]\n",
"---\n",
"reason_for_recall : Failed USP Dissolution Test Requirements: Possible out-of-specification dissolution results at the 8 hour stability testing point.\n",
"top 10 keywords: [('tablets', 4), ('carton', 4), ('barcode', 4), ('rx', 2), ('ud', 2), ('blister', 2), ('xl', 2), ('nc', 2), ('cranbury', 2), ('new', 2)]\n",
"---\n",
"reason_for_recall : Subpotent (Single Ingredient Drug): Low assay at the 9-month test interval.\n",
"top 10 keywords: [('shenandoah', 2), ('forest', 2), ('ia', 2), ('inc.', 2), ('pharmaceutical', 2), ('lloyd', 2), ('packaged', 2), ('tablets', 1), ('rx', 1), ('st.', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect Instructions; The word \u001c",
"not\u001d",
" is missing from the following sentences \"do bandage tightly or cover with any type of wrap except clothing and \"do use with a heating pad or with other heat sources\u001d",
" in the Drug Facts panel \"Warning\" section\n",
"top 10 keywords: [('china', 2), ('mentholatum', 2), ('capsaicin', 2), ('pharmaceuticals', 1), ('large', 1), ('park', 1), ('patch', 1), ('relief', 1), ('consignor', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; product linked to adverse event reports of endophthalimitis eye infections and FDA inspection findings resulted in concerns regarding quality control processes\n",
"top 10 keywords: [('avastin', 1), ('dose', 1), ('unit', 1), ('compounding', 1), ('pharmacy', 1), ('syringes', 1), ('augusta', 1), ('ga', 1), ('clinical', 1), ('specialties', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Consumer complaint confirmed microbial contamination in sales sample.\n",
"top 10 keywords: [('tablets', 1), ('xarelto', 1), ('rivaroxaban', 1), ('per', 1), ('rx', 1), ('mg', 1), ('ndc', 1), ('jollc', 1), ('tablet', 1), ('gurabo', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; HYDRALAZINE HCL Tablet, 25 mg may be potentially mislabeled as DOCUSATE CALCIUM, Capsule, 240 mg, NDC 00536375501, Pedigree: AD49582_16, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('hydralazine', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Tainted Product Marketed As a Dietary Supplement: Products were found to be tainted with undeclared hydroxythiohomosildenafil, an analogue of Sildenafil, an FDA-approved drug for the treatment of male Erectile Dysfunction (ED), making them unapproved new drugs.\n",
"top 10 keywords: [('bottle', 4), ('package', 2), ('fuel', 2), ('10-count', 2), ('b', 2), ('capsules', 2), ('www.fueluppills.com', 2), ('5-count', 2), ('1-count', 2), ('c', 2)]\n",
"---\n",
"reason_for_recall : Incorrect Expiration Date: The \"11/06\" expiration date printed on the tray (secondary packaging) is incorrect (it should be 11/2016)\n",
"top 10 keywords: [('il', 2), ('fresenius', 2), ('kabi', 2), ('ml', 2), ('usa', 2), ('street', 1), ('single', 1), ('injection', 1), ('dr', 1), ('vial', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MULTIVITAMIN/MULTIMINERAL, CHEW Tablet, 0 mg may have potentially been mislabeled as one of the following drugs: MELATONIN, Tablet, 1 mg, NDC 74312002832, Pedigree: W003717, EXP: 6/26/2014; PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: AD46257_25, EXP: 5/15/2014; CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: AD73521_7, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('chew', 1), ('tablet', 1), ('aidapak', 1), ('service', 1), ('counter', 1), ('llc', 1), ('multivitamin/multimineral', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: The products were below specification for potency at the expiry stability point.\n",
"top 10 keywords: [('bottles', 22), ('ndc', 22), ('tablets', 11), ('rx', 11), ('sodium', 11), ('tn', 11), ('bristol', 11), ('pharmaceuticals', 11), ('mcg', 11), ('b', 11)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility:The product lots are being recalled due to laboratory results (from a contract lab) indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable. Hence the sterility of the products cannot be assured. \n",
"top 10 keywords: [('triangle', 2), ('rx', 2), ('compounding', 2), ('injectable', 2), ('pharmacy', 2), ('suite', 2), ('cary', 2), ('nc', 2), ('sodium', 2), ('regency', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Tainted product marketed as a dietary supplement. Product found to be tainted with sibutramine, an appetite suppressant that was withdrawn from the U.S. market in October 2010 for safety reasons, and diclofenac, a prescription non-steroidal anti-inflammatory drug, making this an unapproved drug.\n",
"top 10 keywords: [('mg', 1), ('jat', 1), ('escultura', 1), ('productos', 1), ('brooklyn', 1), ('corp.', 1), ('naturales', 1), ('bottles', 1), ('60-count', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Subpotent; 12 month stability timepoint\n",
"top 10 keywords: [('oil', 2), ('fluocinolone', 1), ('topical', 1), ('derma-smoothe/fs', 1), ('florida', 1), ('rx', 1), ('sanford', 1), ('inc.', 1), ('acetonide', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Stability Data Does Not Support Expiry: All lots of all products repackaged and distributed between 01/05/12 and 02/12/15 are being recalled because they were repackaged without data to support the printed expiry date.\n",
"top 10 keywords: [('bags', 3), ('toronto', 3), ('street', 3), ('4n3', 3), ('drums', 3), ('grams', 3), ('ingredient', 3), ('varying', 3), ('active', 3), ('m5a', 3)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: These dietary supplements contain undeclared sildenafil, an analogue of sildenafil, and/or tadalafil. \n",
"top 10 keywords: [('mg', 6), ('distributed', 4), ('inc.', 4), ('blister', 4), ('pill', 3), ('ca', 3), ('xzone', 2), ('pack', 2), ('angeles', 2), ('manufactured', 2)]\n",
"---\n",
"reason_for_recall : cGMP Deviations; during the production process, CLENZIderm M.D. Daily Foam Cleanser was filled into some bottles labeled as CLENZIderm M.D. Pore Therapy\n",
"top 10 keywords: [('ndc', 4), ('acid', 3), ('salicylic', 3), ('therapeutic', 2), ('therapy', 2), ('pore', 2), ('kit', 2), ('normal', 1), ('ca', 1), ('beach', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ACYCLOVIR, Tablet, 800 mg may have potentially been mislabeled as the following drug:\t PANTOPRAZOLE SODIUM DR, Tablet, 20 mg, NDC 64679043304, Pedigree: AD70690_4, EXP: 5/29/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('acyclovir', 1)]\n",
"---\n",
"reason_for_recall : Discoloration: Ethambutol HCl Tablets 400 mg is being recalled due to a Out of Specification result for description testing for a surface defect of ink.\n",
"top 10 keywords: [('tablets', 2), ('versapharm', 2), ('mfd', 2), ('incorporated', 2), ('mg', 1), ('rx', 1), ('nj', 1), ('corp.', 1), ('ga', 1), ('hydrochloride', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: CareFusion is recalling the CareFusion Scrub Care Surgical Scrub Brush-Sponge/Nail Cleaner. The available iodine in the product is less than as stated on the product label. \n",
"top 10 keywords: [('scrub', 6), ('surgical', 4), ('carefusion', 4), ('il', 2), ('care', 2), ('hills', 2), ('hand', 2), ('povidone-iodine', 2), ('vernon', 2), ('ndc', 2)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: OOS result during stability testing\n",
"top 10 keywords: [('inc.', 3), ('pharmaceuticals', 3), ('teva', 2), ('tablets', 1), ('rx', 1), ('30-count', 1), ('horsham', 1), ('10mg', 1), ('bisoprolol', 1), ('subsidiary', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up; Some bottles of Tizanidine 4mg Tablets, had the incorrect manufacturer (Actavis) printed on the label.\n",
"top 10 keywords: [('rx', 2), ('mg', 1), ('tablets', 1), ('ga', 1), ('ltd.', 1), ('per', 1), ('stat', 1), ('generic', 1), ('gainesville', 1), ('reddys', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications; 18 month stability time point \n",
"top 10 keywords: [('ndc', 7), ('count', 6), ('flucanozole', 4), ('tablets', 4), ('mfd', 4), ('rx', 4), ('dr.', 4), ('mg', 4), ('usp', 4), ('india', 4)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: Products found to contain undeclared sibutramine. Sibutramine was removed from the U.S. market for safety reasons, making these products unapproved new drugs.\n",
"top 10 keywords: [('count', 2), ('300mg', 1), ('box', 1), ('natural', 1), ('weight', 1), ('loss', 1), ('supplement', 1), ('xiyouji', 1), ('jadera', 1), ('capsules', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ATROPINE SULFATE/DIPHENOXYLATE HCL, Tablet, 0.025 mg/2.5 mg may have potentially been mislabeled as the following drug: CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: AD65475_25, EXP: 5/28/2014. TRI-BUFFERED ASPIRIN, Tablet, 325 mg, NDC 00904201559, Pedigree: W003581, EXP: 6/24/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('aidapak', 1), ('mg/2.5', 1), ('atropine', 1), ('distributed', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('sulfate/diphenoxylate', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: presence of undeclared Sibutramine and Phenolphthalein.\n",
"top 10 keywords: [('box', 2), ('capsules', 2), ('lida', 2), ('packaged', 2), ('ltd', 1), ('also', 1), ('per', 1), ('co.', 1), ('daidaihua', 1), ('industry', 1)]\n",
"---\n",
"reason_for_recall : Tablet Thickness: Potential for some tablets not conforming to weight specifications (under and over weight)\n",
"top 10 keywords: [('india', 2), ('manufactured', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('ltd.', 1), ('rx', 1), ('sellersville', 1), ('emcure', 1), ('pune', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: GABAPENTIN, Tablet, 600 mg may have potentially been mislabeled as the following drug: ARIPiprazole, Tablet, 15 mg, NDC 59148000913, Pedigree: AD21965_1, EXP: 5/1/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('gabapentin', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Sterile products were not produced in a controlled, sterile environment.\n",
"top 10 keywords: [('rx', 1), ('opht', 1), ('cherry', 1), ('w', 1), ('id', 1), ('pharmacy', 1), ('meridian', 1), ('lane', 1), ('ndc', 1), ('sol', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Some bottles contain punctured, and/or clumped/melted capsules. \n",
"top 10 keywords: [('pharma', 2), ('aurobindo', 2), ('manufactured', 2), ('rx', 1), ('30-count', 1), ('north', 1), ('extended', 1), ('bottles', 1), ('ndc', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LOVASTATIN, Tablet, 20 mg may have potentially been mislabeled as one of the following drugs: ASPIRIN EC DR, Tablet, 81 mg, NDC 49348098015, Pedigree: AD28349_1, EXP: 2/28/2014; FLUVASTATIN SODIUM, Capsule, 20 mg, NDC 00078017615, Pedigree: AD73597_7, EXP: 5/31/2014; DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071204, Pedigree: W003247, EXP: 6/17/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('lovastatin', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Missing Label; missing label on blister card \n",
"top 10 keywords: [('tablets', 2), ('blister', 2), ('ten', 2), ('per', 2), ('mg', 1), ('carton', 1), ('roxanne', 1), ('blisters', 1), ('columbus', 1), ('cards', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; product contains sildenafil, an active ingredient in a FDA approved product for the treatment of Erectile Dysfunction\n",
"top 10 keywords: [('mg', 1), ('package', 1), ('count', 1), ('actra-sx', 1), ('body', 1), ('maximum', 1), ('canoga', 1), ('energizer', 1), ('capsules', 1), ('strength', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Pfizer Inc. is recalling PREMPRO (conjugated estrogens/medroxyprogesterone acetate tablets) because certain lots for this product may not meet the dissolution specification for conjugated estrogens.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('blister', 1), ('mg/2.5', 1), ('rx', 1), ('containing', 1), ('ndc', 1), ('acetate', 1), ('card', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: IMIPRAMINE HCL, Tablet, 25 mg may have potentially been mislabeled as the following drug: FENOFIBRATE, Tablet, 54 mg, NDC 00115551110, Pedigree: AD49448_7, EXP: 5/17/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('imipramine', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Teva is recalling one lot of Carbidopa and Levodopa Tablets USP, 25mg/100mg due to the potential for superpotent tablets.\n",
"top 10 keywords: [('israel', 2), ('teva', 2), ('tablets', 1), ('rx', 1), ('count', 1), ('ltd.', 1), ('25mg/100mg', 1), ('pharmaceuticals', 1), ('levodopa', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg) may be potentially mislabeled as PIOGLITAZONE, Tablet, 15 mg, NDC 00591320530, Pedigree: AD22845_1, EXP: 4/30/2014; LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg), NDC 00527134101, Pedigree: AD73525_49, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 2), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('tartrate', 1), ('metoprolol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PREGABALIN, Capsule, 200 mg may have potentially been mislabeled as one of the following drugs: LOSARTAN POTASSIUM, Tablet, 50 mg, NDC 00781570192, Pedigree: AD21965_10, EXP: 5/1/2014; CYANOCOBALAMIN, Tablet, 500 mcg, NDC 00536355101, Pedigree: AD30180_25, EXP: 5/9/2014; clonazePAM, Tablet, 0.25 mg (1/2 of 0.5 mg), NDC 00093083201, Pedigree: AD73518_1, EXP: 5/31/2014; OM\n",
"top 10 keywords: [('mg', 1), ('pregabalin', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CYANOCOBALAMIN, Tablet, 1000 mcg may have potentially been mislabeled as one of the following drugs: VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 50 mg, NDC 40985022251, Pedigree: AD30180_19, EXP: 5/9/2014; COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD37056_4, EXP: 5/10/2014. VITAMIN B COMPLEX PROLONGED RELEASE, Tablet, 0, NDC 40985022251, Pedigree: AD7362\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('cyanocobalamin', 1), ('mcg', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: SODIUM CHLORIDE, Tablet, 1000 mg may have potentially been mislabeled as the following drug: REPAGLINIDE, Tablet, 2 mg, NDC 00169008481, Pedigree: W003925, EXP: 7/1/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('chloride', 1), ('service', 1), ('counter', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 88 mcg may have potentially been mislabeled as one of the following drugs: NEBIVOLOL HCL, Tablet, 5 mg, NDC 00456140530, Pedigree: AD73611_7, EXP: 5/30/2014; MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: W003022, EXP: 6/12/2014; ISOSORBIDE DINITRATE, Tablet, 5 mg, NDC 00781163501, Pedigree: W003474, EXP: 6/20/2014; HYDROCORTISONE, Tabl\n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('levothyroxine', 1), ('distributed', 1), ('mcg', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Product did not meet the criteria for container closure integrity testing during routine 24 month stability testing.\n",
"top 10 keywords: [('mg', 2), ('ndc', 2), ('vial', 2), ('rx', 1), ('marketed', 1), ('waltham', 1), ('extended-release', 1), ('injectable', 1), ('naltrexone', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Glass particulate found in sterile injectable product\n",
"top 10 keywords: [('il', 1), ('bupivacaine', 1), ('dose', 1), ('mpf', 1), ('rx', 1), ('kabi', 1), ('lake', 1), ('ndc', 1), ('hci', 1), ('zurich', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date. The lot number and/or expiration date may be illegible.\n",
"top 10 keywords: [('ndc', 7), ('oz', 6), ('bottles', 6), ('novartis', 5), ('inc.', 5), ('consumer', 5), ('otc', 5), ('parsippany', 5), ('nj', 5), ('health', 5)]\n",
"---\n",
"reason_for_recall : Superpotent Drug: High out of specification results for assay at the 6 month time point interval.\n",
"top 10 keywords: [('upc', 2), ('item', 2), ('softener', 1), ('mg', 1), ('sodium', 1), ('hunter', 1), ('30-count', 1), ('lane', 1), ('hill', 1), ('aid', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: FDA analysis found the product to contain undeclared active ingredient, tadalafil, thus making these products unapproved drugs.\n",
"top 10 keywords: [('count', 4), ('p-boost', 3), ('mg', 2), ('blister', 2), ('supplement', 2), ('ca', 2), ('los', 2), ('pack', 2), ('bottles', 2), ('distributed', 2)]\n",
"---\n",
"reason_for_recall : Labeling: incorrect or missing lot number and/or expiration date\n",
"top 10 keywords: [('diatrizoate', 2), ('rx', 1), ('single-unit', 1), ('use', 1), ('meglumine', 1), ('mallinckrodt', 1), ('louis', 1), ('oral', 1), ('bound', 1), ('gastrointestinal', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: out-of-specification results for individual unknown and total impurity at the 12th month room temperature stability test station\n",
"top 10 keywords: [('upc', 2), ('ndc', 2), ('bottle', 2), ('mg', 1), ('rx', 1), ('100-count', 1), ('phentermine', 1), ('mfd', 1), ('newtown', 1), ('hydrochloride', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; defective seals where the metal silver ring was not attached tightly to the vial\n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('mg/100', 1), ('acid', 1), ('pharma', 1), ('use', 1), ('india', 1), ('ndc', 1), ('gland', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: finished products manufactured using active pharmaceutical ingredients whose intermediates failed specifications. \n",
"top 10 keywords: [('lupin', 4), ('manufactured', 4), ('tablets', 2), ('rx', 2), ('besylate', 2), ('pharmaceuticals', 2), ('limited', 2), ('goa', 2), ('ndc', 2), ('bottles', 2)]\n",
"---\n",
"reason_for_recall : Contraceptive tablets out of sequence: Contraceptive tablets out of sequence: Introvale (levonorgestrel and ethinyl estradiol tablets USP 0.15mg/0.03mg) is voluntarily being recalled due to inactive placebo tablets incorrectly placed in Week 9, and active tablets placed in Week 13 on the blister card\n",
"top 10 keywords: [('tablets', 2), ('unit', 2), ('per', 2), ('rx', 1), ('nj', 1), ('box', 1), ('regimen', 1), ('spain', 1), ('day', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ARIPiprazole Tablet, 2 mg may be potentially mislabeled as tiZANidine HCl, Tablet, 2 mg, NDC 55111017915, Pedigree: AD21790_40, EXP: 5/1/2014; ATOMOXETINE HCL, Capsule, 80 mg, NDC 00002325030, Pedigree: AD30140_19, EXP: 5/7/2014; OLANZapine, Tablet, 7.5 mg, NDC 55111016530, Pedigree: AD46265_46, EXP: 5/15/2014; REPAGLINIDE, Tablet, 2 mg, NDC 00169008481, Pedigree: AD464\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aripiprazole', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; VERAPAMIL HCL ER, Tablet, 240 mg may be potentially mislabeled as TRIFLUOPERAZINE HCL, Tablet, 1 mg, NDC 00781103001, Pedigree: AD52778_91, EXP: 5/21/2014.\n",
"top 10 keywords: [('mg', 1), ('verapamil', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('er', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; FINASTERIDE, Tablet, 5 mg may be potentially mislabeled as DIGOXIN, Tablet, 0.125 mg, NDC 00115981101, Pedigree: AD62829_8, EXP: 5/23/2014; PHYTONADIONE, Tablet, 5 mg, NDC 25010040515, Pedigree: W003061, EXP: 5/31/2014. \n",
"top 10 keywords: [('mg', 1), ('finasteride', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Product was made with an incorrect ingredient, Laureth-9 was mistakenly substituted for PEG.\n",
"top 10 keywords: [('fluoride', 2), ('dwight', 1), ('sodium', 1), ('nj', 1), ('kids', 1), ('upc', 1), ('princeton', 1), ('orajel', 1), ('toothpaste', 1), ('church', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: FDA tested samples of API from Medisca, labeled as to contain L-Citrulline, and results revealed no L-Citrulline was present. Levels of N-acetyl-leucine were found instead.\n",
"top 10 keywords: [('g', 6), ('kg', 2), ('distribution', 1), ('processing', 1), ('citrulline', 1), ('compounding', 1), ('use', 1), ('packaged', 1), ('accordance', 1), ('l', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: Out of Specification (OOS) results for the mechanical peel force (MPF) and z-statistic value which relates to the patients and caregiver ability to remove the release liner from the patch adhesive prior to administration. \n",
"top 10 keywords: [('fl', 8), ('miami', 8), ('noven', 8), ('transdermal', 7), ('patch', 5), ('per', 5), ('patches', 4), ('30-count', 4), ('box', 4), ('rx', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Missing Label; The label on the immediate bottle is missing.\n",
"top 10 keywords: [('oasis', 3), ('eye', 1), ('fl', 1), ('ca', 1), ('upc', 1), ('otc', 1), ('oz', 1), ('tears', 1), ('distributed', 1), ('drops', 1)]\n",
"---\n",
"reason_for_recall : Misbranded\n",
"top 10 keywords: [('oz', 5), ('ndc', 5), ('g', 5), ('lanolin', 1), ('per', 1), ('santiago', 1), ('chile', 1), ('www.hipoglos.cl', 1), ('tube', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/250 mg/65 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Chew Tablet, NDC 00536344308, Pedigree: W003714, EXP: 6/26/2014.\n",
"top 10 keywords: [('mg', 1), ('aidapak', 1), ('distributed', 1), ('acetaminophen/', 1), ('mg/65', 1), ('counter', 1), ('mg/250', 1), ('ndc', 1), ('tablet', 1), ('caffeine', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VENLAFAXINE HCL, Tablet, 25 mg may have potentially been mislabeled as one of the following drugs: sitaGLIPtin PHOSPHATE, Tablet, 50 mg, NDC 00006011231, Pedigree: W002824, EXP: 6/7/2014; LEVOTHYROXINE SODIUM, Tablet, 112 mcg, NDC 00378181101, Pedigree: W003847, EXP: 6/27/2014; LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: AD62796_1, EXP: 5/22/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('venlafaxine', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specification: Out of specification dissolution results when testing product stability.\n",
"top 10 keywords: [('apotex', 6), ('manufactured', 6), ('mg', 3), ('toronto', 3), ('upc', 3), ('florida', 3), ('rx', 3), ('delayed-release', 3), ('corp.', 3), ('ndc', 3)]\n",
"---\n",
"reason_for_recall : A complaint was received from a hospital pharmacy on 11/10/11 for crystalline particulates in a single vial from Lot V10194. Additional small visible particles consisting of fibers were identified. \n",
"top 10 keywords: [('use', 2), ('ndc', 2), ('usa', 2), ('mg', 2), ('per', 2), ('nj', 2), ('single', 2), ('manufactured', 2), ('marketed', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Failed dissolution specification: recalled due to an out of specification dissolution result of 40% (Specification: NLT 80%) \n",
"top 10 keywords: [('tablets', 1), ('rx', 1), ('princeton', 1), ('sandoz', 1), ('nj', 1), ('40mg', 1), ('ndc', 1), ('1000-count', 1), ('usp', 1), ('nadolol', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot And/or Exp Date: Bottles labeled with the incorrect expiration date of 03/18 rather than 09/17.\n",
"top 10 keywords: [('malta', 2), ('mg', 1), ('arrow', 1), ('bbg3000', 1), ('30-count', 1), ('pharma', 1), ('rx', 1), ('inc.', 1), ('nj', 1), ('pharm', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Recall initiated as a precautionary measure due to a potential risk of product contamination with the bacteria B. cepacia.\n",
"top 10 keywords: [('ml', 11), ('fl', 7), ('ndc', 7), ('bottle', 7), ('oz', 6), ('mg', 6), ('livonia', 4), ('drive', 4), ('syrup', 4), ('mi', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; lamotrigine, Tablet, 50 mg (1/2 of 100 mg) may be potentially mislabeled as OXYBUTYNIN CHLORIDE, Tablet, 2.5 mg (1/2 of 5 mg), NDC 00603497521, Pedigree: AD73525_64, EXP: 5/30/2014; FEXOFENADINE HCL, Tablet, 60 mg, NDC 45802042578, Pedigree: AD46257_50, EXP: 5/15/2014. \n",
"top 10 keywords: [('mg', 2), ('lamotrigine', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: guanFACINE HCl, Tablet, 1 mg may have potentially been mislabeled as one of the following drugs: buPROPion HCl ER, Tablet, 200 mg, NDC 47335073886, Pedigree: W002727, EXP: 6/6/2014; OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 00904404360, Pedigree: AD39588_7, EXP: 5/13/2014; OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,100 mg, NDC 11523726503, Pedigree: W003873, EXP: 6/2\n",
"top 10 keywords: [('guanfacine', 1), ('mg', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed USP Dissolution Test Requirements: Out of Specification dissolution result at 18 month time point \n",
"top 10 keywords: [('manufactured', 2), ('tablets', 1), ('rx', 1), ('count', 1), ('saint', 1), ('17mg', 1), ('production', 1), ('sas', 1), ('france', 1), ('extended', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: One lot exceeded the mechanical peel specification\n",
"top 10 keywords: [('fl', 2), ('miami', 2), ('noven', 2), ('mg', 1), ('patches', 1), ('daytrana', 1), ('hours', 1), ('pharmaceuticals', 1), ('delivers', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength: Label incorrectly identifies product dose as 5ml instead of 10 ml.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('concordia', 1), ('donnatal', 1), ('pkg', 1), ('health', 1), ('woburn', 1), ('atropine/scopolamine', 1), ('c5921242304', 1), ('elixir', 1)]\n",
"---\n",
"reason_for_recall : Superpotent (Multiple Ingredient) Drug: Complaint received of oversized tablets.\n",
"top 10 keywords: [('bottles', 9), ('ndc', 9), ('tablets', 1), ('rx', 1), ('100-count', 1), ('acetaminophen', 1), ('30-count', 1), ('al', 1), ('qualitest', 1), ('60-count', 1)]\n",
"---\n",
"reason_for_recall : Discoloration: This recall is being carried out due to a yellow to brown discolored Amoxicillin powder on the inner foil seal of the bottles.\n",
"top 10 keywords: [('amoxicillin', 1), ('oral', 1), ('ndc', 1), ('usp', 1), ('suspension', 1), ('100ml', 1), ('75ml', 1), ('400mg/5ml', 1)]\n",
"---\n",
"reason_for_recall : Defective Container; leaking around the cap\n",
"top 10 keywords: [('ca', 2), ('inc.', 2), ('city', 2), ('gilead', 2), ('sciences', 2), ('foster', 2), ('rx', 1), ('mg/ml', 1), ('emtricitabine', 1), ('emtriva', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications; 12 month stability testing (Expansion of RES #70548).\n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('fentanyl', 1), ('mg/ml', 1), ('use', 1), ('vials', 1), ('eatontown', 1), ('mcg/5', 1), ('cii', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LIOTHYRONINE SODIUM, Tablet, 5 mcg may have potentially been mislabeled as one of the following drugs: LIOTHYRONINE SODIUM, Tablet, 25 mcg, NDC 00574022201, Pedigree: W003152, EXP: 4/30/2014. \n",
"top 10 keywords: [('ndc', 2), ('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('liothyronine', 1), ('distributed', 1), ('mcg', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling; Label Mixup; bottles of Ferrous Sulfate actually contains Meclizine HCl (indicated for motion sickness)\n",
"top 10 keywords: [('rugby', 2), ('mg', 1), ('tablets', 1), ('supplement', 1), ('ferrous', 1), ('mfd', 1), ('upc', 1), ('georgia', 1), ('natural', 1), ('duluth', 1)]\n",
"---\n",
"reason_for_recall : Failed USP Dissolution Test Requirements: Out-of-specification dissolution results at the 8 hour stability testing point.\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('30-count', 1), ('american', 1), ('xl', 1), ('south', 1), ('distributed', 1), ('fl', 1), ('oh', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: process-related particulates which may be associated with the raw materials were observed \n",
"top 10 keywords: [('fl', 1), ('ibuprofen', 1), ('healthcare', 1), ('motrin', 1), ('berry', 1), ('oz', 1), ('bottles', 1), ('distributed', 1), ('1.25ml', 1), ('original', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Affected lot numbers may contain chipped or broken tablets.\n",
"top 10 keywords: [('mg', 1), ('total', 1), ('ok', 1), ('care', 1), ('30-count', 1), ('distributed', 1), ('tulsa', 1), ('nj', 1), ('physicians', 1), ('loratadine', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: High out of specification results for Impurity D.\n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('dose', 1), ('ca', 1), ('mg/10', 1), ('concentrate', 1), ('inc.', 1), ('parenteral', 1), ('multiple', 1), ('mitoxantrone', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: SOTALOL HCL, Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: DILTIAZEM HCL, Tablet, 120 mg, NDC 00093032101, Pedigree: AD30197_1, EXP: 5/9/2014; PROPRANOLOL HCL ER, Capsule, 60 mg, NDC 00228277811, Pedigree: AD54605_4, EXP: 5/20/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('sotalol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Glass defect located on the interior neck of the vial identified glass surface abrasions and visible embedded particulate matter which could result in the potential for small glass flakes or embedded metal particulate to become dislodged into the solution.\n",
"top 10 keywords: [('ml', 3), ('il', 1), ('injectible', 1), ('emulsion', 1), ('mg/ml', 1), ('rx', 1), ('propofol', 1), ('hospira', 1), ('ndc', 1), ('forest', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PRAMIPEXOLE DI-HCL, Tablet, 1 mg may be potentially mislabel as MISOPROSTOL, Tablet, 200 mcg, NDC 59762500801, Pedigree: W003117, EXP: 6/13/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('pramipexole', 1), ('di-hcl', 1)]\n",
"---\n",
"reason_for_recall : Failed impurities/degradation specifications: due to out-of-specification result for the Related Substance Compound C (Impurity 6 - N-Oxide at the 18 month stability station.\n",
"top 10 keywords: [('tablets', 1), ('reddy', 1), ('30-count', 1), ('mfd', 1), ('rx', 1), ('dr.', 1), ('olanzapine', 1), ('mg', 1), ('ndc', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: DOCUSATE SODIUM, Capsule, 250 mg may have potentially been mislabeled as one of the following drugs: PIOGLITAZONE, Tablet, 15 mg, NDC 00591320530, Pedigree: AD25452_10, EXP: 4/30/2014; PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD54498_1, EXP: 5/20/2014; LACTOBACILLUS GG, Capsule, 0, NDC 49100036374, Pedigree: AD65457_16, EXP: 5/24/2014; guaiFENesin ER, Table\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('sodium', 1), ('aidapak', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('ndc', 1), ('docusate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: label error on declared strength. \n",
"top 10 keywords: [('rx', 2), ('upc', 2), ('compounding', 2), ('minneapolis', 2), ('powder', 2), ('million', 2), ('nystatin', 2), ('mn', 2), ('ndc', 2), ('usp', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PIOGLITAZONE, Tablet, 15 mg may have potentially been mislabeled as one of the following drugs: LACTASE ENZYME, Tablet, 3000 units, NDC 24385014976, Pedigree: AD21846_31, EXP: 5/1/2014; PHOSPHORUS, Tablet, 250 mg, NDC 64980010401, Pedigree: AD25452_7, EXP: 5/3/2014; ARIPiprazole, Tablet, 15 mg, NDC 59148000913, Pedigree: AD28322_1, EXP: 5/6/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('pioglitazone', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Defective Container: There is a potential for frangible components to be broken, resulting in a leak at the port when the closure is removed.\n",
"top 10 keywords: [('deerfield', 1), ('rx', 1), ('healthcare', 1), ('product', 1), ('l5b4826', 1), ('low', 1), ('meq/l', 1), ('ndc', 1), ('il', 1), ('peritoneal', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CapsuleTOPRIL, Tablet, 25 mg may have potentially been mislabeled as the following drug: DULoxetine HCl DR, Capsule, 20 mg, NDC 00002323560, Pedigree AD54587_4, EXP: 5/21/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('capsuletopril', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; All lots of sterile products compounded by the pharmacy within expiry are subject to this recall. This recall is initiated due to concerns associated with quality control procedures observed during a recent FDA inspection. \n",
"top 10 keywords: [('rx', 15), ('triple', 12), ('injectable', 11), ('blue', 10), ('dr', 10), ('ridge', 10), ('compounding', 5), ('center', 5), ('ml', 5), ('nc', 5)]\n",
"---\n",
"reason_for_recall : Temperature Abuse: Prolonged exposure to temperatures outside of labeled storage conditions.\n",
"top 10 keywords: [('pharmaceuticals', 2), ('florida', 2), ('miami', 2), ('noven', 2), ('rx', 1), ('distributed', 1), ('box', 1), ('inc.', 1), ('8-count', 1), ('transdermal', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; medroxyPROGESTERone ACETATE, Tablet, 10 mg may be potentially mislabeled as hydrALAZINE HCl, Tablet, 100 mg, NDC 23155000401, Pedigree: AD46312_13, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('acetate', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('medroxyprogesterone', 1), ('ndc', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance\n",
"top 10 keywords: [('oz', 4), ('container', 4), ('b', 2), ('c', 2), ('gm', 2), ('rx', 1), ('ok', 1), ('w', 1), ('25gm', 1), ('powder', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; FLUoxetine HCl, Capsule, 10 mg may be potentially mislabeled as PANCRELIPASE DR, Capsule, 24000 /76000 /120000 USP units, NDC 00032122401, Pedigree: AD70585_10, EXP: 5/29/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('fluoxetine', 1), ('capsule', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: The firm is recalling all sterile preparations of Estradiol and Testosterone that are within expiry due to deficient practices which may have an impact on sterility assurance. \t \n",
"top 10 keywords: [('mg', 14), ('ndc', 14), ('rx', 2), ('one-count', 2), ('acid', 2), ('stearic', 2), ('vials', 2), ('qualgen', 2), ('oklahoma', 2), ('usp', 2)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Broken tablets\n",
"top 10 keywords: [('tablets', 2), ('rx', 2), ('sodium', 2), ('ca', 2), ('misoprostol', 2), ('75mg/0.2mg', 2), ('diclofenac', 2), ('ndc', 2), ('corona', 2), ('delayed-release', 2)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance; heavy metals (chromium, titanium etc) and inactive components of the product were visually observed during routine stability testing. \n",
"top 10 keywords: [('count', 3), ('ndc', 3), ('bottle', 3), ('carisoprodol', 2), ('tablets', 1), ('rx', 1), ('ok', 1), ('tulsa', 1), ('drugs', 1), ('total', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Missing Label; Three cases of product (total of 36 bottles) were packaged without the primary label on the bottle. The cases were, however, packaged in the correct finished product shipper, labeled with the correct shipper bar code label, sealed with tamper-evident tape and erroneously shipped to Upsher-Smith.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('c-iii', 1), ('mn', 1), ('rx', 1), ('valley', 1), ('hunt', 1), ('ndc', 1), ('pharmaceutics', 1), ('60-count', 1)]\n",
"---\n",
"reason_for_recall : Subpotent; 24 month stability test station\n",
"top 10 keywords: [('ml', 2), ('fl', 1), ('rx', 1), ('pharmacal', 1), ('hi-tech', 1), ('hydroxyzine', 1), ('inc.', 1), ('co.', 1), ('hydrochloride', 1), ('oz', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: METOPROLOL TARTRATE, Tablet, 50 mg may have potentially been mislabeled as one of the following drugs: METOPROLOL TARTRATE, Tablet, 25 mg, NDC 57664050652, Pedigree: W003843, EXP: 6/27/2014; ATORVASTATIN CALCIUM, Tablet, 20 mg, NDC 60505257909, Pedigree: W003846, EXP: 6/27/2014; OXYBUTYNIN CHLORIDE, Tablet, 5 mg, NDC 00603497521, Pedigree: W003898, EXP: 6/27/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('tartrate', 1), ('metoprolol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Recall is being initiated due to the presence of a foreign particle identified from a customer complaint.\n",
"top 10 keywords: [('marketed', 1), ('rx', 1), ('acetate', 1), ('glatiramer', 1), ('copaxone', 1), ('neuroscience', 1), ('teva', 1), ('ndc', 1), ('20mg/ml', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: Bottles labeled as Naproxen Tablets USP, 500 mg, 100-count may contain 90-count Pravastatin Sodium Tablets, 40 mg.\n",
"top 10 keywords: [('tablets', 2), ('glenmark', 2), ('generics', 2), ('manufactured', 2), ('mg', 1), ('100-count', 1), ('mahwah', 1), ('naproxen', 1), ('per', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; NIACIN TR, Tablet, 250 mg may be potentially mislabeled as SOLIFENACIN SUCCINATE, Tablet, 5 mg, NDC 51248015001, Pedigree: W003755, EXP: 6/26/2014.\n",
"top 10 keywords: [('niacin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('tr', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: Presence of comingled Sugar Free Honey Lemon cough drops.\n",
"top 10 keywords: [('cvs', 3), ('bags', 2), ('upc', 2), ('drop', 2), ('woonsocket', 1), ('counter', 1), ('cherry', 1), ('pharmacy', 1), ('free', 1), ('one', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NORTRIPTYLINE HCL, Capsule, 10 mg may have potentially been mislabeled as the following drug: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD70585_1, EXP: 5/29/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('nortriptyline', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Dextroamphetamine Saccharate, Amphetamine Asparate, Dextroamphetamine Sulfate and Amphetamine Sulfate Tablets, CII, 10 mg were manufactured using unapproved material: the finished product was not properly quarantined as rejected due to inadequate cleaning of equipment. \n",
"top 10 keywords: [('amphetamine', 2), ('sulfate', 2), ('teva', 2), ('dextroamphetamine', 2), ('tablets', 1), ('mg', 1), ('count-bottle', 1), ('pa.', 1), ('salts', 1), ('sellersville', 1)]\n",
"---\n",
"reason_for_recall : Defective Container: Product leaks when inverted.\n",
"top 10 keywords: [('ml', 2), ('fl', 1), ('rx', 1), ('present', 1), ('solution', 1), ('inc.', 1), ('hydrochloride', 1), ('oral', 1), ('ndc', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Reports of gray smudges identified as minute stainless steel particulates were found in the recalled tablets by the manufacturer\n",
"top 10 keywords: [('ndc', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('ca', 1), ('rx', 1), ('gsms', 1), ('lisinopril', 1), ('bottles', 1), ('mg/25', 1)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: Recalled lots do not meet room temperature stability specification for unknown degradant. \n",
"top 10 keywords: [('hydrochloride', 4), ('6.25mg', 2), ('llc.', 2), ('prometh', 2), ('pint', 2), ('kawaii', 2), ('phenylephrine', 2), ('lincolnton', 2), ('one', 2), ('rx', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LISINOPRIL Tablet, 2.5 mg may be potentially mislabeled as RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: AD23087_1, EXP: 5/2/2014; DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: W003358, EXP: 6/19/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('llc', 1), ('service', 1), ('lisinopril', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of specification for a known degradant.\n",
"top 10 keywords: [('orally', 1), ('tablets', 1), ('ct', 1), ('ltd.', 1), ('healthcare', 1), ('rx', 1), ('bottles', 1), ('distributed', 1), ('ndc', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PREGABALIN, Capsule, 25 mg may have potentially been mislabeled as one of the following drugs: CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W003713, EXP: 6/26/2014; glyBURIDE MICRONIZED, Tablet, 3 mg, NDC 00093803501, Pedigree: W003155, EXP: 6/13/2014. \n",
"top 10 keywords: [('mg', 1), ('pregabalin', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up; Bottles of Mucinex Fast-Max liquid are correctly labeled on the front of the label, however the back of the bottle where the Drug Facts labeling is, is missing certain Active Ingredients such as acetaminophen, phenylephrine, dextromethorphan, diphenhydramine, and/or guaifenesin. As a result certain safety warnings associated with those ingredients may also be missing. \n",
"top 10 keywords: [('fl', 9), ('ml', 9), ('oz', 9), ('ndc', 8), ('india', 7), ('dist', 7), ('upc', 7), ('mucinex', 7), ('max', 7), ('nj', 7)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect Instructions; RemedyRepack, Inc. a relabeler, is recalling these products due to incorrect storage instructions.\n",
"top 10 keywords: [('qty', 7), ('ndc', 7), ('pa', 7), ('mfg', 7), ('inc.', 7), ('indiana', 7), ('kolter', 7), ('repackaged', 7), ('ml', 6), ('remedyrepack', 6)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; rifAXIMin Tablet, 200 mg may be potentially mislabeled as CapsuleTOPRIL, Tablet, 25 mg, NDC 00143117201, Pedigree: AD52778_19, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('rifaximin', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: The product has the potential for solution to leak at or near the administrative port of the primary container.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('sodium', 1), ('dose', 1), ('ndc', 1), ('flexible', 1), ('hospira', 1), ('injection', 1), ('chloride', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: All lots of the dietary supplement Slimdia Revolution are being recalled because they contain sibutramine, a previously approved FDA drug removed from the U.S. marketplace for safety reasons, making it an unapproved new drug.\n",
"top 10 keywords: [('capsules', 2), ('ave.', 1), ('30-count', 1), ('per', 1), ('ca', 1), ('naturals', 1), ('buena', 1), ('slimdia', 1), ('revolution', 1), ('yerba', 1)]\n",
"---\n",
"reason_for_recall : GMP deficiencies \n",
"top 10 keywords: [('products', 2), ('www.ameridose.com', 1), ('llc', 1), ('non-sterile', 1), ('accessed', 1), ('westborough', 1), ('ameridose', 1), ('complete', 1), ('subject', 1), ('recall', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: during long-term stability testing. \n",
"top 10 keywords: [('inc.', 2), ('pharmaceutical', 2), ('tablets', 1), ('rx', 1), ('count', 1), ('mesylates', 1), ('co.', 1), ('plains', 1), ('prospect', 1), ('cranbury', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Pharmaceutical for injection was not manufactured according to Good Manufacturing Procedures.\n",
"top 10 keywords: [('mg/ml', 5), ('chloride', 2), ('vials', 1), ('compounding', 1), ('injectable', 1), ('pharmacy', 1), ('chromium', 1), ('choline', 1), ('vit', 1), ('methionine', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LACTASE ENZYME Tablet, 3000 units may be potentially mislabeled as BENZOCAINE/MENTHOL, LOZENGE, 15 mg/3.6 mg, NDC 63824072016, Pedigree: AD21811_4, EXP: 5/1/2014; ACETAMINOPHEN/ ASPIRIN/ CAFFEINE, Tablet, 250 mg/250 mg/65 mg, NDC 46122010478, Pedigree: W003722, EXP: 4/30/2014; guaiFENesin ER, Tablet, 600 mg, NDC 45802049878, Pedigree: AD30140_37, EXP: 5/7/2014; CALCIUM\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('counter', 1), ('tablet', 1), ('aidapak', 1), ('enzyme', 1), ('llc', 1), ('service', 1), ('units', 1), ('lactase', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Package Insert: Product is packaged with the incorrect version of the package outset\n",
"top 10 keywords: [('mg', 1), ('tablets', 1), ('ct.', 1), ('valeant', 1), ('pharmaceuticals', 1), ('1z7', 1), ('steinbach', 1), ('vaseretic', 1), ('bottles', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Sterility Assurance: All lots of sterile products compounded by the pharmacy that are not expired due to concerns associated with quality control procedures that present a potential risk to sterility assurance that were observed during a recent FDA inspection\n",
"top 10 keywords: [('ml', 2), ('compounds', 1), ('rx', 1), ('480mg/1000', 1), ('plastic', 1), ('irrigation', 1), ('tobramycin', 1), ('wilsonville', 1), ('bottle', 1), ('solution', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; CHOLECALCIFEROL, Capsule, 5000 units may be potentially mislabeled as SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD70629_16, EXP: 5/29/2014; CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: W003540, EXP: 6/21/2014; THIAMINE HCL, Tablet, 100 mg, NDC 00904054460, Pedigree: AD52993_16, EXP: 5/20/2014. \n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('units', 1), ('aidapak', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('cholecalciferol', 1)]\n",
"---\n",
"reason_for_recall : Subpotent (Single Ingredient) Drug: This product is being recalled because of sub-potency of the sennosides.\n",
"top 10 keywords: [('fl', 1), ('stimulant', 1), ('irvington', 1), ('dist', 1), ('upc', 1), ('tummys', 1), ('remedies', 1), ('oz', 1), ('medtech', 1), ('little', 1)]\n",
"---\n",
"reason_for_recall : Labeling; Error on Declared Strength; product description incorrectly states HCG 7500 units instead of 5000 units. The primary panel is correct \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('west', 1), ('loop', 1), ('iu-8', 1), ('hcg-vitamin', 1), ('b12', 1), ('pharm', 1), ('tx', 1), ('im', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations; laboratory testing was not followed in accordance with GMP requirements.\n",
"top 10 keywords: [('pharmaceuticals', 2), ('count', 2), ('ndc', 2), ('india', 2), ('bottle', 2), ('manufactured', 2), ('mg', 1), ('ltd.', 1), ('emcure', 1), ('indomethacin', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of Specification(OOS) results for degradation product of etomidate was confirmed during stability testing.\n",
"top 10 keywords: [('ml', 2), ('il', 1), ('rx', 1), ('mg/ml', 1), ('lifeshield', 1), ('hospira', 1), ('injection', 1), ('syringe', 1), ('forest', 1), ('lake', 1)]\n",
"---\n",
"reason_for_recall : Failed Lozenge Specifications; Lozenges are overly thick, overly soft, and sub and superpotent.\n",
"top 10 keywords: [('count', 43), ('ndc', 26), ('lozenge', 22), ('nicotine', 18), ('distributed', 16), ('nicorette', 11), ('cartons', 11), ('polacrilex', 10), ('pa', 10), ('otc', 10)]\n",
"---\n",
"reason_for_recall : Label Mix up; side panel of sticker label applied by Dispensing Solutions Inc. incorrectly indicates product name as Ventolin HFA 90 mcg instead of correctly as Atrovent HFA 12.9 grams Inhalation Aerosol \n",
"top 10 keywords: [('rx', 1), ('ca', 1), ('ipratropium', 1), ('bromide', 1), ('ana', 1), ('aerosol', 1), ('dsi', 1), ('ndc', 1), ('grams', 1), ('exclusively', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: All unexpired sterile compounded human and veterinary products are being recalled because they were compounded in the same environment and under the same practices as another product found to be non-sterile and therefore sterility cannot be assured.\n",
"top 10 keywords: [('compounding', 52), ('pharmacy', 51), ('specialty', 51), ('mi', 51), ('lafayette', 51), ('lyon', 51), ('medicine', 51), ('rx', 51), ('south', 51), ('injectable', 38)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MULTIVITAMIN/MULTIMINERAL W/IRON, CHEW Tablet, 0 mg may have potentially been mislabeled as the following drug: CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: W003017, EXP: 6/12/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('chew', 1), ('tablet', 1), ('aidapak', 1), ('w/iron', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; metFORMIN HCl Tablet, 500 mg may be potentially mislabeled as OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 40985022921, Pedigree: AD32742_1, EXP: 5/1/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('metformin', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; container closure issues with the bulk batch. \n",
"top 10 keywords: [('ganciclovir', 2), ('mg', 1), ('rx', 1), ('mg/ml', 1), ('kingdom', 1), ('limited', 1), ('vials', 1), ('garden', 1), ('united', 1), ('al7', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared ingredient: N-di-desmethylsibutramine, an analog of sibutramine\n",
"top 10 keywords: [('mg', 1), ('fl', 1), ('boxes', 1), ('supplied', 1), ('jianfeijindan', 1), ('deltona', 1), ('distributed', 1), ('count', 1), ('activity', 1), ('capsules', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Product failed Impurity content (Butylated Hydroxy Anisole Content) against shelf life specification.\n",
"top 10 keywords: [('labs', 2), ('micro', 2), ('manufactured', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('nj', 1), ('princeton', 1), ('rx', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012. FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \n",
"top 10 keywords: [('ml', 105), ('mls', 27), ('injectable', 22), ('kit', 15), ('vitamin', 12), ('ophthalmic', 11), ('vancomycin', 10), ('different', 7), ('products', 7), ('10mg/ml', 6)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: Dietary supplement may contain amounts of an active ingredient found in some FDA-approved drugs for erectile dysfunction (ED) making the dietary supplement an unapproved drug. \n",
"top 10 keywords: [('prolifta', 3), ('capsule', 2), ('blister', 1), ('supplement', 1), ('www.proliftaherbal.com', 1), ('made', 1), ('llc', 1), ('400mg/capsule', 1), ('bottles', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Elevated counts of gram positive rods were found during environmental testing \n",
"top 10 keywords: [('oz', 4), ('ointment', 3), ('antibiotic', 3), ('otc', 3), ('triple', 3), ('wt', 2), ('distributed', 2), ('ndc', 2), ('net', 2), ('dollar', 2)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Testing: Failed 24 month dissolution testing.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('univasc', 1), ('rx', 1), ('ga', 1), ('ndc', 1), ('hcl', 1), ('smyrna', 1), ('bottle', 1), ('moexipril', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: low out of specification dissolution results found during stability testing.\n",
"top 10 keywords: [('per', 2), ('ndc', 2), ('tablets', 1), ('mg', 1), ('risedronate', 1), ('once-a-week', 1), ('rx', 1), ('north', 1), ('inc.', 1), ('wales', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PROPRANOLOL HCL Tablet, 80 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD42584_12, EXP: 5/14/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('propranolol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: This product is being recalled because expired flavoring was used in the manufacturing of these lots.\n",
"top 10 keywords: [('ml', 2), ('mg', 1), ('fl', 1), ('acetaminophen', 1), ('per', 1), ('upc', 1), ('mg/500', 1), ('inc.', 1), ('mallinckrodt', 1), ('oz', 1)]\n",
"---\n",
"reason_for_recall : Microbial contamination of Non-Sterile Products; positive findings of Burkholderia cepacia\n",
"top 10 keywords: [('ml', 2), ('softener', 1), ('sodium', 1), ('diocto', 1), ('pint', 1), ('dist', 1), ('one', 1), ('livonia', 1), ('liquid', 1), ('docusate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LIOTHYRONINE SODIUM Tablet, 5 mcg may be potentially mislabeled as HYDROCHLOROTHIAZIDE, Tablet, 12.5 mg, NDC 16729018201, Pedigree: AD46414_25, EXP: 5/16/2014.\n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('liothyronine', 1), ('distributed', 1), ('mcg', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; HYDROCHLOROTHIAZIDE Tablet, 12.5 mg may be potentially mislabeled as chlordiazePOXIDE HCl, Capsule, 25 mg, NDC 00555015902, Pedigree: AD46333_4, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('hydrochlorothiazide', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of specification (OOS) results were observed for CAD-II, CAD-V and Total Impurities.\n",
"top 10 keywords: [('apotex', 8), ('manufactured', 8), ('ndc', 6), ('tablets', 4), ('mg', 4), ('bangalore-', 4), ('30-count', 4), ('corp.', 4), ('cilexetil', 4), ('research', 4)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: One lot of product is being voluntarily recalled because dissolution test results failed to meet specification throughout the product's shelf life.\n",
"top 10 keywords: [('inc.', 3), ('forest', 2), ('laboratories', 2), ('tablets', 1), ('rx', 1), ('belgium', 1), ('licensed', 1), ('license', 1), ('subsidiary', 1), ('louis', 1)]\n",
"---\n",
"reason_for_recall : Non Sterility; contaminated with Klebsiella pneumoniae\n",
"top 10 keywords: [('sterile', 2), ('honeywell', 2), ('fl', 1), ('eye', 1), ('eyesaline', 1), ('platteville', 1), ('eyewash', 1), ('sperian', 1), ('inc.', 1), ('isotonic', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; FLUCONAZOLE, Tablet, 100 mg may be potentially mislabeled as PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet, NDC 51991056601, Pedigree: W003086, EXP: 6/12/2014.\n",
"top 10 keywords: [('fluconazole', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CYCLOBENZAPRINE HCL, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD46257_62, EXP: 5/15/2014; ATENOLOL, Tablet, 12.5 mg (1/2 of 25 mg), NDC 63304062101, Pedigree: AD73525_1, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('cyclobenzaprine', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Failed pH Specification: A pH result of 2.9 was obtained at the 9 month stability test interval at 25C/60%RH. The registered specification for pH is 3.0 - 7.0\n",
"top 10 keywords: [('ml', 4), ('rx', 2), ('methylprednisolone', 2), ('injectable', 2), ('new', 2), ('inc', 2), ('ndc', 2), ('single-dose', 2), ('vial', 2), ('york', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Confirmed customer complaint that orange and black particulates, identified as iron oxide, were found embedded within the glass vial and floating in solution.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('mg/ml', 1), ('cartons', 1), ('inc.', 1), ('vials', 1), ('ndc', 1), ('lidocaine', 1), ('injection', 1), ('25-count', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: product found to contain undeclared sildenafil\n",
"top 10 keywords: [('mg', 1), ('min', 1), ('supplied', 1), ('per', 1), ('road', 1), ('manufacturer', 1), ('health', 1), ('tibet', 1), ('shengyang', 1), ('lhasa', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NEBIVOLOL HCL, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: THYROID, Tablet, 30 mg, NDC 00456045801, Pedigree: AD73611_1, EXP: 5/30/2014; RASAGILINE MESYLATE, Tablet, 0.5 mg, NDC 68546014256, Pedigree: W002929, EXP: 6/10/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('nebivolol', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an approved NDA/ANDA: INK-EEZE Tattoo Numbing Spray contains 5% Lidocaine and is being marketed without an approved NDA/ANDA. Lidocaine 5% is an ingredient in many FDA approved products, making Ink-Eeze an unapproved new drug.\n",
"top 10 keywords: [('oz', 3), ('ml', 3), ('ca', 2), ('ink-eeze', 2), ('ingredients', 2), ('newbury', 2), ('distributed', 2), ('www.inkeeze.com', 2), ('hcl', 2), ('numbing', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ASPIRIN DR EC, Tablet, 81 mg may have potentially been mislabeled as one of the following drugs: SOTALOL HCL, Tablet, 120 mg, NDC 00093106001, Pedigree: AD49448_20, EXP: 5/17/2014; FOLIC ACID, Tablet, 1 mg, NDC 65162036110, Pedigree: W003097, EXP: 6/13/2014. \n",
"top 10 keywords: [('aspirin', 1), ('ec', 1), ('ndc', 1), ('dr', 1), ('tablet', 1), ('aidapak', 1), ('mg', 1), ('distributed', 1), ('service', 1), ('counter', 1)]\n",
"---\n",
"reason_for_recall : Incorrect/Undeclared Excipients: Product contains undeclared FD&C Yellow No. 5 in the capsule shell.\n",
"top 10 keywords: [('mg', 1), ('blister', 1), ('count', 1), ('rx', 1), ('cards/box', 1), ('ndc', 1), ('absorica', 1), ('isotretinoin', 1), ('inc', 1), ('laboratories', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: one foreign capsule identified as omeprazole 10 mg was found in the bottle\n",
"top 10 keywords: [('fl', 1), ('rx', 1), ('count', 1), ('spain', 1), ('capsules', 1), ('raton', 1), ('duloxetine', 1), ('distributed', 1), ('ndc', 1), ('boca', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Pharmacy Creations is recalling Ascorbic Acid 500 mg/mL 50 mL vials due to mold contamination.\n",
"top 10 keywords: [('rx', 1), ('randolph', 1), ('acid', 1), ('sterile', 1), ('pharmacy', 1), ('nj', 1), ('multi-dose', 1), ('ascorbic', 1), ('injection', 1), ('vial', 1)]\n",
"---\n",
"reason_for_recall : Defective Container: Excess lidding material accumulation between the seal and the cup resulting in the lid not properly adhering and allowing leakage. \n",
"top 10 keywords: [('ndc', 2), ('fl', 1), ('rx', 1), ('trays', 1), ('largo', 1), ('wrapped', 1), ('oral', 1), ('vistapharm', 1), ('shrink-', 1), ('ml', 1)]\n",
"---\n",
"reason_for_recall : Subpotent; fluocinolone acetonide. \n",
"top 10 keywords: [('fl', 2), ('oz', 2), ('shampoo', 2), ('topical', 2), ('rx', 1), ('use', 1), ('lp', 1), ('worth', 1), ('tx', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Sterility Assurance\n",
"top 10 keywords: [('ml', 35), ('pharmacy', 31), ('use', 29), ('little', 28), ('medical', 28), ('rock', 28), ('health', 28), ('towers', 28), ('infusion', 28), ('baptist', 28)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of Specification for an impurity at the 18 month stability time point.\n",
"top 10 keywords: [('apotex', 2), ('manufactured', 2), ('toronto', 1), ('rx', 1), ('mg/ml', 1), ('risperidone', 1), ('inc.', 1), ('corp.', 1), ('ndc', 1), ('weston', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: The firm received an out of specification result for Assay (potency was below specification) at the 9 month stability time point. \n",
"top 10 keywords: [('tablets', 2), ('b', 2), ('mg', 1), ('dose', 1), ('unit', 1), ('per', 1), ('ohio', 1), ('rx', 1), ('ndc', 1), ('x', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; MELATONIN, Tablet, 1 mg may be potentially mislabeled as QUETIAPINE FUMARATE, Tablet, 12.5 MG (1/2 of 25 MG), NDC 47335090288, Pedigree: AD21790_79, EXP: 5/1/2014; DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD73521_13, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('melatonin', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NORTRIPTYLINE HCL, Capsule, 50 mg may have potentially been mislabeled as one of the following drugs: ROSUVASTATIN CALCIUM, Tablet, 5 mg, NDC 00310075590, Pedigree: AD21811_10, EXP: 5/2/2014; LIOTHYRONINE SODIUM, Tablet, 5 mcg, NDC 42794001802, Pedigree: AD46414_38, EXP: 5/16/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('nortriptyline', 1)]\n",
"---\n",
"reason_for_recall : Presence of Precipitate; white substance confirmed as Guaifenesin, an active ingredient was observed in some bottles. \n",
"top 10 keywords: [('fl', 12), ('oz', 11), ('upc', 8), ('distributed', 5), ('bottle', 4), ('cough', 2), ('select', 2), ('maximum', 2), ('mg', 2), ('safeway', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CILOSTAZOL, Tablet, 100 mg may be potentially mislabeled as the following drug: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: W003469, EXP: 6/20/2014. \n",
"top 10 keywords: [('mg', 1), ('cilostazol', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA; Nova Products, Inc. of Aston, Pennsylvania is voluntarily recalling AFRICAN BLACK ANT because FDA laboratory analysis determined they contain undeclared amounts of sildenafil an active ingredient of FDA-approved drugs used to treat erectile dysfunction. \n",
"top 10 keywords: [('risen', 2), ('mojo', 2), ('mg', 1), ('per', 1), ('distributed', 1), ('ut', 1), ('llc', 1), ('pouch', 1), ('capsule', 1), ('springville', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; NITROFURANTOIN MONOHYDRATE/ MACROCRYSTALS, Capsule, 100 mg may be potentially mislabeled as MINOCYCLINE HCL, Capsule, 50 mg, NDC 00591569401, Pedigree: AD52778_46, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('macrocrystals', 1), ('monohydrate/', 1), ('aidapak', 1), ('nitrofurantoin', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ISOSORBIDE MONONITRATE ER Tablet, 30 mg may be potentially mislabeled as LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 16714058102, Pedigree: W003899, EXP: 6/27/2014; MISOPROSTOL, Tablet, 100 mcg, NDC 43386016012, Pedigree: AD42611_7, EXP: 5/14/2014; hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W003332, EXP: 6/18/2014; glyBURIDE, Tablet, 2.5 mg, NDC 0009383\n",
"top 10 keywords: [('mg', 1), ('er', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('isosorbide', 1), ('service', 1), ('mononitrate', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications; three month stability time point. \n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('count', 1), ('wv', 1), ('extended-release', 1), ('rx', 1), ('paliperidone', 1), ('bottles', 1), ('morgantown', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg) may have potentially been mislabeled as one of the following drugs: CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD30180_1, EXP: 5/8/2014; carBAMazepine ER, Capsule, 200 mg, NDC 66993040832, Pedigree: AD32764_14, EXP: 5/14/2014; CHLORTHALIDONE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 00378022201, Pedigree:\n",
"top 10 keywords: [('mcg', 2), ('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('levothyroxine', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: The firm's contract testing laboratory found sterility failures.\n",
"top 10 keywords: [('abrams', 2), ('compounding', 1), ('rx', 1), ('mg/ml', 1), ('sterile', 1), ('pharmacy', 1), ('dallas', 1), ('rd', 1), ('tx', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Subpotent; Hydrochlorothiazide at the 9 month time point.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('sodium', 1), ('princeton', 1), ('rx', 1), ('sandoz', 1), ('fosinopril', 1), ('nj', 1), ('hydrochlorothiazide', 1), ('-ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PHENobarbital, Tablet, 97.2 mg may have potentially been mislabeled as the following drug: PHENobarbital, Tablet, 64.8 mg, NDC 00603516721, Pedigree: AD73518_7, EXP: 5/31/2014. \n",
"top 10 keywords: [('phenobarbital', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: FDA laboratory analysis confirmed that ULTRA ZX contains undeclared sibutramine and phenolphthalein \n",
"top 10 keywords: [('de', 4), ('ultra', 2), ('extracto', 2), ('zx', 2), ('supplement', 1), ('sw', 1), ('bottles', 1), ('labs', 1), ('miami', 1), ('l.l.c', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: this product is below specification for preservative content.\n",
"top 10 keywords: [('fluconazole', 1), ('rx', 1), ('pa.', 1), ('ltd.', 1), ('mg/ml', 1), ('pharmaceuticals', 1), ('sellersville', 1), ('cipla', 1), ('goa', 1), ('suspension', 1)]\n",
"---\n",
"reason_for_recall : Presence of Precipitate: Recall is due to complaints of a white substance, confirmed as Guaifenesin, an active ingredient in the product which is precipitating out.\n",
"top 10 keywords: [('mg', 3), ('ml', 2), ('adult', 1), ('fl', 1), ('bentonville', 1), ('phenylephrine', 1), ('hbr', 1), ('liquid', 1), ('cold', 1), ('stores', 1)]\n",
"---\n",
"reason_for_recall : Crystallization: Crystal precipitate formation and an increase in the number of complaints associated with a gritty, sand-like feeling in the eye.\n",
"top 10 keywords: [('g', 5), ('oz', 4), ('ndc', 4), ('carton', 4), ('per', 4), ('upc', 4), ('tube', 3), ('chloride', 2), ('ointment', 2), ('sodium', 2)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Ink identification had rubbed off tablets in transit making them illegible to pharmacists and consumers.\n",
"top 10 keywords: [('tablets', 1), ('corp.', 1), ('100-count', 1), ('potassium', 1), ('rx', 1), ('whitby', 1), ('l1n', 1), ('bottles', 1), ('novartis', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: low out-of-specification (OOS) results for dissolution were obtained at the nine-month stability point.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('upc', 1), ('wv', 1), ('pharmaceuticals', 1), ('rx', 1), ('morgantown', 1), ('ndc', 1), ('usp', 1), ('mylan', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: High out-of-specification results for a related compound obtained during routine stability testing.\n",
"top 10 keywords: [('capsules', 2), ('mg', 1), ('blister', 1), ('per', 1), ('extended-release', 1), ('rx', 1), ('inc.', 1), ('diltiazem', 1), ('cards', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Discoloration: Ethambutol Tablets USP 400 mg have tablets cores that may be discolored.\n",
"top 10 keywords: [('tablets', 5), ('ndc', 4), ('versapharm', 2), ('manufactured', 2), ('blister', 1), ('usp,400', 1), ('eatontown', 1), ('rx', 1), ('corp.', 1), ('ga', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: identified as cardboard.\n",
"top 10 keywords: [('container', 2), ('bags', 1), ('rx', 1), ('mini-bag', 1), ('corporation', 1), ('deerfield', 1), ('2b0043', 1), ('plus', 1), ('code', 1), ('ml', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: DUTASTERIDE, Capsule, 0.5 mg may have potentially been mislabeled as one of the following drugs: PHENOL, LOZENGE, 29 mg, NDC 00068021918, Pedigree: AD49582_13, EXP: 5/16/2014; REPAGLINIDE, Tablet, 2 mg, NDC 00169008481, Pedigree: AD70639_13, EXP: 5/29/2014; CHOLECALCIFEROL, Capsule, 5000 units, NDC 00904598660, Pedigree: AD52993_22, EXP: 5/20/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('dutasteride', 1), ('capsule', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Good Manufacturing Practices Deviations: The product has an active pharmaceutical ingredient from an unapproved source.\n",
"top 10 keywords: [('tablets', 2), ('mg', 2), ('blister', 2), ('rx', 2), ('hydroxyzine', 2), ('ndc', 2), ('hcl', 2), ('usp', 2), ('kvk-tech', 2), ('pa', 2)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of a Non-Sterile Products: The product had a positive Staphylococcus aureus test result. \n",
"top 10 keywords: [('fl', 1), ('laboratories', 1), ('acid', 1), ('upc', 1), ('medicated', 1), ('spray', 1), ('keystone', 1), ('oz', 1), ('braids', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter; particulate matter in one vial identified as silicone rubber and EPDM rubber from the vial stopper.\n",
"top 10 keywords: [('mg', 1), ('corp.', 1), ('containers', 1), ('healthcare', 1), ('deerfield', 1), ('nitroglycerin', 1), ('ndc', 1), ('glass', 1), ('injection', 1), ('baxter', 1)]\n",
"---\n",
"reason_for_recall : Penicillin Cross Contamination\n",
"top 10 keywords: [('germany', 27), ('road', 26), ('ndc', 26), ('usa', 26), ('sanum', 26), ('made', 26), ('otc', 26), ('kg', 26), ('gmbh', 26), ('co.', 26)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications; exceeded specification at the 9 hour time point\n",
"top 10 keywords: [('count', 3), ('ndc', 3), ('tablets', 2), ('mg', 2), ('sodium', 2), ('extended-release', 2), ('rx', 2), ('dr.', 2), ('bottles', 2), ('usp', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Particulate matter includes wood, sodium citrate and dextrose.\n",
"top 10 keywords: [('baxter', 6), ('bag', 3), ('rx', 3), ('acid', 3), ('deerfield', 3), ('one', 3), ('chamber', 3), ('injection', 3), ('dist', 3), ('dextrose', 3)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: sitaGLIPtin PHOSPHATE, Tablet, 50 mg may be potentially mis-labeled as one of the following drugs: LACTOBACILLUS, Tablet, 0 mg, NDC 64980012950, Pedigree: AD62992_1, EXP: 5/23/2014; CYANOCOBALAMIN, Tablet, 500 mcg, NDC 00536355101, Pedigree: W002860, EXP: 6/7/2014. \n",
"top 10 keywords: [('phosphate', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('mg', 1), ('distributed', 1), ('sitagliptin', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Out-of-specification results in retained sample.\n",
"top 10 keywords: [('capsules', 5), ('ndc', 3), ('per', 3), ('bottle', 3), ('mg', 2), ('rx', 2), ('extended-release', 2), ('gsms', 2), ('hydrochloride', 2), ('venlafaxine', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved ANDA/NDA: presence of sildenafil\n",
"top 10 keywords: [('creature', 2), ('tibet', 2), ('living', 2), ('developed', 1), ('boxes', 1), ('gold', 1), ('hard', 1), ('american', 1), ('ten', 1), ('central', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: FENOFIBRATE, Tablet, 54 mg may have potentially been mislabeled as one of the following drugs: LUBIPROSTONE, Capsule, 24 MCG, NDC 64764024060, Pedigree: AD21790_46, EXP: 5/1/2014; aMILoride HCl, Tablet, 5 mg, NDC 64980015101, Pedigree: AD60272_55, EXP: 5/22/2014; PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: W002732, EXP: 6/6/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('fenofibrate', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Product label claim is 4% Benzoyl Peroxide, Initial Stability testing showed variation within the lot outside of product specifications.\n",
"top 10 keywords: [('tocopherol', 2), ('topical', 2), ('peroxide', 2), ('easy', 1), ('box', 1), ('sc', 1), ('charleston', 1), ('ndc', 1), ('pad', 1), ('benzoyl', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Multiple complaints for push through tablet breakage.\n",
"top 10 keywords: [('mg', 1), ('dose', 1), ('ca', 1), ('manufactured', 1), ('corona', 1), ('center', 1), ('one', 1), ('drive', 1), ('tablet/blister', 1), ('next', 1)]\n",
"---\n",
"reason_for_recall : Penicillin Cross Contamination: Potential for products to be cross-contaminated with penicillin.\n",
"top 10 keywords: [('gm', 4), ('ndc', 4), ('rx', 1), ('ok', 1), ('compounding', 1), ('prescription', 1), ('new', 1), ('orleans', 1), ('broken', 1), ('c', 1)]\n",
"---\n",
"reason_for_recall : Labeling; Incorrect or Missing Lot and/or Exp Date; incorrect expiration date on container label is 02/2019, correct expiration date should be 02/2018\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('laboratorios', 1), ('count', 1), ('esteve', 1), ('martorelles', 1), ('delayed-release', 1), ('dr.', 1), ('bottles', 1), ('duloxetine', 1)]\n",
"---\n",
"reason_for_recall : Stability Data Does Not Support Expiry: All lots of all products repackaged and distributed between 01/05/12 through 02/12/15 are being recalled because they were repackaged without data to support the printed expiry date.\n",
"top 10 keywords: [('amoxicillin', 1), ('bags', 1), ('street', 1), ('4n3', 1), ('drums', 1), ('ontario', 1), ('ingredient', 1), ('varying', 1), ('active', 1), ('kg', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LOSARTAN POTASSIUM, Tablet, 25 mg may have potentially been mislabeled as the following drug: PHYTONADIONE, Tablet, 5 mg, NDC 25010040515, Pedigree: AD46312_22, EXP: 4/30/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('losartan', 1), ('distributed', 1), ('potassium', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: This lot of product will not meet the impurity specification over shelf life\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('count', 1), ('rx', 1), ('sellersville', 1), ('bottles', 1), ('ndc', 1), ('pharmaceuticals', 1), ('cabergoline', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; guanFACINE HCl Tablet, 2 mg may be potentially mislabeled as buPROPion HCl ER, Tablet, 200 mg, NDC 47335073886, Pedigree: AD21790_4, EXP: 5/1/2014; AMANTADINE HCL, Capsule, 100 mg, NDC 00781204801, Pedigree: W002997, EXP: 6/11/2014; glyBURIDE, Tablet, 1.25 mg, NDC 00093834201, Pedigree: W003677, EXP: 2/28/2014; ACYCLOVIR, Capsule, 200 mg, NDC 00093894001, Pedigree: AD60\n",
"top 10 keywords: [('guanfacine', 1), ('mg', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LEVOTHYROXINE SODIUM, Tablet, 125 mcg may have potentially been mislabeled as the following drug: MAGNESIUM CHLORIDE DR, Tablet, 64 mg, NDC 00904791152, Pedigree: AD70615_1, EXP: 2/28/2014. \n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('levothyroxine', 1), ('distributed', 1), ('mcg', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Failed impurities/degradation specifications: Out-of-specification result (for multiple batches) for an unknown impurity of Chlorhexidine gluconate.\n",
"top 10 keywords: [('fl', 3), ('rx', 3), ('oz', 3), ('rinse', 3), ('oral', 3), ('bottle', 3), ('ml', 3), ('gluconate', 3), ('packaged', 3), ('chlorhexidine', 3)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; CALCIUM CITRATE, Tablet, 950 mg (200 mg Elem Ca) may be potentially mislabeled as VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: W002767, EXP: 6/6/2014; LACTOBACILLUS ACIDOPHILUS, Capsule, 500 MILLION CFU, NDC 43292050022, Pedigree: AD60240_20, EXP: 5/22/2014; PYRIDOXINE HCL, Tablet, 50 mg, NDC 51645090901, Pedigree: AD73521_25, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 2), ('elem', 1), ('citrate', 1), ('counter', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('calcium', 1), ('ca', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications; recall initiated by manufacturer due to reports of wet capsules \n",
"top 10 keywords: [('ndc', 2), ('mg', 1), ('10x10', 1), ('count', 1), ('american', 1), ('individual', 1), ('rx', 1), ('health', 1), ('columbus', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Units of this lot may have visible metal particles embedded in the vial and in the solution causing the product to be discolored. \n",
"top 10 keywords: [('il', 1), ('bupivacaine', 1), ('vials', 1), ('per', 1), ('rx', 1), ('inc.', 1), ('10-count', 1), ('lake', 1), ('ndc', 1), ('hospira', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Package Insert: Product is packaged with the incorrect version of the package insert.\n",
"top 10 keywords: [('ndc', 10), ('ct', 9), ('mg', 9), ('bottles', 3), ('ct.', 3), ('tablets', 1), ('rx', 1), ('vasotec', 1), ('pharmaceuticals', 1), ('maleate', 1)]\n",
"---\n",
"reason_for_recall : Presence of Paticulate Matter; Baxter is issuing a voluntary recall for these IV solutions due to particulate matter found in the solution identified as polyester and cotton fibers, adhesive-like mixture, polyacetal particles, thermally degraded PVC, black polypropylene and human hair embedded in the plastic bag\n",
"top 10 keywords: [('deerfield', 1), ('rx', 1), ('baxter', 1), ('dose', 1), ('healthcare', 1), ('product', 1), ('2b0089', 1), ('ndc', 1), ('usa', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Failed Content Uniformity Specifications: Recall is being carried out due to an out-of-specification result for content uniformity.\n",
"top 10 keywords: [('tablets', 3), ('orally', 1), ('disintergrating', 1), ('clonazepam', 1), ('mg', 1), ('sellersville', 1), ('cards', 1), ('ndc', 1), ('pharmaceuticals', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NIACIN ER, Tablet, 500 mg may have potentially been mislabeled as one of the following drugs: CHOLECALCIFEROL, Capsule, 50000 units, NDC 53191036201, Pedigree: AD60268_4, EXP: 5/22/2014; METAXALONE, Tablet, 800 mg, NDC 64720032110, Pedigree: W003738, EXP: 6/26/2014; CRANBERRY EXTRACT/VITAMIN C, Capsule, 450 mg/125 mg, NDC 31604014271, Pedigree: W003716, EXP: 6/26/2014; C\n",
"top 10 keywords: [('niacin', 1), ('er', 1), ('ndc', 1), ('tablet', 1), ('mg', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Product is sold over the counter whose labeling includes drug claims to act as an antidote.\n",
"top 10 keywords: [('vials', 2), ('10-count', 2), ('box', 2), ('roche', 2), ('per', 2), ('ampoules', 2), ('tokyo', 1), ('injectable', 1), ('f-74240', 1), ('neulilly', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; CALCIUM CITRATE, Tablet, 200 mg Elemental Calcium may be potentially mislabeled as TRIAMTERENE/HCTZ, Tablet, 37.5 mg/25 mg, NDC 00378135201, Pedigree: AD28333_4, EXP: 5/6/2014.\n",
"top 10 keywords: [('calcium', 2), ('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('citrate', 1), ('elemental', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: This recall is being carried out due to an incorrect expiration date assigned to a lot of physicians samples.\n",
"top 10 keywords: [('pharmaceuticals', 1), ('wt', 1), ('coria', 1), ('peroxide', 1), ('benzoyl', 1), ('division', 1), ('nj', 1), ('bridgewater', 1), ('ndc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VALSARTAN, Tablet, 40 mg may have potentially been mislabeled as one of the following drugs: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD52372_4, EXP: 5/17/2014; ZINC SULFATE, Capsule, 50 mg, NDC 00904533260, Pedigree: AD30994_8, EXP: 5/9/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('valsartan', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: Product may contain leaking capsules.\n",
"top 10 keywords: [('vitrus', 1), ('rx', 1), ('supplement', 1), ('30-count', 1), ('tampa', 1), ('upc', 1), ('vp-ch-pnv', 1), ('softgel', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurity/Degradation Specification; high out of specification result for 23 transacetyl impurity at the 22 month stability time point\n",
"top 10 keywords: [('sterile', 2), ('il', 1), ('rx', 1), ('mg*/vial', 1), ('mfd', 1), ('boxed', 1), ('ndc', 1), ('vials', 1), ('individually', 1), ('glass', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Illegible label. Writing is rubbing off of labels.\n",
"top 10 keywords: [('zinc', 2), ('oxide', 2), ('il', 1), ('processing', 1), ('fiber', 1), ('corporation', 1), ('powder', 1), ('liners', 1), ('romeoville', 1), ('z-cote', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: The affected lots may not meet the specifications for dissolution over the product shelf life. \n",
"top 10 keywords: [('capsules', 6), ('mg', 3), ('rx', 3), ('dextroamphetamine', 3), ('nj', 3), ('pharma', 3), ('corepharma', 3), ('extended', 3), ('middlesex', 3), ('sulfate', 3)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: this product is being recalled due to an out of specification test result for impurities during stability testing. \n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('100-count', 1), ('ny', 1), ('rx', 1), ('pomona', 1), ('bottles', 1), ('ndc', 1), ('barr', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: this product is being recalled because an FDA inspection revealed that it was not manufactured under current good manufacturing practices.\n",
"top 10 keywords: [('ml', 5), ('bp', 4), ('mg', 3), ('oil', 2), ('p.a', 1), ('benjamin', 1), ('carbonate', 1), ('ltd.', 1), ('co.', 1), ('light', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Found during examination of retention samples.\n",
"top 10 keywords: [('ml', 2), ('manufactured', 2), ('rx', 1), ('mg/ml', 1), ('pharma', 1), ('ges.m.b.h', 1), ('injection', 1), ('austria', 1), ('methotrexate', 1), ('unterach', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; QUINAPRIL HCL, Tablet, 20 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 65162066850, Pedigree: W003553, EXP: 6/24/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('quinapril', 1)]\n",
"---\n",
"reason_for_recall : The firm received seven reports of adverse reactions in the form of skin abscesses potentially linked to compounded preservative-free methylprednisolone 80mg/ml 10 ml vials. \n",
"top 10 keywords: [('street', 590), ('main', 589), ('pharmacy', 295), ('newbern', 295), ('tn', 295), ('east', 295), ('compounding', 295), ('hcg', 57), ('10ml', 55), ('30ml', 45)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; all sterile human compounded drugs within expiry\n",
"top 10 keywords: [('lake', 202), ('moses', 202), ('sn', 102), ('inc', 102), ('jd', 102), ('pharmacy', 101), ('professional', 101), ('st.', 101), ('dba', 101), ('s.', 101)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: confirmed customer complaints of leaking bags. \n",
"top 10 keywords: [('ml', 2), ('fluconazole', 1), ('intravia', 1), ('mg/100', 1), ('healthcare', 1), ('deerfield', 1), ('rx', 1), ('2mg/ml', 1), ('product', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an approved NDA/ANDA - presence of undeclared sildenafil.\n",
"top 10 keywords: [('60-count', 1), ('label', 1), ('black', 1), ('manufactured', 1), ('lifestyle', 1), ('capsules', 1), ('l.l.c', 1), ('x', 1), ('making', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; Immediate product pouches may not be properly sealed.\n",
"top 10 keywords: [('rx', 1), ('el', 1), ('applicator', 1), ('chg', 1), ('gluconate', 1), ('hi-lite', 1), ('isopropyl', 1), ('paso', 1), ('tx', 1), ('tint', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: report of a foreign capsule with markings (TKN 250) and identified as a Tikosyn (dofetilide) capsule was found in a bottle of Effexor XR (venlafaxine HCl) 150 mg capsules that was packaged in the same packaging campaign as the recalled lot\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('unit', 1), ('upc', 1), ('extended-release', 1), ('use', 1), ('nj', 1), ('venlafaxine', 1), ('bottles', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: Brower Enterprises Inc., is recalling its WOW Health Enterprises Dietary Supplement, because it contains undeclared drug ingredients making it an unapproved drug. FDA sample analysis has found the product to contain methocarbamol, dexamethasone, and diclofenac.\n",
"top 10 keywords: [('health', 2), ('enterprises', 2), ('sd', 1), ('supplement', 1), ('riger', 1), ('5th', 1), ('wow', 1), ('natural', 1), ('st.', 1), ('mexico', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Visible particulate and particulate embedded in vials were observed during retain inspection.\n",
"top 10 keywords: [('ml', 6), ('mg/ml', 3), ('ndc', 3), ('vial', 3), ('patient', 3), ('infusion', 3), ('single', 3), ('il', 1), ('rx', 1), ('emulsion', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Out of specification result for pramoxine hydrochloride\n",
"top 10 keywords: [('carton', 3), ('ndc', 2), ('packets', 2), ('samples', 2), ('1gm', 2), ('sample', 2), ('il', 1), ('rx', 1), ('pharma', 1), ('novum', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect Expiration Date; Expiration date is earlier than listed on vial.\n",
"top 10 keywords: [('ml', 4), ('mg', 3), ('rx', 3), ('nashville', 3), ('pharmacy', 3), ('hollis', 3), ('john', 3), ('resale', 3), ('n', 3), ('20th', 3)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LACTOBACILLUS GG Capsule, 15 Billion Cells may be potentially mislabeled as ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: W003356, EXP: 6/19/2014; ZONISAMIDE, Capsule, 100 mg, NDC 64679099001, Pedigree: W003786, EXP: 6/27/2014; VENLAFAXINE HCL, Tablet, 25 mg, NDC 00093019901, Pedigree: W003860, EXP: 6/27/2014. \n",
"top 10 keywords: [('ndc', 1), ('distributed', 1), ('gg', 1), ('counter', 1), ('aidapak', 1), ('cells', 1), ('lactobacillus', 1), ('service', 1), ('billion', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: SIMVASTATIN, Tablet, 40 mg may have potentially been mislabeled as the following drug: METOPROLOL TARTRATE, Tablet, 12.5 mg (1/2 of 25 mg), NDC 63304057901, Pedigree: AD21790_67, EXP: 5/1/2014. \n",
"top 10 keywords: [('simvastatin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: tainted product marketed as a dietary supplement. Product found to be tainted with sildenafil, an FDA approved drug for the treatment of male erectile dysfunction, making this an unapproved drug.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('orlando', 1), ('blister', 1), ('upc', 1), ('distributed', 1), ('distributors', 1), ('nuway', 1), ('cards', 1), ('fl', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications; 12 month stability time point\n",
"top 10 keywords: [('bottles', 2), ('sun', 2), ('tablets', 1), ('rx', 1), ('30-count', 1), ('pharma', 1), ('arab', 1), ('global', 1), ('united', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Not elsewhere classified: On 12/12/11, DEA published a final rule in the Federal Register making this product a schedule IV (C-IV)controlled substance. This product is being recalled because this controlled product was not relabeled with the required \"C-IV\" imprint on the label for products distributed after the 06/11/12 deadline.\n",
"top 10 keywords: [('tablets', 2), ('rx', 2), ('per', 1), ('carisoprodol', 1), ('pharmaceutical', 1), ('nj', 1), ('corp.', 1), ('eatontown', 1), ('mg', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Superpotent; Cartridges labeled to contain 1 mL found to contain 2.2 mL\n",
"top 10 keywords: [('ml', 2), ('il', 1), ('rx', 1), ('carpujects/carton', 1), ('morphine', 1), ('hospira', 1), ('sulfate', 1), ('cii', 1), ('injection', 1), ('4mg/ml', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CYANOCOBALAMIN, Tablet, 100 mcg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: AD62834_7, EXP: 5/24/2014. \n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('cyanocobalamin', 1), ('mcg', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup:predniSONE, Tablet, 20 mg may have potentially been mislabeled as the following drug: methylPREDNISolone, Tablet, 4 mg, NDC 00781502201, Pedigree: AD54587_7, EXP: 5/21/2014.\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('llc', 1), ('service', 1), ('prednisone', 1)]\n",
"---\n",
"reason_for_recall : Cross Contamination with Other Products: Potential for contaminant on the cotton packaging inside the bottle. Chemical analysis of the contaminant found on the cotton was identified as a formulation of 4% Trimipramine methanesulfonate - a tricyclic antidepressant..\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('200-count', 1), ('waltham', 1), ('phoslo', 1), ('north', 1), ('ndc', 1), ('acetate', 1), ('care', 1), ('america', 1)]\n",
"---\n",
"reason_for_recall : Labeling; incorrect or missing insert; Warnings portion of the Package Insert is missing the warning statement: Anaphylaxis has been reported with urinary-derived hCG products.\u001d",
" \n",
"top 10 keywords: [('ndc', 4), ('vial', 4), ('sale', 2), ('assigned', 2), ('unit', 2), ('inc.', 2), ('pharmaceuticals', 2), ('novarel', 2), ('usp', 2), ('displayed', 2)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; product found to contain dimethazine which is a steroid and/or steroid-like drug ingredient, making it an unapproved new drug\n",
"top 10 keywords: [('capsules', 2), ('manufactured', 1), ('pro-anabolic', 1), ('supplement', 1), ('per', 1), ('metha-drol', 1), ('raton', 1), ('labs', 1), ('fl', 1), ('boca', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CARBIDOPA/LEVODOPA, Tablet, 25 mg/250 mg may have potentially been mislabeled as the following drug: DIGOXIN, Tablet, 0.125 mg, NDC 00115981101, Pedigree: AD46426_22, EXP: 5/15/2014. \n",
"top 10 keywords: [('mg', 1), ('mg/250', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('carbidopa/levodopa', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: These products are being recalled because they were manufactured with active pharmaceutical ingredients (APIs) that were not manufactured with good manufacturing practices.\n",
"top 10 keywords: [('bottles', 4), ('ndc', 4), ('rx', 2), ('cephalexin', 2), ('ltd.', 2), ('500-count', 2), ('100-count', 2), ('road', 2), ('india', 2), ('mg', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter\n",
"top 10 keywords: [('ndc', 14), ('ml', 13), ('rx', 10), ('injection', 8), ('vial', 8), ('pfizer', 6), ('distributed', 6), ('usp', 6), ('llc', 5), ('institutional', 5)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: LACTOBACILLUS ACIDOPHILUS, Tablet, 35 MILLION may have potentially been mislabeled as the following drug: REPAGLINIDE, Tablet, 1 mg, NDC 00169008281, Pedigree: W003924, EXP: 6/28/2014. \n",
"top 10 keywords: [('acidophilus', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('lactobacillus', 1), ('million', 1), ('counter', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Cross contamination with other products: Sandoz is recalling certain lots of Ropinirole Extended Release Tablets 2 mg due to the potential presence of carryover coming from the previously manufactured product, mycophenolate mofetil.\n",
"top 10 keywords: [('sandoz', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('princeton', 1), ('extended-release', 1), ('rx', 1), ('private', 1), ('ltd', 1), ('inc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength. Product has correct label on the syringe and the case but some units are incorrectly labeled as .4 mg/10 mL (40 mcg/ml) on the light protective overwrap of each syringe. \n",
"top 10 keywords: [('ml', 2), ('rx', 1), ('park', 1), ('phenylephrine', 1), ('code', 1), ('one', 1), ('inc', 1), ('case', 1), ('mcg/ml', 1), ('land', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ISOSORBIDE MONONITRATE Tablet, 20 mg may be potentially mislabeled as COLCHICINE, Tablet, 0.6 mg, NDC 64764011907, Pedigree: AD52778_22, EXP: 5/20/2014; LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 16714058102, Pedigree: AD67989_7, EXP: 5/28/2014; SODIUM CHLORIDE, Tablet, 1 mg, NDC 00223176001, Pedigree: W002611, EXP: 6/4/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('isosorbide', 1), ('service', 1), ('mononitrate', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; BISACODYL EC, Tablet, 5 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: AD37056_13, EXP: 5/10/2014.\n",
"top 10 keywords: [('mg', 1), ('bisacodyl', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('ec', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Teva Pharmaceuticals USA, Inc. is voluntarily recalling one lot of Fluvastatin Capsules USP, 20 mg due to a customer complaint trend regarding capsule breakage. \n",
"top 10 keywords: [('teva', 2), ('mg', 1), ('rx', 1), ('fluvastatin', 1), ('30-count', 1), ('israel', 1), ('pharmaceuticals', 1), ('sellersville', 1), ('ltd', 1), ('jerusalem', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: FDA sampling and analysis confirmed the presence of sibutramine and desmethylsibutramine.\n",
"top 10 keywords: [('xtreme', 2), ('fl', 1), ('performance', 1), ('miami', 1), ('30-count', 1), ('distributors', 1), ('burner', 1), ('distributed', 1), ('z', 1), ('high', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NICOTINE POLACRILEX, LOZENGE, 2 mg may have potentially been mislabeled as one of the following drugs: ESTRADIOL, Tablet, 0.5 mg, NDC 00555089902, Pedigree: AD30993_11, EXP: 5/9/2014; ACAMPROSATE CALCIUM DR, Tablet, 333 mg, NDC 00456333001, Pedigree: W002973, EXP: 6/11/2014; CALCITRIOL, Capsule, 0.5 mcg, NDC 63304024001, Pedigree: W003730, EXP: 6/26/2014; ESZOPICLONE, T\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('lozenge', 1), ('aidapak', 1), ('distributed', 1), ('nicotine', 1), ('polacrilex', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : This recall of LIPTRUZET is being initiated due to packaging defects. Some of the outer laminate foil pouches allowed in air and moisture, which could potentially decrease the effectiveness or change the characteristics of the product.\n",
"top 10 keywords: [('count', 6), ('ndc', 6), ('merck', 6), ('blister', 6), ('corp.', 3), ('mg', 3), ('tablets,10', 3), ('sharp', 3), ('rx', 3), ('subsidiary', 3)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: Potential for the lot number and/or expiration date to be faded or missing from the primary label on the glass vial.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('quelicin', 1), ('mg/ml', 1), ('vials', 1), ('hospira', 1), ('injection', 1), ('succinylcholine', 1), ('forest', 1), ('vial', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviation: Poor container closure of the bulk storage container \n",
"top 10 keywords: [('tube', 2), ('oz', 2), ('ndc', 2), ('rx', 1), ('corporation', 1), ('geritrex', 1), ('carb-o-philic', 1), ('vernon', 1), ('b', 1), ('cream', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: There is a potential for some units in certain lots of Qnasl Nasal Aerosol 80 mcg metered spray to have clogged stem valves. \n",
"top 10 keywords: [('northridge', 1), ('rx', 1), ('nasal', 1), ('3m', 1), ('ca', 1), ('horsham', 1), ('inhaler', 1), ('mcg', 1), ('aerosol', 1), ('dipropionate', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: particulate matter identified as glass in one vial. \n",
"top 10 keywords: [('ndc', 2), ('pack', 2), ('rx', 1), ('shelf', 1), ('mg/ml', 1), ('north', 1), ('sulfate', 1), ('hungary', 1), ('injection', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications. Above out of specification for dissolution rate observed at the 10 hour testing point. \n",
"top 10 keywords: [('tablets', 1), ('rx', 1), ('30-count', 1), ('upc', 1), ('extended-release', 1), ('pharmaceuticals', 1), ('2.5mg', 1), ('cincinnati', 1), ('usa', 1), ('inc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet may be potentially mislabeled as COLCHICINE, Tablet, 0.6 mg, NDC 64764011907, Pedigree: AD65457_1, EXP: 5/23/2014; GALANTAMINE HBr ER, Capsule, 8 mg, NDC 10147089103, Pedigree: W003509, EXP: 6/21/2014; BROMOCRIPTINE MESYLATE, Tablet, 2.5 mg, NDC 00781532531, Pedigree: AD32579_7, EXP: 5/9/2014; CINACALCET HCL, Tablet, 30 mg, N\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('multimineral', 1), ('multivitamin/', 1), ('llc', 1), ('service', 1), ('counter', 1), ('prenatal', 1)]\n",
"---\n",
"reason_for_recall : Defective container; damaged bottles could allow moisture to get into the bottle and thus may impair the quality of the product\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('count', 1), ('ingelheim', 1), ('pharmaceuticals', 1), ('capsules', 1), ('pradaxa', 1), ('bottles', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: silcone rubber and fluorouracil crystals found floating in solution\n",
"top 10 keywords: [('vials', 2), ('ndc', 2), ('carton', 2), ('ml', 2), ('fluorouracil', 1), ('five', 1), ('ca', 1), ('mg/ml', 1), ('irvine', 1), ('medicines', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Product; small number of tubes may include the presence of mold on the cap\n",
"top 10 keywords: [('perrigo', 2), ('rx', 1), ('peroxide', 1), ('upc', 1), ('benzoyl', 1), ('tubes', 1), ('mi', 1), ('yeruham', 1), ('phosphate', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: OMEGA-3-ACID ETHYL ESTERS, Capsule, 1000 mg may have potentially been mislabeled as one of the following drugs: SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD39858_4, EXP: 5/15/2014; hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: W002735, EXP: 6/6/2014; PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011001, Pedigree: W003229, EXP: 6/17/2014\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('aidapak', 1), ('omega-3-acid', 1), ('llc', 1), ('esters', 1), ('service', 1), ('counter', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Subpotent; 22 month stability timepoint\n",
"top 10 keywords: [('use', 2), ('oil', 2), ('topical', 2), ('fl', 1), ('rx', 1), ('derma-smoothe/fs', 1), ('oz', 1), ('oral', 1), ('ndc', 1), ('scalp', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; DOCUSATE SODIUM, Capsule, 250 mg may be potentially mislabeled as ATROPINE SULFATE/DIPHENOXYLATE HCL, Tablet, 0.025 mg/2.5 mg, NDC 00378041501, Pedigree: AD65475_13, EXP: 5/28/2014; VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD68025_1, EXP: 5/28/2014; PANTOPRAZOLE SODIUM DR, Tablet, 40 mg, NDC 64679043402, Pedigree: AD37063_10, EXP: 5/13/2014; DOCUSATE SODIUM\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('sodium', 1), ('aidapak', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('ndc', 1), ('docusate', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Janssen is recalling one lot of Risperdal CONSTA (risperiDONE) due to a sterility failure in a stability sample \n",
"top 10 keywords: [('consta', 1), ('mg', 1), ('dose', 1), ('rx', 1), ('use', 1), ('inc.', 1), ('nj', 1), ('risperdal', 1), ('pack', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LANTHANUM CARBONATE Chew Tablet, 500 mg may be potentially mislabeled as ISONIAZID, Tablet, 300 mg, NDC 00555007102, Pedigree: AD32757_31, EXP: 5/13/2014; CYANOCOBALAMIN, Tablet, 1000 mcg, NDC 00536355601, Pedigree: AD32757_53, EXP: 5/14/2014; MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68585000575, Pedigree: W002712, EXP: 6/6/2014; MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('carbonate', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('lanthanum', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; potential leakage from administrative port.\n",
"top 10 keywords: [('heparin', 3), ('rx', 2), ('ndc', 2), ('hospira', 2), ('forest', 2), ('lake', 2), ('sodium', 2), ('usp', 2), ('ml', 2), ('il', 2)]\n",
"---\n",
"reason_for_recall : Tablet Separation: Possibility of cracked or split coating on the tablets.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('100-count', 1), ('per', 1), ('pharmaceuticals', 1), ('al', 1), ('qualitest', 1), ('ndc', 1), ('usp', 1), ('huntsville', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: visible particles were identified floating in the primary container.\n",
"top 10 keywords: [('gentamicin', 2), ('ml', 2), ('il', 1), ('rx', 1), ('mg/ml', 1), ('inc', 1), ('forest', 1), ('ndc', 1), ('fliptop', 1), ('sulfate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Not Elsewhere Classified: Product is labeled \"Dye Free\" on front panel but contains Red Dye 40.\n",
"top 10 keywords: [('manufactured', 2), ('fl', 1), ('pharmaceuticals', 1), ('counter', 1), ('pd', 1), ('teaspoon', 1), ('j-tan', 1), ('inc.', 1), ('bromphenirame', 1), ('oz', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of specification (OOS) for total impurity and out of trend for known impurity results encountered during stability testing.\n",
"top 10 keywords: [('rx', 1), ('boxes', 1), ('w', 1), ('indomethacin', 1), ('indocin', 1), ('south', 1), ('packed', 1), ('distributed', 1), ('ndc', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Comfort Shield Barrier Cream Cloth packages tested positive for bacterial contamination.\n",
"top 10 keywords: [('count', 2), ('ndc', 2), ('road', 1), ('barrier', 1), ('comfort', 1), ('sage', 1), ('three', 1), ('otc', 1), ('b', 1), ('cream', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PANCRELIPASE DR, Capsule, 12000 /38000 /60000 USP units may be potentially mislabeled as the following drug: ASPIRIN/ER DIPYRIDAMOLE, Capsule, 25 mg/200 mg, NDC 00597000160, Pedigree: AD70639_4, EXP: 7/28/2013. \n",
"top 10 keywords: [('distributed', 1), ('rx', 1), ('ndc', 1), ('dr', 1), ('usp', 1), ('aidapak', 1), ('pancrelipase', 1), ('llc', 1), ('service', 1), ('units', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Not Elsewhere Classified: Label indicates that the product contains Vitamin B12 (12 micrograms) on the Supplement Facts panel, however, the formulation of this product does not contain Vitamin B12.\n",
"top 10 keywords: [('rx', 1), ('nj', 1), ('30-count', 1), ('upc', 1), ('rnf', 1), ('prx', 1), ('triveen', 1), ('bottles', 1), ('ndc', 1), ('sayreville', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug; Ethinyl Estradiol\n",
"top 10 keywords: [('mg', 13), ('canada', 10), ('manufactured', 10), ('tablets', 8), ('ndc', 8), ('blisters', 8), ('usp', 8), ('count', 5), ('rx', 5), ('al', 5)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specification: Out of Specification results for pseudobuprenorphine impurity at the 9-month stability time point.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('buprenorphine', 1), ('slim-paks', 1), ('sterile', 1), ('use', 1), ('hospira', 1), ('ciii', 1), ('injection', 1), ('forest', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label mix-up; bottles were incorrectly labeled as 10 mL instead of correctly labeled as 4 mL\n",
"top 10 keywords: [('inc.', 2), ('cody', 2), ('rx', 1), ('topical', 1), ('philadelphia', 1), ('wy', 1), ('c-topical', 1), ('hydrochloride', 1), ('cii', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Ethambutol Hydrochloride Tablets, USP, 400 mg were manufactured using unapproved material: the incorrect gelatin excipient than specified in the product formulation. \n",
"top 10 keywords: [('teva', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('pharmaceuticals', 1), ('sellersville', 1), ('hydrochloride', 1), ('rx', 1), ('pa.', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; carBAMazepine ER Tablet, 200 mg may be potentially mislabeled as ACARBOSE, Tablet, 25 mg, NDC 00054014025, Pedigree: AD60272_1, EXP: 5/22/2014.\n",
"top 10 keywords: [('mg', 1), ('carbamazepine', 1), ('ndc', 1), ('tablet', 1), ('er', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: Laboratory analysis conducted by the FDA has determined the Vicerex product contains undeclared tadalafil and the Black Ant product contains undeclared sildenafil. Tadalafil and sildenafil are FDA-Approved drugs used to treat male erectile dysfunction (ED), making the Vicerex and the Black Ant products unapproved new drugs.\n",
"top 10 keywords: [('product', 7), ('box', 4), ('numbers', 2), ('may', 2), ('identification', 2), ('black', 2), ('upc', 2), ('vary', 2), ('capsules', 2), ('possibly', 2)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; FOSINOPRIL SODIUM Tablet, 10 mg may be potentially mislabeled as CALCITRIOL, Capsule, 0.25 mcg, NDC 00054000725, Pedigree: AD46414_10, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('fosinopril', 1), ('ndc', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Arthritis Relief Cream failed microbiological specifications.\n",
"top 10 keywords: [('baltimore', 1), ('tube', 1), ('st.', 1), ('cathedral', 1), ('otc', 1), ('cream', 1), ('oz', 1), ('wt', 1), ('distributed', 1), ('northstar', 1)]\n",
"---\n",
"reason_for_recall : Adulterated Presence of Foreign Tablets: Customer complaint that some Endocet 10 mg/325 mg tablets were found mixed in a bottle with Endocet 10 mg/650 mg tablets.\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('100-count', 1), ('acetaminophen', 1), ('novartis', 1), ('chadds', 1), ('pa', 1), ('bottle', 1), ('endo', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Presence of Precipitate; white substance confirmed as Guaifenesin, an active ingredient was observed in some bottles. If the product is shaken or warmed the white particles goes into the solution.\n",
"top 10 keywords: [('mg', 3), ('rite', 2), ('aid', 2), ('package', 1), ('phenylephrine', 1), ('hbr', 1), ('cold', 1), ('distributed', 1), ('hcl', 1), ('tussin', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; SEVELAMER HCl Tablet, 800 mg may be potentially mislabeled as RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: W002857, EXP: 6/7/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('sevelamer', 1)]\n",
"---\n",
"reason_for_recall : Crystallization: Presence of crystals of Nimodipine within the capsule solution.\n",
"top 10 keywords: [('capsules', 3), ('blister', 2), ('ndc', 2), ('carton', 2), ('dose', 2), ('unit', 2), ('per', 2), ('pharmaceutical', 2), ('cards', 2), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ZOLPIDEM TARTRATE Tablet, 2.5 mg (1/2 of 5 mg) may be potentially mislabeled as TEMAZEPAM, Capsule, 7.5 mg, NDC 00378311001, Pedigree: AD22861_7, EXP: 5/8/2014.\n",
"top 10 keywords: [('mg', 2), ('rx', 1), ('zolpidem', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('tartrate', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Reports of gray smudges identified as minute stainless steel particulates were found in the recalled tablets.\n",
"top 10 keywords: [('tablets', 3), ('per', 2), ('ndc', 2), ('bottle', 2), ('mg', 1), ('100-count', 1), ('corp.', 1), ('rx', 1), ('pharmaceutical', 1), ('nj', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Out of Specification assay values on stability for the active ingredient, zinc pyrithione.\n",
"top 10 keywords: [('dandruff', 4), ('pyrithione', 3), ('ndc', 3), ('care', 3), ('zinc', 3), ('fl', 2), ('botanical', 2), ('oz', 2), ('kamedis', 2), ('concentrated', 2)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specification: Teva is recalling certain lots of Propanolol HCl Tablets, 10 mg due to the potential of some tablets not conforming to weight specification.\n",
"top 10 keywords: [('czech', 3), ('republic', 2), ('teva', 2), ('manufactured', 2), ('tablets', 1), ('mg', 1), ('count', 1), ('industries', 1), ('rx', 1), ('opava', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ISOSORBIDE MONONITRATE Tablet, 10 mg may be potentially mislabeled as ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD28322_10, EXP: 5/6/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('isosorbide', 1), ('service', 1), ('mononitrate', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength: Some bottles miss a color coded panel where the strength of the product is typically displayed. \n",
"top 10 keywords: [('ml', 2), ('amoxicillin', 1), ('pharmaceuticals', 1), ('reconstituted', 1), ('hikma', 1), ('rx', 1), ('box', 1), ('p.o', 1), ('suspension', 1), ('oral', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications.\n",
"top 10 keywords: [('capsules', 3), ('blister', 1), ('rx', 1), ('10mg', 1), ('pharmaceuticals', 1), ('claravis', 1), ('sellersville', 1), ('containing', 1), ('isotretinoin', 1), ('total', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Drug failed stage III dissolution testing.\n",
"top 10 keywords: [('inc.', 2), ('forest', 2), ('tablets', 1), ('rx', 1), ('bystolic', 1), ('pharmaceuticals', 1), ('ndc', 1), ('missouri', 1), ('subsidiary', 1), ('nebivolol', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CLINDAMYCIN HCL, Capsule, 300 mg may have potentially been mislabeled as the following drug: MELATONIN, Tablet, 3 mg, NDC 51991001406, Pedigree: AD68019_7, EXP: 5/28/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('clindamycin', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: Out of specification results for viscosity in one lot of Glytone Acne Treatment Facial Cleanser.\n",
"top 10 keywords: [('acne', 2), ('fl', 1), ('pharmaceuticals', 1), ('pierre', 1), ('acid', 1), ('upc', 1), ('genesis', 1), ('inc.', 1), ('nj', 1), ('cleanser', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Product was found to contain undeclared phenolphthalein, making iNDiGO an unapproved drug.\n",
"top 10 keywords: [('mg', 1), ('signature', 1), ('indigo', 1), ('nc', 1), ('upc', 1), ('garner', 1), ('w', 1), ('developed', 1), ('60-count', 1), ('highway', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: Products labeled Biotin 100 mg found to contain 4-aminopyridine\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('reliable', 1), ('compounding', 1), ('san', 1), ('pharmacy', 1), ('cap-biotin', 1), ('st.', 1), ('irving', 1), ('ca', 1)]\n",
"---\n",
"reason_for_recall : Does not meet monograph: product exhibits lead levels in excess of the USP monograph limits.\n",
"top 10 keywords: [('corp.', 1), ('chemical', 1), ('gram', 1), ('zinc', 1), ('nj', 1), ('bottles', 1), ('new', 1), ('brunswick', 1), ('acetate', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Crystallization: Active pharmaceutical ingredient is precipitating in product solution.\n",
"top 10 keywords: [('ml', 2), ('pharmaceuticals', 1), ('rx', 1), ('dose', 1), ('irinotecan', 1), ('mg/ml', 1), ('upc', 1), ('schaumburg', 1), ('ndc', 1), ('hydrochloride', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Illegible Label: Sandoz Inc. is recalling of one lot of Fluoxetine Capsules due to an illegible logo on the capsule.\n",
"top 10 keywords: [('capsules', 2), ('mg', 1), ('rx', 1), ('count', 1), ('princeton', 1), ('sandoz', 1), ('nj', 1), ('inc', 1), ('ndc', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: Pfizer is recalling 50 mg Pristiq (desvenlafaxine) extended release tablets because a single Pristiq 100 mg tablet was found in a bottle of 50 mg Pristiq. \n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('count', 1), ('extended-release', 1), ('wyeth', 1), ('desvenlafaxine', 1), ('rx', 1), ('pristiq', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Adulterated Presence of Foreign Tablets: Dr. Reddy's Laboratories has received complaints of mislabeled bottles of Amlodipine Besylate and Benazepril Hydrochloride Capsules and Ciprofloxacin Tablets\n",
"top 10 keywords: [('reddy', 2), ('tablets', 2), ('dr.', 2), ('ciprofloxacin', 1), ('mfd', 1), ('rx', 1), ('ndc', 1), ('bachepalli', 1), ('mg*', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Potential vendor glass issue - glass spiticules (glass strands) were identified during site inspection of the vials.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('sterile', 1), ('ndc', 1), ('hospira', 1), ('injection', 1), ('il', 1), ('usp', 1), ('forest', 1), ('single-dose', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Fusion Pharmaceuticals is recalling the Dicopanol FusePaq Kit due to Total Yeasts and Molds Count above USP limits.\n",
"top 10 keywords: [('suspension', 1), ('oral', 1), ('fusepaq', 1), ('kit', 1), ('dicopanol', 1), ('5mg/ml', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: One lot was on hold-pending release status when it was erroneously made available for sale in the inventory control system. An alternate manufacturing site for the Carbamazepine API final intermediate was pending approval. \n",
"top 10 keywords: [('tablets', 2), ('taro', 2), ('carbamazepine', 1), ('ltd.', 1), ('rx', 1), ('distributed', 1), ('ndc', 1), ('israel', 1), ('u.s.a.', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: This recall is being conducted because the product was given 36 month expiration dates instead of the filed 24 months.\n",
"top 10 keywords: [('tablets', 2), ('mg', 2), ('count', 2), ('rx', 2), ('roxanne', 2), ('columbus', 2), ('ndc', 2), ('ohio', 2), ('usp', 2), ('laboratories', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ATOMOXETINE HCL, Capsule, 80 mg may be potentially mis-labeled as one of the following drugs: ATOMOXETINE HCL, Capsule, 18 mg, NDC 00002323830, Pedigree: AD30140_16, EXP: 5/7/2014; PRENATAL MULTIVITAMIN/MULTIMINERAL, Tablet, 0 mg, NDC 00904531360, Pedigree: W003706, EXP: 6/25/2014; RANOLAZINE ER, Tablet, 500 mg, NDC 61958100301, Pedigree: AD60272_40, EXP: 5/22/2014; PRO\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('atomoxetine', 1)]\n",
"---\n",
"reason_for_recall : Miscalibrated and/or Defective Delivery System: Out of Specification results for mechanical peel force and/or the z-statistic value which relates to the patient's ability to remove the release liner from the patch adhesive prior to administration.\n",
"top 10 keywords: [('per', 14), ('patch', 14), ('fl', 12), ('miami', 12), ('inc.', 12), ('noven', 12), ('ndc', 11), ('pharmaceuticals', 8), ('manufactured', 8), ('patches', 7)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; FOSINOPRIL SODIUM, Tablet, 20 mg may be potentially mislabeled as TOLTERODINE TARTRATE ER, Capsule, 2 mg, NDC 00009519001, Pedigree: AD65478_1, EXP: 5/29/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('fosinopril', 1), ('ndc', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Leiter Pharmacy is recalling due bacterial contamination found after investigation at contract testing laboratory discovered that OOS/failed results were reported to customers as passing. Hence the sterility of these products cannot be assured. \n",
"top 10 keywords: [('pf', 1), ('injectible', 1), ('ca', 1), ('park', 1), ('compounding', 1), ('ave.', 1), ('use', 1), ('pharmacy', 1), ('san', 1), ('vials', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup:PROGESTERONE, Capsule, 100 mg may have potentially been mislabeled as the following drug: ASCORBIC ACID, Tablet, 250 mg, NDC 00904052260, Pedigree: AD73623_10, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('aidapak', 1), ('rx', 1), ('progesterone', 1), ('service', 1), ('capsule', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; SODIUM BICARBONATE Tablet, 650 mg may be potentially mislabeled as NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 00135051001, Pedigree: W002974, EXP: 6/11/2014.\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('sodium', 1), ('tablet', 1), ('aidapak', 1), ('service', 1), ('counter', 1), ('llc', 1), ('bicarbonate', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; SELEGILINE HCL, Capsule, 5 mg may be potentially mislabeled as ITRACONAZOLE, Capsule, 100 mg, NDC 10147170003, Pedigree: AD54549_10, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('selegiline', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: This recall is due to out of specification for impurities test results obtained during stability testing for Lansoprazole. \n",
"top 10 keywords: [('usp', 6), ('capsules', 4), ('tablets', 2), ('amoxicillin', 2), ('sellersville', 2), ('dr', 2), ('pa', 2), ('teva', 2), ('usa', 2), ('clarithromycin', 2)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: Out-of-specification results were obtained for a known impurities.\n",
"top 10 keywords: [('mg/0.025', 3), ('mg', 3), ('tablets', 2), ('ca', 2), ('inc.', 2), ('ndc', 2), ('watson', 2), ('per', 2), ('corona', 2), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PSEUDOEPHEDRINE HCL, Tablet, 30 mg may be potentially mislabeled as D-ALPHA TOCOPHERYL ACETATE, Capsule, 400 units, NDC 49348041010, Pedigree: AD52993_28, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('oregon', 1), ('service', 1), ('pseudoephedrine', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NIACIN, Tablet, 100 mg may have potentially been mislabeled as the following drug: guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: W002660, EXP: 6/5/2014. \n",
"top 10 keywords: [('niacin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: AMANTADINE HCL, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: MAGNESIUM CHLORIDE, Tablet, 64 mg, NDC 68585000575, Pedigree: AD52993_4, EXP: 5/17/2014; QUEtiapine FUMARATE, Tablet, 25 mg, NDC 65862048901, Pedigree: AD49582_22, EXP: 4/30/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('amantadine', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Crystallization; visible crystals from the active ingredient formed due to extreme cold temperatures during shipping\n",
"top 10 keywords: [('ml', 2), ('ml/1ml', 2), ('hydroxyprogesterone', 1), ('***for', 1), ('benzyl', 1), ('injectable', 1), ('caproate', 1), ('south', 1), ('benzoate', 1), ('bridge', 1)]\n",
"---\n",
"reason_for_recall : Subpotent (Single Ingredient) Drug: This product was found to be subpotent for the salicylic acid ingredient. Additionally, this product is mislabeled because the label either omits or erroneously added inactive ingredients to the label. \n",
"top 10 keywords: [('pharmaceuticals', 1), ('night', 1), ('3-in-1', 1), ('ca', 1), ('acid', 1), ('upc', 1), ('university', 1), ('acne', 1), ('irvine', 1), ('corp.', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MIDODRINE HCL, Tablet, 2.5 mg may have potentially been mislabeled as the following drug: PIOGLITAZONE HCL, Tablet, 15 mg, NDC 00093204856, Pedigree: W003264, EXP: 6/17/2014.\t\n",
"top 10 keywords: [('mg', 1), ('midodrine', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-up: Units of Lot 201131320087 are packaged in cartons labelled for Needle-Free Head B, but contaiin Needle-Free Head A\n",
"top 10 keywords: [('teva', 2), ('mg', 1), ('pharmaceuticals', 1), ('tev-tropin', 1), ('israel', 1), ('specialty', 1), ('rdna', 1), ('division', 1), ('sellersville', 1), ('iu', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: the individual blisters are mislabeled with an incorrect lot number of 13560 rather than the correct lot number of 13650.\n",
"top 10 keywords: [('barcode', 2), ('ndc', 2), ('capsules', 2), ('pulaski', 1), ('rx', 1), ('dose', 1), ('unit', 1), ('per', 1), ('blisters', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; GLUCOSAMINE/CHONDROITIN DS, Capsule, 500 mg/400 mg may be potentially mislabeled as GLYCOPYRROLATE, Tablet, 2 mg, NDC 00603318121, Pedigree: AD22865_4, EXP: 5/2/2014; PREGABALIN, Capsule, 25 mg, NDC 00071101268, Pedigree: W003121, EXP: 6/13/2014; MULTIVITAMIN/MULTIMINERAL, Chew Tablet, NDC 00536344308, Pedigree: AD73521_10, EXP: 5/30/2014. \n",
"top 10 keywords: [('mg', 1), ('ds', 1), ('ndc', 1), ('glucosamine/chondroitin', 1), ('mg/400', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; OLANZapine, Tablet, 7.5 mg may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 175 mcg, NDC 00527135001, Pedigree: AD46265_37, EXP: 5/15/2014; LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00781518392, Pedigree: AD60272_73, EXP: 5/22/2014; MIRTAZAPINE, Tablet, 7.5 mg, NDC 59762141503, Pedigree: AD73525_55, EXP: 5/30/2014. \n",
"top 10 keywords: [('olanzapine', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: NIACIN, Tablet, 500 mg may have potentially been mislabeled as one of the following drugs: NAPROXEN, Tablet, 500 mg, NDC 53746019001, Pedigree: AD54516_1, EXP: 5/20/2014; DOCUSATE SODIUM, Capsule, 250 mg, NDC 00904789159, Pedigree: W002920, EXP: 6/10/2014. \n",
"top 10 keywords: [('niacin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: impurity failure due to chemical contamination of the active ingredient.\n",
"top 10 keywords: [('tablets', 2), ('israel', 2), ('teva', 2), ('manufactured', 2), ('rx', 1), ('ltd.', 1), ('trays', 1), ('sellersville', 1), ('jerusalem', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: Laboratory analysis conducted by the FDA has determined that J.R. Jack Rabbit Male Enhancement product was found to contain two undeclared active pharmaceutical ingredients: sildenafil and tadalafil.\n",
"top 10 keywords: [('jack', 2), ('rabbit', 2), ('last', 1), ('tablets', 1), ('supplement', 1), ('order', 1), ('4-count', 1), ('melbourne', 1), ('one', 1), ('road', 1)]\n",
"---\n",
"reason_for_recall : Failed Moisture Limit; Out of Specification (OOS) results were obtained for moisture content during stability testing at the 12 month time point, controlled room temperature conditions.\n",
"top 10 keywords: [('b', 2), ('bottle', 2), ('tablets', 1), ('rx', 1), ('100-count', 1), ('princeton', 1), ('mg.', 1), ('sandoz', 1), ('ndc', 1), ('nj', 1)]\n",
"---\n",
"reason_for_recall : cGMP deviation; manufacturer is Not Registered with the Food and Drug Administration\n",
"top 10 keywords: [('pharmaceuticals', 1), ('processing', 1), ('manufacturing', 1), ('toronto', 1), ('canada', 1), ('compounding', 1), ('bulk', 1), ('use', 1), ('quantity', 1), ('prescription', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; OXcarbazepine Tablet, 600 mg may be potentially mislabeled as LACTASE ENZYME, Tablet, 3000 units, NDC 24385014976, Pedigree: AD30028_25, EXP: 5/7/2014.\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('oxcarbazepine', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Confirmed customer complaint of product contaminated with mold.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('ringer', 1), ('ndc', 1), ('lake', 1), ('flexible', 1), ('hospira', 1), ('injection', 1), ('usp', 1), ('forest', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: Potential for contamination of the products with an aromatic hydrocarbon resin.\n",
"top 10 keywords: [('ml', 10), ('rx', 6), ('hospira', 6), ('ndc', 6), ('forest', 6), ('lake', 6), ('inc.', 6), ('il', 6), ('barcode', 5), ('packaged', 5)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications\n",
"top 10 keywords: [('israel', 2), ('teva', 2), ('pharmaceuticals', 2), ('manufactured', 2), ('tablets', 1), ('rx', 1), ('count', 1), ('ltd.', 1), ('north', 1), ('jerusalem', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: FDA analysis found the product to contain hydroxythiohomosildenafil, an analogue of sildenafil which is an ingredient in an FDA-approved drug for the treatment of male erectile dysfunction, making this an unapproved new drug.\n",
"top 10 keywords: [('upc', 2), ('2-count', 1), ('blister', 1), ('stimulant', 1), ('distributed', 1), ('concepts', 1), ('man', 1), ('cards', 1), ('1-count', 1), ('male', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; amLODIPine BESYLATE, Tablet, 10 mg may be potentially mislabeled as FINASTERIDE, Tablet, 5 mg, NDC 16714052201, Pedigree: AD62846_1, EXP: 2/28/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('amlodipine', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('ndc', 1), ('llc', 1), ('besylate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; HYOSCYAMINE SULFATE ER Tablet, 0.375 mg may be potentially mislabeled as SERTRALINE HCL, Tablet, 50 mg, NDC 16714061204, Pedigree: W003575, EXP: 6/24/2014.\n",
"top 10 keywords: [('mg', 1), ('er', 1), ('ndc', 1), ('hyoscyamine', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Adulterated Presence of Foreign Tablets: A product complaint was received by a pharmacist who discovered an Atorvastatin 20 mg tablet inside a sealed bottle of 90-count Atorvastatin 10 mg.\n",
"top 10 keywords: [('tablets', 2), ('ranbaxy', 2), ('mg', 1), ('ltd.', 1), ('per', 1), ('pharmaceuticals', 1), ('india', 1), ('new', 1), ('ndc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Due to potential for leaking bags. \n",
"top 10 keywords: [('hungary', 3), ('bags', 2), ('use', 2), ('ndc', 2), ('teva', 2), ('ml', 2), ('single', 2), ('container', 2), ('manufactured', 2), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: Confimed customer compliant by a retail pharmacist that an unopened bottle labeled as NEXIUM¿ capsules contained 60 SEROQUEL¿ XR tablets.\n",
"top 10 keywords: [('astrazeneca', 2), ('mg', 1), ('rx', 1), ('30-count', 1), ('ab', 1), ('sodertalje', 1), ('delayed-release', 1), ('magnesium', 1), ('sweden', 1), ('distributed', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non Sterile Product; microbial assay reported unacceptable high plate counts and positive for E. Coli\n",
"top 10 keywords: [('fl', 1), ('honey', 1), ('carmel', 1), ('secret', 1), ('flavor', 1), ('entertainer', 1), ('oz', 1), ('throat', 1), ('kli', 1), ('corp', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: The product lots are being recalled due to laboratory results indicating microbial contamination. The FDA was concerned test results obtained from the recalling firm's contract testing lab may not be reliable.\n",
"top 10 keywords: [('ml', 12), ('pharmacy', 5), ('wellness', 5), ('mg/ml', 4), ('b', 4), ('pf', 3), ('vial', 3), ('use', 2), ('c', 2), ('single', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: Some cartons of AHP Ibuprofen Tablets, USP, 600mg, lot #142588 that contain blister cards filled with Ibuprofen tablets, 600mg drug product, were found to be mis-labeled with blister card print identifying the product as AHP Oxcarbazepine Tablets, 300mg, lot #142544.\n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('packaging', 1), ('per', 1), ('rx', 1), ('oxcarbazepine', 1), ('columbus', 1), ('distributed', 1), ('ndc', 1), ('oh', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specification\n",
"top 10 keywords: [('pharmaceuticals', 1), ('rx', 1), ('dose', 1), ('acid', 1), ('im', 1), ('use', 1), ('multiple', 1), ('ndc', 1), ('sc', 1), ('iv', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Package Insert\n",
"top 10 keywords: [('ndc', 6), ('bottle', 6), ('hdpe', 5), ('tablets', 4), ('rx', 4), ('inc.', 4), ('mg', 4), ('manufactured', 4), ('hydrobromide', 3), ('mb', 3)]\n",
"---\n",
"reason_for_recall : Subpotent; Beta carotene (Vitamin A)\n",
"top 10 keywords: [('ndc', 13), ('one', 11), ('bottle', 10), ('wilmington', 9), ('manufactured', 9), ('30-count', 9), ('de', 9), ('tablets', 8), ('imprinted', 7), ('multi-vitamin', 7)]\n",
"---\n",
"reason_for_recall : Crystallization: Recall is due to a non-characteristic gritty/sandy texture to the product which is likely due to some crystallization of the product.\n",
"top 10 keywords: [('g', 4), ('ndc', 3), ('fl', 2), ('rx', 2), ('usa', 2), ('ammonium', 2), ('jacksonville', 2), ('ranbaxy', 2), ('packaged', 2), ('lactate', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 40 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: AD33897_4, EXP: 5/9/2014; FINASTERIDE, Tablet, 5 mg, NDC 16714052201, Pedigree: W003031, EXP: 2/28/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('calcium', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('atorvastatin', 1)]\n",
"---\n",
"reason_for_recall : Correct Labeled Product Mispacked; correct labeled bottles of Assured Ibuprofen softgels were packaged into cartons of Assured Naproxen Sodium Tablets, USP\n",
"top 10 keywords: [('inc', 2), ('tablets', 1), ('chesapeake', 1), ('count', 1), ('village', 1), ('assured', 1), ('distributed', 1), ('greensboro', 1), ('bottle', 1), ('repackaged', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; CINACALCET HCL, Tablet, 30 mg may be potentially mislabeled as ACETAMINOPHEN, Chew Tablet, 80 mg, NDC 00536323307, Pedigree: W003113, EXP: 6/13/2014; FERROUS SULFATE, Tablet, 325 mg (65 mg Elemental Iron), NDC 00904759160, Pedigree: AD54553_1, EXP: 5/20/2014; OMEGA-3-ACID ETHYL ESTERS, Capsule, 1000 mg, NDC 00173078302, Pedigree: AD32757_40, EXP: 5/14/2014; COLCHICINE, \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('cinacalcet', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: product may contain undeclared sildenafil, tadalafil and analogues of these FDA approved active ingredients, making them unapproved drugs\n",
"top 10 keywords: [('count', 21), ('blister', 20), ('upc', 16), ('supplied', 7), ('distributed', 7), ('packs', 7), ('capsules', 6), ('ca', 4), ('mg', 4), ('enhancer', 4)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: Out of Specification results obtained for preservative butylparaben.\n",
"top 10 keywords: [('ranitidine', 2), ('ml', 2), ('fl', 1), ('rx', 1), ('mg/ml', 1), ('pharmaceuticals', 1), ('syrup', 1), ('al', 1), ('qualitest', 1), ('oz', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: out of specification results for a related compound - a degradant of fexofenadine. \n",
"top 10 keywords: [('count', 2), ('ndc', 2), ('bottles', 2), ('tablets', 1), ('pharmaceuticals', 1), ('original', 1), ('prescription', 1), ('inc', 1), ('hcl', 1), ('non-drowsy', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VALSARTAN, Tablet, 320 mg may have potentially been mislabeled as the following drug: CILOSTAZOL, Tablet, 100 mg, NDC 60505252201, Pedigree: AD65475_4, EXP: 5/28/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('valsartan', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: identification of particulates in a retention sample that have been identified as a mixture of the amino acid leucine and inorganic material (containing iron, silicone and chlorine).\n",
"top 10 keywords: [('prosol', 1), ('bag', 1), ('acid', 1), ('deerfield', 1), ('rx', 1), ('injection', 1), ('2b6186', 1), ('corporation', 1), ('code', 1), ('nutrition', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Procedure kits contain a balanced salt solution that may be contaminated with endotoxins. \n",
"top 10 keywords: [('balanced', 1), ('dose', 1), ('convenience', 1), ('sterile', 1), ('cytosol', 1), ('containing', 1), ('salt', 1), ('merit', 1), ('kits', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CapsuleTOPRIL, Tablet, 12.5 mg may have potentially been mislabeled as the following drug:, CALCITRIOL, Capsule, 0.25 mcg, NDC 00054000725, Pedigree: AD52778_13, EXP: 5/20/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('capsuletopril', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PROPRANOLOL HCL Tablet, 5 mg (1/2 of 10 mg) may be potentially mislabeled as LITHIUM CARBONATE ER, Tablet, 225 mg (1/2 of 450 mg), NDC 00054002025, Pedigree: AD73525_16, EXP: 5/30/2014.\n",
"top 10 keywords: [('mg', 2), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('propranolol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Complaints of empty capsules received.\n",
"top 10 keywords: [('rx', 2), ('manufactured', 2), ('100-count', 1), ('pharma', 1), ('memphis', 1), ('bottles', 1), ('sez', 1), ('ndc', 1), ('india', 1), ('tn', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Tablets are being recalled due to gray defects identified in the tablets.\n",
"top 10 keywords: [('tablets', 3), ('per', 2), ('ndc', 2), ('bottle', 2), ('mg', 1), ('100-count', 1), ('rx', 1), ('eatowntown', 1), ('pharmaceutical', 1), ('nj', 1)]\n",
"---\n",
"reason_for_recall : cGMP Deviations; Clonidine hydrochloride drug substance used in the manufacturing of this product, was dispensed in unauthorized rooms by the drug substance manufacturer.\n",
"top 10 keywords: [('inc.', 2), ('tablets', 1), ('clonidine', 1), ('100-count', 1), ('co.', 1), ('ok', 1), ('rx', 1), ('bottles', 1), ('ndc', 1), ('oklahoma', 1)]\n",
"---\n",
"reason_for_recall : Defective delivery system: detached needles on the syringe in the kit.\n",
"top 10 keywords: [('hypokit', 1), ('mg', 1), ('glucagon', 1), ('per', 1), ('rx', 1), ('use', 1), ('denmark', 1), ('ndc', 1), ('novo', 1), ('nordisk', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; FDA inspection revealed poor aseptic practices and conditions potentially affecting the sterility of their compounded sterile products\n",
"top 10 keywords: [('ml', 74), ('pharmacy', 58), ('compounded', 58), ('compounding', 58), ('arkansas', 58), ('us', 58), ('conway', 58), ('rx', 57), ('ndc', 56), ('vial', 37)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CALCIUM POLYCARBOPHIL, Tablet, 625 mg may have potentially been mislabeled as the following drug: CAFFEINE, Tablet, 100 mg (1/2 of 200 mg), NDC 24385060173, Pedigree: ADWA00002146, EXP: 5/31/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('calcium', 1), ('tablet', 1), ('aidapak', 1), ('polycarbophil', 1), ('service', 1), ('counter', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Impurities/Degradation Products: High Out of Specification results for a known impurity resulted at the 12-month room temperature time point.\n",
"top 10 keywords: [('ml', 2), ('pharmaceuticals', 1), ('rx', 1), ('pint', 1), ('huntsville', 1), ('hydroxyzine', 1), ('al', 1), ('qualitest', 1), ('hydrochloride', 1), ('oral', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: DISOPYRAMIDE PHOSPHATE, Capsule, 150 mg may have potentially been mislabeled as the following drug: THYROID, Tablet, 30 mg, NDC 00456045801, Pedigree: AD65323_1, EXP: 5/29/2014.\n",
"top 10 keywords: [('phosphate', 1), ('mg', 1), ('ndc', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('disopyramide', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ISOSORBIDE DINITRATE, Tablet, 5 mg may have potentially been mislabeled as one of the following drugs: CILOSTAZOL, Tablet, 100 mg, NDC 00054004421, Pedigree: W003470, EXP: 6/20/2014; PERPHENAZINE, Tablet, 8 mg, NDC 00630506221, Pedigree: AD54605_1, EXP: 4/30/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('dinitrate', 1), ('distributed', 1), ('isosorbide', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Presence of Undeclared Additive: Medicated lotion soap produced and distributed by the recalling firm contains the unapproved ingredient, Red Dye #15. This dye is not approved for use in food, drugs or cosmetics. \n",
"top 10 keywords: [('il', 1), ('lotion', 1), ('per', 1), ('pcs', 1), ('hands', 1), ('crestwood', 1), ('soap', 1), ('gallons', 1), ('distributed', 1), ('medicated', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: TERAZOSIN HCL, Capsule, 5 mg may have potentially been mislabeled as the following drug: DOXAZOSIN MESYLATE, Tablet, 1 mg, NDC 00093812001, Pedigree: W003912, EXP: 6/28/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('terazosin', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Subpotent (Single ingredient) drug : This is a sub recall of Teva's Enjuvia due to low Out of Specification (OOS) assay results.\n",
"top 10 keywords: [('tablets', 6), ('rx', 3), ('estrogens', 3), ('30-count', 3), ('tulsa', 3), ('synthetic', 3), ('ok', 3), ('total', 3), ('distributed', 3), ('ndc', 3)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Aluminum crimps do not fully seal the rubber stopper to the vial on all containers.\n",
"top 10 keywords: [('200mg/ml', 1), ('cypionate', 1), ('care', 1), ('ms', 1), ('vital', 1), ('testosterone', 1), ('1ml', 1), ('hattiesburg', 1), ('mdv', 1), ('compounder', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Package Insert - Xarelto prescribing information outserts may be affixed to the exterior of Invokamet bottles in place of the Invokamet prescribing information outsert.\n",
"top 10 keywords: [('janssen', 2), ('manufactured', 2), ('tablets', 1), ('rx', 1), ('mg/1,000', 1), ('ortho', 1), ('canagliflozin', 1), ('60-count', 1), ('ndc', 1), ('hcl', 1)]\n",
"---\n",
"reason_for_recall : Tablets/Capsules Imprinted with Wrong ID: Some tablets incorrectly imprinted with an X on one side. \n",
"top 10 keywords: [('tablets', 3), ('rx', 2), ('distributed', 2), ('ndc', 2), ('usa', 2), ('inc.', 2), ('fl', 2), ('acetate', 2), ('desmopressin', 2), ('actavis', 2)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Potential cracks in glass vials\n",
"top 10 keywords: [('rx', 1), ('ca', 1), ('carfilzomib', 1), ('u.s.a.', 1), ('unused', 1), ('injection', 1), ('discard', 1), ('portion', 1), ('vial', 1), ('oaks', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MULTIVITAMIN/MULTIMINERAL Tablet may be potentially mislabeled as PRENATAL MULTIVITAMIN/MULTIMINERAL Tablet, NDC 00904531360, Pedigree: AD73652_16, EXP: 5/30/2014.\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('service', 1), ('llc', 1), ('multivitamin/multimineral', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Out of specification results for the sterility test for microbial contamination.\n",
"top 10 keywords: [('bag', 45), ('dextrose', 40), ('pa', 38), ('ml', 38), ('injectable', 34), ('corrugated', 34), ('insert', 34), ('vol', 34), ('compounded', 34), ('drug', 34)]\n",
"---\n",
"reason_for_recall : Short Fill: some bottles contained less than 120-count per labeled claim.\n",
"top 10 keywords: [('ndc', 2), ('120-count', 2), ('per', 2), ('capsules', 2), ('cellcept', 1), ('san', 1), ('south', 1), ('bottles', 1), ('distributed', 1), ('ireland', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PHENobarbital, Tablet, 97.2 mg may have potentially been mislabeled as the following drug: EFAVIRENZ, Capsule, 200 mg, NDC 00056047492, Pedigree: AD46312_31, EXP: 5/16/2014. \n",
"top 10 keywords: [('phenobarbital', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; diphenhydrAMINE HCl, Tablet, 25 mg may be potentially mislabeled as ATORVASTATIN CALCIUM, Tablet, 40 mg, NDC 00378212177, Pedigree: AD33897_10, EXP: 5/9/2014; ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: W002774, EXP: 6/6/2014; PRENATAL MULTIVITAMIN/ MULTIMINERAL, Tablet, NDC 51991056601, Pedigree: W003511, EXP: 6/21/2014; VENLAFAXINE, Tablet, 25 mg\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('diphenhydramine', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: Bottles of lansoprazole 30 mg delayed-release capsules may contain topiramate 100 mg tablets.\n",
"top 10 keywords: [('capsules', 2), ('mg', 1), ('rx', 1), ('per', 1), ('wv', 1), ('pharmaceuticals', 1), ('lansoprazole', 1), ('delayed-release', 1), ('made', 1), ('morgantown', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: DOCUSATE CALCIUM, Capsule, 240 mg may have potentially been mislabeled as one of the following drugs: diphenhydrAMINE HCl, Tablet, 25 mg, NDC 00904555159, Pedigree: AD33897_13, EXP: 5/9/2014; DUTASTERIDE, Capsule, 0.5 mg, NDC 00173071215, Pedigree: AD49610_1, EXP: 5/16/2014; diphenhydrAMINE HCl, Tablet, 25 mg, NDC 00904555159, Pedigree: W002775, EXP: 6/6/2014; VITAMIN B \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('aidapak', 1), ('calcium', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('docusate', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: One confirmed customer report that product contained spore-like particulates, consistent with mold.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('ringer', 1), ('ndc', 1), ('lake', 1), ('flexible', 1), ('hospira', 1), ('injection', 1), ('containers', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: The product is being recall due to the product lot being incorrectly released without meeting product specifications. There is the potential for the solution to leak from the administrative port to the fill tube seal.\n",
"top 10 keywords: [('il', 2), ('hospira', 2), ('forest', 2), ('lake', 2), ('inc.', 2), ('sodium', 1), ('ndc', 1), ('injection', 1), ('usp', 1), ('chloride', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; traMADol HCl Tablet, 25 mg (1/2 of 50 mg) may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 137 mcg, NDC 00527163801, Pedigree: AD60272_76, EXP: 5/22/2014.\n",
"top 10 keywords: [('mg', 2), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('tramadol', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Products: Out of specification levels of the impurity m-chlorobenzoic acid were observed.\n",
"top 10 keywords: [('usa', 2), ('wockhardt', 2), ('tablets', 1), ('rx', 1), ('waterview', 1), ('blvd', 1), ('distributed', 1), ('ndc', 1), ('hcl', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non Sterile Products: Tower Pharmacy is recalling the Phenylephrine Nasal Spray 1% because of possible microbial contamination.\n",
"top 10 keywords: [('nasal', 1), ('ca', 1), ('phenylephrine', 1), ('use', 1), ('valley', 1), ('crown', 1), ('viejo', 1), ('tower', 1), ('bottles', 1), ('mission', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MAGNESIUM GLUCONATE DIHYDRATE Tablet, 500 mg (27 mg Elemental Magnesium) may be potentially mislabeled as hydrALAZINE HCl, Tablet, 100 mg, NDC 23155000401, Pedigree: AD30197_7, EXP: 5/9/2014.\n",
"top 10 keywords: [('mg', 2), ('magnesium', 2), ('aidapak', 1), ('gluconate', 1), ('counter', 1), ('elemental', 1), ('dihydrate', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LACTOBACILLUS GG Capsule, 10 Billion Cells may be potentially mislabeled as guaiFENesin ER, Tablet, 600 mg, NDC 63824000815, Pedigree: AD21965_22, EXP: 5/1/2014.\n",
"top 10 keywords: [('ndc', 1), ('distributed', 1), ('gg', 1), ('counter', 1), ('aidapak', 1), ('cells', 1), ('lactobacillus', 1), ('service', 1), ('billion', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 20 mg may have potentially been mislabeled as one of the following drugs: COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD32325_4, EXP: 5/9/2014; ATORVASTATIN CALCIUM, Tablet, 10 mg, NDC 00378201577, Pedigree: AD49582_7, EXP: 5/16/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('calcium', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('atorvastatin', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications; 18 month stability time point\n",
"top 10 keywords: [('ndc', 4), ('sun', 4), ('pharmaceutical', 4), ('tablets', 2), ('rx', 2), ('count', 2), ('ltd.', 2), ('cranbury', 2), ('bottles', 2), ('distributed', 2)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Out-of-specification results for microbial count were observed at the initial stability interval for Lansoprazole Delayed Release Capsules.\n",
"top 10 keywords: [('capsules', 13), ('bottle', 7), ('per', 7), ('lansoprazole', 6), ('reducer', 6), ('cvs', 6), ('distributed', 5), ('release', 5), ('delayed', 5), ('acid', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength\n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('iodide', 1), ('jubilant', 1), ('capsule', 1), ('diagnostic', 1), ('kirkland', 1), ('oral', 1), ('ndc', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Failed PH Specifications: It has been determined that the pH of the lots recalled, may not meet specification at expiry.\n",
"top 10 keywords: [('use', 4), ('fougera', 4), ('pharmaceuticals', 2), ('rx', 2), ('lotion', 2), ('triamcinolone', 2), ('division', 2), ('inc.', 2), ('co', 2), ('new', 2)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Active Pharmaceutical Ingredient (API) used for manufacture was stored in a non-GMP compliant warehouse at S.I.M.S., Italy.\n",
"top 10 keywords: [('upc', 71), ('distributed', 50), ('inc.', 33), ('mississauga', 17), ('ontario', 16), ('ca', 14), ('l5n', 13), ('2b8', 12), ('rexall', 12), ('ndc', 11)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non Sterile Products; testing revealed out of specification results for total aerobic microbiological count\n",
"top 10 keywords: [('ndc', 18), ('dist', 18), ('ia', 18), ('inc.', 18), ('woodbine', 18), ('homeopathic', 18), ('spray', 17), ('relief', 15), ('pain', 15), ('peaceful', 12)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Product\n",
"top 10 keywords: [('fl', 1), ('agency', 1), ('hand', 1), ('arundel', 1), ('ndc', 1), ('c', 1), ('contains', 1), ('gujarat', 1), ('inc.', 1), ('anne', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; all compounded products within expiry produced using recalled filters\n",
"top 10 keywords: [('ml', 18), ('ndc', 10), ('ca', 9), ('san', 9), ('injection', 9), ('compounded', 9), ('leiter', 9), ('compounding', 9), ('total', 9), ('jose', 9)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Low out-of-specification potency result of the drug product. \n",
"top 10 keywords: [('ndc', 3), ('6-count', 2), ('mg', 2), ('upc', 2), ('ic-green', 2), ('il', 1), ('solvent', 1), ('forest', 1), ('sterile', 1), ('ampules', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; MELATONIN Tablet, 3 mg may be potentially mislabeled as DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375701, Pedigree: AD25452_13, EXP: 5/3/2014; PIOGLITAZONE, Tablet, 15 mg, NDC 00591320530, Pedigree: AD28322_4, EXP: 4/30/2014; COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree: AD70655_11, EXP: 5/28/2014; COENZYME Q-10, Capsule, 100 mg, NDC 37205055065, Pedigree\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('melatonin', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: The lots of Fluocinonide Gel USP, 0.05% recalled, may not meet the requirements for residual solvents as outlined in USP <467>. \n",
"top 10 keywords: [('use', 2), ('ndc', 2), ('fougera', 2), ('net', 2), ('wt', 2), ('tubes', 2), ('g', 2), ('rx', 1), ('co.', 1), ('new', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: product may not meet specification limit for assay test.\n",
"top 10 keywords: [('count', 2), ('apotex', 2), ('ndc', 2), ('b', 2), ('bottle', 2), ('manufactured', 2), ('mg', 1), ('rx', 1), ('ltd.', 1), ('cevimeline', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance(s): There is a potential for foreign particulate matter in the API.\n",
"top 10 keywords: [('mg', 2), ('pharmaceuticals', 2), ('care', 2), ('tetracycline', 2), ('sellersville', 2), ('physicians', 2), ('total', 2), ('ndc', 2), ('pa', 2), ('capsules', 2)]\n",
"---\n",
"reason_for_recall : Products failed the Antimicrobial Effectiveness Test\n",
"top 10 keywords: [('fl', 2), ('comfort', 2), ('walgreens', 2), ('oz', 2), ('gel', 2), ('strength', 2), ('well', 2), ('ml', 2), ('cherry', 1), ('flavor', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; FIDAXOMICIN Tablet, 200 mg may be potentially mislabeled as BENAZEPRIL HCL, Tablet, 40 mg, NDC 65162075410, Pedigree: W003918, EXP: 6/28/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('fidaxomicin', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MERCapsuleTOPURINE, Tablet, 50 mg may have potentially been mislabeled as the following drug: ASCORBIC ACID, Tablet, 500 mg, NDC 00904052380, Pedigree: AD54576_4, EXP: 5/20/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('mercapsuletopurine', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: Naphthalene compound identified in the product after complaints of a petroleum odor. \n",
"top 10 keywords: [('ltd', 2), ('texas', 2), ('manufactured', 2), ('leawood', 1), ('marketed', 1), ('scrub', 1), ('hand', 1), ('research', 1), ('bottles', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: a recent FDA inspection at the manufacturing firm raised concerns that product sterility may be compromised.\n",
"top 10 keywords: [('ml', 7), ('ndc', 5), ('vials', 3), ('rx', 2), ('vial', 2), ('inc.', 2), ('per', 2), ('princeton', 2), ('sandoz', 2), ('carton', 2)]\n",
"---\n",
"reason_for_recall : Failed Impurity/Degradation Specification; 12-month stability time point\n",
"top 10 keywords: [('nj', 2), ('somerset', 2), ('pharmaceuticals', 1), ('rx', 1), ('cherry-banana-mint', 1), ('distributed', 1), ('gavis', 1), ('laboratories', 1), ('flavored', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Temperature abuse: Certain vials of Ifosfamide IV products were not refrigerated at certain Amerisource Bergen Drug Corp distribution centers.\n",
"top 10 keywords: [('pfizer', 4), ('rx', 2), ('refrigerate', 2), ('degrees', 2), ('use', 2), ('new', 2), ('distributed', 2), ('injection', 2), ('vial', 2), ('york', 2)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; BENZOCAINE/MENTHOL Lozenge, 15 mg/2.6 mg may be potentially mislabeled as CHOLECALCIFEROL/ CALCIUM/ PHOSPHORUS, Tablet, 120 units/105 mg/81 mg, NDC 64980015001, Pedigree: AD32345_1, EXP: 5/14/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('lozenge', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('benzocaine/menthol', 1), ('llc', 1), ('mg/2.6', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ATORVASTATIN CALCIUM, Tablet, 80 mg may have potentially been mislabeled as one of the following drugs: OMEGA-3 FATTY ACID, Capsule, 1000 mg, NDC 11845014882, Pedigree: AD70700_7, EXP: 5/29/2014; TACROLIMUS, Capsule, 0.5 mg, NDC 00781210201, Pedigree: W003169, EXP: 6/13/2014; LEVOTHYROXINE SODIUM, Tablet, 88 mcg, NDC 00378180701, Pedigree: AD42584_1, EXP: 5/14/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('calcium', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('atorvastatin', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; CALCIUM CITRATE, Tablet, 950 mg (200 mg Elem Calcium) may be potentially mislabeled as tiZANidine HCL, Tablet, 2 mg, NDC 57664050289, Pedigree: W003750, EXP: 6/26/2014.\n",
"top 10 keywords: [('mg', 2), ('calcium', 2), ('distributed', 1), ('ndc', 1), ('elem', 1), ('citrate', 1), ('tablet', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Chemical Contamination: The recalling firm received notice that their supplier is recalling capsules due to complaints of capsules having an unusual odor.\n",
"top 10 keywords: [('rx', 1), ('30-count', 1), ('legacy', 1), ('sellersville', 1), ('bottles', 1), ('mo', 1), ('distributed', 1), ('ndc', 1), ('pa', 1), ('city', 1)]\n",
"---\n",
"reason_for_recall : Defective Container: A lidding deformity allowed for the product to have out of specification results for assay and viscosity at the12 month stability timepoint.\n",
"top 10 keywords: [('oral', 2), ('fl', 1), ('rx', 1), ('administration', 1), ('phenytoin', 1), ('case', 1), ('inc', 1), ('largo', 1), ('suspension', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect Barcode: Primary bag labeling may be mislabeled with the wrong barcode which scans in as heparin sodium.\n",
"top 10 keywords: [('bag', 1), ('il', 1), ('lake', 1), ('mg/ml', 1), ('forest', 1), ('magnesium', 1), ('meq', 1), ('ndc', 1), ('hospira', 1), ('sulfate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label mix-up -outer carton incorrectly labeled as aspirin chewable tablets. \n",
"top 10 keywords: [('tablets', 2), ('mg', 1), ('dose', 1), ('chewable', 1), ('nc', 1), ('box', 1), ('mckesson', 1), ('otc', 1), ('sky', 1), ('aspirin', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MYCOPHENOLATE MOFETIL, Tablet, 500 mg may be potentially mis-labeled as the following drug: MYCOPHENOLATE MOFETIL, Capsule, 250 mg, NDC 00004025901, Pedigree: AD49414_1, EXP: 5/17/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('mycophenolate', 1), ('llc', 1), ('mofetil', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Firm is recalling all unexpired lots of sterile compounded products after FDA inspection found concerns of lack of sterility assurance.\n",
"top 10 keywords: [('ml', 59), ('ca', 43), ('pharmacy', 43), ('compounded', 43), ('berkeley', 43), ('rx', 43), ('compounding', 43), ('abbott', 43), ('unit', 41), ('refrigerate', 36)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: This product is being recalled because a stability sample was found to be contaminated with Burkholderia contaminans.\n",
"top 10 keywords: [('fl', 1), ('cincinnati', 1), ('upc', 1), ('co.', 1), ('antiseptic', 1), ('l', 1), ('oz', 1), ('rinse', 1), ('distributed', 1), ('mint', 1)]\n",
"---\n",
"reason_for_recall : Defective container: A customer complaint revealed the presence of a defective seal on the top of a Mucinex pouch\n",
"top 10 keywords: [('tablets', 2), ('england', 1), ('dm', 1), ('pouch', 1), ('per', 1), ('extended-release', 1), ('mucinex', 1), ('nj', 1), ('hbr', 1), ('made', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: The Active Pharmaceutical Ingredient was not manufactured according to current good manufacturing practices.\n",
"top 10 keywords: [('processing', 1), ('solapur-413', 1), ('a-27', 1), ('rx', 1), ('use', 1), ('smruthi', 1), ('india', 1), ('maharashtra', 1), ('plot', 1), ('mohol', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility\n",
"top 10 keywords: [('ml', 11), ('supplied', 5), ('compounding', 5), ('england', 4), ('methylprednisolone', 4), ('center', 4), ('vials', 4), ('framingham', 4), ('new', 4), ('mg/ml', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: TEMAZEPAM, Capsule, 7.5 mg may have potentially been mislabeled as one of the following drugs: CALCIUM CITRATE, Tablet, 200 mg Elemental Calcium, NDC 00904506260, Pedigree: AD28333_1, EXP: 5/8/2014; VALSARTAN, Tablet, 160 mg, NDC 00078035934, Pedigree: AD49414_7, EXP: 5/17/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('temazepam', 1), ('capsule', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Incorrect/Undeclared excipients: inadvertent omission of a drug excipient from the the Authorized Generic label and also a warning regarding contact dermatitis from the brand product labeling not being incorporated into the Authorized Generic labeling.\n",
"top 10 keywords: [('tube', 2), ('ndc', 2), ('manufactured', 2), ('rx', 1), ('mason', 1), ('pharma', 1), ('prasco', 1), ('60g', 1), ('dublin', 1), ('cream', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: CVS Pharmacy Pain Relieving Antiseptic Spray tested positive for microbial growth. \n",
"top 10 keywords: [('cvs', 2), ('pharmacy', 2), ('fl', 1), ('woonsocket', 1), ('relieving', 1), ('oz', 1), ('benzalkonium', 1), ('ri', 1), ('spray', 1), ('antiseptic', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications; The identification codes on some tablets may be unreadable\n",
"top 10 keywords: [('count', 3), ('ndc', 3), ('tablets', 1), ('mg', 1), ('rx', 1), ('hydroxyzine', 1), ('al', 1), ('qualitest', 1), ('hydrochloride', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Recall due to complaints of split or broken tablets.\n",
"top 10 keywords: [('tablets', 2), ('mg', 2), ('sodium', 2), ('ca', 2), ('misoprostol', 2), ('upc', 2), ('rx', 2), ('inc.', 2), ('diclofenac', 2), ('60-count', 2)]\n",
"---\n",
"reason_for_recall : Non-Sterility; mold contamination\n",
"top 10 keywords: [('bags', 1), ('nj', 1), ('consulting', 1), ('falls', 1), ('prep', 1), ('sulfate', 1), ('dextrose', 1), ('injection', 1), ('grams', 1), ('plastic', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ACARBOSE Tablet, 25 mg may be potentially mislabeled as LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD39588_4, EXP: 5/13/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('acarbose', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Failed Capsule/Tablet Specifications: Actavis has received several complaint for clumping and breaking of capsules with some bottles showing popped out bottle bottom (round bottom) and creased labels from one distribution center.\n",
"top 10 keywords: [('capsules', 8), ('elizabeth', 6), ('actavis', 6), ('ndc', 5), ('bottle', 5), ('per', 5), ('rx', 3), ('complex', 3), ('ltd.', 3), ('tamlinadu', 3)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: Out of specification for unknown impurity.\n",
"top 10 keywords: [('tablets', 1), ('mg', 1), ('ct', 1), ('metformin', 1), ('eatontown', 1), ('mg/500', 1), ('heritage', 1), ('nj', 1), ('hydrochloride', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: failed sterility test result.\n",
"top 10 keywords: [('pf', 1), ('bicarb', 1), ('sodium', 1), ('pre-filled', 1), ('syr', 1), ('cc', 1), ('hcl/', 1), ('lidocaine', 1), ('rx', 1), ('syringe', 1)]\n",
"---\n",
"reason_for_recall : Failed USP Dissolution Test Requirements: During analysis of long term stability studies at 3 months time point, an OOS was reported for Quetiapine Fumarate Tablets, 25 mg. \n",
"top 10 keywords: [('reddy', 2), ('tablets', 2), ('dr.', 2), ('mfd', 1), ('rx', 1), ('25mg', 1), ('bachepalli', 1), ('quetiapine', 1), ('ndc', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Foreign particulate matter (tiny black specs) were observed at the bottom of the vial following reconstitution.\n",
"top 10 keywords: [('use', 2), ('mg', 1), ('rx', 1), ('intravenous', 1), ('pharmaceuticals', 1), ('ndc', 1), ('single', 1), ('usa', 1), ('cubicin', 1), ('injection', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Flurandrenolide is subpotent.\n",
"top 10 keywords: [('tape', 4), ('ndc', 3), ('rolls', 3), ('cordran', 2), ('x', 2), ('rx', 1), ('3m', 1), ('large', 1), ('pharma', 1), ('haelan', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurity/Degradation Specification; an impurity identified as N-Butyl-Benzene Sulfonamide (NBBS) detected during impurity testing \n",
"top 10 keywords: [('tablets', 2), ('teva', 2), ('inc.', 2), ('mg', 1), ('health', 1), ('rx', 1), ('sellersville', 1), ('r', 1), ('pa', 1), ('subsidiary', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Product is sold over the counter whose labeling indicates it is to be used parenterally for drug claims.\n",
"top 10 keywords: [('c', 2), ('relumins', 2), ('glutathione', 2), ('advanced', 2), ('solution', 2), ('8-count', 2), ('nj', 1), ('30-count', 1), ('acid', 1), ('injectable', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: Product is being recalled due to out of specification (above specification) result obtained at 6-hour dissolution time point during the 12-month stability testing.\n",
"top 10 keywords: [('capsules', 2), ('gainesville', 2), ('rx', 1), ('nj', 1), ('10mg', 1), ('extended-release', 1), ('princeton', 1), ('sandoz', 1), ('inc.', 1), ('dexmethylphenidate', 1)]\n",
"---\n",
"reason_for_recall : Customer complaints for failure to deliver the dose.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('marketed', 1), ('waltham', 1), ('extended-release', 1), ('injectable', 1), ('naltrexone', 1), ('suspension', 1), ('ndc', 1), ('vivitrol', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: clonazePAM, Tablet, 0.25 mg (1/2 of 0.5 mg) may have potentially been mislabeled as the following drug: CHOLECALCIFEROL, Capsule, 2000 units, NDC 00536379001, Pedigree: ADWA00002136, EXP: 5/31/2014.\n",
"top 10 keywords: [('mg', 2), ('rx', 1), ('ndc', 1), ('tablet', 1), ('clonazepam', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('aidapak', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Product was found to contain undeclared active pharmaceutical ingredients: Sibutramine and Phenolphthalein .\n",
"top 10 keywords: [('mg', 1), ('fl', 1), ('boxes', 1), ('supplied', 1), ('bio', 1), ('deltona', 1), ('distributed', 1), ('count', 1), ('capsules', 1), ('fruta', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp. Date\n",
"top 10 keywords: [('rx', 3), ('ndc', 3), ('ca', 2), ('distributed', 2), ('injection', 2), ('bottle', 2), ('mg', 2), ('hayward', 2), ('impax', 2), ('micronized', 2)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Product is being recalled due to possible microbial contamination by C. difficile discovered in the raw material.\n",
"top 10 keywords: [('fiber', 31), ('capsules', 21), ('bottle', 13), ('per', 13), ('upc', 12), ('psyllium', 12), ('natural', 11), ('distributed', 11), ('supplement', 10), ('husk', 5)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: SOTALOL HCL, Tablet, 160 mg may have potentially been mislabeled as the following drug: DISULFIRAM, Tablet, 250 mg, NDC 64980017101, Pedigree: AD22609_1, EXP: 5/2/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('sotalol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix up; product labeled as Morphine Sulfate 20 mg/mL actually contained OxyCODONE HCl 20 mg/mL\n",
"top 10 keywords: [('mg/ml', 2), ('cody', 2), ('inc.', 2), ('rx', 1), ('mfr', 1), ('concentrate', 1), ('co.', 1), ('center', 1), ('morphine', 1), ('sulfate', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect or Missing Lot and/or Exp Date: Lorazepam Lot # L-04009 \n",
"top 10 keywords: [('mg', 1), ('lorazepam', 1), ('tablets', 1), ('count', 1), ('rx', 1), ('distributed', 1), ('major', 1), ('pharmaceuticals', 1), ('livonia', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ESTRADIOL, Tablet, 0.5 mg may have potentially been mislabeled as the following drug: NICOTINE POLACRILEX, GUM, 2 mg, NDC 00536302923, Pedigree: AD33897_28, EXP: 2/28/2014. \n",
"top 10 keywords: [('mg', 1), ('estradiol', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CETIRIZINE HCL, Tablet, 5 mg may have potentially been mislabeled as the following drug: LITHIUM CARBONATE ER, Tablet, 300 mg, NDC 00054002125, Pedigree: AD39564_1, EXP: 5/13/2014.\n",
"top 10 keywords: [('cetirizine', 1), ('mg', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MAGNESIUM CHLORIDE, Tablet, 64 mg may be potentially mislabeled as VITAMIN B COMPLEX W/C, Tablet, NDC 00904026013, Pedigree: AD52993_31, EXP: 5/17/2014; ASPIRIN EC, Tablet, 325 mg, NDC 00904201360, Pedigree: W003526, EXP: 6/21/2014; NICOTINE POLACRILEX, LOZENGE, 2 mg, NDC 00135051001, Pedigree: W002766, EXP: 6/6/2014; THIAMINE HCL, Tablet, 100 mg, NDC 00904054460, Pedig\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('magnesium', 1), ('chloride', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ALBUTEROL SULFATE ER, Tablet, 4 mg may have potentially been mislabeled as one of the following drugs: SIMVASTATIN, Tablet, 20 mg, NDC 16714068303, Pedigree: W003580, EXP: 6/24/2014.\n",
"top 10 keywords: [('mg', 1), ('er', 1), ('albuterol', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: OOS results for known compound.\n",
"top 10 keywords: [('ndc', 2), ('bottle', 2), ('mg', 1), ('rx', 1), ('100-count', 1), ('wv', 1), ('extended-release', 1), ('pharmaceuticals', 1), ('diltiazem', 1), ('morgantown', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: particulate matter identified as fibers and/or plastics.\n",
"top 10 keywords: [('container', 4), ('bags', 3), ('ndc', 3), ('code', 3), ('ml', 3), ('product', 3), ('viaflex', 3), ('rx', 2), ('corporation', 2), ('deerfield', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; OMEPRAZOLE/SODIUM BICARBONATE, Capsule, 20 mg/1,110 mg may be potentially mislabeled as ACETAMINOPHEN, CHEW Tablet, 80 mg, NDC 00536323307, Pedigree: AD49399_1, EXP: 5/16/2014; LACTOBACILLUS GG, Capsule, NDC 49100036374, Pedigree: AD46300_11, EXP: 5/15/2014; MYCOPHENOLATE MOFETIL, Capsule, 250 mg, NDC 00781206701, Pedigree: AD65457_7, EXP: 5/24/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('mg/1,110', 1), ('omeprazole/sodium', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('ndc', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: chlorproMAZINE HCl, Tablet, 100 mg may have potentially been mislabeled as one of the following drugs: ACYCLOVIR, Tablet, 800 mg, NDC 00093894701, Pedigree: AD70629_1, EXP: 5/29/2014; TRIMETHOBENZAMIDE HCL, Capsule, 300 mg, NDC 53489037601, Pedigree: AD70625_1, EXP: 5/29/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('chlorpromazine', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ACARBOSE, Tablet, 25 mg may be potentially mislabeled as one of the following drugs: ZINC GLUCONATE, Tablet, 50 mg, NDC 00904319160, Pedigree: AD60240_57, EXP: 5/22/2014; TOLTERODINE TARTRATE ER, Capsule, 2 mg, NDC 00009519001, Pedigree: W002724, EXP: 6/6/2014; SILDENAFIL CITRATE, Tablet, 25 mg, NDC 00069420030, Pedigree: W003646, EXP: 6/25/2014; SEVELAMER CARBONATE, Tab\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('acarbose', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-up: The product is being recalled because active ingredient in the Drug Facts box incorrectly states &quot;Active Ingredients per dose&quot; Senna Leaf powder 140 mg. It should correctly be stated as &quot;Active ingredient (in each capsule)&quot; Senna Leaf Powder 140 mg.It should correctly be stated as Active ingredient (in each capsule) Senna Leaf Powder 140 mg.\n",
"top 10 keywords: [('mg', 1), ('stimulant', 1), ('colon', 1), ('ca', 1), ('per', 1), ('doses', 1), ('senna', 1), ('inc.', 1), ('super', 1), ('healthplus', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VERAPAMIL HCL ER, Capsule, 240 mg may have potentially been mislabeled as the following drug: FEBUXOSTAT, Tablet, 40 mg, NDC 64764091830, Pedigree: W002664, EXP: 6/5/2014.\n",
"top 10 keywords: [('mg', 1), ('verapamil', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('er', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: The recalled lot failed sterility testing.\n",
"top 10 keywords: [('office', 2), ('mg', 1), ('patient', 1), ('medical', 1), ('individual', 1), ('rx', 1), ('use', 1), ('physician', 1), ('pellet', 1), ('preferred', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Failing sterility results were obtained from the recalling firm's contract testing facility indicating that the products may not be sterile.\n",
"top 10 keywords: [('rx', 4), ('randolph', 4), ('sterile', 4), ('pharmacy', 4), ('nj', 4), ('creations', 4), ('injection', 3), ('vial', 3), ('ml', 3), ('multi-dose', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; VENLAFAXINE HCL Tablet, 50 mg may be potentially mislabeled as sulfaSALAzine, Tablet, 500 mg, NDC 00603580121, Pedigree: AD65475_19, EXP: 5/28/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('venlafaxine', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: out of specification test results for an impurity during stability testing.\n",
"top 10 keywords: [('mcg', 2), ('qvar', 2), ('inhalation', 2), ('northridge', 1), ('rx', 1), ('3m', 1), ('ca', 1), ('horsham', 1), ('llc.', 1), ('aerosol', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: all sterile products compounded, repackaged, and distributed by this compounding pharmacy due to lack of sterility assurance and concerns associated with the quality control processes..\n",
"top 10 keywords: [('rx', 1), ('sodium', 1), ('nv', 1), ('strengths', 1), ('deoxycholate', 1), ('whitney', 1), ('mesa', 1), ('valley', 1), ('presentations', 1), ('phosphatidylcholine', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Presence of free-floating and embedded iron oxide particles. \n",
"top 10 keywords: [('il', 1), ('rx', 1), ('mg/ml', 1), ('bupivacaine', 1), ('use', 1), ('vials', 1), ('hydrochloride', 1), ('hospira', 1), ('single', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Sterility Assurance: A recent FDA inspection revealed poor aseptic production practices that result in lack of sterility assurance of products intended to be sterile. \n",
"top 10 keywords: [('within', 1), ('products', 1), ('expiry', 1), ('sterile', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: presence of undeclared Sulfoaildenafil.\n",
"top 10 keywords: [('strips', 3), ('box', 2), ('performance', 1), ('per', 1), ('kaboom', 1), ('6.4oz', 1), ('nutrology', 1), ('action', 1), ('sexual', 1), ('packaged', 1)]\n",
"---\n",
"reason_for_recall : Cross contamination with other products: metronidazole\n",
"top 10 keywords: [('fluconazole', 1), ('mg', 1), ('sodium', 1), ('sagent', 1), ('per', 1), ('rx', 1), ('schaumburg', 1), ('ndc', 1), ('bag', 1), ('container', 1)]\n",
"---\n",
"reason_for_recall : Crystallization; identified as calcium salt of Ketorolac \n",
"top 10 keywords: [('ndc', 2), ('il', 1), ('mg/ml', 1), ('use', 1), ('vials', 1), ('hospira', 1), ('label', 1), ('forest', 1), ('single-dose', 1), ('inj.', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Assay results obtained during stability testing for Levothyroxine Sodium Tablets, USP were below specification.\n",
"top 10 keywords: [('tablets', 1), ('rx', 1), ('sodium', 1), ('levothyroxine', 1), ('wv', 1), ('pharmaceuticals', 1), ('mcg', 1), ('100-count', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: This dietary supplement has been found to contain sildenafil, an FDA approved drug for the treatment of male erectile dysfunction making this an unapproved new drug.\n",
"top 10 keywords: [('capsules', 2), ('mg', 1), ('2-count', 1), ('per', 1), ('proprietary', 1), ('blister', 1), ('nj', 1), ('trading', 1), ('super', 1), ('pack', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System; defective valve\n",
"top 10 keywords: [('metered', 2), ('northridge', 1), ('3m', 1), ('ca', 1), ('horsham', 1), ('aerosol', 1), ('dipropionate', 1), ('inhalations', 1), ('teva', 1), ('delivery', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter; single visible particulate was identified during a retain sample inspection identified as stainless steel\n",
"top 10 keywords: [('ml', 4), ('patient', 2), ('rx', 2), ('emulsion', 2), ('injectable', 2), ('propofol', 2), ('hospira', 2), ('vial', 2), ('ndc', 2), ('infusion', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: CALCIUM ACETATE, Capsule, 667 mg may be potentially mislabeled as one of the following drugs: ZOLPIDEM TARTRATE, Tablet, 2.5 mg (1/2 of 5 mg), NDC 64679071401, Pedigree: AD28355_1, EXP: 5/8/2014; acetaZOLAMIDE, Tablet, 250 mg, NDC 51672402301, Pedigree: AD62865_1, EXP: 5/23/2014; ZINC GLUCONATE, Tablet, 50 mg, NDC 00904319160, Pedigree: W003028, EXP: 6/12/2014; PROPRANO\n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('acetate', 1), ('aidapak', 1), ('calcium', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: finished products manufactured using active pharmaceutical ingredients whose intermediates failed specifications.\n",
"top 10 keywords: [('lupin', 18), ('manufactured', 18), ('ndc', 16), ('india', 9), ('limited', 9), ('pharmaceuticals', 9), ('inc.', 9), ('rx', 9), ('baltimore', 9), ('usp', 9)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ANAGRELIDE HCL, Capsule, 0.5 mg may have potentially been mislabeled as the following drug: ARIPiprazole, Tablet, 2 mg, NDC 59148000613, Pedigree: AD46414_1, EXP: 5/16/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('distributed', 1), ('anagrelide', 1), ('service', 1), ('capsule', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; MULTIVITAMIN/MULTIMINERAL Chew Tablet may be potentially mislabeled as LEVOTHYROXINE SODIUM, Tablet, 12.5 mcg (1/2 of 25 mcg), NDC 00527134101, Pedigree: AD30140_40, EXP: 5/7/2014; LACTOBACILLUS ACIDOPHILUS, Capsule, 500 Million CFU, NDC 43292050022, Pedigree: AD30028_10, EXP: 5/7/2014. \n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('chew', 1), ('tablet', 1), ('aidapak', 1), ('service', 1), ('counter', 1), ('llc', 1), ('multivitamin/multimineral', 1)]\n",
"---\n",
"reason_for_recall : Discoloration: there were customer reports of yellow discolored solution. The yellow coloration is the result of oxidation of the amino acid tryptophan due to a damaged overpouch. \n",
"top 10 keywords: [('deerfield', 1), ('package', 1), ('clintec', 1), ('acid', 1), ('sulfite-free', 1), ('rx', 1), ('division', 1), ('ndc', 1), ('amino', 1), ('usa', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; prednisoLONE, Tablet, 5 mg may be potentially mislabeled as ASPIRIN/ER DIPYRIDAMOLE, Capsule, 25 mg/200 mg, NDC 00597000160, Pedigree: W003644, EXP: 8/24/2013.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('prednisolone', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Product(s): The product was found to be contaminated with Bulkholderia sp.\n",
"top 10 keywords: [('fl', 4), ('ndc', 4), ('upc', 4), ('oz', 4), ('aid', 3), ('humco', 3), ('pharmacy', 2), ('antiseptic', 2), ('ml', 2), ('first', 2)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules; possibility of Glipizide 10 mg tablets commingled\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('wv', 1), ('pharmaceuticals', 1), ('mg.', 1), ('mirtazapine', 1), ('inc', 1), ('usp', 1), ('mylan', 1), ('x', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: Product is subpotent and has out of specification known and unknown impurities.\n",
"top 10 keywords: [('ndc', 3), ('vial', 3), ('ml', 3), ('dose', 3), ('multi', 3), ('il', 1), ('rx', 1), ('mg/ml', 1), ('concentrate', 1), ('mitoxantrone', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ASPIRIN EC, Tablet, 325 mg may have potentially been mislabeled as one of the following drugs: MULTIVITAMIN/MULTIMINERAL, CHEW Tablet, 0 mg, NDC 58914001460, Pedigree: AD30180_10, EXP: 5/9/2014; DILTIAZEM HCL ER, Capsule, 240 mg, NDC 49884083109, Pedigree: AD52375_1, EXP: 5/17/2014; ASPIRIN, Tablet, 325 mg, NDC 00536330501, Pedigree: W003355, EXP: 6/19/2014; ASPIRIN, Tab\n",
"top 10 keywords: [('aspirin', 1), ('ec', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('mg', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an approved NDA/ANDA - These products are being recalled due to the presence of synthetic hormone/prohormone (methylated anabolic steroid) ingredient making them unapproved new drugs.\n",
"top 10 keywords: [('labs', 8), ('fl', 7), ('park', 7), ('bottle', 7), ('capsules', 7), ('manufactured', 7), ('winter', 7), ('count', 7), ('mass', 6), ('llc', 6)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Miracle Rock 48 was found to contain undeclared thiosildenafil, an analogue of an FDA approved drug for male erectile dysfunchtion making this product an unapproved drug. \n",
"top 10 keywords: [('miracle', 2), ('capsules', 2), ('2-count', 1), ('minute', 1), ('per', 1), ('upc', 1), ('4-count', 1), ('inc.', 1), ('one', 1), ('blisters', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: This recall is an extension of the recall initiated on 07/31/2013 for Bupropion HCl Extended-Release Tablets (XL) 300 mg, because another lot was shown to have similar failing results for dissolution at the 8-hour timepoint.\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('30-count', 1), ('american', 1), ('xl', 1), ('south', 1), ('distributed', 1), ('fl', 1), ('oh', 1), ('bottle', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: FLUCONAZOLE, Tablet, 200 mg may have potentially been mislabeled as one of the following drugs: VALSARTAN, Tablet, 80 mg, NDC 00078035834, Pedigree: AD65475_10, EXP: 5/28/2014; FLUCONAZOLE, Tablet, 100 mg, NDC 68462010230, Pedigree: W003064, EXP: 6/12/2014. \n",
"top 10 keywords: [('fluconazole', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; ASPIRIN Tablet, 325 mg may be potentially mislabeled as CHOLECALCIFEROL, Tablet, 400 units, NDC 00904582360, Pedigree: W002642, EXP: 6/4/2014.\n",
"top 10 keywords: [('aspirin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility:Solution leaking through the port cover of the primary container, which was identified during a retain sample visual inspection.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('sodium', 1), ('ndc', 1), ('flexible', 1), ('hospira', 1), ('injection', 1), ('usp', 1), ('forest', 1), ('chloride', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Products recalled due to presence of particulate matter (metal)\n",
"top 10 keywords: [('baxter', 12), ('corporation', 8), ('healthcare', 8), ('bags', 4), ('deerfield', 4), ('north', 4), ('road', 4), ('injection', 4), ('pkwy', 4), ('250ml', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Incorrect Instructions:outer carton contains the incorrect instructions for Step 2 stating \"Do cut the patch\" rather than the correct instructions of \"Do not cut the patch\". The pouch containing the patch is labeled correctly. \n",
"top 10 keywords: [('ndc', 2), ('per', 2), ('patches', 1), ('scopolamine', 1), ('pouch', 1), ('ca', 1), ('corporation', 1), ('patch', 1), ('4-count', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: failed at the 3 and 6 month stability time points.\n",
"top 10 keywords: [('oz', 2), ('jar', 2), ('upc', 2), ('57g', 1), ('ms', 1), ('medicated', 1), ('box', 1), ('light', 1), ('jars', 1), ('olive', 1)]\n",
"---\n",
"reason_for_recall : Crystallization; Complaints that cream appears to have crystallized\n",
"top 10 keywords: [('cream', 2), ('oz', 2), ('g', 2), ('base', 1), ('rx', 1), ('tubes', 1), ('nj', 1), ('carlstadt', 1), ('b', 1), ('urea', 1)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA: FDA has determined that the products are unapproved new drugs and misbranded. \n",
"top 10 keywords: [('sku', 16), ('containers', 16), ('number', 14), ('repair', 12), ('dermamedics', 11), ('complexion', 10), ('ml', 9), ('oz', 7), ('cream', 6), ('therametics', 6)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Some tablets had the potential to not conform to weight specifications.\n",
"top 10 keywords: [('tablets', 6), ('ndc', 5), ('bottle', 5), ('per', 5), ('krakow', 2), ('rx', 1), ('ok', 1), ('30-count', 1), ('pharma', 1), ('tulsa', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications:Out of specification result for a known impurity obtained during testing.\n",
"top 10 keywords: [('sandoz', 4), ('rx', 2), ('sodium', 2), ('princeton', 2), ('product', 2), ('dicloxacillin', 2), ('inc.', 2), ('nj', 2), ('ndc', 2), ('gmbh', 2)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Sterility of product is not assured\n",
"top 10 keywords: [('cefepime', 2), ('little', 2), ('rock', 2), ('ml', 2), ('bags', 1), ('accuflo', 1), ('ns', 1), ('ste', 1), ('rx', 1), ('center', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: POTASSIUM ACID PHOSPHATE, Tablet, 500 mg may have potentially been mislabeled as the following drug: predniSONE, Tablet, 20 mg, NDC 00591544301, Pedigree: AD56879_5, EXP: 5/21/2014. \n",
"top 10 keywords: [('phosphate', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('acid', 1), ('rx', 1), ('distributed', 1), ('potassium', 1), ('service', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products; The affected lots were found to be contaminated with bacterium, Burkholderia cepacia complex. \n",
"top 10 keywords: [('fl', 5), ('oz', 5), ('roswell', 2), ('hand', 2), ('ga', 2), ('distributed', 2), ('kleenex', 2), ('b', 2), ('kimberly', 2), ('clark', 2)]\n",
"---\n",
"reason_for_recall : Marketed without an Approved NDA/ANDA; product contains sildenafil and tadalafil which are active pharmaceutical ingredients in FDA approved drugs used to treat erectile dysfunction (ED) \n",
"top 10 keywords: [('fast', 1), ('supplement', 1), ('ca', 1), ('bionics', 1), ('gardena', 1), ('increase', 1), ('megajex', 1), ('men', 1), ('acting', 1), ('maximum', 1)]\n",
"---\n",
"reason_for_recall : Chemical contamination: emission of strong odor after package was opened\n",
"top 10 keywords: [('bottles', 2), ('ndc', 2), ('tablets', 1), ('rx', 1), ('sodium', 1), ('tn', 1), ('bristol', 1), ('pharmaceuticals', 1), ('mcg', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MYCOPHENOLATE MOFETIL, Capsule, 250 mg may have potentially been mislabeled as one of the following drugs: ATORVASTATIN CALCIUM, Tablet, 80 mg, NDC 00378212277, Pedigree: W003213, EXP: 6/14/2014; PROPRANOLOL HCL, Tablet, 10 mg, NDC 23155011010, Pedigree: AD65317_1, EXP: 5/24/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('mycophenolate', 1), ('capsule', 1), ('mofetil', 1)]\n",
"---\n",
"reason_for_recall : Labeling Not Elsewhere Classified: front labels have the incorrect NDC or 0145-1506-01 instead of the correct NDC of 0145-1506-05 and some back labels have the incorrect indication stating \"use for the cure of most jock itch\" rather than \"use for the cure of most athlete's foot\".\n",
"top 10 keywords: [('foot', 1), ('wt', 1), ('triangle', 1), ('manufactured', 1), ('athlete', 1), ('af', 1), ('park', 1), ('research', 1), ('ndc', 1), ('oz', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: Out of Specification (OOS) results for the z-statistic value, which relates to the patients and caregiver ability to remove the release liner from the patch adhesive prior to administration, were obtained. \n",
"top 10 keywords: [('fl', 4), ('noven', 4), ('per', 4), ('miami', 4), ('patch', 3), ('patches', 2), ('daytrana', 2), ('30-count', 2), ('box', 2), ('rx', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; PARoxetine HCl, Tablet, 10 mg may be potentially mislabeled as PANTOPRAZOLE SODIUM DR, Tablet, 20 mg, NDC 62175018046, Pedigree: AD52778_64, EXP: 5/20/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('paroxetine', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; CHOLECALCIFEROL/CALCIUM/PHOSPHORUS Tablet, 120 units/105 mg/81 mg may be potentially mislabeled as PROMETHAZINE HCL, Tablet, 25 mg, NDC 65162052110, Pedigree: W002578, EXP: 6/3/2014; VALSARTAN, Tablet, 40 mg, NDC 00078042315, Pedigree: AD32579_1, EXP: 5/9/2014. \n",
"top 10 keywords: [('mg', 1), ('cholecalciferol/', 1), ('mg/81', 1), ('counter', 1), ('distributed', 1), ('ndc', 1), ('calcium/', 1), ('tablet', 1), ('units/105', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: Shipment of product not approved for release.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('ringer', 1), ('lactated', 1), ('ndc', 1), ('hospira', 1), ('injection', 1), ('usp', 1), ('forest', 1), ('lake', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: product contains sibutramine, a previously approved FDA drug removed from the U.S. marketplace for safety reasons, making it an unapproved new drug.\n",
"top 10 keywords: [('mg', 1), ('blue', 1), ('boxes', 1), ('supplied', 1), ('proprietary', 1), ('maxiloss', 1), ('olaax', 1), ('formulated', 1), ('advanced', 1), ('weight', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Failed S.aureus test.\n",
"top 10 keywords: [('fl', 1), ('un-braid', 1), ('acid', 1), ('upc', 1), ('laboratories', 1), ('counter', 1), ('oz', 1), ('braids', 1), ('distributed', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: MINOCYCLINE HCL, Capsule, 100 mg may have potentially been mislabeled as the following drug: PROGESTERONE, Capsule, 100 mg, NDC 00591396401, Pedigree: AD73611_4, EXP: 5/30/2014. \n",
"top 10 keywords: [('minocycline', 1), ('mg', 1), ('ndc', 1), ('hcl', 1), ('aidapak', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Subpotent (Single Ingredient Drug): Low assay at the 6-month test interval.\n",
"top 10 keywords: [('iowa', 2), ('shenandoah', 2), ('forest', 2), ('inc.', 2), ('pharmaceutical', 2), ('lloyd', 2), ('tablets', 1), ('rx', 1), ('100-count', 1), ('thyro-tab.075', 1)]\n",
"---\n",
"reason_for_recall : Superpotent Drug: a recent review of the USP revealed that an incorrect calculation was used to determine the amount of irinotecan to use in formulation which will result in an assay higher than the labeled claim.\n",
"top 10 keywords: [('ml', 4), ('corp.', 2), ('rx', 2), ('x', 2), ('irinotecan', 2), ('mg/ml', 2), ('schiffgraben', 2), ('thymoorgan', 2), ('eatontown', 2), ('usa', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; MELATONIN, Tablet, 1 mg may be potentially mislabeled as hydrOXYzine PAMOATE, Capsule, 100 mg, NDC 00555032402, Pedigree: AD46265_28, EXP: 5/15/2014; GLUCOSAMINE/CHONDROITIN DS, Tablet, 500 mg/400 mg, NDC 00904559293, Pedigree: AD60211_17, EXP: 5/22/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('melatonin', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; NIFEDIPINE Capsule, 10 mg may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL W/FLUORIDE, Chew Tablet, 1 mg (F), NDC 64376081501, Pedigree: AD22609_7, EXP: 5/2/2014; NIFEDIPINE, Capsule, 10 mg, NDC 43386044024, Pedigree: AD23082_7, EXP: 9/23/2013. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('nifedipine', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Potential for small black particles to be present in individual vials, the potential for missing lot number and/or expiry date on the outer carton and the potential for illegible/missing lot number and expiry on individual vials. \n",
"top 10 keywords: [('ml', 6), ('vials', 4), ('ndc', 4), ('mg/ml', 3), ('carton', 2), ('dose', 2), ('per', 2), ('pfizer', 2), ('single', 2), ('x', 2)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Glass vials may have finish fractures and glass particles.\n",
"top 10 keywords: [('ml', 5), ('il', 3), ('rx', 3), ('use', 3), ('vials', 3), ('ndc', 3), ('injection', 3), ('app', 3), ('pharmaceuticals', 3), ('iv', 3)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: particulate matter identified as an insect in one vial.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('sodium', 1), ('1meq/ml', 1), ('ndc', 1), ('hospira', 1), ('inc', 1), ('injection', 1), ('grams', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility: Direct evidence of contamination for 2 lots based on FDA samples.\n",
"top 10 keywords: [('eye', 1), ('fl', 1), ('made', 1), ('korea', 1), ('pharmaceutical', 1), ('otc', 1), ('oz', 1), ('drive', 1), ('distributed', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility; medication was sterilized with a recalled filter\n",
"top 10 keywords: [('rx', 3), ('ok', 3), ('vials', 3), ('jenks', 3), ('apothecary', 3), ('shoppe', 3), ('ml', 3), ('im', 3), ('packaged', 3), ('mcg/ml', 2)]\n",
"---\n",
"reason_for_recall : Marketed without an approved NDA/ANDA - presence of undeclared sibutramine.\n",
"top 10 keywords: [('lifestyle', 2), ('bottles', 2), ('60-count', 2), ('making', 2), ('capsules', 2), ('l.l.c', 2), ('manufactured', 2), ('3rd', 1), ('gold', 1), ('black', 1)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications: Recall due to wet and/or leaking capsules.\n",
"top 10 keywords: [('usa', 4), ('capsules', 4), ('ndc', 3), ('rx', 2), ('ltd', 2), ('healthcare', 2), ('india', 2), ('benzonatate', 2), ('pennington', 2), ('mg', 2)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: Out of specification (OOS) results at the 9 month temperature point.\n",
"top 10 keywords: [('apotex', 2), ('manufactured', 2), ('orally', 1), ('tablets', 1), ('toronto', 1), ('30-count', 1), ('canada', 1), ('florida', 1), ('m9l1t9', 1), ('corp.', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: A mold like substance was discovered on the surface of an unopened bag of Sodium Chloride 0.9% while prepping the bag for production. \n",
"top 10 keywords: [('mg', 1), ('bag', 1), ('sodium', 1), ('unique', 1), ('norepinephrine', 1), ('chloride0.9', 1), ('rx', 1), ('use', 1), ('iv', 1), ('flexible', 1)]\n",
"---\n",
"reason_for_recall : Failed USP Dissolution Test Requirements: The recalled lots do not meet the specification for dissolution.\n",
"top 10 keywords: [('tablets', 3), ('per', 2), ('ndc', 2), ('bottle', 2), ('mg', 1), ('rx', 1), ('valley', 1), ('pharmaceutical', 1), ('spring', 1), ('b', 1)]\n",
"---\n",
"reason_for_recall : Labeling Illegible: Missing Label; The voluntary recall of the aforementioned batch of product is being initiated due to two bottles missing container labels.\n",
"top 10 keywords: [('tablets', 2), ('pharmaceuticals', 2), ('ciprofloxacin', 1), ('unique', 1), ('rx', 1), ('distributed', 1), ('ndc', 1), ('il', 1), ('buffalo', 1), ('india', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Baxter is issuing a voluntary recall for these IV solutions due to particulate matter found in the solution identified as polyester and cotton fibers, adhesive-like mixture, polyacetal particles, thermally degraded PVC, black polypropylene and human hair embedded in the plastic bag\n",
"top 10 keywords: [('ndc', 3), ('product', 3), ('code', 3), ('dose', 2), ('containers', 2), ('plastic', 2), ('ml', 2), ('single', 2), ('viaflex', 2), ('deerfield', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; LACTOBACILLUS Tablet may be potentially mislabeled as MULTIVITAMIN/MULTIMINERAL, Tablet, NDC 65162066850, Pedigree: AD62979_1, EXP: 5/23/2014; CALCIUM ACETATE, Capsule, 667 mg, NDC 00054008826, Pedigree: AD62986_1, EXP: 5/23/2014; LITHIUM CARBONATE ER, Tablet, 225 mg (1/2 of 450 mg), NDC 00054002025, Pedigree: AD21790_25, EXP: 5/1/2014; OMEGA-3 FATTY ACID, Capsule, 100\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('lactobacillus', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Labeling; Product Contains Undeclared API (Oxybenzone)\n",
"top 10 keywords: [('fl', 1), ('lotion', 1), ('sunscreen', 1), ('sheer', 1), ('healthcare', 1), ('nj', 1), ('llc', 1), ('clearly', 1), ('otc', 1), ('broad', 1)]\n",
"---\n",
"reason_for_recall : Cross Contamination With Other Products: The firm recalled Zovia, Lutera, Necon, and Zenchent, because certain lots could potentially be contaminated with trace amounts of Hydrochlorothiazide (HCTZ).\n",
"top 10 keywords: [('tablets', 14), ('inc.', 10), ('watson', 10), ('per', 10), ('usa', 7), ('ca', 6), ('corona', 6), ('rx', 5), ('28-count', 5), ('ndc', 5)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Franck's Lab Inc. initiated a recall of all Sterile Human Drugs distributed between 11/21/2011 and 05/21/2012 because FDA environmental sampling revealed the presence of microorganisms and fungal growth in the clean room where sterile products were prepared. \n",
"top 10 keywords: [('ml', 45), ('bupivacaine', 7), ('hcl', 7), ('injectable', 6), ('p.f', 5), ('epinephrine', 2), ('ml,180', 1), ('different', 1), ('products', 1), ('injectable1000', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specifications: out of specification dissolution results in retained samples \n",
"top 10 keywords: [('bottles', 6), ('ndc', 6), ('rx', 2), ('30-count', 2), ('healthcare', 2), ('distributed', 2), ('hcl', 2), ('india', 2), ('ltd.', 2), ('inc.', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: METOPROLOL TARTRATE, Tablet, 25 mg may have potentially been mislabeled as the following drug: DOCUSATE SODIUM, Capsule, 250 mg, NDC 00536375710, Pedigree: AD76675_1, EXP: 6/3/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('tartrate', 1), ('metoprolol', 1), ('llc', 1), ('service', 1)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Parenteral product is labeled for use as an antidote.\n",
"top 10 keywords: [('shandong', 2), ('luye', 2), ('unit', 2), ('philippines', 2), ('multinational', 2), ('pharma', 1), ('city', 1), ('ltd', 1), ('exclusively', 1), ('village', 1)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: High out-of-specification results for a related compound obtained during routine stability testing.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('count', 1), ('wv', 1), ('pharmaceuticals', 1), ('extended', 1), ('bottles', 1), ('diltiazem', 1), ('morgantown', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mix-Up: Some cartons of AHP Ibuprofen Tablets, USP, 600mg, lot #142588 that contain blister cards filled with Ibuprofen tablets, 600mg drug product, were found to be mis-labeled with blister card print identifying the product as AHP Oxcarbazepine Tablets, 300mg, lot #142544\n",
"top 10 keywords: [('tablets', 2), ('ibuprofen', 1), ('packaging', 1), ('per', 1), ('distributed', 1), ('rx', 1), ('columbus', 1), ('mg', 1), ('ndc', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Labeling Wrong Barcode; It may display wrong product code reflecting 0.9% Sodium Chloride Injection , USP 100 mL in MINI-BAG Plus container instead of 50 mL.\n",
"top 10 keywords: [('deerfield', 1), ('rx', 1), ('sodium', 1), ('mini-bag', 1), ('healthcare', 1), ('ndc', 1), ('distributed', 1), ('injection', 1), ('baxter', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: FDA inspection identified GMP violations potentially impacting product quality and sterility.\n",
"top 10 keywords: [('pharmacy', 51), ('care', 51), ('compounding', 51), ('vegas', 51), ('nv', 51), ('las', 51), ('well', 51), ('rx', 49), ('packaged', 47), ('vials', 43)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: Out of specification results for particle size were obtained at the 60 month test point.\n",
"top 10 keywords: [('kg', 2), ('schering', 1), ('rx', 1), ('ag', 1), ('pharma', 1), ('micronized', 1), ('labeled', 1), ('pharmaceutical', 1), ('bayer', 1), ('drums', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Glass particles found in the product after reconstitution.\n",
"top 10 keywords: [('vials', 5), ('injection', 5), ('thyrogen', 4), ('carton', 4), ('rx', 2), ('genzyme', 2), ('mg/ml', 2), ('c', 2), ('contains', 2), ('thyrotropin', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Confirmed customer report of visible particulate embedded in the glass vial.\n",
"top 10 keywords: [('il', 1), ('rx', 1), ('mg/ml', 1), ('bupivacaine', 1), ('forest', 1), ('hospira', 1), ('inj', 1), ('ndc', 1), ('hcl', 1), ('usp', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Leiter Pharmacy is recalling due bacterial contamination found after investigation at contract testing laboratory discovered that OOS/failed results were reported to customers as passing. Hence the sterility of the products cannot be assured. \n",
"top 10 keywords: [('avastin', 1), ('pf', 1), ('ca', 1), ('park', 1), ('compounding', 1), ('ave.', 1), ('2.5mg/0.1ml', 1), ('pharmacy', 1), ('san', 1), ('jose', 1)]\n",
"---\n",
"reason_for_recall : Labeling; labeled with incorrect EXP Date; Incorrect expiration date printed on the outer packaging. Package incorrectly states 5/2014 should correctly state 4/2014\n",
"top 10 keywords: [('major', 2), ('ml', 2), ('fl', 1), ('pharmaceuticals', 1), ('acetaminophen', 1), ('per', 1), ('cherry', 1), ('mg.', 1), ('flavor', 1), ('mi', 1)]\n",
"---\n",
"reason_for_recall : cGMP Deviations: Active Pharmaceutical Ingredient (API) manufacturer is on FDA Import Alert. \n",
"top 10 keywords: [('rx', 4), ('supplement', 4), ('prescription', 4), ('ndc', 4), ('bottle', 4), ('prenatal/postnatal', 4), ('canada', 4), ('made', 4), ('dha', 4), ('packaged', 4)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; buPROPion HCl ER (XL), Tablet, 150 mg may be potentially mislabeled as MESALAMINE CR, Capsule, 250 mg, NDC 54092018981, Pedigree: AD52412_1, EXP: 5/17/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('aidapak', 1), ('distributed', 1), ('bupropion', 1), ('xl', 1), ('er', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1)]\n",
"---\n",
"reason_for_recall : Non-Sterility; contract laboratory identified Staphylococcus warneri in the product\n",
"top 10 keywords: [('sulfate', 3), ('mg', 3), ('mcg', 2), ('ml', 2), ('rx', 1), ('royal', 1), ('supplied', 1), ('benzyl', 1), ('compounding', 1), ('abrams', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: ESTROPIPATE, Tablet, 0.75 mg may have potentially been mislabeled as the following drug: MESALAMINE DR, Capsule, 400 mg, NDC 00430075327, Pedigree: AD34934_1, EXP: 1/31/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('estropipate', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('ndc', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; MULTIVITAMIN/ MULTIMINERAL/ LUTEIN Capsule may be potentially mislabeled as CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: AD21846_37, EXP: 5/1/2014; CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: AD60240_42, EXP: 5/22/2014; CAFFEINE, Tablet, 200 mg, NDC 24385060173, Pedigree: W003024, EXP: 6/12/2014; MELATONIN, Tablet, 3 mg, NDC 08770140813, Pedigree: AD73\n",
"top 10 keywords: [('distributed', 1), ('ndc', 1), ('lutein', 1), ('aidapak', 1), ('multivitamin/', 1), ('llc', 1), ('service', 1), ('counter', 1), ('capsule', 1), ('multimineral/', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup; GALANTAMINE HBR ER, Capsule, 24 mg may be potentially mislabeled as ESCITALOPRAM, Tablet, 5 mg, NDC 00093585001, Pedigree: W003733, EXP: 6/26/2014.\n",
"top 10 keywords: [('mg', 1), ('er', 1), ('ndc', 1), ('galantamine', 1), ('rx', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('hbr', 1), ('capsule', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foriegn Substance: Plastic cap closure particulates may be present in the product.\n",
"top 10 keywords: [('promethazine', 3), ('hydrobromide', 2), ('one', 2), ('hydrochloride', 2), ('mg', 2), ('usp', 2), ('dextromethorphan', 2), ('ml', 2), ('dm', 1), ('qualitest', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: out of specification result for droplet size distribution at the d90 measurement testing during the 6 month time point..\n",
"top 10 keywords: [('nasal', 2), ('spray', 2), ('pharmaceuticals', 1), ('rx', 1), ('per', 1), ('mcg', 1), ('azelastine', 1), ('nj', 1), ('corp.', 1), ('hydrochloride', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: SIMVASTATIN, Tablet, 5 mg may have potentially been mislabeled as the following drug: LOSARTAN POTASSIUM, Tablet, 25 mg, NDC 13668011390, Pedigree: AD65323_10, EXP: 5/29/2014. \n",
"top 10 keywords: [('simvastatin', 1), ('mg', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: PERPHENAZINE, Tablet, 16 mg may have potentially been mislabeled as one of the following drugs: LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: AD21790_28, EXP: 5/1/2014; LITHIUM CARBONATE ER, Tablet, 450 mg, NDC 00054002025, Pedigree: W002730, EXP: 6/6/2014; RALTEGRAVIR, Tablet, 400 mg, NDC 00006022761, Pedigree: W003680, EXP: 6/25/2014; VENLAFAXINE HCL\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('perphenazine', 1)]\n",
"---\n",
"reason_for_recall : Failed Stability Specifications: Out of specification for preservative, benazalkonium chloride.\n",
"top 10 keywords: [('inc.', 2), ('spray', 2), ('propionate', 1), ('rx', 1), ('nasal', 1), ('forest', 1), ('hi-tech', 1), ('mcg', 1), ('weight', 1), ('lake', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Tablets/Capsules: Product labeled TUMS Ultra Assorted Berries 1000mg Chewable tables, may contain EX TUMS Assorted Berries 750mg tablets\n",
"top 10 keywords: [('tablets', 1), ('antacid/calcium', 1), ('supplement', 1), ('chewable', 1), ('moon', 1), ('ultra', 1), ('glaxosmithkline', 1), ('tums', 1), ('ndc', 1), ('pa', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; ATORVASTATIN CALCIUM Tablet, 20 mg may be potentially mislabeled as guaiFENesin ER, Tablet, 600 mg, NDC 63824000834, Pedigree: W003850, EXP: 6/27/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('calcium', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('atorvastatin', 1)]\n",
"---\n",
"reason_for_recall : Incorrect/Undeclared Excipients: Specific drug products were compounded with an incorrect solvent.\n",
"top 10 keywords: [('rx', 12), ('ml', 10), ('ste', 6), ('wi', 6), ('brookfield', 6), ('w.', 6), ('md', 6), ('custom', 6), ('dr.', 6), ('capitol', 6)]\n",
"---\n",
"reason_for_recall : Failed Tablet/Capsule Specifications; Product contains broken tablets.\n",
"top 10 keywords: [('inc.', 2), ('watson', 2), ('tablets', 1), ('mg', 1), ('acetaminophen', 1), ('ca', 1), ('pharma', 1), ('rx', 1), ('ciii', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: A recall of all compounded sterile preparations within expiry is being initiated due to observations associated with poor sterile production practices resulting in a lack of sterility assurance for their finished drugs. \n",
"top 10 keywords: [('ml', 71), ('pharmacy', 39), ('rx', 39), ('essential', 39), ('university', 39), ('wellness', 39), ('il', 39), ('n.', 39), ('peoria', 39), ('injection', 34)]\n",
"---\n",
"reason_for_recall : Subpotent Drug: concentration of product is less than labeled amount. \n",
"top 10 keywords: [('fl', 1), ('il', 1), ('sodium', 1), ('forest', 1), ('solution', 1), ('oz', 1), ('ndc', 1), ('chloride', 1), ('usp', 1), ('akorn', 1)]\n",
"---\n",
"reason_for_recall : Superpotent Drug: The vitamin supplement contains an extremely high level of vitamin D3 (Cholecalciferol).\n",
"top 10 keywords: [('d3', 2), ('vials', 1), ('ave.', 1), ('pahokee', 1), ('supplement', 1), ('s.', 1), ('glades', 1), ('lake', 1), ('drugs', 1), ('vit', 1)]\n",
"---\n",
"reason_for_recall : Defective Delivery System: Some Lupron Depot Kits may contain a syringe with a potentially defective LuproLoc needle stick protection device.\n",
"top 10 keywords: [('administration', 8), ('depot', 7), ('lupron', 4), ('rx', 4), ('north', 4), ('takeda', 4), ('dual-chamber', 4), ('japan', 4), ('abbvie', 4), ('osaka', 4)]\n",
"---\n",
"reason_for_recall : Labeling: Label Error on Declared Strength: Incorrect strength on side display panel of label\n",
"top 10 keywords: [('tablets', 2), ('pharma', 2), ('aurobindo', 2), ('manufactured', 2), ('rx', 1), ('dayton', 1), ('hyderabad-', 1), ('route', 1), ('north', 1), ('limited', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; tiZANidine HCL Tablet, 2 mg may be potentially mislabeled as NICOTINE POLACRILEX, Lozenge, 2 mg, NDC 37205098769, Pedigree: AD70700_4, EXP: 5/29/2014; NIFEdipine ER, Tablet, 60 mg, NDC 00591319401, Pedigree: W003729, EXP: 6/26/2014. \n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('tizanidine', 1)]\n",
"---\n",
"reason_for_recall : Lack of Assurance of Sterility: Park Compounding is voluntarily recalling two lots of Methylcobalamin 5mg/ml and Multitrace-5 Concentrate, and one lot of Testosterone Cypionate (sesame oil) for injection due lack of sterility assurance.\n",
"top 10 keywords: [('amber', 1), ('oil', 1), ('park', 1), ('compounding', 1), ('irvine', 1), ('vials', 1), ('injection', 1), ('200mg/ml', 1), ('cypionate', 1), ('10ml', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of Non-Sterile Products: Product failed USP Microbial Limits Test. \n",
"top 10 keywords: [('wash', 5), ('sulfacetamide', 4), ('oz', 4), ('sodium', 4), ('sulfur', 4), ('net', 3), ('wt', 3), ('g', 3), ('rx', 2), ('sunscreen', 2)]\n",
"---\n",
"reason_for_recall : Failed Impurities/Degradation Specifications: During stability testing an unknown impurity was found to be above the specification limit at 36 month test interval\n",
"top 10 keywords: [('lupin', 4), ('manufactured', 4), ('tablets', 2), ('mg', 2), ('count', 2), ('rx', 2), ('limited', 2), ('states', 2), ('goa', 2), ('ndc', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: TACROLIMUS, Capsule, 1 mg may have potentially been mislabeled as one of the following drugs: BISOPROLOL FUMARATE, Tablet, 5 mg, NDC 29300012601, Pedigree: AD34934_7, EXP: 5/10/2014; SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD56917_4, EXP: 5/21/2014; SEVELAMER CARBONATE, Tablet, 800 mg, NDC 58468013001, Pedigree: AD73627_11, EXP: 5/30/2014; ATOMOXE\n",
"top 10 keywords: [('tacrolimus', 1), ('mg', 1), ('ndc', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('capsule', 1), ('rx', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: azaTHIOprine, Tablet, 50 mg may have potentially been mislabeled as the following drug: SELENIUM, Tablet, 50 mcg, NDC 00904316260, Pedigree: AD56939_1, EXP: 5/21/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('rx', 1), ('llc', 1), ('service', 1), ('azathioprine', 1)]\n",
"---\n",
"reason_for_recall : CGMP Deviations: The products were manufactured with raw material which contain unknown particles believed to be water and dirt.\n",
"top 10 keywords: [('wipes', 7), ('per', 6), ('hand', 4), ('lemon', 4), ('sanitizing', 3), ('bucket', 3), ('case', 3), ('buckets', 3), ('premoistened', 3), ('chem', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without an Approved NDA/ANDA: Eugene FDA laboratory analyses determined they contain undeclared sildenafil. \n",
"top 10 keywords: [('mg', 3), ('per', 3), ('ant', 2), ('mojo', 2), ('black', 2), ('risen', 2), ('box', 2), ('capsules', 2), ('produced', 1), ('city', 1)]\n",
"---\n",
"reason_for_recall : Failed Dissolution Specification: During analysis of the 18 month long term stability testing, it was noticed that the drug release results at the 4 hour time point are not meeting specifications.\n",
"top 10 keywords: [('sun', 2), ('pharmaceutical', 2), ('halol', 2), ('tablets', 1), ('rx', 1), ('count', 1), ('ltd.', 1), ('india', 1), ('baroda', 1), ('cranbury', 1)]\n",
"---\n",
"reason_for_recall : Subpotent. drug\n",
"top 10 keywords: [('pharmaceuticals', 2), ('taro', 2), ('inc.', 2), ('rx', 1), ('ny', 1), ('hawthorne', 1), ('mfd', 1), ('1c1', 1), ('l6t', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Truvada was found to contain small red silicone rubber particulates.\n",
"top 10 keywords: [('mg', 2), ('tablets', 1), ('disoproxil', 1), ('ca', 1), ('tenofovir', 1), ('truvada', 1), ('emtricitabine', 1), ('inc.', 1), ('rx', 1), ('bottles', 1)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter: Black particulate matter was identified as aggregate of silicone rubber pieces from a filler diaphragm and fluorouracil crystals. \n",
"top 10 keywords: [('fluorouracil', 1), ('package', 1), ('ca', 1), ('mg/ml', 1), ('rx', 1), ('use', 1), ('pharmacy', 1), ('medicines', 1), ('injection', 1), ('irvine', 1)]\n",
"---\n",
"reason_for_recall : Labeling:Label Mixup; PRAMIPEXOLE DI-HCL, Tablet, 1.5 mg may be potentially mislabeled as LIOTHYRONINE SODIUM, Tablet, 25 mcg, NDC 42794001902, Pedigree: AD68010_11, EXP: 5/28/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('llc', 1), ('service', 1), ('pramipexole', 1), ('di-hcl', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance: Uncharacteristic blacks spots on tablets.\n",
"top 10 keywords: [('tablets', 3), ('per', 2), ('ndc', 2), ('bottle', 2), ('mg', 1), ('rx', 1), ('carisoprodol', 1), ('pharmaceutical', 1), ('nj', 1), ('corp.', 1)]\n",
"---\n",
"reason_for_recall : Presence of Foreign Substance; tablets may contain stainless steel metal particulates\n",
"top 10 keywords: [('tablets', 2), ('rx', 1), ('ndc', 1), ('alprazolam', 1), ('usp', 1), ('princeton', 1), ('sandoz', 1), ('0.25mg', 1), ('nj', 1), ('inc.', 1)]\n",
"---\n",
"reason_for_recall : Failed Content Uniformity Specifications\n",
"top 10 keywords: [('rx', 3), ('ndc', 3), ('inc.', 3), ('g', 3), ('upc', 3), ('irvine', 2), ('use', 2), ('allergan', 2), ('gel', 2), ('tazorac', 2)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: tiZANidine HCl, Tablet, 2 mg may have potentially been mislabeled as the following drug: NIACIN TR, Tablet, 500 mg, NDC 00904434260, Pedigree: W002969, EXP: 6/11/2014.\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('hcl', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('tizanidine', 1)]\n",
"---\n",
"reason_for_recall : Subpotent Drug; confirmed results by FDA analysis after customer complaints of discoloration \n",
"top 10 keywords: [('ml', 4), ('mg', 2), ('bag', 2), ('sodium', 2), ('bitartrate', 2), ('norepinephrine', 2), ('rx', 2), ('ndc', 2), ('services', 2), ('sugar', 2)]\n",
"---\n",
"reason_for_recall : Failed Content Uniformity: Product was out of specification for spray content uniformity obtained during stability testing. \n",
"top 10 keywords: [('northridge', 2), ('rx', 2), ('nasal', 2), ('3m', 2), ('ca', 2), ('horsham', 2), ('mcg', 2), ('aerosol', 2), ('dipropionate', 2), ('ndc', 2)]\n",
"---\n",
"reason_for_recall : Marketed Without An Approved NDA/ANDA: Dietary supplements contains undeclared sibutramine, desmethylsibutramine and phenolphthalein based on FDA sampling.\n",
"top 10 keywords: [('performance', 1), ('gold', 1), ('30-count', 1), ('florida', 1), ('life', 1), ('burner', 1), ('distributed', 1), ('supplement', 1), ('doral', 1), ('high', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: SENNOSIDES, Tablet, 8.6 mg may have potentially been mislabeled as one of the following drugs: FEXOFENADINE HCL, Tablet, 180 mg, NDC 41167412003, Pedigree: AD62834_1, EXP: 5/23/2014; TRIMETHOBENZAMIDE HCL, Capsule, 300 mg, NDC 53489037601, Pedigree: W002976, EXP: 6/11/2014; LORATADINE, Tablet, 10 mg, NDC 45802065078, Pedigree: W003253, EXP: 6/17/2014. \n",
"top 10 keywords: [('mg', 1), ('distributed', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('sennosides', 1), ('service', 1), ('counter', 1), ('llc', 1)]\n",
"---\n",
"reason_for_recall : Microbial Contamination of a Non-Sterile Products: Product was found to be contaminated with the bacteria, Sarcina Lutea.\n",
"top 10 keywords: [('fl', 1), ('il', 1), ('dishwashing', 1), ('batavia', 1), ('triclosan', 1), ('upc', 1), ('soap', 1), ('hand', 1), ('aldi', 1), ('liquid', 1)]\n",
"---\n",
"reason_for_recall : Labeling: Label Mixup: VALSARTAN, Tablet, 160 mg may have potentially been mislabeled as one of the following drugs: PROGESTERONE, Capsule, 100 mg, NDC 00032170801, Pedigree: AD46320_1, EXP: 5/15/2014; CapsuleTOPRIL, Tablet, 6.25 mg (1/2 of 12.5 mg), NDC 00143117101, Pedigree: AD46312_4, EXP: 5/16/2014; MYCOPHENOLATE MOFETIL, Tablet, 500 mg, NDC 00004026001, Pedigree: AD49414_4, EXP: 5/17/2014;\n",
"top 10 keywords: [('mg', 1), ('rx', 1), ('ndc', 1), ('tablet', 1), ('aidapak', 1), ('distributed', 1), ('service', 1), ('llc', 1), ('valsartan', 1)]\n",
"---\n",
"reason_for_recall : Stability Does Not Support Expiry: manufactured with an active ingredient that expired before the labeled Beyond Use Date.\n",
"top 10 keywords: [('mg', 6), ('polaris', 2), ('las', 2), ('ave.', 2), ('inc.', 2), ('papaverine', 2), ('pge', 2), ('laboratories', 2), ('vegas', 2), ('formula', 2)]\n",
"---\n",
"reason_for_recall : Presence of Particulate Matter- Confimed customer complaint of particulates embedded in glass container and in contact with product solution.\n",
"top 10 keywords: [('per', 2), ('vials', 2), ('mg', 1), ('rx', 1), ('5-ml', 1), ('box', 1), ('ndc', 1), ('lidocaine', 1), ('injection', 1), ('hcl', 1)]\n",
"---\n",
"reason_for_recall : "
]
}
],
"source": [
"for category in set(data['reason_for_recall']):\n",
" print('reason_for_recall :', category)\n",
" print('top 10 keywords:', keywords(category))\n",
" print('---')"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Looking at these lists, we can formulate some hypotheses:\n",
"\n",
"- the sport category deals with the champions' league, the footbal season and NFL\n",
"- some tech articles refer to Google\n",
"- the business news seem to be highly correlated with US politics and Donald Trump (this mainly originates from us press)\n",
"\n",
"Extracting the top 10 most frequent words per each category is straightforward and can point to important keywords. \n",
"\n",
"However, although we did preprocess the descriptions and remove the stop words before, we still end up with words that are very generic (e.g: today, world, year, first) and don't carry a specific meaning that may describe a topic.\n",
"\n",
"As a first approach to prevent this, we'll use tf-idf"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Text processing : tf-idf\n",
"[[ go back to the top ]](#Table-of-contents)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"tf-idf stands for term frequencey-inverse document frequency. It's a numerical statistic intended to reflect how important a word is to a document or a corpus (i.e a collection of documents). \n",
"\n",
"To relate to this post, words correpond to tokens and documents correpond to descriptions. A corpus is therefore a collection of descriptions.\n",
"\n",
"The tf-idf a of a term t in a document d is proportional to the number of times the word t appears in the document d but is also offset by the frequency of the term t in the collection of the documents of the corpus. This helps adjusting the fact that some words appear more frequently in general and don't especially carry a meaning.\n",
"\n",
"tf-idf acts therefore as a weighting scheme to extract relevant words in a document.\n",
"\n",
"$$tfidf(t,d) = tf(t,d) . idf(t) $$\n",
"\n",
"$tf(t,d)$ is the term frequency of t in the document d (i.e. how many times the token t appears in the description d)\n",
"\n",
"$idf(t)$ is the inverse document frequency of the term t. it's computed by this formula:\n",
"\n",
"$$idf(t) = log(1 + \\frac{1 + n_d}{1 + df(d,t)}) $$\n",
"\n",
"- $n_d$ is the number of documents\n",
"- $df(d,t)$ is the number of documents (or descriptions) containing the term t\n",
"\n",
"Computing the tfidf matrix is done using the TfidfVectorizer method from scikit-learn. Let's see how to do this:"
]
},
{
"cell_type": "code",
"execution_count": 49,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"from sklearn.feature_extraction.text import TfidfVectorizer\n",
"\n",
"# min_df is minimum number of documents that contain a term t\n",
"# max_features is maximum number of unique tokens (across documents) that we'd consider\n",
"# TfidfVectorizer preprocesses the descriptions using the tokenizer we defined above\n",
"\n",
"vectorizer = TfidfVectorizer(min_df=10, max_features=10000, tokenizer=tokenizer, ngram_range=(1, 2))\n",
"vz = vectorizer.fit_transform(list(data['product_description']))"
]
},
{
"cell_type": "code",
"execution_count": 50,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"(6957, 2824)"
]
},
"execution_count": 50,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"vz.shape"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"vz is a tfidf matrix. \n",
"\n",
"- its number of rows is the total number of documents (descriptions) \n",
"- its number of columns is the total number of unique terms (tokens) across the documents (descriptions)\n",
"\n",
"$x_{dt} = tfidf(t,d)$ where $x_{dt}$ is the element at the index (d,t) in the matrix."
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's create a dictionary mapping the tokens to their tfidf values "
]
},
{
"cell_type": "code",
"execution_count": 51,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"tfidf = dict(zip(vectorizer.get_feature_names(), vectorizer.idf_))\n",
"tfidf = pd.DataFrame(columns=['tfidf']).from_dict(dict(tfidf), orient='index')\n",
"tfidf.columns = ['tfidf']"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We can visualize the distribution of the tfidf scores through an histogram"
]
},
{
"cell_type": "code",
"execution_count": 52,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x17b884e8320>"
]
},
"execution_count": 52,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAA3AAAAGfCAYAAAAeZzCpAAAABHNCSVQICAgIfAhkiAAAAAlwSFlz\nAAALEgAACxIB0t1+/AAAHRdJREFUeJzt3X2MpWd5H+DfHS9fZalNAh25a6uLFDcSYRXAI0NEFM2C\nSAyOYkdKkJFLbOJqU4lERDgtS6QqSVNURwqhidKibnCC05BsXAPCsk1aarxNkWqIlzisP4iywCK8\nMnYhxrCEUC25+8e+Q0/Xa8/sfPjM47kuaTTnfd7nPec+o1uWf/s85z3V3QEAAGDr+655FwAAAMDq\nCHAAAACDEOAAAAAGIcABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQeyYdwFJ8oIX\nvKB379497zKG9o1vfCPPfe5z510GW4R+YJleYJZ+YJZ+YJZ+mL/Dhw9/ubtfuNK8LRHgdu/enbvv\nvnveZQzt0KFDWVpamncZbBH6gWV6gVn6gVn6gVn6Yf6q6gurmWcLJQAAwCAEOAAAgEEIcAAAAIMQ\n4AAAAAax6gBXVedU1V9U1a3T8Yuq6hNVdbSq/qSqnjmNP2s6Pjqd3705pQMAAGwvZ7MC99YkD8wc\n/3qSd3f39yZ5NMm10/i1SR6dxt89zQMAAGCdVhXgquqCJJclee90XEleneTmacqNSa6YHl8+HWc6\n/5ppPgAAAOtQ3b3ypKqbk/y7JM9L8otJrkly17TKlqq6MMlHuvslVXVvkku7+8Hp3GeTvKK7v3za\nc+5Lsi9JFhYWLj548OCGvant6MSJE9m5c+e8y2CL0A8s0wvM0g/M0g/M0g/zt3fv3sPdvbjSvBW/\nyLuqfizJI919uKqWNqK4JOnuA0kOJMni4mL74sD18eWLzNIPLNMLzNIPzNIPzNIP41gxwCV5VZIf\nr6rXJ3l2kn+Y5LeSnFdVO7r7ZJILkhyf5h9PcmGSB6tqR5Jzk3xlwysHAADYZlb8DFx3v6O7L+ju\n3UmuTPKx7r4qyZ1JfnKadnWSD0+Pb5mOM53/WK9mnyYAAABPaj3fA/f2JG+rqqNJvifJDdP4DUm+\nZxp/W5L96ysRAACAZHVbKL+juw8lOTQ9/lySS84w5++S/NQG1AYAAMCM9azAAQAA8BQS4AAAAAYh\nwAEAAAzirD4DBwAAMG+799+25muPXX/ZBlby1LMCBwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAA\nAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAgBDgAAIBBCHAAAACDEOAAAAAG\nIcABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQQhwAAAAgxDgAAAABiHAAQAADEKA\nAwAAGIQABwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcA\nADCIFQNcVT27qj5ZVX9ZVfdV1a9O4++rqs9X1T3Tz0un8aqq366qo1X16ap6+Wa/CQAAgO1gxyrm\nfCvJq7v7RFU9I8nHq+oj07l/2d03nzb/dUkumn5ekeQ9028AAADWYcUVuD7lxHT4jOmnn+SSy5P8\nwXTdXUnOq6rz118qAADA9raqz8BV1TlVdU+SR5J8tLs/MZ1657RN8t1V9axpbFeSL85c/uA0BgAA\nwDpU95Mtpp02ueq8JB9K8vNJvpLkS0memeRAks9297+pqluTXN/dH5+uuSPJ27v77tOea1+SfUmy\nsLBw8cGDBzfg7WxfJ06cyM6dO+ddBluEfmCZXmCWfmCWfmDWaP1w5Phja752z65zN7CSjbN3797D\n3b240rzVfAbuO7r7q1V1Z5JLu/s3puFvVdXvJ/nF6fh4kgtnLrtgGjv9uQ7kVPDL4uJiLy0tnU0p\nnObQoUPxN2SZfmCZXmCWfmCWfmDWaP1wzf7b1nztsauWNq6QOVjNXShfOK28paqek+S1ST6z/Lm2\nqqokVyS5d7rkliQ/Pd2N8pVJHuvuhzalegAAgG1kNStw5ye5sarOyanAd1N331pVH6uqFyapJPck\n+RfT/NuTvD7J0SR/m+TNG182AADA9rNigOvuTyd52RnGX/0E8zvJW9ZfGgAAALNWdRdKAAAA5k+A\nAwAAGIQABwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcA\nADAIAQ4AAGAQAhwAAMAgBDgAAIBBCHAAAACDEOAAAAAGIcABAAAMQoADAAAYhAAHAAAwCAEOAABg\nEAIcAADAIAQ4AACAQQhwAAAAgxDgAAAABiHAAQAADEKAAwAAGIQABwAAMAgBDgAAYBACHAAAwCAE\nOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAgVgxwVfXsqvpk\nVf1lVd1XVb86jb+oqj5RVUer6k+q6pnT+LOm46PT+d2b+xYAAAC2h9WswH0ryau7+weSvDTJpVX1\nyiS/nuTd3f29SR5Ncu00/9okj07j757mAQAAsE4rBrg+5cR0+Izpp5O8OsnN0/iNSa6YHl8+HWc6\n/5qqqg2rGAAAYJta1WfgquqcqronySNJPprks0m+2t0npykPJtk1Pd6V5ItJMp1/LMn3bGTRAAAA\n21F19+onV52X5ENJ/nWS903bJFNVFyb5SHe/pKruTXJpdz84nftskld095dPe659SfYlycLCwsUH\nDx7ciPezbZ04cSI7d+6cdxlsEfqBZXqBWfqBWfqBWaP1w5Hjj6352j27zt3ASjbO3r17D3f34krz\ndpzNk3b3V6vqziQ/mOS8qtoxrbJdkOT4NO14kguTPFhVO5Kcm+QrZ3iuA0kOJMni4mIvLS2dTSmc\n5tChQ/E3ZJl+YJleYJZ+YJZ+YNZo/XDN/tvWfO2xq5Y2rpA5WM1dKF84rbylqp6T5LVJHkhyZ5Kf\nnKZdneTD0+NbpuNM5z/WZ7PMBwAAwBmtZgXu/CQ3VtU5ORX4buruW6vq/iQHq+rfJvmLJDdM829I\n8p+r6miSv0ly5SbUDQAAsO2sGOC6+9NJXnaG8c8lueQM43+X5Kc2pDoAAAC+Y1V3oQQAAGD+BDgA\nAIBBCHAAAACDEOAAAAAGIcABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQQhwAAAA\ngxDgAAAABiHAAQAADEKAAwAAGIQABwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAYh\nwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAgBDgAAIBBCHAAAACDEOAAAAAGIcABAAAMQoAD\nAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQQhwAAAAgxDgAAAABiHAAQAADEKAAwAAGMSKAa6q\nLqyqO6vq/qq6r6reOo3/SlUdr6p7pp/Xz1zzjqo6WlV/VVU/uplvAAAAYLvYsYo5J5Nc192fqqrn\nJTlcVR+dzr27u39jdnJVvTjJlUm+P8k/TvLfq+qfdve3N7JwAACA7WbFFbjufqi7PzU9/nqSB5Ls\nepJLLk9ysLu/1d2fT3I0ySUbUSwAAMB2Vt29+slVu5P8WZKXJHlbkmuSfC3J3Tm1SvdoVf1Okru6\n+w+na25I8pHuvvm059qXZF+SLCwsXHzw4MH1vpdt7cSJE9m5c+e8y2CL0A8s0wvM0g/M0g/MWms/\nHDn+2Jpfc8+uc9d87bxedzPt3bv3cHcvrjRvNVsokyRVtTPJB5L8Qnd/rarek+TXkvT0+11Jfma1\nz9fdB5IcSJLFxcVeWlpa7aWcwaFDh+JvyDL9wDK9wCz9wCz9wKy19sM1+29b82seu+rsX2/er7sV\nrOoulFX1jJwKb+/v7g8mSXc/3N3f7u6/T/K7+X/bJI8nuXDm8gumMQAAANZhNXehrCQ3JHmgu39z\nZvz8mWk/keTe6fEtSa6sqmdV1YuSXJTkkxtXMgAAwPa0mi2Ur0rypiRHquqeaeyXkryxql6aU1so\njyX52STp7vuq6qYk9+fUHSzf4g6UAAAA67digOvujyepM5y6/UmueWeSd66jLgAAAE6zqs/AAQAA\nMH8CHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAg\nBDgAAIBBCHAAAACDEOAAAAAGIcABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQQhw\nAAAAgxDgAAAABiHAAQAADEKAAwAAGIQABwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAA\nAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAgBDgAAIBBCHAAAACDEOAAAAAGsWKAq6oL\nq+rOqrq/qu6rqrdO499dVR+tqr+efj9/Gq+q+u2qOlpVn66ql2/2mwAAANgOVrMCdzLJdd394iSv\nTPKWqnpxkv1J7ujui5LcMR0nyeuSXDT97Evyng2vGgAAYBtaMcB190Pd/anp8deTPJBkV5LLk9w4\nTbsxyRXT48uT/EGfcleS86rq/A2vHAAAYJvZcTaTq2p3kpcl+USShe5+aDr1pSQL0+NdSb44c9mD\n09hDAQAAtozd+29Lkly352SumR6ztVV3r25i1c4k/yPJO7v7g1X11e4+b+b8o939/Kq6Ncn13f3x\nafyOJG/v7rtPe759ObXFMgsLCxcfPHhwY97RNnXixIns3Llz3mWwRegHlukFZukHZukHkuTI8ceS\nJAvPSR7+5lP72nt2nbvma5frfqpfdzPt3bv3cHcvrjRvVStwVfWMJB9I8v7u/uA0/HBVnd/dD01b\nJB+Zxo8nuXDm8gumsf9Pdx9IciBJFhcXe2lpaTWl8AQOHToUf0OW6QeW6QVm6Qdm6QeSfGfV7bo9\nJ/OuI2e1OW/djl21tOZr17NauJ7X3QpWcxfKSnJDkge6+zdnTt2S5Orp8dVJPjwz/tPT3ShfmeSx\nma2WAAAArNFqYvarkrwpyZGqumca+6Uk1ye5qaquTfKFJG+Yzt2e5PVJjib52yRv3tCKAQAAtqkV\nA9z0WbZ6gtOvOcP8TvKWddYFAADAaVbzPXAAAABsAQIcAADAIAQ4AACAQQhwAAAAgxDgAAAABiHA\nAQAADEKAAwAAGIQABwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMA\nABiEAAcAADAIAQ4AAGAQO+ZdAAAAsHa799827xJ4ClmBAwAAGIQABwAAMAgBDgAAYBACHAAAwCAE\nOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcAADCIHfMuAAAAng52779tzdceu/6yDayE\npzMrcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAgBDgAAIBBCHAAAACD\nWDHAVdXvVdUjVXXvzNivVNXxqrpn+nn9zLl3VNXRqvqrqvrRzSocAABgu1nNCtz7klx6hvF3d/dL\np5/bk6SqXpzkyiTfP13zH6vqnI0qFgAAYDvbsdKE7v6zqtq9yue7PMnB7v5Wks9X1dEklyT5X2uu\nEAAAngK799827xJgRdXdK086FeBu7e6XTMe/kuSaJF9LcneS67r70ar6nSR3dfcfTvNuSPKR7r75\nDM+5L8m+JFlYWLj44MGDG/B2tq8TJ05k586d8y6DLUI/sEwvMEs/MEs/PN6R44/N7bX37Dp3zddu\nRN0Lz0ke/ua6n+aszOs9r+d1N9PevXsPd/fiSvNWXIF7Au9J8mtJevr9riQ/czZP0N0HkhxIksXF\nxV5aWlpjKSTJoUOH4m/IMv3AMr3ALP3ALP3weNfMcQXu2FVLa752I+q+bs/JvOvIWqPB2szrPa/n\ndbeCNd2Fsrsf7u5vd/ffJ/ndnNommSTHk1w4M/WCaQwAAIB1WlOAq6rzZw5/IsnyHSpvSXJlVT2r\nql6U5KIkn1xfiQAAACSr2EJZVX+cZCnJC6rqwSS/nGSpql6aU1sojyX52STp7vuq6qYk9yc5meQt\n3f3tzSkdAICtaj03BDl2/WUbWAk8vazmLpRvPMPwDU8y/51J3rmeogAAAHi8NW2hBAAA4KknwAEA\nAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwAAMAgBDgAAIBBCHAAAACDEOAAAAAGsWPeBQAAANvP7v23\nzbuEIVmBAwAAGIQABwAAMAhbKAEAYM5sJ2S1rMABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADA\nINyFEgCApw13c+TpzgocAADAIAQ4AACAQQhwAAAAgxDgAAAABiHAAQAADEKAAwAAGIQABwAAMAgB\nDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4AAGAQAhwA\nAMAgBDgAAIBBrBjgqur3quqRqrp3Zuy7q+qjVfXX0+/nT+NVVb9dVUer6tNV9fLNLB4AAGA7Wc0K\n3PuSXHra2P4kd3T3RUnumI6T5HVJLpp+9iV5z8aUCQAAwIoBrrv/LMnfnDZ8eZIbp8c3JrliZvwP\n+pS7kpxXVedvVLEAAADb2Vo/A7fQ3Q9Nj7+UZGF6vCvJF2fmPTiNAQAAsE7V3StPqtqd5Nbufsl0\n/NXuPm/m/KPd/fyqujXJ9d398Wn8jiRv7+67z/Cc+3Jqm2UWFhYuPnjw4Aa8ne3rxIkT2blz57zL\nYIvQDyzTC8zSD8za7H44cvyxNV+7Z9e5c3nd7WzhOcnD35x3FU+N9fTXZtq7d+/h7l5cad6ONT7/\nw1V1fnc/NG2RfGQaP57kwpl5F0xjj9PdB5IcSJLFxcVeWlpaYykkyaFDh+JvyDL9wDK9wCz9wKzN\n7odr9t+25muPXbU0l9fdzq7bczLvOrLWaDCW9fTXVrDWLZS3JLl6enx1kg/PjP/0dDfKVyZ5bGar\nJQAAAOuwYsyuqj9OspTkBVX1YJJfTnJ9kpuq6tokX0jyhmn67Ulen+Rokr9N8uZNqBkAAGBbWjHA\ndfcbn+DUa84wt5O8Zb1FAQAA8HjbY6MrAMA2tPtJPg923Z6TK35e7Nj1l210ScA6rfUzcAAAADzF\nBDgAAIBBCHAAAACDEOAAAAAGIcABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQQhw\nAAAAg9gx7wIAAHhiu/ffNu8SgC3EChwAAMAgrMABAHBGVv9g67ECBwAAMAgBDgAAYBACHAAAwCAE\nOAAAgEG4iQkAAFuKm6fAE7MCBwAAMAgBDgAAYBACHAAAwCAEOAAAgEEIcAAAAIMQ4AAAAAbhawQA\ngGGs5/byx66/bAMrOTtuiw9sFCtwAAAAg7ACBwCwClbRgK3AChwAAMAgBDgAAIBBCHAAAACDEOAA\nAAAGIcABAAAMQoADAAAYhK8RAAC2BV8DADwdWIEDAAAYhBU4AOApZSUMYO3WFeCq6liSryf5dpKT\n3b1YVd+d5E+S7E5yLMkbuvvR9ZUJAADARqzA7e3uL88c709yR3dfX1X7p+O3b8DrAABbhFU0gPnY\njM/AXZ7kxunxjUmu2ITXAAAA2Haqu9d+cdXnkzyapJP8p+4+UFVf7e7zpvOV5NHl49Ou3ZdkX5Is\nLCxcfPDgwTXXQXLixIns3Llz3mWwRegHlukFZm1kPxw5/tiGPA/zs/Cc5OFvzrsKtort1A97dp07\n7xLOaO/evYe7e3GleevdQvlD3X28qv5Rko9W1WdmT3Z3V9UZE2J3H0hyIEkWFxd7aWlpnaVsb4cO\nHYq/Icv0A8v0ArM2sh+usYVyeNftOZl3HXE/O07ZTv1w7KqleZewLuvaQtndx6ffjyT5UJJLkjxc\nVecnyfT7kfUWCQAAwDoCXFU9t6qet/w4yY8kuTfJLUmunqZdneTD6y0SAACA9W2hXEjyoVMfc8uO\nJH/U3X9aVX+e5KaqujbJF5K8Yf1lAgAAsOYA192fS/IDZxj/SpLXrKcoAAAAHm8zvkYAAACATSDA\nAQAADEKAAwAAGIQABwAAMAgBDgAAYBDb4+vWAYDH2b3/tnmXAMBZsgIHAAAwCAEOAABgEAIcAADA\nIAQ4AACAQbiJCcAK1nOjh2PXX7aBlfB0pL8AOBtW4AAAAAYhwAEAAAxCgAMAABiEAAcAADAIAQ4A\nAGAQAhwAAMAgBDgAAIBBCHAAAACDEOAAAAAGIcABAAAMYse8CwAA1mb3/tvOav51e07mmrO8BoCt\nxQocAADAIAQ4AACAQdhCCQA5++2Is45df9kGVgIAT8wKHAAAwCAEOAAAgEHYQgmwRa1nS19iWx8A\nPB1ZgQMAABiEFThgW1jvahYAwFYgwAGwodzNEQA2jwAHwJYxavizwgvAU0WAA+BxBBIA2JrcxAQA\nAGAQVuAAeFqwagjAdiDAwTqM+nmdefE/2AAA62MLJQAAwCA2bQWuqi5N8ltJzkny3u6+frNeC7aj\nJ1vNum7PyVyzSatd23HlcD2sOgIAG2lTVuCq6pwk/yHJ65K8OMkbq+rFm/FaAAAA28VmrcBdkuRo\nd38uSarqYJLLk9y/Sa/HBvGZrqeOlRk22+79t23qaiwA8NTbrAC3K8kXZ44fTPKKTXqtTTPPMHO2\nrz37P2mjBql5/b0FqbPj7wUAMD/V3Rv/pFU/meTS7v7n0/Gbkryiu39uZs6+JPumw+9L8lcbXsj2\n8oIkX553EWwZ+oFleoFZ+oFZ+oFZ+mH+/kl3v3ClSZu1Anc8yYUzxxdMY9/R3QeSHNik1992quru\n7l6cdx1sDfqBZXqBWfqBWfqBWfphHJv1NQJ/nuSiqnpRVT0zyZVJbtmk1wIAANgWNmUFrrtPVtXP\nJfmvOfU1Ar/X3fdtxmsBAABsF5v2PXDdfXuS2zfr+Xkc21GZpR9YpheYpR+YpR+YpR8GsSk3MQEA\nAGDjbdZn4AAAANhgAtzAqurCqrqzqu6vqvuq6q3zron5qapnV9Unq+ovp3741XnXxPxV1TlV9RdV\ndeu8a2G+qupYVR2pqnuq6u5518N8VdV5VXVzVX2mqh6oqh+cd0089arq+6b/Jiz/fK2qfmHedfHk\nbKEcWFWdn+T87v5UVT0vyeEkV3T3/XMujTmoqkry3O4+UVXPSPLxJG/t7rvmXBpzVFVvS7KY5B92\n94/Nux7mp6qOJVnsbt/zRKrqxiT/s7vfO90x/B9091fnXRfzU1Xn5NTXfr2iu78w73p4YlbgBtbd\nD3X3p6bHX0/yQJJd862KeelTTkyHz5h+/AvNNlZVFyS5LMl7510LsHVU1blJfjjJDUnS3f9HeCPJ\na5J8Vnjb+gS4p4mq2p3kZUk+Md9KmKdpu9w9SR5J8tHu1g/b279P8q+S/P28C2FL6CT/raoOV9W+\neRfDXL0oyf9O8vvTFuv3VtVz510Uc3dlkj+edxGsTIB7GqiqnUk+kOQXuvtr866H+enub3f3S5Nc\nkOSSqnrJvGtiPqrqx5I80t2H510LW8YPdffLk7wuyVuq6ofnXRBzsyPJy5O8p7tfluQbSfbPtyTm\nadpG++NJ/su8a2FlAtzgps86fSDJ+7v7g/Ouh61h2gpzZ5JL510Lc/OqJD8+fe7pYJJXV9Ufzrck\n5qm7j0+/H0nyoSSXzLci5ujBJA/O7NK4OacCHdvX65J8qrsfnnchrEyAG9h004obkjzQ3b8573qY\nr6p6YVWdNz1+TpLXJvnMfKtiXrr7Hd19QXfvzqltMR/r7n8257KYk6p67nSzq0xb5X4kyb3zrYp5\n6e4vJfliVX3fNPSaJG6Atr29MbZPDmPHvAtgXV6V5E1Jjkyfe0qSX+ru2+dYE/NzfpIbp7tIfVeS\nm7rbreOBJFlI8qFT/+6XHUn+qLv/dL4lMWc/n+T909a5zyV585zrYU6mf9R5bZKfnXctrI6vEQAA\nABiELZQAAACDEOAAAAAGIcABAAAMQoADAAAYhAAHAAAwCAEOAABgEAIcAADAIAQ4AACAQfxf8SIb\ngeZeHwYAAAAASUVORK5CYII=\n",
"text/plain": [
"<matplotlib.figure.Figure at 0x17b87e5fef0>"
]
},
"metadata": {},
"output_type": "display_data"
}
],
"source": [
"tfidf.tfidf.hist(bins=50, figsize=(15,7))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's display the 30 tokens that have the lowest tfidf scores "
]
},
{
"cell_type": "code",
"execution_count": 53,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/html": [
"<div>\n",
"<table border=\"1\" class=\"dataframe\">\n",
" <thead>\n",
" <tr style=\"text-align: right;\">\n",
" <th></th>\n",
" <th>tfidf</th>\n",
" </tr>\n",
" </thead>\n",
" <tbody>\n",
" <tr>\n",
" <th>rx</th>\n",
" <td>1.677179</td>\n",
" </tr>\n",
" <tr>\n",
" <th>ndc</th>\n",
" <td>1.971009</td>\n",
" </tr>\n",
" <tr>\n",
" <th>ml</th>\n",
" <td>2.150526</td>\n",
" </tr>\n",
" <tr>\n",
" <th>pharmacy</th>\n",
" <td>2.161944</td>\n",
" </tr>\n",
" <tr>\n",
" <th>mg</th>\n",
" <td>2.381992</td>\n",
" </tr>\n",
" <tr>\n",
" <th>packaged</th>\n",
" <td>2.663018</td>\n",
" </tr>\n",
" <tr>\n",
" <th>distributed</th>\n",
" <td>2.736135</td>\n",
" </tr>\n",
" <tr>\n",
" <th>compounding</th>\n",
" <td>2.741861</td>\n",
" </tr>\n",
" <tr>\n",
" <th>inc.</th>\n",
" <td>2.769306</td>\n",
" </tr>\n",
" <tr>\n",
" <th>pharmaceuticals</th>\n",
" <td>2.799261</td>\n",
" </tr>\n",
" <tr>\n",
" <th>manufactured</th>\n",
" <td>2.822998</td>\n",
" </tr>\n",
" <tr>\n",
" <th>compounding pharmacy</th>\n",
" <td>2.822998</td>\n",
" </tr>\n",
" <tr>\n",
" <th>injection</th>\n",
" <td>2.900671</td>\n",
" </tr>\n",
" <tr>\n",
" <th>llc</th>\n",
" <td>2.920089</td>\n",
" </tr>\n",
" <tr>\n",
" <th>compounded</th>\n",
" <td>2.951965</td>\n",
" </tr>\n",
" <tr>\n",
" <th>usp</th>\n",
" <td>2.968292</td>\n",
" </tr>\n",
" <tr>\n",
" <th>mg/ml</th>\n",
" <td>2.970351</td>\n",
" </tr>\n",
" <tr>\n",
" <th>street</th>\n",
" <td>3.022187</td>\n",
" </tr>\n",
" <tr>\n",
" <th>injectable</th>\n",
" <td>3.100061</td>\n",
" </tr>\n",
" <tr>\n",
" <th>tn</th>\n",
" <td>3.126222</td>\n",
" </tr>\n",
" <tr>\n",
" <th>vial</th>\n",
" <td>3.143233</td>\n",
" </tr>\n",
" <tr>\n",
" <th>east</th>\n",
" <td>3.154324</td>\n",
" </tr>\n",
" <tr>\n",
" <th>tablets</th>\n",
" <td>3.285203</td>\n",
" </tr>\n",
" <tr>\n",
" <th>bottle</th>\n",
" <td>3.299428</td>\n",
" </tr>\n",
" <tr>\n",
" <th>rx manufactured</th>\n",
" <td>3.321152</td>\n",
" </tr>\n",
" <tr>\n",
" <th>unit</th>\n",
" <td>3.367603</td>\n",
" </tr>\n",
" <tr>\n",
" <th>sodium</th>\n",
" <td>3.376848</td>\n",
" </tr>\n",
" <tr>\n",
" <th>pharmaceutical</th>\n",
" <td>3.378397</td>\n",
" </tr>\n",
" <tr>\n",
" <th>fl</th>\n",
" <td>3.386179</td>\n",
" </tr>\n",
" <tr>\n",
" <th>per</th>\n",
" <td>3.419542</td>\n",
" </tr>\n",
" </tbody>\n",
"</table>\n",
"</div>"
],
"text/plain": [
" tfidf\n",
"rx 1.677179\n",
"ndc 1.971009\n",
"ml 2.150526\n",
"pharmacy 2.161944\n",
"mg 2.381992\n",
"packaged 2.663018\n",
"distributed 2.736135\n",
"compounding 2.741861\n",
"inc. 2.769306\n",
"pharmaceuticals 2.799261\n",
"manufactured 2.822998\n",
"compounding pharmacy 2.822998\n",
"injection 2.900671\n",
"llc 2.920089\n",
"compounded 2.951965\n",
"usp 2.968292\n",
"mg/ml 2.970351\n",
"street 3.022187\n",
"injectable 3.100061\n",
"tn 3.126222\n",
"vial 3.143233\n",
"east 3.154324\n",
"tablets 3.285203\n",
"bottle 3.299428\n",
"rx manufactured 3.321152\n",
"unit 3.367603\n",
"sodium 3.376848\n",
"pharmaceutical 3.378397\n",
"fl 3.386179\n",
"per 3.419542"
]
},
"execution_count": 53,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"tfidf.sort_values(by=['tfidf'], ascending=True).head(30)"
]
},
{
"cell_type": "code",
"execution_count": 54,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/html": [
"<div>\n",
"<table border=\"1\" class=\"dataframe\">\n",
" <thead>\n",
" <tr style=\"text-align: right;\">\n",
" <th></th>\n",
" <th>tfidf</th>\n",
" </tr>\n",
" </thead>\n",
" <tbody>\n",
" <tr>\n",
" <th>marietta ga</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>ut</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>venlafaxine hydrochloride</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>indiana pa</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>deltona fl</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>marietta</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>vehicle</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>bags/drum repackaging</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>hill pa</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>wrapped</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>mg mg/ml</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>syringes martin</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>use syringe</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>products inc.</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>inc. baltimore</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>ml g</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>150mg</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>bacteriostatic</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>kojic</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>venlafaxine hcl</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>2/75,000-tablet</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>detroit mi</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>succinate extended-release</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>siu-tri-mix</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>detroit</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>dextrose travasol</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>benckiser parsippany</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>furosemide</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>sterile compounding</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" <tr>\n",
" <th>chew tablet</th>\n",
" <td>7.449752</td>\n",
" </tr>\n",
" </tbody>\n",
"</table>\n",
"</div>"
],
"text/plain": [
" tfidf\n",
"marietta ga 7.449752\n",
"ut 7.449752\n",
"venlafaxine hydrochloride 7.449752\n",
"indiana pa 7.449752\n",
"deltona fl 7.449752\n",
"marietta 7.449752\n",
"vehicle 7.449752\n",
"bags/drum repackaging 7.449752\n",
"hill pa 7.449752\n",
"wrapped 7.449752\n",
"mg mg/ml 7.449752\n",
"syringes martin 7.449752\n",
"use syringe 7.449752\n",
"products inc. 7.449752\n",
"inc. baltimore 7.449752\n",
"ml g 7.449752\n",
"150mg 7.449752\n",
"bacteriostatic 7.449752\n",
"kojic 7.449752\n",
"venlafaxine hcl 7.449752\n",
"2/75,000-tablet 7.449752\n",
"detroit mi 7.449752\n",
"succinate extended-release 7.449752\n",
"siu-tri-mix 7.449752\n",
"detroit 7.449752\n",
"dextrose travasol 7.449752\n",
"benckiser parsippany 7.449752\n",
"furosemide 7.449752\n",
"sterile compounding 7.449752\n",
"chew tablet 7.449752"
]
},
"execution_count": 54,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"tfidf.sort_values(by=['tfidf'], ascending=False).head(30)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We end up with less common words. These words naturally carry more meaning for the given description and may outline the underlying topic."
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"As you've noticed, the documents have more than 4000 features (see the vz shape). put differently, each document has more than 4000 dimensions.\n",
"\n",
"If we want to plot them like we usually do with geometric objects, we need to reduce their dimension to 2 or 3 depending on whether we want to display on a 2D plane or on a 3D space. This is what we call dimensionality reduction.\n",
"\n",
"To perform this task, we'll be using a combination of two popular techniques: Singular Value Decomposition (SVD) to reduce the dimension to 50 and then t-SNE to reduce the dimension from 50 to 2. t-SNE is more suitable for dimensionality reduction to 2 or 3.\n",
"\n",
"Let's start reducing the dimension of each vector to 50 by SVD."
]
},
{
"cell_type": "code",
"execution_count": 55,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"from sklearn.decomposition import TruncatedSVD\n",
"svd = TruncatedSVD(n_components=50, random_state=0)\n",
"svd_tfidf = svd.fit_transform(vz)"
]
},
{
"cell_type": "code",
"execution_count": 56,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"(6957, 50)"
]
},
"execution_count": 56,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"svd_tfidf.shape"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Bingo. Now let's do better. From 50 to 2!"
]
},
{
"cell_type": "code",
"execution_count": 57,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"[t-SNE] Computing pairwise distances...\n",
"[t-SNE] Computing 91 nearest neighbors...\n",
"[t-SNE] Computed conditional probabilities for sample 1000 / 6957\n",
"[t-SNE] Computed conditional probabilities for sample 2000 / 6957\n",
"[t-SNE] Computed conditional probabilities for sample 3000 / 6957\n",
"[t-SNE] Computed conditional probabilities for sample 4000 / 6957\n",
"[t-SNE] Computed conditional probabilities for sample 5000 / 6957\n",
"[t-SNE] Computed conditional probabilities for sample 6000 / 6957\n",
"[t-SNE] Computed conditional probabilities for sample 6957 / 6957\n",
"[t-SNE] Mean sigma: 0.000000\n",
"[t-SNE] KL divergence after 100 iterations with early exaggeration: 1.352888\n",
"[t-SNE] Error after 275 iterations: 1.352888\n"
]
}
],
"source": [
"from sklearn.manifold import TSNE\n",
"\n",
"tsne_model = TSNE(n_components=2, verbose=1, random_state=0)\n",
"tsne_tfidf = tsne_model.fit_transform(svd_tfidf)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's check the size."
]
},
{
"cell_type": "code",
"execution_count": 58,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"(6957, 2)"
]
},
"execution_count": 58,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"tsne_tfidf.shape"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Each description is now modeled by a two dimensional vector. \n",
"\n",
"Let's see what tsne_idf looks like."
]
},
{
"cell_type": "code",
"execution_count": 59,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"array([[ -1.82596804, -1.61758188],\n",
" [ 8.86843705, 2.30525185],\n",
" [ 2.97942023, -2.46021909],\n",
" ..., \n",
" [ 4.68637749, 11.87930362],\n",
" [ 4.39501109, 12.35339839],\n",
" [ 4.21521542, 12.63662688]])"
]
},
"execution_count": 59,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"tsne_tfidf"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We're having two float numbers per discription. This is not interpretable at first sight. \n",
"\n",
"What we need to do is find a way to display these points on a plot and also attribute the corresponding description to each point.\n",
"\n",
"matplotlib is a very good python visualization libaray. However, we cannot easily use it to display our data since we need interactivity on the objects. One other solution could be d3.js that provides huge capabilities in this field. \n",
"\n",
"Right now I'm choosing to stick to python so I found a tradeoff : it's called Bokeh.\n",
"\n",
"\"Bokeh is a Python interactive visualization library that targets modern web browsers for presentation. Its goal is to provide elegant, concise construction of novel graphics in the style of D3.js, and to extend this capability with high-performance interactivity over very large or streaming datasets. Bokeh can help anyone who would like to quickly and easily create interactive plots, dashboards, and data applications.\" To know more, please refer to this <a href=\"http://bokeh.pydata.org/en/latest/\"> link </a>"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Let's start by importing bokeh packages and initializing the plot figure."
]
},
{
"cell_type": "code",
"execution_count": 60,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"import bokeh.plotting as bp\n",
"from bokeh.models import HoverTool, BoxSelectTool\n",
"from bokeh.plotting import figure, show, output_notebook"
]
},
{
"cell_type": "code",
"execution_count": 61,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/html": [
"\n",
" <div class=\"bk-root\">\n",
" <a href=\"http://bokeh.pydata.org\" target=\"_blank\" class=\"bk-logo bk-logo-small bk-logo-notebook\"></a>\n",
" <span id=\"f210de20-6c5d-4a56-9752-2c47c0fd64b2\">Loading BokehJS ...</span>\n",
" </div>"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"data": {
"application/javascript": [
"\n",
"(function(global) {\n",
" function now() {\n",
" return new Date();\n",
" }\n",
"\n",
" var force = true;\n",
"\n",
" if (typeof (window._bokeh_onload_callbacks) === \"undefined\" || force === true) {\n",
" window._bokeh_onload_callbacks = [];\n",
" window._bokeh_is_loading = undefined;\n",
" }\n",
"\n",
"\n",
" \n",
" if (typeof (window._bokeh_timeout) === \"undefined\" || force === true) {\n",
" window._bokeh_timeout = Date.now() + 5000;\n",
" window._bokeh_failed_load = false;\n",
" }\n",
"\n",
" var NB_LOAD_WARNING = {'data': {'text/html':\n",
" \"<div style='background-color: #fdd'>\\n\"+\n",
" \"<p>\\n\"+\n",
" \"BokehJS does not appear to have successfully loaded. If loading BokehJS from CDN, this \\n\"+\n",
" \"may be due to a slow or bad network connection. Possible fixes:\\n\"+\n",
" \"</p>\\n\"+\n",
" \"<ul>\\n\"+\n",
" \"<li>re-rerun `output_notebook()` to attempt to load from CDN again, or</li>\\n\"+\n",
" \"<li>use INLINE resources instead, as so:</li>\\n\"+\n",
" \"</ul>\\n\"+\n",
" \"<code>\\n\"+\n",
" \"from bokeh.resources import INLINE\\n\"+\n",
" \"output_notebook(resources=INLINE)\\n\"+\n",
" \"</code>\\n\"+\n",
" \"</div>\"}};\n",
"\n",
" function display_loaded() {\n",
" if (window.Bokeh !== undefined) {\n",
" document.getElementById(\"f210de20-6c5d-4a56-9752-2c47c0fd64b2\").textContent = \"BokehJS successfully loaded.\";\n",
" } else if (Date.now() < window._bokeh_timeout) {\n",
" setTimeout(display_loaded, 100)\n",
" }\n",
" }\n",
"\n",
" function run_callbacks() {\n",
" window._bokeh_onload_callbacks.forEach(function(callback) { callback() });\n",
" delete window._bokeh_onload_callbacks\n",
" console.info(\"Bokeh: all callbacks have finished\");\n",
" }\n",
"\n",
" function load_libs(js_urls, callback) {\n",
" window._bokeh_onload_callbacks.push(callback);\n",
" if (window._bokeh_is_loading > 0) {\n",
" console.log(\"Bokeh: BokehJS is being loaded, scheduling callback at\", now());\n",
" return null;\n",
" }\n",
" if (js_urls == null || js_urls.length === 0) {\n",
" run_callbacks();\n",
" return null;\n",
" }\n",
" console.log(\"Bokeh: BokehJS not loaded, scheduling load and callback at\", now());\n",
" window._bokeh_is_loading = js_urls.length;\n",
" for (var i = 0; i < js_urls.length; i++) {\n",
" var url = js_urls[i];\n",
" var s = document.createElement('script');\n",
" s.src = url;\n",
" s.async = false;\n",
" s.onreadystatechange = s.onload = function() {\n",
" window._bokeh_is_loading--;\n",
" if (window._bokeh_is_loading === 0) {\n",
" console.log(\"Bokeh: all BokehJS libraries loaded\");\n",
" run_callbacks()\n",
" }\n",
" };\n",
" s.onerror = function() {\n",
" console.warn(\"failed to load library \" + url);\n",
" };\n",
" console.log(\"Bokeh: injecting script tag for BokehJS library: \", url);\n",
" document.getElementsByTagName(\"head\")[0].appendChild(s);\n",
" }\n",
" };var element = document.getElementById(\"f210de20-6c5d-4a56-9752-2c47c0fd64b2\");\n",
" if (element == null) {\n",
" console.log(\"Bokeh: ERROR: autoload.js configured with elementid 'f210de20-6c5d-4a56-9752-2c47c0fd64b2' but no matching script tag was found. \")\n",
" return false;\n",
" }\n",
"\n",
" var js_urls = [\"https://cdn.pydata.org/bokeh/release/bokeh-0.12.4.min.js\", \"https://cdn.pydata.org/bokeh/release/bokeh-widgets-0.12.4.min.js\"];\n",
"\n",
" var inline_js = [\n",
" function(Bokeh) {\n",
" Bokeh.set_log_level(\"info\");\n",
" },\n",
" \n",
" function(Bokeh) {\n",
" \n",
" document.getElementById(\"f210de20-6c5d-4a56-9752-2c47c0fd64b2\").textContent = \"BokehJS is loading...\";\n",
" },\n",
" function(Bokeh) {\n",
" console.log(\"Bokeh: injecting CSS: https://cdn.pydata.org/bokeh/release/bokeh-0.12.4.min.css\");\n",
" Bokeh.embed.inject_css(\"https://cdn.pydata.org/bokeh/release/bokeh-0.12.4.min.css\");\n",
" console.log(\"Bokeh: injecting CSS: https://cdn.pydata.org/bokeh/release/bokeh-widgets-0.12.4.min.css\");\n",
" Bokeh.embed.inject_css(\"https://cdn.pydata.org/bokeh/release/bokeh-widgets-0.12.4.min.css\");\n",
" }\n",
" ];\n",
"\n",
" function run_inline_js() {\n",
" \n",
" if ((window.Bokeh !== undefined) || (force === true)) {\n",
" for (var i = 0; i < inline_js.length; i++) {\n",
" inline_js[i](window.Bokeh);\n",
" }if (force === true) {\n",
" display_loaded();\n",
" }} else if (Date.now() < window._bokeh_timeout) {\n",
" setTimeout(run_inline_js, 100);\n",
" } else if (!window._bokeh_failed_load) {\n",
" console.log(\"Bokeh: BokehJS failed to load within specified timeout.\");\n",
" window._bokeh_failed_load = true;\n",
" } else if (force !== true) {\n",
" var cell = $(document.getElementById(\"f210de20-6c5d-4a56-9752-2c47c0fd64b2\")).parents('.cell').data().cell;\n",
" cell.output_area.append_execute_result(NB_LOAD_WARNING)\n",
" }\n",
"\n",
" }\n",
"\n",
" if (window._bokeh_is_loading === 0) {\n",
" console.log(\"Bokeh: BokehJS loaded, going straight to plotting\");\n",
" run_inline_js();\n",
" } else {\n",
" load_libs(js_urls, function() {\n",
" console.log(\"Bokeh: BokehJS plotting callback run at\", now());\n",
" run_inline_js();\n",
" });\n",
" }\n",
"}(this));"
]
},
"metadata": {},
"output_type": "display_data"
}
],
"source": [
"output_notebook()\n",
"plot_tfidf = bp.figure(plot_width=700, plot_height=600, title=\"tf-idf clustering of the news\",\n",
" tools=\"pan,wheel_zoom,box_zoom,reset,hover,previewsave\",\n",
" x_axis_type=None, y_axis_type=None, min_border=1)"
]
},
{
"cell_type": "code",
"execution_count": 62,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"tfidf_df = pd.DataFrame(tsne_tfidf, columns=['x', 'y'])\n",
"tfidf_df['product_description'] = data['product_description']\n",
"tfidf_df['reason_for_recall'] = data['reason_for_recall']"
]
},
{
"cell_type": "markdown",
"metadata": {
"collapsed": false
},
"source": [
"Bokeh need a pandas dataframe to be passed as a source data. this is a very elegant way to read data."
]
},
{
"cell_type": "code",
"execution_count": 64,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/html": [
"\n",
"\n",
" <div class=\"bk-root\">\n",
" <div class=\"bk-plotdiv\" id=\"6db05837-aa4f-4972-b564-d2311eb4cc5c\"></div>\n",
" </div>\n",
"<script type=\"text/javascript\">\n",
" \n",
" (function(global) {\n",
" function now() {\n",
" return new Date();\n",
" }\n",
" \n",
" var force = false;\n",
" \n",
" if (typeof (window._bokeh_onload_callbacks) === \"undefined\" || force === true) {\n",
" window._bokeh_onload_callbacks = [];\n",
" window._bokeh_is_loading = undefined;\n",
" }\n",
" \n",
" \n",
" \n",
" if (typeof (window._bokeh_timeout) === \"undefined\" || force === true) {\n",
" window._bokeh_timeout = Date.now() + 0;\n",
" window._bokeh_failed_load = false;\n",
" }\n",
" \n",
" var NB_LOAD_WARNING = {'data': {'text/html':\n",
" \"<div style='background-color: #fdd'>\\n\"+\n",
" \"<p>\\n\"+\n",
" \"BokehJS does not appear to have successfully loaded. If loading BokehJS from CDN, this \\n\"+\n",
" \"may be due to a slow or bad network connection. Possible fixes:\\n\"+\n",
" \"</p>\\n\"+\n",
" \"<ul>\\n\"+\n",
" \"<li>re-rerun `output_notebook()` to attempt to load from CDN again, or</li>\\n\"+\n",
" \"<li>use INLINE resources instead, as so:</li>\\n\"+\n",
" \"</ul>\\n\"+\n",
" \"<code>\\n\"+\n",
" \"from bokeh.resources import INLINE\\n\"+\n",
" \"output_notebook(resources=INLINE)\\n\"+\n",
" \"</code>\\n\"+\n",
" \"</div>\"}};\n",
" \n",
" function display_loaded() {\n",
" if (window.Bokeh !== undefined) {\n",
" document.getElementById(\"6db05837-aa4f-4972-b564-d2311eb4cc5c\").textContent = \"BokehJS successfully loaded.\";\n",
" } else if (Date.now() < window._bokeh_timeout) {\n",
" setTimeout(display_loaded, 100)\n",
" }\n",
" }\n",
" \n",
" function run_callbacks() {\n",
" window._bokeh_onload_callbacks.forEach(function(callback) { callback() });\n",
" delete window._bokeh_onload_callbacks\n",
" console.info(\"Bokeh: all callbacks have finished\");\n",
" }\n",
" \n",
" function load_libs(js_urls, callback) {\n",
" window._bokeh_onload_callbacks.push(callback);\n",
" if (window._bokeh_is_loading > 0) {\n",
" console.log(\"Bokeh: BokehJS is being loaded, scheduling callback at\", now());\n",
" return null;\n",
" }\n",
" if (js_urls == null || js_urls.length === 0) {\n",
" run_callbacks();\n",
" return null;\n",
" }\n",
" console.log(\"Bokeh: BokehJS not loaded, scheduling load and callback at\", now());\n",
" window._bokeh_is_loading = js_urls.length;\n",
" for (var i = 0; i < js_urls.length; i++) {\n",
" var url = js_urls[i];\n",
" var s = document.createElement('script');\n",
" s.src = url;\n",
" s.async = false;\n",
" s.onreadystatechange = s.onload = function() {\n",
" window._bokeh_is_loading--;\n",
" if (window._bokeh_is_loading === 0) {\n",
" console.log(\"Bokeh: all BokehJS libraries loaded\");\n",
" run_callbacks()\n",
" }\n",
" };\n",
" s.onerror = function() {\n",
" console.warn(\"failed to load library \" + url);\n",
" };\n",
" console.log(\"Bokeh: injecting script tag for BokehJS library: \", url);\n",
" document.getElementsByTagName(\"head\")[0].appendChild(s);\n",
" }\n",
" };var element = document.getElementById(\"6db05837-aa4f-4972-b564-d2311eb4cc5c\");\n",
" if (element == null) {\n",
" console.log(\"Bokeh: ERROR: autoload.js configured with elementid '6db05837-aa4f-4972-b564-d2311eb4cc5c' but no matching script tag was found. \")\n",
" return false;\n",
" }\n",
" \n",
" var js_urls = [];\n",
" \n",
" var inline_js = [\n",
" function(Bokeh) {\n",
" (function() {\n",
" var fn = function() {\n",
" var docs_json = {\"4ab938d2-967a-437b-bdfe-53a4a42005d6\":{\"roots\":{\"references\":[{\"attributes\":{\"fill_color\":{\"value\":\"#1f77b4\"},\"line_color\":{\"value\":\"#1f77b4\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"69f3eaa3-1698-4329-8d73-01fb3d8fe9b6\",\"type\":\"Circle\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.1},\"fill_color\":{\"value\":\"#1f77b4\"},\"line_alpha\":{\"value\":0.1},\"line_color\":{\"value\":\"#1f77b4\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"01fca8a8-2e8b-49de-941e-3f266da501ce\",\"type\":\"Circle\"},{\"attributes\":{\"plot\":{\"id\":\"6daabe10-39e9-4c62-99f2-2f219f8904db\",\"subtype\":\"Figure\",\"type\":\"Plot\"}},\"id\":\"3b3eea1a-4d34-4230-9bb9-f05fc3fe5890\",\"type\":\"SaveTool\"},{\"attributes\":{\"callback\":null},\"id\":\"e125b57f-0055-469b-beb0-debd82bbb5f3\",\"type\":\"DataRange1d\"},{\"attributes\":{},\"id\":\"95afbe95-251c-4cbd-a5af-0ce856ba9e77\",\"type\":\"ToolEvents\"},{\"attributes\":{\"bottom_units\":\"screen\",\"fill_alpha\":{\"value\":0.5},\"fill_color\":{\"value\":\"lightgrey\"},\"left_units\":\"screen\",\"level\":\"overlay\",\"line_alpha\":{\"value\":1.0},\"line_color\":{\"value\":\"black\"},\"line_dash\":[4,4],\"line_width\":{\"value\":2},\"plot\":null,\"render_mode\":\"css\",\"right_units\":\"screen\",\"top_units\":\"screen\"},\"id\":\"9072a221-576b-4ce3-b141-9865f1eec673\",\"type\":\"BoxAnnotation\"},{\"attributes\":{\"data_source\":{\"id\":\"bdc5d209-1ab0-4814-aeda-6fe2eade6a1f\",\"type\":\"ColumnDataSource\"},\"glyph\":{\"id\":\"5a0f8453-4f4a-453c-b886-0cc87c9a0daf\",\"type\":\"Circle\"},\"hover_glyph\":null,\"nonselection_glyph\":{\"id\":\"01fca8a8-2e8b-49de-941e-3f266da501ce\",\"type\":\"Circle\"},\"selection_glyph\":null},\"id\":\"754d10d5-3739-43d4-b634-e5a16317c646\",\"type\":\"GlyphRenderer\"},{\"attributes\":{\"min_border\":1,\"plot_width\":700,\"renderers\":[{\"id\":\"9072a221-576b-4ce3-b141-9865f1eec673\",\"type\":\"BoxAnnotation\"},{\"id\":\"56002340-f33c-4187-8644-560e46492aa2\",\"type\":\"GlyphRenderer\"},{\"id\":\"754d10d5-3739-43d4-b634-e5a16317c646\",\"type\":\"GlyphRenderer\"}],\"title\":{\"id\":\"9c478f4e-47b2-4da4-9a2a-c0b77df14022\",\"type\":\"Title\"},\"tool_events\":{\"id\":\"95afbe95-251c-4cbd-a5af-0ce856ba9e77\",\"type\":\"ToolEvents\"},\"toolbar\":{\"id\":\"448b2ad6-e414-4c7a-bdfe-6ef16f51e798\",\"type\":\"Toolbar\"},\"x_range\":{\"id\":\"34c8db5f-5f70-42f9-904b-b200d0e536e6\",\"type\":\"DataRange1d\"},\"y_range\":{\"id\":\"e125b57f-0055-469b-beb0-debd82bbb5f3\",\"type\":\"DataRange1d\"}},\"id\":\"6daabe10-39e9-4c62-99f2-2f219f8904db\",\"subtype\":\"Figure\",\"type\":\"Plot\"},{\"attributes\":{\"active_drag\":\"auto\",\"active_scroll\":\"auto\",\"active_tap\":\"auto\",\"tools\":[{\"id\":\"0cea1f09-9c9e-4d65-b395-5a8f2540f06a\",\"type\":\"PanTool\"},{\"id\":\"4b521f2b-5cea-4936-8073-d2fbb8929d3f\",\"type\":\"WheelZoomTool\"},{\"id\":\"8d268123-6ede-412c-ac65-40f4c21fd035\",\"type\":\"BoxZoomTool\"},{\"id\":\"01351d4f-b456-4c0b-8692-b186e6b4ce2e\",\"type\":\"ResetTool\"},{\"id\":\"c0d165aa-6d02-4e47-aeb5-fdc5d574f0c3\",\"type\":\"HoverTool\"},{\"id\":\"3b3eea1a-4d34-4230-9bb9-f05fc3fe5890\",\"type\":\"SaveTool\"}]},\"id\":\"448b2ad6-e414-4c7a-bdfe-6ef16f51e798\",\"type\":\"Toolbar\"},{\"attributes\":{\"callback\":null},\"id\":\"34c8db5f-5f70-42f9-904b-b200d0e536e6\",\"type\":\"DataRange1d\"},{\"attributes\":{\"fill_color\":{\"value\":\"#1f77b4\"},\"line_color\":{\"value\":\"#1f77b4\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"5a0f8453-4f4a-453c-b886-0cc87c9a0daf\",\"type\":\"Circle\"},{\"attributes\":{\"plot\":{\"id\":\"6daabe10-39e9-4c62-99f2-2f219f8904db\",\"subtype\":\"Figure\",\"type\":\"Plot\"}},\"id\":\"4b521f2b-5cea-4936-8073-d2fbb8929d3f\",\"type\":\"WheelZoomTool\"},{\"attributes\":{\"fill_alpha\":{\"value\":0.1},\"fill_color\":{\"value\":\"#1f77b4\"},\"line_alpha\":{\"value\":0.1},\"line_color\":{\"value\":\"#1f77b4\"},\"x\":{\"field\":\"x\"},\"y\":{\"field\":\"y\"}},\"id\":\"44c43d83-810c-495b-bed4-33a388b655ff\",\"type\":\"Circle\"},{\"attributes\":{\"plot\":{\"id\":\"6daabe10-39e9-4c62-99f2-2f219f8904db\",\"subtype\":\"Figure\",\"type\":\"Plot\"}},\"id\":\"01351d4f-b456-4c0b-8692-b186e6b4ce2e\",\"type\":\"ResetTool\"},{\"attributes\":{\"callback\":null,\"column_names\":[\"reason_for_recall\",\"product_description\",\"x\",\"index\",\"y\"],\"data\":{\"index\":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,70,71,72,73,74,75,76,77,78,79,80,81,82,83,84,85,86,87,88,89,90,91,92,93,94,95,96,97,98,99,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,132,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190,191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222,223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238,239,240,241,242,243,244,245,246,247,248,249,250,251,252,253,254,255,256,257,258,259,260,261,262,263,264,265,266,267,268,269,270,271,272,273,274,275,276,277,278,279,280,281,282,283,284,285,286,287,288,289,290,291,292,293,294,295,296,297,298,299,300,301,302,303,304,305,306,307,308,309,310,311,312,313,314,315,316,317,318,319,320,321,322,323,324,325,326,327,328,329,330,331,332,333,334,335,336,337,338,339,340,341,342,343,344,345,346,347,348,349,350,351,352,353,354,355,356,357,358,359,360,361,362,363,364,365,366,367,368,369,370,371,372,373,374,375,376,377,378,379,380,381,382,383,384,385,386,387,388,389,390,391,392,393,394,395,396,397,398,399,400,401,402,403,404,405,406,407,408,409,410,411,412,413,414,415,416,417,418,419,420,421,422,423,424,425,426,427,428,429,430,431,432,433,434,435,436,437,438,439,440,441,442,443,444,445,446,447,448,449,450,451,452,453,454,455,456,457,458,459,460,461,462,463,464,465,466,467,468,469,470,471,472,473,474,475,476,477,478,479,480,481,482,483,484,485,486,487,488,489,490,491,492,493,494,495,496,497,498,499,500,501,502,503,504,505,506,507,508,509,510,511,512,513,514,515,516,517,518,519,520,521,522,523,524,525,526,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541,542,543,544,545,546,547,548,549,550,551,552,553,554,555,556,557,558,559,560,561,562,563,564,565,566,567,568,569,570,571,572,573,574,575,576,577,578,579,580,581,582,583,584,585,586,587,588,589,590,591,592,593,594,595,596,597,598,599,600,601,602,603,604,605,606,607,608,609,610,611,612,613,614,615,616,617,618,619,620,621,622,623,624,625,626,627,628,629,630,631,632,633,634,635,636,637,638,639,640,641,642,643,644,645,646,647,648,649,650,651,652,653,654,655,656,657,658,659,660,661,662,663,664,665,666,667,668,669,670,671,672,673,674,675,676,677,678,679,680,681,682,683,684,685,686,687,688,689,690,691,692,693,694,695,696,697,698,699,700,701,702,703,704,705,706,707,708,709,710,711,712,713,714,715,716,717,718,719,720,721,722,723,724,725,726,727,728,729,730,731,732,733,734,735,736,737,738,739,740,741,742,743,744,745,746,747,748,749,750,751,752,753,754,755,756,757,758,759,760,761,762,763,764,765,766,767,768,769,770,771,772,773,774,775,776,777,778,779,780,781,782,783,784,785,786,787,788,789,790,791,792,793,794,795,796,797,798,799,800,801,802,803,804,805,806,807,808,809,810,811,812,813,814,815,816,817,818,819,820,821,822,823,824,825,826,827,828,829,830,831,832,833,834,835,836,837,838,839,840,841,842,843,844,845,846,847,848,849,850,851,852,853,854,855,856,857,858,859,860,861,862,863,864,865,866,867,868,869,870,871,872,873,874,875,876,877,878,879,880,881,882,883,884,885,886,887,888,889,890,891,892,893,894,895,896,897,898,899,900,901,902,903,904,905,906,907,908,909,910,911,912,913,914,915,916,917,918,919,920,921,922,923,924,925,926,927,928,929,930,931,932,933,934,935,936,937,938,939,940,941,942,943,944,945,946,947,948,949,950,951,952,953,954,955,956,957,958,959,960,961,962,963,964,965,966,967,968,969,970,971,972,973,974,975,976,977,978,979,980,981,982,983,984,985,986,987,988,989,990,991,992,993,994,995,996,997,998,999,1000,1001,1002,1003,1004,1005,1006,1007,1008,1009,1010,1011,1012,1013,1014,1015,1016,1017,1018,1019,1020,1021,1022,1023,1024,1025,1026,1027,1028,1029,1030,1031,1032,1033,1034,1035,1036,1037,1038,1039,1040,1041,1042,1043,1044,1045,1046,1047,1048,1049,1050,1051,1052,1053,1054,1055,1056,1057,1058,1059,1060,1061,1062,1063,1064,1065,1066,1067,1068,1069,1070,1071,1072,1073,1074,1075,1076,1077,1078,1079,1080,1081,1082,1083,1084,1085,1086,1087,1088,1089,1090,1091,1092,1093,1094,1095,1096,1097,1098,1099,1100,1101,1102,1103,1104,1105,1106,1107,1108,1109,1110,1111,1112,1113,1114,1115,1116,1117,1118,1119,1120,1121,1122,1123,1124,1125,1126,1127,1128,1129,1130,1131,1132,1133,1134,1135,1136,1137,1138,1139,1140,1141,1142,1143,1144,1145,1146,1147,1148,1149,1150,1151,1152,1153,1154,1155,1156,1157,1158,1159,1160,1161,1162,1163,1164,1165,1166,1167,1168,1169,1170,1171,1172,1173,1174,1175,1176,1177,1178,1179,1180,1181,1182,1183,1184,1185,1186,1187,1188,1189,1190,1191,1192,1193,1194,1195,1196,1197,1198,1199,1200,1201,1202,1203,1204,1205,1206,1207,1208,1209,1210,1211,1212,1213,1214,1215,1216,1217,1218,1219,1220,1221,1222,1223,1224,1225,1226,1227,1228,1229,1230,1231,1232,1233,1234,1235,1236,1237,1238,1239,1240,1241,1242,1243,1244,1245,1246,1247,1248,1249,1250,1251,1252,1253,1254,1255,1256,1257,1258,1259,1260,1261,1262,1263,1264,1265,1266,1267,1268,1269,1270,1271,1272,1273,1274,1275,1276,1277,1278,1279,1280,1281,1282,1283,1284,1285,1286,1287,1288,1289,1290,1291,1292,1293,1294,1295,1296,1297,1298,1299,1300,1301,1302,1303,1304,1305,1306,1307,1308,1309,1310,1311,1312,1313,1314,1315,1316,1317,1318,1319,1320,1321,1322,1323,1324,1325,1326,1327,1328,1329,1330,1331,1332,1333,1334,1335,1336,1337,1338,1339,1340,1341,1342,1343,1344,1345,1346,1347,1348,1349,1350,1351,1352,1353,1354,1355,1356,1357,1358,1359,1360,1361,1362,1363,1364,1365,1366,1367,1368,1369,1370,1371,1372,1373,1374,1375,1376,1377,1378,1379,1380,1381,1382,1383,1384,1385,1386,1387,1388,1389,1390,1391,1392,1393,1394,1395,1396,1397,1398,1399,1400,1401,1402,1403,1404,1405,1406,1407,1408,1409,1410,1411,1412,1413,1414,1415,1416,1417,1418,1419,1420,1421,1422,1423,1424,1425,1426,1427,1428,1429,1430,1431,1432,1433,1434,1435,1436,1437,1438,1439,1440,1441,1442,1443,1444,1445,1446,1447,1448,1449,1450,1451,1452,1453,1454,1455,1456,1457,1458,1459,1460,1461,1462,1463,1464,1465,1466,1467,1468,1469,1470,1471,1472,1473,1474,1475,1476,1477,1478,1479,1480,1481,1482,1483,1484,1485,1486,1487,1488,1489,1490,1491,1492,1493,1494,1495,1496,1497,1498,1499,1500,1501,1502,1503,1504,1505,1506,1507,1508,1509,1510,1511,1512,1513,1514,1515,1516,1517,1518,1519,1520,1521,1522,1523,1524,1525,1526,1527,1528,1529,1530,1531,1532,1533,1534,1535,1536,1537,1538,1539,1540,1541,1542,1543,1544,1545,1546,1547,1548,1549,1550,1551,1552,1553,1554,1555,1556,1557,1558,1559,1560,1561,1562,1563,1564,1565,1566,1567,1568,1569,1570,1571,1572,1573,1574,1575,1576,1577,1578,1579,1580,1581,1582,1583,1584,1585,1586,1587,1588,1589,1590,1591,1592,1593,1594,1595,1596,1597,1598,1599,1600,1601,1602,1603,1604,1605,1606,1607,1608,1609,1610,1611,1612,1613,1614,1615,1616,1617,1618,1619,1620,1621,1622,1623,1624,1625,1626,1627,1628,1629,1630,1631,1632,1633,1634,1635,1636,1637,1638,1639,1640,1641,1642,1643,1644,1645,1646,1647,1648,1649,1650,1651,1652,1653,1654,1655,1656,1657,1658,1659,1660,1661,1662,1663,1664,1665,1666,1667,1668,1669,1670,1671,1672,1673,1674,1675,1676,1677,1678,1679,1680,1681,1682,1683,1684,1685,1686,1687,1688,1689,1690,1691,1692,1693,1694,1695,1696,1697,1698,1699,1700,1701,1702,1703,1704,1705,1706,1707,1708,1709,1710,1711,1712,1713,1714,1715,1716,1717,1718,1719,1720,1721,1722,1723,1724,1725,1726,1727,1728,1729,1730,1731,1732,1733,1734,1735,1736,1737,1738,1739,1740,1741,1742,1743,1744,1745,1746,1747,1748,1749,1750,1751,1752,1753,1754,1755,1756,1757,1758,1759,1760,1761,1762,1763,1764,1765,1766,1767,1768,1769,1770,1771,1772,1773,1774,1775,1776,1777,1778,1779,1780,1781,1782,1783,1784,1785,1786,1787,1788,1789,1790,1791,1792,1793,1794,1795,1796,1797,1798,1799,1800,1801,1802,1803,1804,1805,1806,1807,1808,1809,1810,1811,1812,1813,1814,1815,1816,1817,1818,1819,1820,1821,1822,1823,1824,1825,1826,1827,1828,1829,1830,1831,1832,1833,1834,1835,1836,1837,1838,1839,1840,1841,1842,1843,1844,1845,1846,1847,1848,1849,1850,1851,1852,1853,1854,1855,1856,1857,1858,1859,1860,1861,1862,1863,1864,1865,1866,1867,1868,1869,1870,1871,1872,1873,1874,1875,1876,1877,1878,1879,1880,1881,1882,1883,1884,1885,1886,1887,1888,1889,1890,1891,1892,1893,1894,1895,1896,1897,1898,1899,1900,1901,1902,1903,1904,1905,1906,1907,1908,1909,1910,1911,1912,1913,1914,1915,1916,1917,1918,1919,1920,1921,1922,1923,1924,1925,1926,1927,1928,1929,1930,1931,1932,1933,1934,1935,1936,1937,1938,1939,1940,1941,1942,1943,1944,1945,1946,1947,1948,1949,1950,1951,1952,1953,1954,1955,1956,1957,1958,1959,1960,1961,1962,1963,1964,1965,1966,1967,1968,1969,1970,1971,1972,1973,1974,1975,1976,1977,1978,1979,1980,1981,1982,1983,1984,1985,1986,1987,1988,1989,1990,1991,1992,1993,1994,1995,1996,1997,1998,1999,2000,2001,2002,2003,2004,2005,2006,2007,2008,2009,2010,2011,2012,2013,2014,2015,2016,2017,2018,2019,2020,2021,2022,2023,2024,2025,2026,2027,2028,2029,2030,2031,2032,2033,2034,2035,2036,2037,2038,2039,2040,2041,2042,2043,2044,2045,2046,2047,2048,2049,2050,2051,2052,2053,2054,2055,2056,2057,2058,2059,2060,2061,2062,2063,2064,2065,2066,2067,2068,2069,2070,2071,2072,2073,2074,2075,2076,2077,2078,2079,2080,2081,2082,2083,2084,2085,2086,2087,2088,2089,2090,2091,2092,2093,2094,2095,2096,2097,2098,2099,2100,2101,2102,2103,2104,2105,2106,2107,2108,2109,2110,2111,2112,2113,2114,2115,2116,2117,2118,2119,2120,2121,2122,2123,2124,2125,2126,2127,2128,2129,2130,2131,2132,2133,2134,2135,2136,2137,2138,2139,2140,2141,2142,2143,2144,2145,2146,2147,2148,2149,2150,2151,2152,2153,2154,2155,2156,2157,2158,2159,2160,2161,2162,2163,2164,2165,2166,2167,2168,2169,2170,2171,2172,2173,2174,2175,2176,2177,2178,2179,2180,2181,2182,2183,2184,2185,2186,2187,2188,2189,2190,2191,2192,2193,2194,2195,2196,2197,2198,2199,2200,2201,2202,2203,2204,2205,2206,2207,2208,2209,2210,2211,2212,2213,2214,2215,2216,2217,2218,2219,2220,2221,2222,2223,2224,2225,2226,2227,2228,2229,2230,2231,2232,2233,2234,2235,2236,2237,2238,2239,2240,2241,2242,2243,2244,2245,2246,2247,2248,2249,2250,2251,2252,2253,2254,2255,2256,2257,2258,2259,2260,2261,2262,2263,2264,2265,2266,2267,2268,2269,2270,2271,2272,2273,2274,2275,2276,2277,2278,2279,2280,2281,2282,2283,2284,2285,2286,2287,2288,2289,2290,2291,2292,2293,2294,2295,2296,2297,2298,2299,2300,2301,2302,2303,2304,2305,2306,2307,2308,2309,2310,2311,2312,2313,2314,2315,2316,2317,2318,2319,2320,2321,2322,2323,2324,2325,2326,2327,2328,2329,2330,2331,2332,2333,2334,2335,2336,2337,2338,2339,2340,2341,2342,2343,2344,2345,2346,2347,2348,2349,2350,2351,2352,2353,2354,2355,2356,2357,2358,2359,2360,2361,2362,2363,2364,2365,2366,2367,2368,2369,2370,2371,2372,2373,2374,2375,2376,2377,2378,2379,2380,2381,2382,2383,2384,2385,2386,2387,2388,2389,2390,2391,2392,2393,2394,2395,2396,2397,2398,2399,2400,2401,2402,2403,2404,2405,2406,2407,2408,2409,2410,2411,2412,2413,2414,2415,2416,2417,2418,2419,2420,2421,2422,2423,2424,2425,2426,2427,2428,2429,2430,2431,2432,2433,2434,2435,2436,2437,2438,2439,2440,2441,2442,2443,2444,2445,2446,2447,2448,2449,2450,2451,2452,2453,2454,2455,2456,2457,2458,2459,2460,2461,2462,2463,2464,2465,2466,2467,2468,2469,2470,2471,2472,2473,2474,2475,2476,2477,2478,2479,2480,2481,2482,2483,2484,2485,2486,2487,2488,2489,2490,2491,2492,2493,2494,2495,2496,2497,2498,2499,2500,2501,2502,2503,2504,2505,2506,2507,2508,2509,2510,2511,2512,2513,2514,2515,2516,2517,2518,2519,2520,2521,2522,2523,2524,2525,2526,2527,2528,2529,2530,2531,2532,2533,2534,2535,2536,2537,2538,2539,2540,2541,2542,2543,2544,2545,2546,2547,2548,2549,2550,2551,2552,2553,2554,2555,2556,2557,2558,2559,2560,2561,2562,2563,2564,2565,2566,2567,2568,2569,2570,2571,2572,2573,2574,2575,2576,2577,2578,2579,2580,2581,2582,2583,2584,2585,2586,2587,2588,2589,2590,2591,2592,2593,2594,2595,2596,2597,2598,2599,2600,2601,2602,2603,2604,2605,2606,2607,2608,2609,2610,2611,2612,2613,2614,2615,2616,2617,2618,2619,2620,2621,2622,2623,2624,2625,2626,2627,2628,2629,2630,2631,2632,2633,2634,2635,2636,2637,2638,2639,2640,2641,2642,2643,2644,2645,2646,2647,2648,2649,2650,2651,2652,2653,2654,2655,2656,2657,2658,2659,2660,2661,2662,2663,2664,2665,2666,2667,2668,2669,2670,2671,2672,2673,2674,2675,2676,2677,2678,2679,2680,2681,2682,2683,2684,2685,2686,2687,2688,2689,2690,2691,2692,2693,2694,2695,2696,2697,2698,2699,2700,2701,2702,2703,2704,2705,2706,2707,2708,2709,2710,2711,2712,2713,2714,2715,2716,2717,2718,2719,2720,2721,2722,2723,2724,2725,2726,2727,2728,2729,2730,2731,2732,2733,2734,2735,2736,2737,2738,2739,2740,2741,2742,2743,2744,2745,2746,2747,2748,2749,2750,2751,2752,2753,2754,2755,2756,2757,2758,2759,2760,2761,2762,2763,2764,2765,2766,2767,2768,2769,2770,2771,2772,2773,2774,2775,2776,2777,2778,2779,2780,2781,2782,2783,2784,2785,2786,2787,2788,2789,2790,2791,2792,2793,2794,2795,2796,2797,2798,2799,2800,2801,2802,2803,2804,2805,2806,2807,2808,2809,2810,2811,2812,2813,2814,2815,2816,2817,2818,2819,2820,2821,2822,2823,2824,2825,2826,2827,2828,2829,2830,2831,2832,2833,2834,2835,2836,2837,2838,2839,2840,2841,2842,2843,2844,2845,2846,2847,2848,2849,2850,2851,2852,2853,2854,2855,2856,2857,2858,2859,2860,2861,2862,2863,2864,2865,2866,2867,2868,2869,2870,2871,2872,2873,2874,2875,2876,2877,2878,2879,2880,2881,2882,2883,2884,2885,2886,2887,2888,2889,2890,2891,2892,2893,2894,2895,2896,2897,2898,2899,2900,2901,2902,2903,2904,2905,2906,2907,2908,2909,2910,2911,2912,2913,2914,2915,2916,2917,2918,2919,2920,2921,2922,2923,2924,2925,2926,2927,2928,2929,2930,2931,2932,2933,2934,2935,2936,2937,2938,2939,2940,2941,2942,2943,2944,2945,2946,2947,2948,2949,2950,2951,2952,2953,2954,2955,2956,2957,2958,2959,2960,2961,2962,2963,2964,2965,2966,2967,2968,2969,2970,2971,2972,2973,2974,2975,2976,2977,2978,2979,2980,2981,2982,2983,2984,2985,2986,2987,2988,2989,2990,2991,2992,2993,2994,2995,2996,2997,2998,2999,3000,3001,3002,3003,3004,3005,3006,3007,3008,3009,3010,3011,3012,3013,3014,3015,3016,3017,3018,3019,3020,3021,3022,3023,3024,3025,3026,3027,3028,3029,3030,3031,3032,3033,3034,3035,3036,3037,3038,3039,3040,3041,3042,3043,3044,3045,3046,3047,3048,3049,3050,3051,3052,3053,3054,3055,3056,3057,3058,3059,3060,3061,3062,3063,3064,3065,3066,3067,3068,3069,3070,3071,3072,3073,3074,3075,3076,3077,3078,3079,3080,3081,3082,3083,3084,3085,3086,3087,3088,3089,3090,3091,3092,3093,3094,3095,3096,3097,3098,3099,3100,3101,3102,3103,3104,3105,3106,3107,3108,3109,3110,3111,3112,3113,3114,3115,3116,3117,3118,3119,3120,3121,3122,3123,3124,3125,3126,3127,3128,3129,3130,3131,3132,3133,3134,3135,3136,3137,3138,3139,3140,3141,3142,3143,3144,3145,3146,3147,3148,3149,3150,3151,3152,3153,3154,3155,3156,3157,3158,3159,3160,3161,3162,3163,3164,3165,3166,3167,3168,3169,3170,3171,3172,3173,3174,3175,3176,3177,3178,3179,3180,3181,3182,3183,3184,3185,3186,3187,3188,3189,3190,3191,3192,3193,3194,3195,3196,3197,3198,3199,3200,3201,3202,3203,3204,3205,3206,3207,3208,3209,3210,3211,3212,3213,3214,3215,3216,3217,3218,3219,3220,3221,3222,3223,3224,3225,3226,3227,3228,3229,3230,3231,3232,3233,3234,3235,3236,3237,3238,3239,3240,3241,3242,3243,3244,3245,3246,3247,3248,3249,3250,3251,3252,3253,3254,3255,3256,3257,3258,3259,3260,3261,3262,3263,3264,3265,3266,3267,3268,3269,3270,3271,3272,3273,3274,3275,3276,3277,3278,3279,3280,3281,3282,3283,3284,3285,3286,3287,3288,3289,3290,3291,3292,3293,3294,3295,3296,3297,3298,3299,3300,3301,3302,3303,3304,3305,3306,3307,3308,3309,3310,3311,3312,3313,3314,3315,3316,3317,3318,3319,3320,3321,3322,3323,3324,3325,3326,3327,3328,3329,3330,3331,3332,3333,3334,3335,3336,3337,3338,3339,3340,3341,3342,3343,3344,3345,3346,3347,3348,3349,3350,3351,3352,3353,3354,3355,3356,3357,3358,3359,3360,3361,3362,3363,3364,3365,3366,3367,3368,3369,3370,3371,3372,3373,3374,3375,3376,3377,3378,3379,3380,3381,3382,3383,3384,3385,3386,3387,3388,3389,3390,3391,3392,3393,3394,3395,3396,3397,3398,3399,3400,3401,3402,3403,3404,3405,3406,3407,3408,3409,3410,3411,3412,3413,3414,3415,3416,3417,3418,3419,3420,3421,3422,3423,3424,3425,3426,3427,3428,3429,3430,3431,3432,3433,3434,3435,3436,3437,3438,3439,3440,3441,3442,3443,3444,3445,3446,3447,3448,3449,3450,3451,3452,3453,3454,3455,3456,3457,3458,3459,3460,3461,3462,3463,3464,3465,3466,3467,3468,3469,3470,3471,3472,3473,3474,3475,3476,3477,3478,3479,3480,3481,3482,3483,3484,3485,3486,3487,3488,3489,3490,3491,3492,3493,3494,3495,3496,3497,3498,3499,3500,3501,3502,3503,3504,3505,3506,3507,3508,3509,3510,3511,3512,3513,3514,3515,3516,3517,3518,3519,3520,3521,3522,3523,3524,3525,3526,3527,3528,3529,3530,3531,3532,3533,3534,3535,3536,3537,3538,3539,3540,3541,3542,3543,3544,3545,3546,3547,3548,3549,3550,3551,3552,3553,3554,3555,3556,3557,3558,3559,3560,3561,3562,3563,3564,3565,3566,3567,3568,3569,3570,3571,3572,3573,3574,3575,3576,3577,3578,3579,3580,3581,3582,3583,3584,3585,3586,3587,3588,3589,3590,3591,3592,3593,3594,3595,3596,3597,3598,3599,3600,3601,3602,3603,3604,3605,3606,3607,3608,3609,3610,3611,3612,3613,3614,3615,3616,3617,3618,3619,3620,3621,3622,3623,3624,3625,3626,3627,3628,3629,3630,3631,3632,3633,3634,3635,3636,3637,3638,3639,3640,3641,3642,3643,3644,3645,3646,3647,3648,3649,3650,3651,3652,3653,3654,3655,3656,3657,3658,3659,3660,3661,3662,3663,3664,3665,3666,3667,3668,3669,3670,3671,3672,3673,3674,3675,3676,3677,3678,3679,3680,3681,3682,3683,3684,3685,3686,3687,3688,3689,3690,3691,3692,3693,3694,3695,3696,3697,3698,3699,3700,3701,3702,3703,3704,3705,3706,3707,3708,3709,3710,3711,3712,3713,3714,3715,3716,3717,3718,3719,3720,3721,3722,3723,3724,3725,3726,3727,3728,3729,3730,3731,3732,3733,3734,3735,3736,3737,3738,3739,3740,3741,3742,3743,3744,3745,3746,3747,3748,3749,3750,3751,3752,3753,3754,3755,3756,3757,3758,3759,3760,3761,3762,3763,3764,3765,3766,3767,3768,3769,3770,3771,3772,3773,3774,3775,3776,3777,3778,3779,3780,3781,3782,3783,3784,3785,3786,3787,3788,3789,3790,3791,3792,3793,3794,3795,3796,3797,3798,3799,3800,3801,3802,3803,3804,3805,3806,3807,3808,3809,3810,3811,3812,3813,3814,3815,3816,3817,3818,3819,3820,3821,3822,3823,3824,3825,3826,3827,3828,3829,3830,3831,3832,3833,3834,3835,3836,3837,3838,3839,3840,3841,3842,3843,3844,3845,3846,3847,3848,3849,3850,3851,3852,3853,3854,3855,3856,3857,3858,3859,3860,3861,3862,3863,3864,3865,3866,3867,3868,3869,3870,3871,3872,3873,3874,3875,3876,3877,3878,3879,3880,3881,3882,3883,3884,3885,3886,3887,3888,3889,3890,3891,3892,3893,3894,3895,3896,3897,3898,3899,3900,3901,3902,3903,3904,3905,3906,3907,3908,3909,3910,3911,3912,3913,3914,3915,3916,3917,3918,3919,3920,3921,3922,3923,3924,3925,3926,3927,3928,3929,3930,3931,3932,3933,3934,3935,3936,3937,3938,3939,3940,3941,3942,3943,3944,3945,3946,3947,3948,3949,3950,3951,3952,3953,3954,3955,3956,3957,3958,3959,3960,3961,3962,3963,3964,3965,3966,3967,3968,3969,3970,3971,3972,3973,3974,3975,3976,3977,3978,3979,3980,3981,3982,3983,3984,3985,3986,3987,3988,3989,3990,3991,3992,3993,3994,3995,3996,3997,3998,3999,4000,4001,4002,4003,4004,4005,4006,4007,4008,4009,4010,4011,4012,4013,4014,4015,4016,4017,4018,4019,4020,4021,4022,4023,4024,4025,4026,4027,4028,4029,4030,4031,4032,4033,4034,4035,4036,4037,4038,4039,4040,4041,4042,4043,4044,4045,4046,4047,4048,4049,4050,4051,4052,4053,4054,4055,4056,4057,4058,4059,4060,4061,4062,4063,4064,4065,4066,4067,4068,4069,4070,4071,4072,4073,4074,4075,4076,4077,4078,4079,4080,4081,4082,4083,4084,4085,4086,4087,4088,4089,4090,4091,4092,4093,4094,4095,4096,4097,4098,4099,4100,4101,4102,4103,4104,4105,4106,4107,4108,4109,4110,4111,4112,4113,4114,4115,4116,4117,4118,4119,4120,4121,4122,4123,4124,4125,4126,4127,4128,4129,4130,4131,4132,4133,4134,4135,4136,4137,4138,4139,4140,4141,4142,4143,4144,4145,4146,4147,4148,4149,4150,4151,4152,4153,4154,4155,4156,4157,4158,4159,4160,4161,4162,4163,4164,4165,4166,4167,4168,4169,4170,4171,4172,4173,4174,4175,4176,4177,4178,4179,4180,4181,4182,4183,4184,4185,4186,4187,4188,4189,4190,4191,4192,4193,4194,4195,4196,4197,4198,4199,4200,4201,4202,4203,4204,4205,4206,4207,4208,4209,4210,4211,4212,4213,4214,4215,4216,4217,4218,4219,4220,4221,4222,4223,4224,4225,4226,4227,4228,4229,4230,4231,4232,4233,4234,4235,4236,4237,4238,4239,4240,4241,4242,4243,4244,4245,4246,4247,4248,4249,4250,4251,4252,4253,4254,4255,4256,4257,4258,4259,4260,4261,4262,4263,4264,4265,4266,4267,4268,4269,4270,4271,4272,4273,4274,4275,4276,4277,4278,4279,4280,4281,4282,4283,4284,4285,4286,4287,4288,4289,4290,4291,4292,4293,4294,4295,4296,4297,4298,4299,4300,4301,4302,4303,4304,4305,4306,4307,4308,4309,4310,4311,4312,4313,4314,4315,4316,4317,4318,4319,4320,4321,4322,4323,4324,4325,4326,4327,4328,4329,4330,4331,4332,4333,4334,4335,4336,4337,4338,4339,4340,4341,4342,4343,4344,4345,4346,4347,4348,4349,4350,4351,4352,4353,4354,4355,4356,4357,4358,4359,4360,4361,4362,4363,4364,4365,4366,4367,4368,4369,4370,4371,4372,4373,4374,4375,4376,4377,4378,4379,4380,4381,4382,4383,4384,4385,4386,4387,4388,4389,4390,4391,4392,4393,4394,4395,4396,4397,4398,4399,4400,4401,4402,4403,4404,4405,4406,4407,4408,4409,4410,4411,4412,4413,4414,4415,4416,4417,4418,4419,4420,4421,4422,4423,4424,4425,4426,4427,4428,4429,4430,4431,4432,4433,4434,4435,4436,4437,4438,4439,4440,4441,4442,4443,4444,4445,4446,4447,4448,4449,4450,4451,4452,4453,4454,4455,4456,4457,4458,4459,4460,4461,4462,4463,4464,4465,4466,4467,4468,4469,4470,4471,4472,4473,4474,4475,4476,4477,4478,4479,4480,4481,4482,4483,4484,4485,4486,4487,4488,4489,4490,4491,4492,4493,4494,4495,4496,4497,4498,4499,4500,4501,4502,4503,4504,4505,4506,4507,4508,4509,4510,4511,4512,4513,4514,4515,4516,4517,4518,4519,4520,4521,4522,4523,4524,4525,4526,4527,4528,4529,4530,4531,4532,4533,4534,4535,4536,4537,4538,4539,4540,4541,4542,4543,4544,4545,4546,4547,4548,4549,4550,4551,4552,4553,4554,4555,4556,4557,4558,4559,4560,4561,4562,4563,4564,4565,4566,4567,4568,4569,4570,4571,4572,4573,4574,4575,4576,4577,4578,4579,4580,4581,4582,4583,4584,4585,4586,4587,4588,4589,4590,4591,4592,4593,4594,4595,4596,4597,4598,4599,4600,4601,4602,4603,4604,4605,4606,4607,4608,4609,4610,4611,4612,4613,4614,4615,4616,4617,4618,4619,4620,4621,4622,4623,4624,4625,4626,4627,4628,4629,4630,4631,4632,4633,4634,4635,4636,4637,4638,4639,4640,4641,4642,4643,4644,4645,4646,4647,4648,4649,4650,4651,4652,4653,4654,4655,4656,4657,4658,4659,4660,4661,4662,4663,4664,4665,4666,4667,4668,4669,4670,4671,4672,4673,4674,4675,4676,4677,4678,4679,4680,4681,4682,4683,4684,4685,4686,4687,4688,4689,4690,4691,4692,4693,4694,4695,4696,4697,4698,4699,4700,4701,4702,4703,4704,4705,4706,4707,4708,4709,4710,4711,4712,4713,4714,4715,4716,4717,4718,4719,4720,4721,4722,4723,4724,4725,4726,4727,4728,4729,4730,4731,4732,4733,4734,4735,4736,4737,4738,4739,4740,4741,4742,4743,4744,4745,4746,4747,4748,4749,4750,4751,4752,4753,4754,4755,4756,4757,4758,4759,4760,4761,4762,4763,4764,4765,4766,4767,4768,4769,4770,4771,4772,4773,4774,4775,4776,4777,4778,4779,4780,4781,4782,4783,4784,4785,4786,4787,4788,4789,4790,4791,4792,4793,4794,4795,4796,4797,4798,4799,4800,4801,4802,4803,4804,4805,4806,4807,4808,4809,4810,4811,4812,4813,4814,4815,4816,4817,4818,4819,4820,4821,4822,4823,4824,4825,4826,4827,4828,4829,4830,4831,4832,4833,4834,4835,4836,4837,4838,4839,4840,4841,4842,4843,4844,4845,4846,4847,4848,4849,4850,4851,4852,4853,4854,4855,4856,4857,4858,4859,4860,4861,4862,4863,4864,4865,4866,4867,4868,4869,4870,4871,4872,4873,4874,4875,4876,4877,4878,4879,4880,4881,4882,4883,4884,4885,4886,4887,4888,4889,4890,4891,4892,4893,4894,4895,4896,4897,4898,4899,4900,4901,4902,4903,4904,4905,4906,4907,4908,4909,4910,4911,4912,4913,4914,4915,4916,4917,4918,4919,4920,4921,4922,4923,4924,4925,4926,4927,4928,4929,4930,4931,4932,4933,4934,4935,4936,4937,4938,4939,4940,4941,4942,4943,4944,4945,4946,4947,4948,4949,4950,4951,4952,4953,4954,4955,4956,4957,4958,4959,4960,4961,4962,4963,4964,4965,4966,4967,4968,4969,4970,4971,4972,4973,4974,4975,4976,4977,4978,4979,4980,4981,4982,4983,4984,4985,4986,4987,4988,4989,4990,4991,4992,4993,4994,4995,4996,4997,4998,4999,5000,5001,5002,5003,5004,5005,5006,5007,5008,5009,5010,5011,5012,5013,5014,5015,5016,5017,5018,5019,5020,5021,5022,5023,5024,5025,5026,5027,5028,5029,5030,5031,5032,5033,5034,5035,5036,5037,5038,5039,5040,5041,5042,5043,5044,5045,5046,5047,5048,5049,5050,5051,5052,5053,5054,5055,5056,5057,5058,5059,5060,5061,5062,5063,5064,5065,5066,5067,5068,5069,5070,5071,5072,5073,5074,5075,5076,5077,5078,5079,5080,5081,5082,5083,5084,5085,5086,5087,5088,5089,5090,5091,5092,5093,5094,5095,5096,5097,5098,5099,5100,5101,5102,5103,5104,5105,5106,5107,5108,5109,5110,5111,5112,5113,5114,5115,5116,5117,5118,5119,5120,5121,5122,5123,5124,5125,5126,5127,5128,5129,5130,5131,5132,5133,5134,5135,5136,5137,5138,5139,5140,5141,5142,5143,5144,5145,5146,5147,5148,5149,5150,5151,5152,5153,5154,5155,5156,5157,5158,5159,5160,5161,5162,5163,5164,5165,5166,5167,5168,5169,5170,5171,5172,5173,5174,5175,5176,5177,5178,5179,5180,5181,5182,5183,5184,5185,5186,5187,5188,5189,5190,5191,5192,5193,5194,5195,5196,5197,5198,5199,5200,5201,5202,5203,5204,5205,5206,5207,5208,5209,5210,5211,5212,5213,5214,5215,5216,5217,5218,5219,5220,5221,5222,5223,5224,5225,5226,5227,5228,5229,5230,5231,5232,5233,5234,5235,5236,5237,5238,5239,5240,5241,5242,5243,5244,5245,5246,5247,5248,5249,5250,5251,5252,5253,5254,5255,5256,5257,5258,5259,5260,5261,5262,5263,5264,5265,5266,5267,5268,5269,5270,5271,5272,5273,5274,5275,5276,5277,5278,5279,5280,5281,5282,5283,5284,5285,5286,5287,5288,5289,5290,5291,5292,5293,5294,5295,5296,5297,5298,5299,5300,5301,5302,5303,5304,5305,5306,5307,5308,5309,5310,5311,5312,5313,5314,5315,5316,5317,5318,5319,5320,5321,5322,5323,5324,5325,5326,5327,5328,5329,5330,5331,5332,5333,5334,5335,5336,5337,5338,5339,5340,5341,5342,5343,5344,5345,5346,5347,5348,5349,5350,5351,5352,5353,5354,5355,5356,5357,5358,5359,5360,5361,5362,5363,5364,5365,5366,5367,5368,5369,5370,5371,5372,5373,5374,5375,5376,5377,5378,5379,5380,5381,5382,5383,5384,5385,5386,5387,5388,5389,5390,5391,5392,5393,5394,5395,5396,5397,5398,5399,5400,5401,5402,5403,5404,5405,5406,5407,5408,5409,5410,5411,5412,5413,5414,5415,5416,5417,5418,5419,5420,5421,5422,5423,5424,5425,5426,5427,5428,5429,5430,5431,5432,5433,5434,5435,5436,5437,5438,5439,5440,5441,5442,5443,5444,5445,5446,5447,5448,5449,5450,5451,5452,5453,5454,5455,5456,5457,5458,5459,5460,5461,5462,5463,5464,5465,5466,5467,5468,5469,5470,5471,5472,5473,5474,5475,5476,5477,5478,5479,5480,5481,5482,5483,5484,5485,5486,5487,5488,5489,5490,5491,5492,5493,5494,5495,5496,5497,5498,5499,5500,5501,5502,5503,5504,5505,5506,5507,5508,5509,5510,5511,5512,5513,5514,5515,5516,5517,5518,5519,5520,5521,5522,5523,5524,5525,5526,5527,5528,5529,5530,5531,5532,5533,5534,5535,5536,5537,5538,5539,5540,5541,5542,5543,5544,5545,5546,5547,5548,5549,5550,5551,5552,5553,5554,5555,5556,5557,5558,5559,5560,5561,5562,5563,5564,5565,5566,5567,5568,5569,5570,5571,5572,5573,5574,5575,5576,5577,5578,5579,5580,5581,5582,5583,5584,5585,5586,5587,5588,5589,5590,5591,5592,5593,5594,5595,5596,5597,5598,5599,5600,5601,5602,5603,5604,5605,5606,5607,5608,5609,5610,5611,5612,5613,5614,5615,5616,5617,5618,5619,5620,5621,5622,5623,5624,5625,5626,5627,5628,5629,5630,5631,5632,5633,5634,5635,5636,5637,5638,5639,5640,5641,5642,5643,5644,5645,5646,5647,5648,5649,5650,5651,5652,5653,5654,5655,5656,5657,5658,5659,5660,5661,5662,5663,5664,5665,5666,5667,5668,5669,5670,5671,5672,5673,5674,5675,5676,5677,5678,5679,5680,5681,5682,5683,5684,5685,5686,5687,5688,5689,5690,5691,5692,5693,5694,5695,5696,5697,5698,5699,5700,5701,5702,5703,5704,5705,5706,5707,5708,5709,5710,5711,5712,5713,5714,5715,5716,5717,5718,5719,5720,5721,5722,5723,5724,5725,5726,5727,5728,5729,5730,5731,5732,5733,5734,5735,5736,5737,5738,5739,5740,5741,5742,5743,5744,5745,5746,5747,5748,5749,5750,5751,5752,5753,5754,5755,5756,5757,5758,5759,5760,5761,5762,5763,5764,5765,5766,5767,5768,5769,5770,5771,5772,5773,5774,5775,5776,5777,5778,5779,5780,5781,5782,5783,5784,5785,5786,5787,5788,5789,5790,5791,5792,5793,5794,5795,5796,5797,5798,5799,5800,5801,5802,5803,5804,5805,5806,5807,5808,5809,5810,5811,5812,5813,5814,5815,5816,5817,5818,5819,5820,5821,5822,5823,5824,5825,5826,5827,5828,5829,5830,5831,5832,5833,5834,5835,5836,5837,5838,5839,5840,5841,5842,5843,5844,5845,5846,5847,5848,5849,5850,5851,5852,5853,5854,5855,5856,5857,5858,5859,5860,5861,5862,5863,5864,5865,5866,5867,5868,5869,5870,5871,5872,5873,5874,5875,5876,5877,5878,5879,5880,5881,5882,5883,5884,5885,5886,5887,5888,5889,5890,5891,5892,5893,5894,5895,5896,5897,5898,5899,5900,5901,5902,5903,5904,5905,5906,5907,5908,5909,5910,5911,5912,5913,5914,5915,5916,5917,5918,5919,5920,5921,5922,5923,5924,5925,5926,5927,5928,5929,5930,5931,5932,5933,5934,5935,5936,5937,5938,5939,5940,5941,5942,5943,5944,5945,5946,5947,5948,5949,5950,5951,5952,5953,5954,5955,5956,5957,5958,5959,5960,5961,5962,5963,5964,5965,5966,5967,5968,5969,5970,5971,5972,5973,5974,5975,5976,5977,5978,5979,5980,5981,5982,5983,5984,5985,5986,5987,5988,5989,5990,5991,5992,5993,5994,5995,5996,5997,5998,5999,6000,6001,6002,6003,6004,6005,6006,6007,6008,6009,6010,6011,6012,6013,6014,6015,6016,6017,6018,6019,6020,6021,6022,6023,6024,6025,6026,6027,6028,6029,6030,6031,6032,6033,6034,6035,6036,6037,6038,6039,6040,6041,6042,6043,6044,6045,6046,6047,6048,6049,6050,6051,6052,6053,6054,6055,6056,6057,6058,6059,6060,6061,6062,6063,6064,6065,6066,6067,6068,6069,6070,6071,6072,6073,6074,6075,6076,6077,6078,6079,6080,6081,6082,6083,6084,6085,6086,6087,6088,6089,6090,6091,6092,6093,6094,6095,6096,6097,6098,6099,6100,6101,6102,6103,6104,6105,6106,6107,6108,6109,6110,6111,6112,6113,6114,6115,6116,6117,6118,6119,6120,6121,6122,6123,6124,6125,6126,6127,6128,6129,6130,6131,6132,6133,6134,6135,6136,6137,6138,6139,6140,6141,6142,6143,6144,6145,6146,6147,6148,6149,6150,6151,6152,6153,6154,6155,6156,6157,6158,6159,6160,6161,6162,6163,6164,6165,6166,6167,6168,6169,6170,6171,6172,6173,6174,6175,6176,6177,6178,6179,6180,6181,6182,6183,6184,6185,6186,6187,6188,6189,6190,6191,6192,6193,6194,6195,6196,6197,6198,6199,6200,6201,6202,6203,6204,6205,6206,6207,6208,6209,6210,6211,6212,6213,6214,6215,6216,6217,6218,6219,6220,6221,6222,6223,6224,6225,6226,6227,6228,6229,6230,6231,6232,6233,6234,6235,6236,6237,6238,6239,6240,6241,6242,6243,6244,6245,6246,6247,6248,6249,6250,6251,6252,6253,6254,6255,6256,6257,6258,6259,6260,6261,6262,6263,6264,6265,6266,6267,6268,6269,6270,6271,6272,6273,6274,6275,6276,6277,6278,6279,6280,6281,6282,6283,6284,6285,6286,6287,6288,6289,6290,6291,6292,6293,6294,6295,6296,6297,6298,6299,6300,6301,6302,6303,6304,6305,6306,6307,6308,6309,6310,6311,6312,6313,6314,6315,6316,6317,6318,6319,6320,6321,6322,6323,6324,6325,6326,6327,6328,6329,6330,6331,6332,6333,6334,6335,6336,6337,6338,6339,6340,6341,6342,6343,6344,6345,6346,6347,6348,6349,6350,6351,6352,6353,6354,6355,6356,6357,6358,6359,6360,6361,6362,6363,6364,6365,6366,6367,6368,6369,6370,6371,6372,6373,6374,6375,6376,6377,6378,6379,6380,6381,6382,6383,6384,6385,6386,6387,6388,6389,6390,6391,6392,6393,6394,6395,6396,6397,6398,6399,6400,6401,6402,6403,6404,6405,6406,6407,6408,6409,6410,6411,6412,6413,6414,6415,6416,6417,6418,6419,6420,6421,6422,6423,6424,6425,6426,6427,6428,6429,6430,6431,6432,6433,6434,6435,6436,6437,6438,6439,6440,6441,6442,6443,6444,6445,6446,6447,6448,6449,6450,6451,6452,6453,6454,6455,6456,6457,6458,6459,6460,6461,6462,6463,6464,6465,6466,6467,6468,6469,6470,6471,6472,6473,6474,6475,6476,6477,6478,6479,6480,6481,6482,6483,6484,6485,6486,6487,6488,6489,6490,6491,6492,6493,6494,6495,6496,6497,6498,6499,6500,6501,6502,6503,6504,6505,6506,6507,6508,6509,6510,6511,6512,6513,6514,6515,6516,6517,6518,6519,6520,6521,6522,6523,6524,6525,6526,6527,6528,6529,6530,6531,6532,6533,6534,6535,6536,6537,6538,6539,6540,6541,6542,6543,6544,6545,6546,6547,6548,6549,6550,6551,6552,6553,6554,6555,6556,6557,6558,6559,6560,6561,6562,6563,6564,6565,6566,6567,6568,6569,6570,6571,6572,6573,6574,6575,6576,6577,6578,6579,6580,6581,6582,6583,6584,6585,6586,6587,6588,6589,6590,6591,6592,6593,6594,6595,6596,6597,6598,6599,6600,6601,6602,6603,6604,6605,6606,6607,6608,6609,6610,6611,6612,6613,6614,6615,6616,6617,6618,6619,6620,6621,6622,6623,6624,6625,6626,6627,6628,6629,6630,6631,6632,6633,6634,6635,6636,6637,6638,6639,6640,6641,6642,6643,6644,6645,6646,6647,6648,6649,6650,6651,6652,6653,6654,6655,6656,6657,6658,6659,6660,6661,6662,6663,6664,6665,6666,6667,6668,6669,6670,6671,6672,6673,6674,6675,6676,6677,6678,6679,6680,6681,6682,6683,6684,6685,6686,6687,6688,6689,6690,6691,6692,6693,6694,6695,6696,6697,6698,6699,6700,6701,6702,6703,6704,6705,6706,6707,6708,6709,6710,6711,6712,6713,6714,6715,6716,6717,6718,6719,6720,6721,6722,6723,6724,6725,6726,6727,6728,6729,6730,6731,6732,6733,6734,6735,6736,6737,6738,6739,6740,6741,6742,6743,6744,6745,6746,6747,6748,6749,6750,6751,6752,6753,6754,6755,6756,6757,6758,6759,6760,6761,6762,6763,6764,6765,6766,6767,6768,6769,6770,6771,6772,6773,6774,6775,6776,6777,6778,6779,6780,6781,6782,6783,6784,6785,6786,6787,6788,6789,6790,6791,6792,6793,6794,6795,6796,6797,6798,6799,6800,6801,6802,6803,6804,6805,6806,6807,6808,6809,6810,6811,6812,6813,6814,6815,6816,6817,6818,6819,6820,6821,6822,6823,6824,6825,6826,6827,6828,6829,6830,6831,6832,6833,6834,6835,6836,6837,6838,6839,6840,6841,6842,6843,6844,6845,6846,6847,6848,6849,6850,6851,6852,6853,6854,6855,6856,6857,6858,6859,6860,6861,6862,6863,6864,6865,6866,6867,6868,6869,6870,6871,6872,6873,6874,6875,6876,6877,6878,6879,6880,6881,6882,6883,6884,6885,6886,6887,6888,6889,6890,6891,6892,6893,6894,6895,6896,6897,6898,6899,6900,6901,6902,6903,6904,6905,6906,6907,6908,6909,6910,6911,6912,6913,6914,6915,6916,6917,6918,6919,6920,6921,6922,6923,6924,6925,6926,6927,6928,6929,6930,6931,6932,6933,6934,6935,6936,6937,6938,6939,6940,6941,6942,6943,6944,6945,6946,6947,6948,6949,6950,6951,6952,6953,6954,6955,6956],\"product_description\":[\"Imodium Multi-Symptom Relief Caplets, Loperamide HCl 2 mg/Simethicone 125 mg, 18 count blister pack cartons, McNeil Consumer Healthcare, Div of McNeil-PPC Inc., Fort Washington, PA\",\"Magnesium Sulfate in Water for Injection, 40 mg/mL (0.325 mEq Mg++/mL), 2 g total, 50 mL Flexible Container, Rx only, Hospira, Inc., Lake Forest, IL 60045; NDC 0409-6729-24.\",\"Morphine Sulfate Extended Release tablet, 30 mg, 60 tablet bottles, Rx only, Physician Total Care, Inc, Tulsa, Ok 74146-6234, NDC 54868-4033-00 \",\"Dorzolamide HCI/Timolol Maleate Ophthalmic Solution 22.3mg/6.8mg per mL, 10mL bottle, For Topical Application in the Eye, Sterile Ophthalmic Solution, Rx Only, Mfg by: Apotex Inc., Toronto, Ontario, Canada M9L 1T9\",\"Dr. Reddy's Amlodipine Besylate and Benazepril Hydrochloride 5 mg*/20 mg, 500 Capsules, Rx only, Mfd. By: Dr. Reddy's Laboratories Limited, Bachepalli - 502 325 INDIA, NDC 55111-340-05\",\"Hydrocodone Bitartrate and Acetaminophen Oral Solution, 7.5 mg/500 mg per 15 mL, 16 fl oz (473 mL) bottle, Rx only, Mallinckrodt Inc., Hazelwood, MO 63042 USA, NDC 0406-0375-16, UPC 3 0406-0375-16 1. \",\"DEXAMETHASONE/BACTERIOSTATIC WATER IONTOPHORESIS 0.5MG/5ML(0.1MG/ML) INJECTABL 30 ML (1 PRODUCT) \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t40 ML DEXAMETHASONE SDPF (0.1ML SYRINGE, 31G, 5/16\\\" ) 0.4MG/ML INJECTABLE\\t0.3 ML \\t0.5 ML DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 10MG/ML (1%) INJECTABLE\\t0.05 ML \\t1 ML \\t16 ML \\t \\t \\t \\t \\t2 ML \\t \\t24 ML \\t \\t \\t3 ML \\t \\t \\t32 ML \\t8 ML \\t DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 4MG/ML (0.4%) INJECTABLE\\t0.4 ML \\t2 ML \\t3 ML \\t \\t5 ML \\t6 ML DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 80MG/ML (8%) INJECTABLE\\t100 ML \\t40 ML \\t \\t DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 8MG/ML (800MCG/0.1ML) INJECTABLE\\t0.1 ML DEXAMETHASONE SODIUM PHOSPHATE 40MG/ML INJECTABLE\\t50 ML DEXAMETHASONE SODIUM PHOSPHATE 4MG/ML INJECTABLE\\t100 ML \\t \\t \\t180 MLS \\t \\t240 MLS \\t30 ML \\t60 ML DEXAMETHASONE SODIUM PHOSPHATE IN BSS (P.F.) 10MG/ML (1%) INJECTABLE\\t1 ML \\t \\t DEXAMETHASONE SODIUM PHOSPHATE, 30ML VIAL** 4MG/ML INJECTABLE\\t30 ML DEXAMETHASONE SOLUTION - NACL, P.F. 0.1% OPHTHALMIC\\t15 ML \\t \\t DEXAMETHASONE, SDPF - (0.07ML SYRINGE, 30G, 1/2\\\") 80MG/ML INJECTABLE\\t0.35 ML \\t \\t0.7 ML \",\"BIEST(80/20) 6.25MG/GM (1.25MG/0.2ML) I-CREAM 6 ML (5 DIFFERENT PRODUCTS) \",\"TROPICAMIDE/PHENYLEPHRINE OPHTHALMIC 15:1 SOLUTION\\t128 ML \\t480 ML \\t496 ML \\t576 ML \\t \\t90 ML (5 DIFFERENT PRODUCTS)\",\"DROPTAINER STERILE PLASTIC (2 X 7ML) 10 BOTTLE 4 PK (2 DIFFERENT PRODUCTS) \",\"CONCENTRATED SODIUM CHLORIDE INJECTION, USP, 23.4% a) 30 mL SINGLE DOSE VIAL, (NDC 0517-2930-25), b) 100 mL PHARMACY BULK PACKAGE (NDC 0517-2900-25), Rx Only, AMERICAN REGENT, INC. SHIRLEY, NY 11967. \",\"THIAMINE HCL 100MG/ML INJECTABLE\\t300 ML \\t360 ML \\t \\t450 ML (3 DIFFERENT PRODUCTS)\",\"CYANOCOBALAMIN (VIT B12 ) 1,000MCG/ML INJECTABLE 1 ML, 10 ML, 100 ML, 12 ML, 120 ML, 15 ML, 150 ML,\\t180 ML, 2 ML, 200 ML, 3 ML, 30 ML, 300 ML, 32 ML, 4 ML, 5 ML,\\t6 ML, 60 ML, 90 ML; CYANOCOBALAMIN **1000MCG/ML INJECTABLE 1000MCG/ML INJECTABLE\\t30 ML; CYANOCOBALAMIN*** (25X10ML VIAL) 1000MCG/ML INJECTABLE 10 ML, 20 MLS, 40 ML; CYANOCOBALMIN ***(VIT B-12) 25X1ML 1000MCG/ML INJECTABLE 50 MLS (24 DIFFERENT PRODUCTS) \",\"MITOMYCIN 1MG/ML SOLUTION\\t160 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t40 ML \\t \\t \\t \\t \\t \\t80 ML; \\t \\t \\t \\t MITOMYCIN SOLUTION, STERILE 0.02% (200MCG/ML) OPHTHALMIC\\t0.5 ML \\t \\t \\t \\t \\t1 ML \\t \\t \\t \\t \\t \\t \\t \\t1.5 ML \\t \\t \\t \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t12.5 ML \\t2 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2.5 ML \\t \\t \\t3 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t30 ML \\t4 ML \\t \\t \\t \\t5 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t6 ML \\t \\t \\t \\t7 ML; MITOMYCIN SOLUTION, STERILE 0.025% (250MCG/ML) OPHTHALMIC\\t2 ML \\t3 ML \\t \\t \\t \\t4 ML \\t \\t6 ML MITOMYCIN SOLUTION, STERILE 0.03% (300MCG/ML) OPHTHALMIC\\t2 ML \\t3 ML \\t \\t \\t4 ML \\t \\t5 ML; MITOMYCIN SOLUTION, STERILE 0.04% (400MCG/ML) OPHTHALMIC\\t1 ML \\t \\t \\t \\t \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t12 ML \\t \\t \\t2 ML \\t \\t \\t \\t20 ML \\t \\t3 ML \\t \\t \\t \\t \\t3.6 ML \\t \\t \\t4 ML \\t \\t \\t \\t5 ML \\t \\t \\t \\t5.4 ML \\t6 ML \\t \\t \\t \\t \\t \\t7.2 ML; MITOMYCIN SOLUTION, STERILE 0.05% (500MCG/ML) OPHTHALMIC\\t1.5 ML \\t10 ML \\t \\t \\t \\t15 ML \\t2 ML \\t \\t3 ML \\t5 ML; \\t \\t MITOMYCIN SOLUTION, STERILE/BUFFERED 0.5MG/ML INJECTABLE\\t80 ML; MITOMYCIN, LYOPHILIZED 1MG INJECTABLE\\t1 VIAL \\t \\t \\t \\t \\t \\t \\t10 VIAL \\t \\t \\t12 VIAL \\t2 VIAL \\t \\t \\t \\t \\t \\t \\t \\t2 VIALS \\t \\t20 VIAL \\t20 vials \\t3 VIAL \\t \\t \\t \\t \\t \\t \\t \\t3 VIALS \\t4 VIAL \\t \\t \\t4 VIALS \\t \\t \\t5 VIAL \\t \\t \\t \\t \\t \\t5 VIALS \\t \\t50 VIAL \\t6 VIAL \\t \\t \\t \\t6 VIALS \\t8 VIAL \\t \\t8 VIALS; \\t MITOMYCIN, LYOPHILIZED (BUFFERED) 20MG INJECTABLE\\t1 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t10 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t12 VIAL \\t \\t \\t \\t \\t \\t \\t \\t15 VIAL \\t \\t \\t \\t16 VIAL \\t17 VIALS \\t18 VIAL \\t2 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t20 VIAL \\t \\t \\t24 VIAL \\t \\t \\t \\t \\t \\t \\t24 VIALS \\t \\t \\t \\t3 VIAL \\t \\t \\t \\t \\t \\t \\t30 VIAL \\t4 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t5 VIAL \\t \\t \\t6 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t6 VIALS \\t7 VIAL \\t \\t7 VIALS \\t8 VIAL \\t \\t \\t \\t8 VIALS; MITOMYCIN, LYOPHILIZED (BUFFERED) 40MG INJECTABLE\\t1 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t1 VIALS \\t \\t10 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 VIALS \\t \\t11 VIAL \\t \\t \\t12 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t12 VIALS \\t \\t \\t \\t \\t \\t \\t13 VIAL \\t \\t \\t \\t14 VIAL \\t \\t15 `VIAL \\t \\t15 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t16 `VIAL \\t \\t16 VIAL \\t \\t \\t17 `VIAL \\t18 VIAL \\t18 VIALS \\t2 `VIAL \\t2 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2 VIALS \\t \\t \\t20 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t20 vials \\t23 `VIAL \\t23 VIAL \\t24 VIAL \\t \\t \\t \\t \\t \\t3 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t3 VIALS \\t \\t \\t30 VIAL \\t \\t \\t \\t \\t \\t \\t36 VIAL \\t \\t \\t4 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t4 VIALS \\t \\t40 VIAL \\t \\t \\t \\t \\t \\t41 VIAL \\t5 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t5 VIALS \\t50 VIAL \\t \\t6 `VIAL \\t6 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \",\"L-ARGININE 500MG/ML INJECTABLE\\t2500 ML \\t500 ML (2 DIFFERENT PRODUCTS)\",\"VANCOMYCIN (INTRAOCULAR) OPHTHALMIC, P.F. (BSS) 0.4% (4MG/ML) (0.4MG/0.1ML) INJE\\t400 ML; VANCOMYCIN (INTRAOCULAR) OPHTHALMIC, P.F. 1MG/0.1ML (10MG/ML) INJECTABLE\\t0.1 ML \\t \\t \\t \\t \\t0.2 ML \\t1 ML \\t100 ML \\t150 ML \\t2 ML \\t \\t2 MLS \\t5 ML \\t50 ML \\t6 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t95 ML; VANCOMYCIN HCL, FTV** 1GM INJECTABLE\\t3 VIAL \\t4 VIAL; VANCOMYCIN, FORTIFIED 1% (10MG/ML) OPHTHALMIC\\t10 ML; \\t \\t \\t VANCOMYCIN, FORTIFIED 1.5% (15MG/ML) OPHTHALMIC\\t15 ML; VANCOMYCIN, FORTIFIED 2% (20MG/ML) OPHTHALMIC\\t10 ML \\t \\t \\t \\t15 ML; VANCOMYCIN, FORTIFIED 2.5% (25MG/ML) OPHTHALMIC\\t10 ML \\t \\t15 ML; VANCOMYCIN, FORTIFIED 5% (50MG/ML) OPHTHALMIC\\t10 ML \\t \\t \\t15 ML \\t5 ML; \\t VANCOMYCIN, LYOPHILIZED, OPHTHALMIC KIT 1% KIT\\t1 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t1 VIAL \\t \\t14 KIT \\t2 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2 KITS \\t20 KIT \\t \\t \\t \\t \\t3 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t3 KITS \\t4 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t4 KITS \\t4 VIALS \\t5 KIT \\t \\t \\t \\t \\t6 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t6 VIAL \\t9 KIT; VANCOMYCIN, SDPF - (0.2ML SYRINGE, 30G, 1/2\\\") 1% INJECTABLE\\t0.4 ML \\t \\t0.6 ML \\t0.8 ML \\t \\t1 ML \\t1.2 ML \\t \\t \\t1.6 ML (44 DIFFERENT PRODUCTS)\",\"CYCLOPENT/LIDOCAINE/PHENYLEPHRINE/TROPICAMIDE 0.5%/0.5%/0.625%/0.25% OPHTHALMIC 20 ML (1 PRODUCT) \",\"PHENTOLAMINE 10MG/ML INJECTABLE\\t6 ML; \\t PHENTOLAMINE 1MG/ML INJECTABLE\\t2 ML \\t5 ML; PHENTOLAMINE 5MG/ML INJECTABLE\\t20 ML \\t50 ML (5 DIFFERENT PRODUCTS)\",\"DMPS 250MG/10ML INJECTABLE 20 ML, 30 ML; DMPS 50MG/ML (500MG/10ML) INJECTABLE 10 ML, 5 ML (4 DIFFERENT PRODUCTS) \",\"KETOROLAC TROMETHAMINE 30MG/ML INJECTABLE\\t10 ML \\t \\t \\t24 ML \\t \\t500 ML; KETOROLAC TROMETHAMINE 60MG/ML INJECTABLE\\t48 ML; KETOROLAC TROMETHAMINE, 1ML SDV**25X1ML 30MG/ML INJECTABLE\\t50 ML \\t \\t \\t75 ML; KETOROLAC TROMETHAMINE, P.F. 60MG/ML INJECTABLE\\t10 ML (7 DIFFERENT PRODUCTS)\",\"Erythromycin Topical Solution USP, 2%, 60 mL bottle with applicator, Rx only. E. FOUGERA & CO., A division of Fougera Pharmaceuticals, Inc., Melville, New York 11747, NDC 0168-0215-60, UPC 3 0168-0215-60 0. \",\"Xactdose Phenytoin Oral Suspension, USP 125 mg/5mL, supplied in 5 mL unit dose cups, VISTAPHARM, Largo, FL NDC 66689-036-50\",\"Copaxone (glatiramer acetate injection), 20mg/mL, 1 mL , Rx only, Marketed by: Teva Neuroscience - NDC 68546-317-30\",\"TETRACOSACTIDE ACETATE (COSYNTROPIN) 0.25MG/ML INJECTABLE\\t1 ML (1 PRODUCT)\",\"ESTRADIOL 25MG PELLETS 1 PELLET, 15 PEL, 15 PELLET, 2 PELLET, 2 TAB, 3 PELLET, 4 PELLET, 6 PELL, 6 PELLET; ESTRADIOL 50MG PELLETS 1 PELELT, 1 PELLET, 4 PELLET, 6 PELLET; ESTRADIOL CYPIONATE 5MG/ML INJECTABLE 5 ML; ESTRADIOL VALERATE IN COTTONSEED OIL 40 MG/ML INJECTABLE 10 ML; ESTRADIOL VALERATE IN SESAME OIL 40 MG/ML INJECTABLE 10 ML (16 DIFFERENT PRODUCTS) \\t \",\"IOPAMIDOL 41% INJECTABLE\\t198 ML \\t \\t99 ML \\t50 ML \\t600 ML \\t72 ML; \\t \\t \\t IOHEXOL, 4ML VIAL 240MG IODINE/ML INJECTABLE\\t200 ML; IOHEXOL, 3ML VIAL 300MG IODINE/ML INJECTABLE\\t180 ML \\t600 ML \\t \\t90 ML \\t \\t \\t \\t \\t900 ML (2 DIFFERENT PRODUCTS)\",\"MORPHINE SULFATE 2MG/ML INJECTABLE\\t10 ML; MORPHINE SULFATE MDV 10MG/ML INJECTABLE\\t10 ML \\t25 ML \\t30 ML; MORPHINE SULFATE, P.F. (0.9% SODIUM CHLORIDE) 50MG/ML INTRATHECAL\\t18 ML \\t \\t \\t40 ML; MORPHINE SULFATE, P.F. (0.9% SODIUM CHLORIDE) 15MG/ML INTRATHECAL\\t40 ML; \\t \\t \\t \\t \\t \\t \\t \\t MORPHINE SULFATE, P.F. (0.9% SODIUM CHLORIDE) 20MG/ML INTRATHECAL\\t18 ML \\t \\t \\t \\t40 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t MORPHINE SULFATE, P.F. (0.9% SODIUM CHLORIDE) 25MG/ML INTRATHECAL\\t20 ML \\t \\t40 ML; \\t \\t \\t \\t \\t \\t \\t MORPHINE SULFATE, P.F. (0.9% SODIUM CHLORIDE) 38MG/ML INTRATHECAL\\t50 ML; MORPHINE SULFATE, P.F. (0.9% SODIUM CHLORIDE) 5MG/ML INTRATHECAL\\t40 ML; \\t \\t \\t \\t MORPHINE SULFATE, P.F. 10MG/ML INTRATHECAL\\t40 ML; \\t \\t \\t MORPHINE SULFATE, P.F. 11.5MG/ML INTRATHECAL\\t35 ML; \\t \\t MORPHINE SULFATE, P.F. 1MG/ML INJECTABLE\\t250 ML; MORPHINE SULFATE, P.F. 25MG/ML INTRATHECAL\\t30 ML; \\t MORPHINE SULFATE, P.F. 30MG/ML INTRATHECAL\\t18 ML; \\t \\t \\t \\t \\t \\t \\t MORPHINE SULFATE, P.F. 33MG/ML INTRATHECAL\\t30 ML; MORPHINE SULFATE, P.F. 35MG/ML INTRATHECAL\\t35 ML; MORPHINE SULFATE, P.F. 40MG/ML INTRATHECAL\\t18 ML \\t \\t20 ML \\t \\t35 ML; \\t \\t MORPHINE SULFATE, P.F. 42MG/ML INTRATHECAL\\t35 ML; \\t \\t MORPHINE SULFATE, P.F. 50MG/ML INTRATHECAL\\t18 ML \\t \\t40 ML; \\t \\t \\t \\t MORPHINE SULFATE, P.F. 5MG/ML INTRATHECAL\\t40 ML; MORPHINE SULFATE/BACLOFEN P.F. 25MG/1500MCG/ML INTRATHECAL\\t18 ML (28 DIFFERENT PRODUCTS)\",\"FLUORESCEIN/INDOCYANINE, LYOPHILIZED 200MG/10MG VIAL INJECTABLE 12 VIAL, 20 VIAL, 24 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 200MG/15MG VIAL INJECTABLE 23 VIAL, 25 VIAL, 30 VIAL, 7 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 200MG/5MG VIAL INJECTABLE 1 VIAL, 10 VIAL, 12 VIAL, 13 VIAL, 15 VIAL, 2 VIAL, 20 VIAL, 24 VIAL, 3 VIAL, 30 VIAL, 40 VIAL, 41 VIAL, 5 VIAL, 50 VIAL, 6 VIAL, 7 VIAL, 9 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 300MG/5MG VIAL INJECTABLE 10 VIAL, 15 VIAL, 20 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 300MG/7.5MG VIAL INJECTABLE 20 vials, 6 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 400MG/15MG VIAL INJECTABLE 10 VIAL, 14 VIAL, 15 VIAL, 16 VIAL, 2 VIAL, 20 VIAL, 21 VIAL, 25 VIAL, 250 VIAL, 3 VIAL, 30 VIAL, 32 VIAL, 4 VIAL,\\t 40 VIAL, 5 VIAL, 50 VIAL, 6 VIAL, 8 VIALS, 9 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 500MG/25MG VIAL INJECTABLE 1 VIAL, 12 VIAL, \\t2 VIAL, 23 VIAL, 30 VIAL, 6 VIAL, 8 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 600MG/12.5MG VIAL INJECTABLE 58 VIAL, 680 VIAL, 692 VIAL, 724 VIAL, 750 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHILIZED 600MG/15MG VIAL INJECTABLE 2 VIAL, 3 VIAL; FLUORESCEIN/INDOCYANINE, LYOPHYLIZED 1000MG/10MG INJECTABLE 100 VIAL, 137 VIAL, 140 VIAL,\\t153 VIAL, 200 VIAL, 47 VIAL, 60 VIAL, 63 VIAL (70 DIFFEENT PRODUCTS) \",\"LEVOFLOXACIN, P.F. (PREMIXED SOLUTION) 5MG/ML INJECTABLE\\t1200 ML \\t500 ML \\t700 ML \\t \\t800 ML LEVOFLOXACIN, P.F. 25MG/ML(500MG/20ML) INJECTABLE\\t300 ML \\t500 ML (6 DIFFERENT PRODUCTS)\",\"FUROSEMIDE*** (25X10ML) 10MG/ML INJECTABLE 250 ML; FUROSEMIDE*** (25X4ML) 10MG/ML INJECTABLE 2 VIAL (2 DIFFERENT PRODUCTS) \",\"DMSO / BUPIVACAINE HCL 50%/0.5% INJECTABLE 100 ML, 50 ML; DMSO 100% INJECTABLE 100 ML; DMSO FORTIFIED IRRIGATION - W/O HEPARIN SOLUTION\\t350 ML; DMSO FORTIFIED IRRIGATION 50%/0.01%/44%/1% SOLUTION\\t1000 ML, 1200 ML, 150 ML, 200 ML, 250 ML, 300 ML, 400 ML, 500 ML, 600 ML; DMSO FORTIFIED IRRIGATION 50%/44%/1% SOLUTION\\t50 ML; DMSO FORTIFIED IRRIGATION W/LIDOCAINE 50%/0.01%/44%/1%/1% SOLUTION\\t250 ML; DMSO IRRIGATION - NACHO3 50% SOLUTION 100 ML, 300 ML, 400 ML, 500 ML, 600 ML; DMSO W/LIDOCAINE 50%/0.5% SOLUTION 100 ML, 1200 ML, 150 ML, 200 ML,\\t250 ML, 2500 ML, 30 ML, 300 ML, 400 ML, 50 ML, 500 ML, 600 ML (32 DIFFERENT PRODUCTS) \",\"BUPIVACAINE/HYDROMORPHONE, P.F. 15MG/40MG/ML INTRATHECAL 40 ML; BUPIVACAINE/HYDROMORPHONE, P.F. 22MG/30MG/ML INTRATHECAL 40 ML; BUPIVACAINE/HYDROMORPHONE, P.F. 7.5MG/20MG/ML INTRATHECAL 40 ML; BUPIVACAINE/HYDROMORPHONE, P.F. 7.5MG/25MG/ML INTRATHECAL 18 ML; BUPIVACAINE/HYDROMORPHONE, P.F. 7.5MG/50MG/ML INTRATHECAL 18 ML, 40 ML (6 DIFFERENT PRODUCTS)\",\"MAGNESIUM CHLORIDE, PRESERVATIVE FREE 20% INJECTABLE\\t100 ML \\t \\t1000 ML \\t500 ML \\t \\t \\t \\t \\t600 ML \\t \\t \\t \\t \\t \\t750 ML; MAGNESIUM SULFATE 50% (500MG/ML) INJECTABLE\\t14 ML \\t20 ML \\t4 ML; \\t MAGNESIUM SULFATE IN 5% DEXTROSE 1% (1GM/100ML) INJECTABLE\\t2400 ML; \\t \\t \\t \\t \\t MAGNESIUM SULFATE IN 5% DEXTROSE 4% (2GM/50ML) INJECTABLE\\t1200 ML; MAGNESIUM SULFATE, P.F. 50% (500MG/ML) INJECTABLE\\t180 ML \\t240 ML \\t4 ML \\t \\t \\t6 ML (14 DIFFERENT PRODUCTS)\",\"SODIUM BICARBONATE 4% INJECTABLE\\t10 ML \\t \\t5 ML; SODIUM BICARBONATE 8.4% INJECTABLE\\t150 ML \\t50 ML \\t5000 ML; SODIUM BICARBONATE, 50ML SDV** 8.4% (1MEQ/ML) INJECTABLE\\t100 MLS \\t250 ML; SODIUM BICARBONATE, MDV 8.4% INJECTABLE\\t100 ML \\t \\t150 ML \\t200 ML; \\t SODIUM CHLORIDE 0.9% (25X10ML) INJ. SDPF **** 0.9% INJECTABLE\\t25 VIAL \\t40 ML; SODIUM CHLORIDE (STERILE) 23.4% (20MEQ/5ML) SOLUTION\\t1000 ML \\t2500 ML; SODIUM CHLORIDE 0.9% BACTERIOSTATIC ** 0.9% INJECTABLE\\t30 MLS \\t750 ML; SODIUM CHLORIDE 0.9% IRRIGATION (24X250ML)** 0.9% SOLUTION\\t250 ML; SODIUM CHLORIDE 0.9%, 100ML I.V. BAG** 0.9% INJECTABLE\\t100 ML; SODIUM TETRADECYL SO4 3% INJECTABLE\\t20 ML; \\t SODIUM TETRADECYL SULFATE 0.2 % INJECTABLE\\t30 ML (20 DIFFERENT PRODUCTS)\",\"QUADMIX 12MG/1MG/10MCG/150MCG/ML INJECTABLE\\t10 ML; QUADMIX 15MG/0.5MG/5MCG/100MCG/ML INJECTABLE\\t10 ML; QUADMIX 30MG/0.5MG/5MCG/100MCG/ML INJECTABLE\\t10 ML; \\t QUADMIX 30MG/1MG/10MCG/100MCG/ML INJECTABLE\\t1 ML \\t \\t \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2 ML \\t30 ML \\t \\t5 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t QUADMIX 30MG/1MG/20MCG/100MCG/ML INJECTABLE\\t10 ML \\t \\t10 MLS \\t \\t5 ML; \\t QUADMIX 30MG/1MG/40MCG/100MCG/ML INJECTABLE\\t10 ML; \\t QUADMIX 30MG/2MG/20MCG/100MCG/ML INJECTABLE\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2 ML \\t \\t \\t4 ML; \\t QUADMIX 30MG/2MG/40MCG/100MCG/ML INJECTABLE\\t10 ML \\t \\t \\t \\t \\t15 ML; \\t QUADMIX 30MG/2MG/60MCG/100MCG/ML INJECTABLE\\t5 ML; QUADMIX 30MG/3MG/50MCG/100MCG/ML INJECTABLE\\t10 ML \\t2.5 ML; \\t \\t QUADMIX 30MG/4MG/60MCG/100MCG/ML INJECTABLE\\t5 ML; QUADMIX 30MG/6MG/60MCG/100MCG/ML INJECTABLE\\t5 ML (22 DIFFERENT PRODUCTS)\",\"HYDROMORPHONE P.F. 20MG/ML INTRATHECAL 40 ML; HYDROMORPHONE P.F. 25MG/ML INTRATHECAL 18 ML; HYDROMORPHONE P.F. 30MG/ML INTRATHECAL 18 ML; HYDROMORPHONE P.F. 50MG/ML INTRATHECAL 40 ML (4 DIFFERENT PRODUCTS) \",\"AMPHOTERICIN B OPHTHALMIC (0.5ML, LL SYRINGE) P.F. 10MCG/0.1ML INJECTABLE 1 ML, 1.5 ML, 2 ML, 2.5 ML, 5 ML; AMPHOTERICIN B OPHTHALMIC 5MCG/0.1ML INJECTABLE, 0.2 ML, 0.4 ML, 3 ML; AMPHOTERICIN B, LYOPHILIZED 150MCG INJECTABLE\\t2 VIAL; AMPHOTERICIN-B, NEBULIZATION, STERILE 5MG/2ML NASO-NEB 60 ML (10 DIFFERENT PRODUCTS) \",\"MOLYBDENUM 250MCG/ML INJECTABLE\\t30 ML \\t \\t \\t \\t \\t60 ML (2 DIFFERENT PRODUCTS)\",\"LEVOTHYROXINE SODIUM 325MCG/ML (0.325MG/ML) INJECTABLE\\t15 ML (1 PRODUCT)\",\"DMSO/HEPARIN 50%/20,000U/25ML SOLUTION 100 ML, 25 ML; DMSO/HEPARIN 50%/5000U/50ML SOLUTION 300 ML, 400 ML (4 DIFFERENT PRODUCTS) \",\"Albuterol Sulfate Inhalation Solution, 0.083%, 2.5 mg/3 mL Sterile Unit-Dose Vials, 60-count (60 x 3 mL Sterile Unit-Dose Vials) per carton, Rx only, Manufactured by: nephron pharmaceuticals corporation, Orlando, FL 32811, NDC 0487-9501-60.\",\"HYDROmorphone HCl Injection, USP, 1 mg/mL, 1 mL fill in a 2.5 mL Carpuject prefilled cartridge unit, packaged in 10-count Carpujects per carton, Rx only, Hospira, Inc., Lake Forest, IL 60045, NDC 0409-1283-31, Barcode (01) 1 030409 128331 9 (carton), (01) 0 030409 128331 2 (cartridge unit).\",\"PROCAINE HCL, P.F. 1% INJECTABLE\\t1000 ML \\t180 ML; PROCAINE HCL, P.F. 2% INJECTABLE\\t300 ML \\t \\t360 ML \\t450 ML; PROCAINE HCL, P.F. 8% INJECTABLE\\t20 ML \\t60 ML (7 DIFFERENT PRODUCTS)\",\"BUPIVACAINE/FENTANYL IN SODIUM CHLORIDE 0.9% P. F. 30 MG/200 MCG/ML INTRATHECAL\\t40 ML (1 PRODUCT) \",\"BEVACIZUMAB & DXM, SDPF - (0.06ML SYRINGE, 31G, 5/16\\\") 25MG/100MG/ML INJECTABLE 0.72 ML; BEVACIZUMAB & DXM, SDPF - (0.06ML SYRINGE, 31G, 5/16\\\") 25MG/20MG/ML INJECTABLE 3 ML, 4.5 ML; BEVACIZUMAB & DXM, SDPF - (0.075ML SYRINGE, 30G, 1/2\\\") 25MG/20MG/ML INJECTABLE 0.225 ML; BEVACIZUMAB & DXM, SDPF - (0.07ML SYRINGE, 30G, 1/2\\\") 25MG/20MG/ML INJECTABLE 0.07 ML, 1.33 ML, 1.4 ML, 1.47 ML; BEVACIZUMAB & DXM, SDPF - (0.07ML SYRINGE, 30G, 1/2\\\") 25MG/40MG/ML INJECTABLE 0.35 ML, 0.7 ML, 1.05 ML; BEVACIZUMAB & DXM, SDPF - (0.07ML SYRINGE, NO NEEDLE) 25MG/40MG/ML INJECTABLE 0.63 ML; BEVACIZUMAB & DXM, SDPF - (0.09ML SYRINGE, 30G, 1/2\\\") 25MG/20MG/ML INJECTABLE 1.8 ML, 2.7 ML; BEVACIZUMAB & DXM, SDPF - (0.09ML SYRINGE, 31G, 5/16\\\") 25MG/20MG/ML INJECTABLE 0.18 ML, 0.27 ML,\\t0.45 ML, 1.08 ML, 13.5 ML,2.25 ML, 4.5 ML; BEVACIZUMAB & DXM, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 25MG/16MG/ML INJECTABLE 0.3 ML,\\t 0.4 ML, 0.5 ML, 1 ML, 1.2 ML, 1.5 ML, 2 ML, 2.5 ML, 5 ML, 7.5 ML; BEVACIZUMAB & DXM, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 25MG/40MG/ML INJECTABLE\\t4 ML, 6 ML; BEVACIZUMAB & DXM, SDPF - (0.1ML SYRINGE, 31G, 5/16\\\") 25MG/16MG/ML INJECTABLE 2 ML, 2.5 ML; BEVACIZUMAB & DXM, SDPF - (0.1ML SYRINGE, 31G, 5/16\\\") 25MG/20MG/ML INJECTABLE 0.3 ML, 0.4 ML, 0.5 ML, 0.6 ML, 0.7 ML, 0.8 ML,\\t1 ML, 1.5 ML, 55.1 ML, 57.5 ML, 57.6 ML, 58 ML, 7.5 ML;\\t BEVACIZUMAB & DXM, STSL (0.1ML SYRINGE, 30G, 1/2\\\") 25MG/16MG/ML INJECTABLE 0.3 ML; BEVACIZUMAB & TMC, SDPF - (0.075ML SYRINGE, 30G 1/2\\\") 25MG/40MG/ML INJECTABLE\\t0.075 ML, 0.15 ML, 0.225 ML, 0.375 ML, 0.75 ML, 1.125 ML, 1.5 ML; BEVACIZUMAB & TMC, SDPF (0.075ML SYRINGE, 30G, 1/2\\\") 25MG/80MG/ML INJECTABLE 0.45 ML, 0.75 ML; BEVACIZUMAB & TMC, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 25MG/40MG/ML INJECTABLE 0.3 ML, 0.5 ML, 1 ML, 2 ML,\\t2.5 ML, 3 ML; BEVACIZUMAB & TMC, SDPF - (0.1ML SYRINGE, NO NEEDLE) 25MG/40MG/ML INJECTABLE 0.5 ML; BEVACIZUMAB & TMC, SDPF W/ STSL - (0.075ML SYRINGE, 30G, 1/2\\\") 25MG/80MG/ML INJE 0.375 ML, 0.525 ML, 0.75 ML, 1.125 ML; BEVACIZUMAB & TMC, SDPF W/ STSL - (0.15ML SYRINGE, 30G, 1/2\\\") 25MG/40MG/ML INJEC\\t0.6 ML, 0.75 ML, 0.9 ML, 1.05 ML; BEVACIZUMAB & TMC, SDPF W/ STSL - (0.1ML SYRINGE, 30G, 1/2\\\") 25MG/20MG/ML INJECT 0.2 ML, 0.4 ML; BEVACIZUMAB & TMC, SDPF W/ STSL - (0.1ML SYRINGE, 30G, 1/2\\\") 25MG/40MG/ML INJECT 0.6 ML, 1 ML; BEVACIZUMAB IN ARTIFICIAL TEARS 0.5% (5MG/ML) OPHTHALMIC 5 ML; BEVACIZUMAB, SDPF - (0.05ML SYRINGE, 27G, 1/2\\\") 25MG/ML INJECTABLE 0.3 ML; BEVACIZUMAB, SDPF - (0.05ML SYRINGE, 30G, 1/2\\\") 25MG/ML INJECTABLE 0 MLS, 0.05 ML, 0.1 ML, 0.15 ML, 0.2 ML, 0.2 MLS, 0.25 ML, 0.25 MLS, 0.3 ML, 0.3 MLS, 0.35 ML, 0.36 ML, 0.4 ML,\\t0.45 ML, 0.5 ML, 0.6 ML, 0.65 ML, 0.7 ML, 0.75 ML, 0.8 ML, 1 ML, 1.2 ML, 1.25 ML, 1.5 ML,1.5 MLS, 1.75 ML, 1.8 ML, 10 ML, 15 ML, 2 ML, 2.25 ML, 2.5 ML, 2.5 MLS, 2.55 ML, 2.6 ML, 3 ML, 3.1 ML, 3.5 ML, 3.6 ML,\\t3.65 ML, 3.7 ML, 3.75 ML, 3.96 MLS, 4 ML, 4.5 ML, 5 ML, 5 MLS, 7 ML, 7.2 ML, 7.2 MLS, 7.25 ML, 7.3 MLS, 7.3 VIAL, 7.4 MLS, 7.5 ML; BEVACIZUMAB, SDPF - (0.05ML SYRINGE, 31G, 5/16\\\") 25MG/ML INJECTABLE\\t0.1 ML, 0.15 ML, 0.2 ML, 0.25 ML, 0.3 ML, 0.35 ML, 0.4 ML, 0.5 ML, 0.55 ML, 0.6 ML, 0.65 ML, 0.7 ML, 0.75 ML, 0.8 ML, 0.85 ML, 0.9 ML, 1 ML, 1.1 ML, 1.2 ML, 1.25 ML, 1.5 ML, 1.75 ML, 10 ML, 12.25 ML, 12.5 ML, 13.5 ML, 15 ML, 17.5 ML, 2 ML, 2.25 ML, 2.5 ML, 2.6 ML, 3 ML, 3.5 ML, 3.75 ML, 4 ML, 4.5 ML, 5 ML, 5.05 ML, 6 ML, 6.25 ML, 6.35 ML, 7.5 ML, 8.75 ML; BEVACIZUMAB, SDPF - (0.06ML SYRINGE, 30G, 1/2\\\") 25MG/ML INJECTABLE 1.2 ML, 2.88 ML; BEVACIZUMAB, SDPF - (0.06ML SYRINGE, 31G, 5/16\\\") 25MG/ML INJECTABLE 1.5 ML, 1.8 ML, 2.4 ML, 3 ML, 3.6 ML, 4.8 ML, 6 ML; BEVACIZUMAB, SDPF - (0.07ML SYRINGE, 30G, 1/2\\\") 25MG/ML INJECTABLE 1.75 ML; BEVACIZUMAB, SDPF - (0.07ML SYRINGE, 31G, 5/16\\\") 25MG/ML INJECTABLE\\t0.14 ML, 0.21 ML, 1.75 ML, 3.5 ML, 4.2 ML, 5.6 ML, 7 ML; BEVACIZUMAB, SDPF - (0.08ML SYRINGE, 30G, 1/2\\\") 25MG/ML INJECTABLE 0.08 ML; BEVACIZUMAB, SDPF - (0.08ML SYRINGE, NO NEEDLE) 25MG/ML INJECTABLE 0.08 ML, 0.16 ML, 0.24 ML, 0.32 ML, 0.48 ML, 16 ML, 8 ML; BEVACIZUMAB, SDPF - (0.1\",\"HUMULIN-R INSULIN, 10ML VIAL** 100U/ML INJECTABLE\\t10 MLS (1 PRODUCT) \",\"Topiramate Tablets, 50 mg, 30-count (3 x 10) unit-dose blisters per carton, Rx only, Mfd by: Cadila Healthcare Ltd., Ahmedabad, India; Dist By: Zydus Pharmaceuticals USA, Inc., Pennington, NJ 08534, Pkg by: American Health Packaging, Col. OH 43217, NDC 68084-343-21, blister barcode 6808434311\",\"AMIKACIN P. F. 250MG/ML INJECTABLE 2 ML,4 ML; AMIKACIN SULFATE**** 4ML SDV 250MG/ML INJECTABLE 40 ML; AMIKACIN SULFATE, LYOPHILIZED 4MG VIAL INJECTABLE 1 KIT,1 VIAL, 2 KIT, 2 KITS, 2 VIAL, 4 KIT, 4 VIAL; AMIKACIN SULFATE, LYOPHILIZED, OPHTHALMIC KIT 4MG VIAL INJECTABLE 1 KIT, 2 KIT, 4 KITS, 6 KIT; AMIKACIN SULFATE, OPHTHALMIC IN BSS, P.F. 4MG/ML INJECTABLE 0.1 ML, 0.2 ML, 2 ML, 2 MLS (18 DIFFERENT PRODUCTS) \",\"BACLOFEN/MORPHINE, P.F. 1,000MCG/25MG/ML INTRATHECAL 18 ML; BACLOFEN/MORPHINE, P.F. 1,500MCG/1.5MG/ML INTRATHECAL 40 ML; BACLOFEN/MORPHINE, P.F. 2,000MCG/25MG/ML INTRATHECAL 40 ML (3 DIFFERENT PRODUCTS) \",\"LIDOCAINE/SODIUM BICARBONATE/HEPARIN IRRIGATION 10.6MG/16.8MG/2667U/ML SOLUTIO\\t90 ML (1 PRODUCT)\",\"Morphine Sulfate Immediate Release tablet, 30 mg/120 tablet bottles, Rx only, Physician Total Care, Inc, Tulsa, OK 74146-6234, NDC 54868-4973-00 \",\"LifeGas OXYGEN COMPRESSED UN1072 USP, Distributed by: Linde\",\"Thyro-Tab 0.050mg., packaged in bulk drums for repackaging. The firm name on the label is Lloyd Pharmaceutical, Shenandoah, IA.\",\"Balnetar Therapeutic Tar Bath, Coal Tar USP 2.5% (from Coal Tar USP Solution, 7%), 7.5 oz bottle, Distributed by Ranbaxy, Jacksonville, FL 32257, NDC 10631-106-08\",\"HYDROCORTISONE and ACETIC ACID OTIC SOLUTION, USP, 10 mL bottle, Rx only, Mfg. for: QUALITEST PHARMACEUTICALS, HUNTSVILLE, AL 35811; NDC 0603-7039-39; UPC 3 0603-7039-39 7.\",\"ATROPINE SULFATE 0.4MG/ML INJECTABLE 12 ML, 2 ML, 20 ML, 24 ML, 25 ML, 3 ML; ATROPINE/EPINEPHRINE/ BSS 0.02MG/0.1MG/ML INJECTABLE 10 ML, 5 ML (8 DIFFERENT PRODUCTS) \",\"CISPLATIN 1MG/ML INJECTABLE 1000 ML, 2000 ML (2 DIFFERENT PRODUCTS) \",\"GLUTATHIONE INHALATION 30MG/ML SOLUTION 120 ML, 60 ML; GLUTATHIONE P.F. 200MG/ML INJECTABLE\\t10 ML, 100 ML, 14 ML, 150 ML, 175 ML, 20 ML, 30 ML, 300 ML, 40 ML, 40 MLS, 50 ML, 58 MLS, 70 ML;\\t GLUTATHIONE P.F. 50MG/ML (500MG/10ML) INJECTABLE 100 ML, 150 ML, 20 ML, 40 ML, 60 ML; GLUTATHIONE-FFC 100MG/ML INJECTABLE 20 ML (21 DIFFERENT PRODUCTS) \",\"ACETYLCYSTEINE, OPHTHALMIC IN ARTIFICIAL TEARS 10% SOLUTION 10 ML, 2 ML, 5 ML, 6 ML; ACETYLCYSTEINE, OPHTHALMIC IN ARTIFICIAL TEARS 2.5% SOLUTION 20 ML; ACETYLCYSTEINE, OPHTHALMIC IN ARTIFICIAL TEARS 5% SOLUTION\\t3 ML (6 DIFFERENT PRODUCTS) \",\"Derma-Smoothe/FS (Fluocinolone Acetonide) 0.01%, Body Oil, 4 fl. oz. (118.28mL ), Rx only, FOR TOPICAL USE ONLY, Manufactured and Distributed by: Hill Dermaceuticals, Inc. SANFORD, FLORIDA --- NDC 28105-150-04\",\"Dukal Corporation BZK Swab, First Aid Antiseptic, (Benzalkonium Chloride), 0.133% w/v, Item 854-1000 contains 1000 individually packaged swabs per box. Item 854 contains 200 individually packaged swabs per box. Packaging labeled with Dukal Corporation, Hauppauge, NY 11788 --- NDC 65517-00031\",\"ZEE Antiseptic Wipes, First Aid Antiseptic, Benzalkonium chloride 0.133% (effective concentration), over the counter; supplied in 10 (item 2633), 50 (items 0204 and 02040 [sold in Canada only]) and 100 (item 0271) wipes per box distributed by ZEE MEDICAL, INC., Irvine, CA \",\"Japan Weight Loss Blue Capsules, 9 g (300 mg), 30 count box, Green algae lipotropic (fat dissolving) agent, OTC, Distributed by Vitaminbestbuy.com, Brewerton, NY\",\"OXYGEN, COMPRESSED USP MEDICAL GAS in the following containers: E Cylinder 680L, D Cylinder 425L, and M6 Cylinder 165L, Rx only, Oklahoma Respiratory Care, Norman, OK\",\"WATER BACT STERILE - (25X30ML)*** INJECTABLE\\t30 ML \\t750 MLS; WATER STERILE - USP (25X10ML)* INJECTABLE\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 MLS \\t \\t100 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t100 MLS \\t \\t \\t \\t1000 ML \\t \\t \\t \\t \\t \\t \\t110 ML \\t \\t120 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t130 ML \\t \\t130 MLS \\t150 \\t150 ML \\t \\t \\t \\t \\t \\t \\t150 MLS \\t160 ML \\t \\t \\t160 MLS \\t20 \\t \\t20 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t200 ML \\t \\t \\t \\t \\t \\t \\t \\t200 MLS \\t \\t2000 ML \\t230 ML \\t240 ML \\t \\t250 ML \\t250 MLS \\t30 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t30 MLS \\t \\t \\t \\t \\t300 \\t300 ML \\t \\t \\t \\t300 MLS \\t \\t40 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t40 MLS \\t \\t400 ML \\t \\t400 MLS \\t \\t50 \\t \\t \\t50 ML \\t \\t \\t \\t \\t \\t50 MLS \\t500 ML \\t \\t500 MLS \\t60 \\t \\t \\t60 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t60 MLS \\t \\t6800 ML \\t70 ML \\t \\t \\t7240 ML \\t7500 ML \\t \\t \\t80 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t80 MLS \\t90 ML; \\t \\t \\t WATER STERILE - USP (25X20ML)** INJECTABLE\\t1000 MLS \\t200 ML \\t200 MLS \\t \\t300 MLS \\t400 MLS \\t500 ML \\t60 \\t60 ML \\t600 20 \\t600 ML; WATER STERILE - USP (25X50ML)** INJECTABLE\\t1000 ML \\t \\t \\t1150 ML \\t1250 MLS \\t1350 ML \\t150 MLS \\t2500 ML \\t300 ML \\t50 ML \\t \\t \\t500 ML \\t500 MLS \\t600 \\t600 ML \\t600 MLS (72 DIFFERENT PRODUCTS)\",\"RIBOFLAVIN SOLUTION 0.1% OPHTHALMIC\\t10 ML \\t5 ML; RIBOFLAVIN SOLUTION, P.F. 0.1% OPHTHALMIC\\t90 ML (3 DIFFERENT PRODUCTS)\",\"METHIONINE/INOSITOL/CHOLINE CHLORIDE/CHROM/B12 (C) 0.8/1.6/1.6/0.0001/0.03% INJE\\t10 ML \\t \\t200 ML \\t \\t30 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t50 ML; METHIONINE/INOSITOL/CHOLINE CHLORIDE/CHROM/B12 (M) 0.8/1.6/1.6/0.0001/0.03% INJE\\t10 ML \\t \\t \\t \\t \\t \\t150 ML \\t180 ML \\t \\t \\t30 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t360 ML \\t \\t \\t4 ML \\t5 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t METHIONINE/INOSITOL/CHOLINE CHLORIDE/CHROM/VIT B-12 0.8/1.6/1.6/0.0001/0.03% IN\\t30 ML; METHIONINE/INOSITOL/CHOLINE CHLORIDE/CHROMIUM CHLORIDE 0.8/1.6/1.6/0.0001/0.03% \\t100 ML \\t \\t \\t30 ML \\t \\t80 ML; \\t METHIONINE/INOSITOL/CHOLINE CHLORIDE/VIT B12 0.8%/1.6%/1.6%/1200MCG/ML INJECTABL\\t30 ML; METHIONINE/INOSITOL/CHOLINE CL/B6/B12/CHROM/ (C) 25/50/50/100/1MG/4MCG\\t5 ML; \\t METHIONINE/INOSITOL/CHOLINE/CHROMIUM W/O B-12 0.8/1.6/1.6/0.0001% INJECTABLE\\t30 ML (18 DIFFERENT PRODUCTS)\",\"MIDAZOLAM 1MG/ML (5ML VIAL) INJECTABLE\\t100 ML; MIDAZOLAM 1MG/ML INJECTABLE\\t100 ML \\t \\t108 ML \\t1250 ML \\t \\t20 ML \\t292 ML \\t300 ML \\t40 ML \\t500 ML \\t90 ML; MIDAZOLAM 5MG/ML INJECTABLE\\t140 ML \\t150 ML \\t200 ML; MIDAZOLAM HCL ***(10X10ML) 5MG/ML INJECTABLE\\t100 MLS (13 DIFFERENT PRODUCTS)\",\"TRYPAN BLUE SOLUTION, P.F. 0.04% OPHTHALMIC\\t10 ML; \\t TRYPAN BLUE SOLUTION, P.F. 0.05% OPHTHALMIC\\t0.5 ML \\t1.5 ML \\t10 ML \\t \\t \\t12 ML \\t2 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2.5 ML \\t \\t \\t \\t \\t3 ML \\t \\t \\t \\t \\t \\t \\t4 ML \\t \\t \\t \\t \\t \\t \\t \\t4.5 ML \\t5 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t6 ML \\t7.5 ML \\t8 ML; TRYPAN BLUE SOLUTION, P.F. 0.06% OPHTHALMIC\\t10 ML \\t \\t2.5 ML; \\t \\t TRYPAN BLUE SOLUTION, P.F. 0.1% OPHTHALMIC\\t1 ML \\t \\t1.5 ML \\t10 ML \\t \\t \\t \\t \\t \\t \\t12 ML \\t2 ML \\t25 ML \\t4 ML \\t \\t \\t5 ML \\t \\t \\t \\t \\t \\t \\t50 ML; TRYPAN BLUE SOLUTION, P.F. STSL (0.5ML SYRINGE, NO NEEDLE) 0.06% OPHTHALMIC\\t10 ML; TRYPAN BLUE, 0.75ML SYRINGE, LUER-LOK, STSL 0.1% OPHTHALMIC\\t3 ML \\t4.5 ML \\t9 ML; TRYPAN BLUE, 1ML SYRINGE, LUER-LOK, STSL 0.1% OPHTHALMIC\\t12 ML (30 DIFFERENT PRODUCTS)\",\"LIDOCAINE HCL/BUPIVACAINE HCL PF 1%/0.375% OPHTHALMIC\\t30 ML \\t \\t \\t48 ML \\t60 ML \\t \\t \\t \\t90 ML; \\t LIDOCAINE HCL/BUPIVACAINE/HYALURONIDASE PF 0.83%/0.312%/16.67U/ML OPHTHALMIC\\t30 ML \\t \\t \\t48 ML \\t60 ML \\t \\t \\t \\t90 ML; LIDOCAINE/BUPIVACAINE/HYALURONIDASE PF 1.776%/0.335%/22.22UNITS/ML OPHTHALMIC\\t30 ML \\t \\t60 ML \\t (8 DIFFERENT PRODUCTS)\",\"HYALURONIDASE / LIDOCAINE / BUPICAVAINE 7.1U/9.5MG/3.5MG/ML INJECTABLE 210 ML, 525 ML, 630 ML; HYALURONIDASE/LIDOCAINE/EPI/BUPIVICAINE INJECTABLE 32 ML, 64 ML (5 DIFFERENT PRODUCTS) \",\"PROGESTERONE AQUEOUS 2MG/ML INJECTABLE\\t3 ML; PROGESTERONE IN COTTONSEED OIL 50MG/ML INJECTABLE\\t30 ML; PROGESTERONE IN SESAME OIL 100MG/ML INJECTABLE\\t200 ML; PROGESTERONE IN SESAME OIL 150MG/ML INJECTABLE\\t1000 ML; PROGESTERONE IN SESAME OIL 50MG/ML INJECTABLE\\t10 MLS \\t \\t \\t30 ML (6 DIFFERENT PRODUCTS)\",\"RANIBIZUMAB, SDPF - (0.05ML SYRINGE, 31G, 5/16\\\") 10MG/ML INJECTABLE\\t1 ML \\t1.25 ML \\t1.75 ML \\t2.3 ML \\t2.35 ML \\t20 ML \\t20.15 ML \\t20.45 ML \\t \\t20.6 ML \\t20.9 ML \\t21.05 ML \\t21.2 ML \\t21.25 ML \\t21.45 ML \\t21.6 ML \\t21.7 ML \\t24.4 ML \\t28.1 ML (18 DIFFERENT PRODUCTS)\",\"BRILLIANT BLUE G, P.F. 0.025% OPHTHALMIC 10 ML, 20 ML, 26 ML, 4 ML; BRILLIANT BLUE G, P.F. (0.5ML SYRINGE) 0.25MG/ML OPHTHALMIC\\t2 ML, 2.5 ML, 5 ML; BRILLIANT BLUE G, P.F. (0.5ML SYRINGE) 0.5MG/ML OPHTHALMIC 1.5 ML; BRILLIANT BLUE G, P.F. (0.5ML SYRINGE) 1% OPHTHALMIC 0.5 ML,1 ML,1.5 ML, 2 ML, 3 ML, 5 ML, 6 ML, 8 ML; BRILLIANT BLUE G, P.F. (STSL) (0.5ML SYRINGE) 0.025% OPHTHALMIC 2.5 ML, 5 ML; BRILLIANT BLUE G, P.F. (STSL) (0.5ML SYRINGE) 0.15% OPHTHALMIC 2.5 ML; BRILLIANT BLUE G, P.F. 0.25% OPHTHALMIC 1 ML, 10 ML, 20 ML; BRILLIANT BLUE G, P.F. 0.5% OPHTHALMIC 1 ML, 10 ML,\\t20 ML, 5 ML; BRILLIANT BLUE G, P.F. 1% OPHTHALMIC 10 ML, 12 ML, 15 ML, 2 ML, 2 MLS, 20 ., 20 ML, 30 ML, 4 ML, 40 ML, 50 ML, 6 ML, 80 ML, 9 ML; BRILLIANT BLUE G, P.F. 2% OPHTHALMIC 11 MLS, 15 MLS (43 DIFFERENT PRODUCTS) \",\"VITAMIN K (PHYTONADIONE) 10MG/ML INJECTABLE\\t1 ML \\t2 ML \\t4 ML; VITAMIN K (PHYTONADIONE) 5MG/ML INJECTABLE\\t2 ML; VITAMIN A AQUEOUS EMULSION 50,000 U/ML INJECTABLE\\t20 ML \\t40 ML; \\t VITAMIN B COMPLEX (B1,B2,B3,B5,B6) 100/5/100/100/100MG/ML INJECTABLE\\t120 ML \\t \\t \\t150 ML \\t \\t \\t \\t180 ML \\t90 ML \\t VITAMIN B COMPLEX (B1,B2,B3,B5,B6,B12) INJECTABLE\\t10 ML \\t20 ML \\t40 ML VITAMIN B COMPLEX (B1,B2,B3,B5,B6/ASCORBIC ACID/B12) 12.5/2/12.5/5/5/1MG/1MG/ML \\t60 ML \\t VITAMIN B COMPLEX -PF (B1,B2,B3,B5,B6) 12.5/12.5/12.5/12.5/12.5MG/ML INJECTABLE\\t40 ML VITAMIN B COMPLEX PF (B1,B2,B3,B5,B6,B12) INJECTABLE\\t10 ML VITAMIN B-6/VITAMIN B-12 100MG/1000MCG/ML INJECTABLE\\t5 ML VITAMIN B-COMPLEX 100*** (30ML) INJECTABLE\\t30 ML \\t VITAMIN COMPLEX (ASCOR,B1,B2,B3,B5,B6,B12,METH,INOS,CHL,LID) DR. HOLLOWAY INJECT\\t180 ML \\t \\t \\t \\t \\t \\t240 ML \\t30 ML \\t60 ML VITAMIN D3 IN SESAME OIL 10,000 IU/ML INJECTABLE\\t60 ML (23 DIFFERENT PRODUCTS)\",\"DMSO/VITAMIN C/GLUTATHIONE SOLUTION 6.25%/1.25%/1.25% OPHTHALMIC 10 ML, 15 ML, 5 ML (3 DIFFERENT PRODUCTS) \",\"CYCLOPENT/FLURBIPR/PHENYLEPH/PROPARACAINE .25%/0.0075%/0.625%/0.125% OPHTHALMIC 56 ML, 70 ML (2 DIFFERENT PRODUCTS) \",\"L-TRYPTOPHAN 15MG/ML INJECTABLE\\t60 ML (1 PRODUCT)\",\"DEXTROSE/PROCAINE HCL P.F. 12%/1% INJECTABLE 400 ML ( 1 PRODUCT) \",\"AMINOPHYLLINE 20ML, SDV** 500MG (25MG/ML) INJECTABLE 20 ML (1 PRODUCT) \",\"BIMIX 30MG / 4MG INJECTABLE 10 ML, 5 ML; BIMIX 30MG / 5MG INJECTABLE 10 ML; BIMIX 9MG / 0.25MG INJECTABLE 10 ML, 5 ML; BIMIX 15MG / 1MG INJECTABLE 10 ML; BIMIX 18MG / 0.5MG INJECTABLE 10 ML, 5 ML; BIMIX 18MG / 1MG INJECTABLE 5 ML; BIMIX 20MG / 0.75MG INJECTABLE 5 ML; BIMIX 26MG/1MG/ML INJECTABLE 10 ML; BIMIX 26MG/2MG/ML INJECTABLE 20 ML; BIMIX 30MG / 0.5MG INJECTABLE 10 ML, 20 ML,5 ML, 50 ML, 60 ML; BIMIX 30MG / 1.5MG INJECTABLE 5 ML; BIMIX 30MG/1MG INJECTABLE 1 ML, 10 ML, 10 MLS,\\t12 ML, 150 ML, 2 ML, 20 ML, 20 MLS, 3 ML, 30 ML, 40 ML, 5 ML, 5 MLS, 50 ML, 6 ML, 60 ML, 7 ML; BIMIX 9MG / 0.5MG/ML INJECTABLE 5 ML; BIMIX 15MG / 0.5MG INJECTABLE 10 ML, 5 ML; BIMIX 16.6MG / 0.55MG/ML INJECTABLE 10 ML, 4.5 ML; BIMIX 30MG / 2MG INJECTABLE 10 ML, 5 ML; BIMIX 30MG/3MG/ML INJECTABLE 10 ML, 5 ML; BIMIX 40MG/2MG INJECTABLE 10 ML, 3 ML, 6 ML; BIMIX 40MG/3MG INJECTABLE 3 ML; BIMIX, SDSM 9MG / 0.25MG INJECTABLE 10 ML; BIMIX, SDSM 9MG / 0.5MG INJECTABLE 10 ML; BIMIX, SDSM 18MG / 0.5MG INJECTABLE 10 ML, 10 MLS; BIMIX, SDSM 30MG / 1.5MG INJECTABLE 10 ML, 10 MLS, 5 ML, 5 MLS; BIMIX, SDSM 30MG / 1MG INJECTABLE 10 ML, 5 ML (58 DIFFERENT PRODUCTS) \",\"CYCLOPENT/KETOROLAC/PHENYLEPH/TROPICAMIDE 1%/0.5%/2.5%/1% OPHTHALMIC 70 ML (1 PRODUCT) \",\"FORSKOLIN/PHENTOLAMINE 200MCG / 2MG INJECTABLE 5 ML (1 PRODUCT) \",\"BUPIVACAINE/SUFENTANIL, P.F. 15MG/150MCG/ML INTRATHECAL 20 ML (1 PRODUCT) \",\"PHENYLEPHRINE/TROPICAMIDE (P.F.) SOLUTION 2.5%/1% OPHTHALMIC\\t5 ML (1 PRODUCT)\",\"ISOSULFAN BLUE 1% INJECTABLE\\t10 ML \\t \\t15 ML (2 DIFFERENT PRODUCTS)\",\"BACLOFEN/BUPIVACAINE/CLONIDINE/MORPHINE, P.F. 1000MCG/7.5MG/1000MCG/50MG/ML INTR 40 ML; BACLOFEN/BUPIVACAINE/CLONIDINE/MORPHINE, P.F. 50MCG/2MG/200MCG/50MG/ML INTRATHEC 18 ML; BACLOFEN/CLONIDINE/BUPIVACAINE/MORPHINE, P.F. 500MCG/1/7.5/50MG/ML INTRATHECAL 40 ML (3 DIFFERENT PRODUCTS) \",\"BUPIVACAINE/LIDOCAINE/METHYLPREDNISOLONE 0.17% / 0.67% / 2.7% INJECTABLE 15 ML, 18.75 ML, 26.25 ML, 37.5 ML, 45 ML; BUPIVACAINE/LIDOCAINE/METHYLPREDNISOLONE 0.22% / 0.88% / 0.88% INJECTABLE 450 ML, 900 ML (7 DIFFERENT PRODUCTS) \",\"POVIDONE-IODINE OPHTHALMIC 5% SOLUTION\\t10 ML \\t \\t125 ML \\t15 ML \\t \\t40 ML \\t50 ML; POVIDONE-IODINE, BUFFERED IN BSS 4.6% OPHTHALMIC\\t100 ML \\t120 ML \\t \\t \\t \\t \\t200 ML (8 DIFFERENT PRODUCTS)\",\"LORAZEPAM 2MG/ML INJECTABLE\\t10 ML \\t \\t \\t \\t \\t20 ML \\t200 ML (3 DIFFERENT PRODUCTS)\",\"Meloxicam Tablets, USP, 15 mg, Rx Only, 100 Tablets per Bottle, Manufactured by: Strides Acrolab Ltd., Bangalore-560 076, India, Manufactured for: Apotex Corp., Weston, FL 33326, NDC 60505-3579-1.\",\"HYDROXYPROGESTERONE CAPROATE 250MG/ML INJECTABLE 10 ML, 12 ML, 13 ML, 15 ML, 3 ML, 30 ML, 4 ML, 5 ML, 6 ML, 7 ML, 9 ML (11 DIFFERENT PRODUCTS) \",\"NANDROLONE DECANOATE (H) 200MG/ML INJECTABLE\\t1 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t5 ML \\t \\t \\t \\t6 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t NANDROLONE DECANOATE 100MG/ML INJECTABLE\\t5 ML; \\t NANDROLONE DECANOATE 300MG/ML INJECTABLE\\t10 ML \\t30 ML (6 DIFFERENT PRODUCTS)\",\"ZINC CHLORIDE 10MG/ML INJECTABLE\\t30 ML \\t \\t60 ML (2 DIFFERENT PRODUCTS)\",\"TOBRAMYCIN 1.4% (14MG/ML) OPHTHALMIC\\t15 ML \\t3 ML \\t \\t7 ML; \\t \\t TOBRAMYCIN SOLUTION** 0.3% OPHTHALMIC\\t30 MLS \\t \\t5 MLS; TOBRAMYCIN SULFATE** (25X2ML) 80MG/2ML INJECTABLE\\t100 ML \\t150 ML \\t50 MLS; TOBRAMYCIN/AMPHOTERICIN-B/BUDESONIDE, STERILE 125MG/5MG/0.6MG/5ML NASO-NEB\\t70 ML (9 DIFFERENT PRODUCTS)\",\"EDETATE DISODIUM PF IN BSS 3% OPHTHALMIC 10 ML; EDETATE DISODIUM SOLUTION IN ARTIFICIAL TEARS 0.05% OPHTHALMIC 10 ML (2 DIFFERENT PRODUCTS) \",\"CYCLOSPORINE (A) AQUEOUS (HUMAN) 0.5% OPHTHALMIC 10 ML,\\t5 ML; CYCLOSPORINE (A) AQUEOUS PF (HUMAN) 0.2% OPHTHALMIC 10 ML; CYCLOSPORINE (A) AQUEOUS PF (HUMAN) 1% OPHTHALMIC 10 ML; CYCLOSPORINE (A) CORN OIL SOLUTION 2% OPHTHALMIC 15 ML; CYCLOSPORINE (A) OIL SOLUTION 1% OPHTHALMIC 10 ML, 20 ML, 60 ML; CYCLOSPORINE (A) OIL SOLUTION 2% OPHTHALMIC 10 ML, 15 ML, 20 ML, 30 ML (12 DIFFERENT PRODUCTS) \",\"CHROMIUM PICOLINATE 200MCG/ML INJECTABLE 60 ML (1 PRODUCT) \",\"THIOTEPA, LYOPHILIZED 15MG INJECTABLE\\t8 VIAL; \\t THIOTEPA, LYOPHILIZED 30MG INJECTABLE\\t4 VIAL \\t8 VIAL; THIOTEPA, LYOPHILIZED 60MG INJECTABLE\\t2 VIAL (4 DIFFERENT PRODUCTS)\",\"LIDOCAINE HCL/EPINEPHRINE IN BSS - P.F., SULFITE-FREE 0.75%/0.025% INJECTABLE\\t24 ML \\t \\t \\t \\t \\t \\t6 ML; LIDOCAINE HCL/EPINEPHRINE, P.F., SULFITE-FREE 2%/1:100,000 (0.001%) INJECTABLE\\t10 ML \\t40 ML; LIDOCAINE HCL/EPINEPHRINE. 2%/1:100,000 (0.001%) INJECTABLE\\t100 ML \\t \\t \\t1200 ML \\t300 ML \\t80 ML; LIDOCAINE/EPINEPHRINE 1%/0.00025% OPHTHALMIC\\t30 ML \\t60 ML \\t \\t \\t \\t \\t90 ML; LIDOCAINE/EPINEPHRINE, P.F. (FOR DILUTION WITH BSS+) 1.71%/0.057% OPHTHALMIC\\t14 ML \\t \\t \\t7 ML (8 DIFFERENT PRODUCTS)\",\"HYDROGEN PEROXIDE PF 3% INJECTABLE\\t150 ML, 200 ML, 50 ML, 60 ML (4 DIFFERENT PRODUCTS) \",\"THERACYS, (BCG VACCINE) LIVE W/DILUENT** 81MG INJECTABLE\\t1 VIAL \\t1 VIALS \\t12 VIAL \\t \\t \\t \\t12 VIALS \\t2 VIALS \\t3 VIALS \\t4 VIAL \\t \\t \\t4 VIALS \\t \\t5 VIAL \\t \\t \\t \\t \\t \\t \\t \\t5 VIALS \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t6 VIAL \\t \\t6 VIALS \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t8 VIALS (13 DIFFERENT PRODUCTS)\",\"CHORIONIC GONADOTROPIN (STANDARD) - 21 DAY 200 UNIT VIALS KIT 1 KIT; CHORIONIC GONADOTROPIN (STANDARD) - 45 DAY 200 UNIT VIALS KIT 1 KIT; CHORIONIC GONADOTROPIN (STANDARD)-21 DAY 125 UNIT VIALS KIT 1 KIT; CHORIONIC GONADOTROPIN (STANDARD)-45 DAY 125 UNIT VIALS KIT 1 KIT; CHORIONIC GONADOTROPIN + B12, LYOPHILIZED 4,000 UNIT/40MCG/ML KIT 1 KIT, 2 KIT, 3 KIT; CHORIONIC GONADOTROPIN + B12, LYOPHILIZED (HCG) 4,000 UNIT VIAL INJECTABLE 1 VIAL, 12 VIALS; CHORIONIC GONADOTROPIN KIT 5,000 UNIT VIAL INJECTABLE 1 KIT; CHORIONIC GONADOTROPIN** KIT 10,000 UNIT VIAL INJECTABLE 1 KIT; CHORIONIC GONADOTROPIN, HUMAN - MINI 250 UNITS TROCHE 30 TROCHE, 45 TROCHE, 50 TROCHE, 60 TROCHE, 80 TROCHE; CHORIONIC GONADOTROPIN, LYOPHILIZED (HCG) 1,000 UNIT VIAL INJECTABLE 30 VIAL; CHORIONIC GONADOTROPIN, LYOPHILIZED (HCG) 5,000 UNIT VIAL INJECTABLE 1 VIAL, 10 VIAL, 14 VIAL, 15 VIAL, 2 VIAL, 2 VIALS, 20 VIAL, 3 VIAL, 5 VIAL, 6 VIAL; CHORIONIC GONADOTROPIN, LYOPHILIZED (HCG) 125 UNIT VIAL (UNIT DOSE) INJECTABLE 10 VIAL, 14 VIAL, 15 VIAL,\\t2 VIAL, 24 VIAL, 28 VIAL, 28 VIALS, 7 VIAL,\\t7 VIALS; CHORIONIC GONADOTROPIN, LYOPHILIZED (HCG) 2,500 UNIT VIAL INJECTABLE 5 VIAL; CHORIONIC GONADOTROPIN, LYOPHILIZED (HCG) 200 UNIT VIAL (UNIT DOSE) INJECTABLE 22 VIAL, 25 VIAL, 8 VIAL (40 DIFFERENT PRODUCTS) \",\"BACLOFEN/HYDROMORPHONE, P.F. 2000MCG/2.9MG/ML INTRATHECAL 20 ML; BACLOFEN/HYDROMORPHONE, P.F. 2000MCG/6MG/ML INTRATHECAL 40 ML; BACLOFEN/HYDROMORPHONE, P.F. 500MCG/50MG/ML INTRATHECAL 40 ML (2 DIFFERENT PRODUCTS) \",\"Derma-Smoothe/FS (Fluocinolone Acetonide) 0.01% Topical Oil (Scalp Oil), 4 fl oz (118.28mL) bottle, Rx only, FOR TOPICAL USE ONLY NOT, Manufactured and Distributed by: Hill Dermaceuticals, Inc. SANFORD, FLORIDA --- NDC 28105-149-04\",\"INSULIN, LO-DOSE (FROM HUMALOG) 10 UNITS/ML INJECTABLE 10 ML (1 PRODUCT) \",\"HYDROXOCOBALAMIN**(VIT B-12) 1000MCG/ML INJECTABLE 30 ML Injectable (4 DIFFERENT PRODUCTS)\",\"PHENYLEPHRINE HCL IN BSS - P.F. OPHTHALMIC 1% INJECTABLE\\t35 ML; PHENYLEPHRINE HCL, 1ML VIAL*** 1% (10MG/ML) INJECTABLE\\t1 ML \\t10 ML \\t \\t25 ML \\t \\t5 ML \\t \\t50 ML; PHENYLEPHRINE, STSL, P.F. (0.5ML SYRINGE, SLIP-TIP, NO NEEDLE) 1.25% INJECTABLE\\t5 ML \\t \\t \\t \\t7.5 ML (8 DIFFERENT PRODUCTS) \",\"CLINDAMYCIN OPHTHALMIC (PF) 20MG/ML (2MG/0.1ML) SOLUTION\\t2 ML; CLINDAMYCIN PHOSPHATE OPHTHALMIC, INTRAVITREAL (P.F.) 1MG/0.1ML INJECTABLE 0.2 ML; CLINDAMYCIN PHOSPHATE SDPF- (0.1ML SYRINGE,30G,1/2\\\") 1MG/0.1ML INJECTABLE\\t0.1 ML (3 DIFFERENT PRODUCTS) \",\"KENALOG-40** (MDV 10ML VIAL) 40MG/ML INJECTABLE\\t50 ML (1 PRODUCT)\",\"LIDOCAINE/TETRACAINE OPHTHALMIC 4%/0.5% SOLUTION\\t10 ML \\t15 ML \\t20 ML \\t200 ML \\t240 ML \\t300 ML \\t \\t400 ML (7 DIFFERENT PRODUCTS)\",\"NADH-FFC 10 MG/CC INJECTABLE\\t10 ML (1 PRODUCT)\",\"LEUCOVORIN, LYOPHILIZED 100 MG VIAL INJECTABLE\\t1 VIAL \\t10 VIAL \\t100 VIAL \\t \\t2 VIAL \\t24 VIAL \\t30 VIAL \\t50 VIAL \\t \\t60 VIAL \\t \\t76 VIAL; LEUCOVORIN, LYOPHILIZED 350 MG VIAL INJECTABLE\\t10 VIAL \\t \\t \\t \\t \\t15 VIAL \\t \\t \\t20 VIAL \\t \\t \\t \\t22 VIAL \\t28 VIAL \\t30 VIAL \\t \\t4 VIAL \\t \\t40 VIAL \\t \\t \\t5 VIAL \\t50 VIAL \\t8 VIAL; LEUCOVORIN, LYOPHILIZED 500 MG VIAL INJECTABLE\\t10 VIAL \\t \\t \\t \\t \\t \\t \\t14 VIAL \\t15 VIAL \\t \\t17 VIAL \\t \\t2 VIAL \\t20 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t23 VIAL \\t25 VIAL \\t \\t \\t \\t27 VIAL \\t3 VIAL \\t30 VIAL \\t33 VIAL \\t36 VIAL \\t5 VIAL \\t50 VIAL (35 DIFFERENT PRODUCTS)\",\"MIC - COMBO WITH METHYLCOBALAMIN 0.8/1.6/1.6/0.0001/0.03% INJECTABLE\\t10 ML \\t150 ML \\t30 ML; \\t MIC COMBO + CHORIONIC GONADOTROPIN + B12 500U/40MCG/ML (125U/10MCG/0.25ML) INJEC\\t6 ML; MIC COMBO + CHORIONIC GONADOTROPIN, LYOPHILIZED 10,000 UNIT VIAL INJECTABLE\\t1 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t15 VIAL \\t2 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t20 VIAL \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t4 VIAL \\t \\t \\t \\t \\t \\t \\t40 VIAL \\t5 VIAL \\t \\t \\t \\t \\t \\t \\t50 VIAL \\t6 VIAL \\t \\t7 VIAL \\t8 VIAL MIC COMBO + CHORIONIC GONADOTROPIN, LYOPHILIZED(KIT) 10,000 UNIT VIAL INJECTABLE\\t1 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2 KIT \\t \\t \\t4 KIT \\t \\t MIC COMBO + CHORIONIC GONADOTROPIN, LYOPHILIZED(KIT) II 10,000 UNIT VIAL INJECTA\\t1 KIT (20 DIFFERENT PRODUCTS)\",\"LISSAMINE GREEN SOLUTION 1% OPHTHALMIC\\t10 ML (1 PRODUCT)\",\"VANCOMYCIN/DEXAMETHASONE, LYOPHILIZED 1%/0.1% KIT\\t2 KIT \\t \\t20 KIT \\t24 KIT \\t (3 DIFFERENT PRODUCTS)\",\"ACYCLOVIR OPHTHALMIC 3% OINTMENT 5 GM; ACYCLOVIR OPHTHALMIC 3% SOLUTION 5 ML (2 DIFFERENT PRODUCTS) \",\"BACLOFEN, P.F. (WITH 0.9% P.F. NORMAL SALINE) 2,000MCG/ML (2MG/ML) INTRATHECAL 40 ML; BACLOFEN, P.F. (WITH 0.9% P.F. NORMAL SALINE) 600MCG/ML INTRATHECAL 40 ML; BACLOFEN, P.F. 1,000MCG/ML (1MG/ML) INTRATHECAL 20 ML, 40 ML; BACLOFEN, P.F. 500MCG/ML (0.5MG/ML) INTRATHECAL 40 ML; BACLOFEN, PRESERVATIVE FREE 3000MCG/ML INJECTABLE 40 ML; BACLOFEN, PRESERVATIVE FREE 3300MCG/ML(3.3MG/ML) INTRATHECAL 20 ML; BACLOFEN, PRESERVATIVE FREE 5000MCG/ML(5MG/ML) INTRATHECAL 40 ML (8 DIFFERENT PRODUCTS) \",\"ACETIC ACID, IRRIGATION 3% SOLUTION 500 ML (1 PRODUCT) \",\"RANITIDINE 25MG/ML INJECTABLE\\t200 ML \\t480 ML \\t800 ML (3 DIFFERENT PRODUCTS)\",\"POVIDONE-IODINE/LIDOCAINE/TETRACAINE 4.6%/4%/0.5% OPHTHALMIC\\t30 ML (1 PRODUCT)\",\"ALTEPLASE, SDPF - (0.05ML SYRINGE, 30G, 1/2\\\") 1000MCG/ML INJECTABLE 0.05 ML; ALTEPLASE, SDPF - (0.15ML LL SYRINGE, NO NEEDLE) 100MCG/ML (10MCG/0.1ML) INJECTA 0.15 ML, 0.3 ML; ALTEPLASE, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 1000MCG/ML INJECTABLE 0.1 ML, 0.2 ML, 0.3 ML; ALTEPLASE, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 100MCG/ML (10MCG/0.1ML) INJECTABLE 0.1 ML, 0.3 ML; ALTEPLASE, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 250MCG/ML (25MCG/0.1ML) INJECTABLE 0.1 ML (9 DIFFERENT PRODUCTS) \",\"INDOCYANINE GREEN - KIT 15MG INJECTABLE 1 KIT, 100 KIT, 12 KIT, 20 KIT, 50 KIT, 6 KIT, 75 KIT, 8 KIT; INDOCYANINE GREEN - KIT 1MG INJECTABLE 1 KIT, 10 `KIT, 10 KIT, 100 KIT, 18 VIAL, 2 KIT (51 DIFFERENT PRODUCTS) \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2 VIAL \\t20 KIT \\t22 KITS \\t25 KITS \\t3 KITS \\t3 VIALS \\t4 VIALS \\t5 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t50 KIT \\t \\t \\t \\t \\t50 KITS \\t \\t6 KIT \\t \\t \\t \\t \\t \\t60 KIT \\t8 KIT \\t INDOCYANINE GREEN - KIT 25MG INJECTABLE\\t1 KIT \\t6 KIT INDOCYANINE GREEN - KIT 30MG INJECTABLE\\t10 KIT \\t14 KIT \\t25 KIT \\t5 KIT INDOCYANINE GREEN - KIT 5MG INJECTABLE\\t1 KIT \\t10 KIT \\t \\t \\t \\t \\t12 KIT \\t15 KIT \\t15 VIAL \\t2 KIT \\t \\t \\t20 KIT \\t25 KIT \\t3 KIT \\t4 KIT \\t \\t \\t \\t5 KIT \\t \\t \\t \\t6 KIT \\t \\t \\t8 KIT INDOCYANINE GREEN, LYOPHILIZED 15MG VIAL\\t1 VIAL INDOCYANINE GREEN, LYOPHILIZED 1MG VIAL\\t2 VIAL \\t5 VIAL INDOCYANINE GREEN, LYOPHILIZED 5MG VIAL\\t1 VIAL \\t2 KIT \",\"DEXAMETHASONE SODIUM PHOSPHATE PF 0.04% OPHTHALMIC 2 ML; DEXAMETHASONE / LIDOCAINE 0.5%/3% INJECTABLE 30 MLS; DEXAMETHASONE ACETATE (LA) 8MG/ML INJECTABLE 100 ML; DEXAMETHASONE IONTOPHORESIS, STERILE, P.F. 4MG/ML SOLUTION 20 ML, 30 ML (35 DIFFERENT PRODUCTS) \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t40 ML DEXAMETHASONE SDPF (0.1ML SYRINGE, 31G, 5/16\\\" ) 0.4MG/ML INJECTABLE\\t0.3 ML \\t0.5 ML DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 10MG/ML (1%) INJECTABLE\\t0.05 ML \\t1 ML \\t16 ML \\t \\t \\t \\t \\t2 ML \\t \\t24 ML \\t \\t \\t3 ML \\t \\t \\t32 ML \\t8 ML \\t DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 4MG/ML (0.4%) INJECTABLE\\t0.4 ML \\t2 ML \\t3 ML \\t \\t5 ML \\t6 ML DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 80MG/ML (8%) INJECTABLE\\t100 ML \\t40 ML \\t \\t DEXAMETHASONE SODIUM PHOSPHATE (P.F.) 8MG/ML (800MCG/0.1ML) INJECTABLE\\t0.1 ML DEXAMETHASONE SODIUM PHOSPHATE 40MG/ML INJECTABLE\\t50 ML DEXAMETHASONE SODIUM PHOSPHATE 4MG/ML INJECTABLE\\t100 ML \\t \\t \\t180 MLS \\t \\t240 MLS \\t30 ML \\t60 ML DEXAMETHASONE SODIUM PHOSPHATE IN BSS (P.F.) 10MG/ML (1%) INJECTABLE\\t1 ML \\t \\t DEXAMETHASONE SODIUM PHOSPHATE, 30ML VIAL** 4MG/ML INJECTABLE\\t30 ML DEXAMETHASONE SOLUTION - NACL, P.F. 0.1% OPHTHALMIC\\t15 ML \\t \\t DEXAMETHASONE, SDPF - (0.07ML SYRINGE, 30G, 1/2\\\") 80MG/ML INJECTABLE\\t0.35 ML \\t \\t0.7 ML \",\"\\tMANNITOL 20% INJECTABLE\\t1250 ML \\t \\t250 ML \\t \\t2500 ML \\t \\t400 ML; \\t MANNITOL 25% INJECTABLE\\t1200 ML \\t \\t300 ML \\t \\t \\t \\t350 ML \\t400 ML \\t600 ML (9 DIFFERENT PRODUCTS)\",\"DEXPANTHENOL 250MG/ML INJECTABLE 100 ML, 120 ML, 360 ML, 450 ML (4 DIFFERENT PRODUCTS) \",\"HYDROMORPHONE/CLONIDINE P. F. 120MG/1.3MCG/ML INTRATHECAL 10 ML; HYDROMORPHONE/CLONIDINE P. F. 120MG/1.8MCG/ML INTRATHECAL 10 ML; HYDROMORPHONE/CLONIDINE P. F. 80MG/1.2MCG/ML INTRATHECAL 10 ML (3 DIFFERENT PRODUCTS) \",\"HYALURONIDASE / LIDOCAINE 7.1U/9.5MG/ML INJECTABLE 105 ML,\\t210 ML (6 DIFFERENT PRODUCTS) \",\"ETOMIDATE 0.2% (2MG/ML) INJECTABLE 20 ML (1 PRODUCT) \",\"BUPIVACAINE/LIDOCAINE 0.11% / 0.44% INJECTABLE 150 ML (1 PRODUCT) \",\"HYDROCHLORIC ACID INJECTION 2MG/ML INJECTABLE 400 ML, 60 ML (2 DIFFERENT PRODUCTS) \",\"METHIONINE / INOSITOL / CHOLINE CHLORIDE 25MG/75MG/75MG/ML INJECTABLE\\t30 ML; \\t METHIONINE/INOSITOL/CHOLINE CHLORIDE 0.8%/1.6%/1.6% INJECTABLE\\t180 ML \\t \\t24 ML \\t \\t \\t \\t240 ML \\t270 ML \\t30 ML \\t \\t \\t90 ML \\t METHIONINE/INOSITOL/CHOLINE CHLORIDE 25MG/50MG/50MG/ML INJECTABLE\\t120 ML \\t300 ML \\t \\t \\t \\t METHIONINE/INOSITOL/CHOLINE CHLORIDE/B1/B2 0.8%/1.6%/1.6% INJECTABLE\\t60 ML (10 DIFFERENT PRODUCTS)\",\"VERAPAMIL HCL 10MG/ML INJECTABLE\\t80 ML; VERAPAMIL HCL 20MG/ML INJECTABLE\\t50 ML; VERAPAMIL HCL, SDV*** (5X2ML VIAL) 2.5MG/ML INJECTABLE\\t20 MLS \\t40 ML \\t50 ML \\t \\t \\t50 MLS (6 DIFFERENT PRODUCTS)\",\"SESAME OPHTHALMIC OIL\\t60 ML (1 PRODUCT)\",\"BUPIVACAINE/CLONIDINE/MORPHINE/ZICONOTIDE, P.F. 20MG/400MCG/20MG/1.5MCG/ML INTRA 20 ML (1 PRODUCT) \",\"BUPIVACAINE/CLONIDINE/MORPHINE, P.F. 20MG/400MCG/20MG/ML INTRATHECAL 20 ML (1 PRODUCT) \",\"PHENYLEPH/DICLOF/TROPIC/PROPARAC/POVIDONE IODINE SOL. 10%/0.1%/1%/0.5%/5% OPHTHA\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t2 ML \\t20 ML \\t \\t3 ML (4 DIFFERENT PRODUCTS)\",\"TROPICAMIDE OPHTHALMIC P.F. 1% SOLUTION\\t30 ML (1 PRODUCT)\",\"ULTRA-TEST 200 (CYP 80%/PROP 20%) 200MG/ML INJECTABLE\\t1 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 MLS \\t12 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t15 ML \\t \\t \\t18 ML \\t2 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t20 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t20 MLS \\t24 ML \\t \\t3 ML \\t \\t30 ML \\t5 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t6 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t8 ML \\t \\t9 ML; ULTRA-TEST 200 IN SESAME OIL (CYP 80%/PROP 20%) 200MG/ML INJECTABLE\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t30 ML \\t8 ML; ULTRA-TEST 250 (CYP 80%/PROP 20%) 250MG/ML INJECTABLE\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t20 ML (21 DIFFERENT PRODUCTS)\",\"PENICILLIN G POTASSIUM 10,000U/ML INJECTABLE\\t1 ML (1 PRODUCT) \",\"LIDOCAINE HCL (STERILE) 4% JELLY\\t120 ML \\t \\t \\t \\t \\t30 ML; \\t LIDOCAINE HCL 4% SOLUTION\\t200 ML \\t300 ML \\t500 ML \\t \\t \\t \\t600 ML; \\t LIDOCAINE HCL 1% INJECTABLE\\t100 ML \\t \\t \\t \\t \\t1000 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t1200 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t1250 ML \\t \\t150 ML \\t \\t \\t \\t \\t1500 ML \\t \\t180 ML \\t \\t20 ML \\t200 ML \\t \\t \\t \\t \\t2000 ML \\t240 ML \\t250 ML \\t \\t \\t \\t2500 ML \\t \\t300 ML \\t \\t \\t \\t \\t \\t350 ML \\t360 ML \\t \\t400 ML \\t480 ML \\t \\t50 ML \\t500 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t60 ML \\t600 ML \\t \\t \\t \\t720 ML \\t \\t750 ML \\t7500 ML \\t90 ML; LIDOCAINE HCL 10% INJECTABLE\\t1000 ML; LIDOCAINE HCL IN BSS - P.F. OPHTHALMIC 1% INJECTABLE\\t30 ML; LIDOCAINE HCL W/EPI (25X30ML) MDV *** 1%-1:100000 INJECTABLE\\t150 MLS \\t180 MLS \\t50 VIALS; LIDOCAINE HCL, AQUEOUS 2% INJECTABLE\\t100 ML \\t \\t \\t \\t1000 ML \\t \\t \\t120 ML \\t1200 GM \\t1200 ML \\t \\t \\t \\t \\t \\t \\t \\t150 ML \\t \\t1500 ML \\t20 ML \\t200 ML \\t \\t2000 ML \\t240 ML \\t250 ML \\t \\t \\t \\t \\t2500 ML \\t \\t300 ML \\t \\t \\t \\t40 ML \\t \\t450 ML \\t480 ML \\t \\t50 ML \\t \\t \\t \\t \\t500 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t600 ML \\t \\t \\t \\t \\t80 ML; LIDOCAINE HCL, AQUEOUS PF 2% INJECTABLE\\t1200 ML \\t1500 ML \\t1600 ML \\t200 ML \\t250 ML \\t50 ML \\t500 ML \\t600 ML \\t \\t \\t \\t900 ML; LIDOCAINE HCL, AQUEOUS, BUFFERED, P.F. 2% INJECTABLE\\t1000 ML \\t500 ML; \\t \\t \\t LIDOCAINE HCL, P.F. 0.5% INJECTABLE\\t1000 ML; LIDOCAINE HCL, P.F. 1% INJECTABLE\\t100 ML \\t \\t \\t12 ML \\t \\t \\t120 ML \\t \\t \\t \\t \\t \\t125 ML \\t150 ML \\t24 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t240 ML \\t2500 ML \\t2670 ML \\t30 ML \\t300 ML \\t \\t40 ML \\t48 ML \\t \\t \\t50 ML \\t \\t \\t6 ML \\t \\t \\t \\t60 ML \\t \\t \\t \\t \\t \\t \\t \\t720 ML \\t80 ML \\t900 ML; LIDOCAINE HCL, P.F. 4% INJECTABLE\\t100 ML \\t1000 ML \\t125 ML \\t225 ML \\t240 ML \\t75 ML LIDOCAINE HCL/METHYLCELLULOSE 1%/2% JELLY\\t2 ML; LIDOCAINE HCL/METHYLCELLULOSE 2%/2% JELLY\\t1000 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t1000 MLS \\t12000 ML \\t200 ML \\t2000 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t2000 MLS \\t \\t3000 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t4000 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t500 ML \\t \\t5000 ML \\t \\t \\t \\t \\t \\t \\t6000 ML \\t \\t \\t \\t \\t \\t \\t750 ML; LIDOCAINE HCL/METHYLCELLULOSE 4%/2% JELLY\\t1000 ML; LIDOCAINE HCL/METHYLCELLULOSE 5%/2% JELLY\\t1000 ML; \\t LIDOCAINE HCL/METHYLCELLULOSE 8%/2% JELLY\\t1000 ML (111 DIFFERENT PRODUCTS)\",\"HYPERTONIC SOLUTION IN PRESERVED WATER 10% INJECTABLE 50 ML (1 PRODUCT) \",\"LABETALOL HYDROCHLORIDE 5MG/ML INJECTABLE\\t100 ML \\t80 ML (2 DIFFERENT PRODUCTS)\",\"PREDNISOLONE ACETATE 10MG/ML INJECTABLE\\t10 MLS (1 PRODUCT)\",\"FORMIX 100MCG / 30MG / 1MG INJECTABLE 10 ML, 10 MLS, 5 ML; FORMIX 100MCG / 30MG / 2MG INJECTABLE 10 ML (4 DIFFERENT PRODUCTS) \",\"DIPHENHYDRAMINE 25MG/ML INJECTABLE 90 ML; DIPHENHYDRAMINE 50MG/ML INJECTABLE 10 ML, 100 ML, 108 ML, 120 MLS, 25 ML, 32 ML, 60 ML, 90 ML, 90 MLS; DIPHENHYDRAMINE, SDV, 25X1ML** 50MG/ML INJECTABLE 25 ML (11 DIFFERENT PRODUCTS) \",\"OXYTOCIN 10UNITS/ML INJECTABLE\\t25 ML; OXYTOCIN**(25X1ML) 10U/ML INJECTABLE\\t25 MLS (2 DIFFERENT PRODUCTS)\",\"POTASSIUM CHLORIDE ***(30ML VIAL) 2MEQ/ML INJECTABLE\\t750 MLS; POTASSIUM CHLORIDE IN NORMAL SALINE 40MEQ/100ML (400MEQ/L) INJECTABLE\\t1000 ML; POTASSIUM CHLORIDE**(25X20ML) 2MEQ/ML INJECTABLE\\t500 ML; POTASSIUM PHOSPHATE 4.4MEQ/ML (3MMOL/ML) INJECTABLE\\t300 ML \\t \\t750 ML (5 DIFFERENT PRODUCTS)\",\"CEFAZOLIN IN ARTIFICIAL TEARS 50MG/ML OPHTHALMIC 10 ML; CEFAZOLIN VIAL*(25X1GM) 1GM INJECTABLE\\t10 VIAL (2 DIFFERENT PRODUCTS) \",\"PYRIDOXINE 100MG/ML INJECTABLE\\t150 ML \\t180 ML \\t300 ML \\t \\t \\t \\t \\t360 ML \\t \\t450 ML (5 DIFFERENT PRODUCTS)\",\"ASCORBIC ACID (BEET SOURCE) 500MG/ML INJECTABLE 100 ML, 150 ML, 200 ML, 250 ML, 300 ML, 400 ML, 500 ML, 60 ML; ASCORBIC ACID (CORN SOURCE) 500MG/ML INJECTABLE 100 ML; ASCORBIC ACID, 50ML SDPF, VIAL** 500MG/ML INJECTABLE 50 ML, 500 ML; ASCORBIC/B1/B2/B3/B5/B6/B12/METHIONINE/INOSITOL/CHOLINE/LIDO INJECTABLE 40 ML, 50 ML, 60 ML (14 DIFFERENT PRODUCTS) \",\"ENGERIX-B, SDV** 20MCG/ML INJECTABLE 1 ML (1 PRODUCT) \",\"BUPIVACAINE/MORPHINE SULFATE, P.F. 2.5MG/10MG/ML INTRATHECAL 40 ML; BUPIVACAINE/MORPHINE SULFATE, P.F. 7.5MG/25MG/ML INTRATHECAL 20 ML; BUPIVACAINE/MORPHINE SULFATE, P.F. 7.5MG/50MG/ML INTRATHECAL 18 ML, 35 ML (4 DIFFERENT PRODUCTS) \",\"CYCLOPENT/PHENYLEPH/TROPICAMIDE/PROPARACAINE 2%/2.5%/1%/0.5% OPHTHALMIC 5 ML (1 PRODUCT) \",\"PAPAVERINE/ALPROSTADIL 30MG/10MCG/ML INJECTABLE\\t10 ML; PAPAVERINE/ALPROSTADIL 30MG/15MCG/ML INJECTABLE\\t10 ML (2 DIFFERENT PRODUCTS)\",\"ONDANSETRON HCL, MDV 2MG/ML (40MG/20ML) INJECTABLE\\t200 ML \\t40 ML \\t400 ML \\t48 ML \\t600 ML \\t800 ML; ONDANSETRON HCL, P.F. 2MG/ML (4MG/2ML) INJECTABLE\\t20 ML \\t \\t \\t \\t200 ML \\t24 ML \\t40 ML \\t48 ML (11 DIFFERENT PRODUCTS)\",\"PANTOTHENIC ACID 1MG/ML INJECTABLE\\t30 ML (1 PRODUCT)\",\"BUPIVACAINE/CLONIDINE/HYDROMORPHONE, P.F. 20MG/400MCG/2MG/ML INTRATHECAL; BUPIVACAINE/CLONIDINE/HYDROMORPHONE, P.F. 7.5MG/1.5MCG/50MG/ML INTRATHECAL; BUPIVACAINE/CLONIDINE/HYDROMORPHONE, P.F. 5MG/500MCG/50MG/ML INTRATHECAL (4 DIFFERENT PRODUCTS) \",\"MITOMYCIN/BUPIVACAINE WITH EPI 1:200,000 0. 04MG/0.5% PER 0.3ML SYR INJECTABLE\\t3 ML (1 PRODUCT)\",\"VORICONAZOLE OPHTHALMIC 1% (10MG/ML) SOLUTION\\t15 ML; VORICONAZOLE OPHTHALMIC, (0.5ML, LL SYRINGE), P.F. 0.1% (100MCG/0.1ML) INJECTABL\\t0.5 ML \\t \\t \\t1 ML \\t \\t1.5 ML \\t \\t2 ML \\t \\t \\t \\t2.5 ML \\t \\t5 ML; \\t \\t \\t VORICONAZOLE OPHTHALMIC, P.F. (SINGLE DOSE ONLY) 0.1% (100MCG/0.1ML) INJECTABLE\\t0.1 ML \\t \\t \\t \\t1 ML \\t \\t5 ML (10 DIFFERENT PRODUCTS)\",\"TROCAR KIT, STERILE DISPOSABLE** DEVICE\\t1 KIT \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t1 PELLET \\t2 KIT \\t \\t \\t3 KIT \\t4 KIT \\t5 KITS \\t6 KIT (7 DIFFERENT PRODUCTS)\",\"METHYLPREDNISOLONE ACETATE/LIDOCAINE HCL 40MG/10MG/ML INJECTABLE\\t100 ML \\t500 ML; METHYLPREDNISOLONE/LIDOCAINE 80MG/10MG/ML INJECTABLE\\t24 ML (3 DIFFERENT PRODUCTS)\",\"TESTOSTERONE CYP/ESTRADIOL CYP 50MG/2MG/ML INJECTABLE\\t5 ML; TESTOSTERONE CYPIONATE 50MG/ML INJECTABLE\\t12 ML \\t2.5 ML (4 DIFFERENT PRODUCTS)\\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t5 ML; \\t \\t TESTOSTERONE PROPIONATE 200MG/ML INJECTABLE\\t10 ML \",\"CALCIUM CHLORIDE DIHYDRATE, P.F. 100MG/ML (10%) INJECTABLE 200 ML, 240 ML, 500 ML; CALCIUM EDTA 150MG/ML INJECTABLE 1000 ML, 800 ML, 900 ML; CALCIUM EDTA 300MG/ML INJECTABLE 400 ML, 500 ML; CALCIUM GLUCONATE OPHTHALMIC IN ARTIFICIAL TEARS 1% OPHTHALMIC 500 ML (9 DIFFERENT PRODUCTS) \",\"PAPAVERINE HCL **(10ML VIAL) 30MG/ML INJECTABLE\\t10 ML \\t100 ML (2 DIFFERENT PRODUCTS)\",\"BORON 2MG/ML INJECTABLE 40 ML (2 DIFFERENT PRODUCTS) \",\"DMSO/HEPARIN/METHYLPREDNISOLONE 50%/5000U/40MG/50ML SOLUTION 300 MLS (1 PRODUCT) \",\"IOHEXOL 200MG IODINE/ML INJECTABLE\\t120 ML \\t \\t300 ML \\t50 ML \\t600 ML \\t72 ML; \\t \\t \\t IOHEXOL, 4ML VIAL 240MG IODINE/ML INJECTABLE\\t200 ML; IOHEXOL, 3ML VIAL 300MG IODINE/ML INJECTABLE\\t180 ML \\t600 ML \\t \\t90 ML \\t \\t \\t \\t \\t900 ML (10 DIFFERENT PRODUCTS) \",\"HEPARIN LOCK SODIUM*** (25X1ML) 100U/ML INJECTABLE 50 ML; HEPARIN LOCK SODIUM*** (25X5ML) 100U/ML INJECTABLE 125 MLS; HEPARIN SODIUM (25X30ML)** 1000U/ML(1MU/ML) INJECTABLE 120 ML, 60 ML, 90 ML; HEPARIN SODIUM **25X1ML 1000U/ML(1MU/ML INJECTABLE 25 ML, 50 ML (7 DIFFERENT PRODUCTS) \",\"BUPIVACAINE HCL & EPINEPHRINE, P.F. 0.25% / 1:200,000 INJECTABLE 900 ML; BUPIVACAINE HCL & EPINEPHRINE, P.F. 0.5% / 1:200,000 INJECTABLE 900 ML; BUPIVACAINE HCL 0.25% INJECTABLE 120 ML,180 ML, 240 ML, 250 ML, 300 ML, 500 ML, 60 ML; BUPIVACAINE HCL 0.5% INJECTABLE1000 ML, 120 ML, 200 ML, 250 ML, 400 ML, 50 ML, 500 ML, 600 ML, 750 ML; BUPIVACAINE HCL, P.F. 0.25% INJECTABLE\\t1000 ML, 120 ML, 1200 ML, 150 ML, 1500 ML, 180 ML, 240 ML, 300 ML, 60 ML, 600 ML, 900 ML; BUPIVACAINE HCL, P.F. 0.5% INJECTABLE 10 ML, 120 ML, 1500 ML, 20 ML, 200 ML, 240 ML, 2500 ML, 300 ML, 360 ML, 600 ML, 960 ML; BUPIVACAINE HCL, P.F. 0.75% INJECTABLE 1200 ML, 150 ML, 240 ML, 30 ML, 600 ML, 7 ML (47 DIFFERENT PRODUCTS) \",\"\\t LIDOCAINE/EPINEPHRINE/BUPIVACAINE, PF 1%/0.00025%/0.375% OPHTHALMIC\\t30 ML \\t \\t48 ML \\t60 ML \\t90 ML; LIDOCAINE/EPINEPHRINE/BUPIVACAINE, PF 1%/0.0005%/0.25% OPHTHALMIC\\t30 ML \\t \\t48 ML \\t60 ML \\t \\t90 ML (8 DIFFERENT PRODUCTS)\",\"PHENYLEPHRINE/TROPICAMIDE/PROPARACAINE SOLUTION 2.5%/1%/0.5% OPHTHALMIC\\t120 ML \\t25 ML \\t30 ML \\t5 ML \\t90 ML (5 DIFFERENT PRODUCTS)\",\"G-C-P 0.1%/0.1%/0.05% SOLUTION 250 ML, 250 MLS, 500 ML (3 DIFFERENT PRODUCTS) \",\"DICLOFENAC SODIUM, SDPF - (0.1ML SYRINGE, 30G, 1/2\\\") 500MCG/0.1ML INJECTABLE 0.5 ML, 2 ML, 4 ML (3 DIFFERENT PRODUCTS) \",\"METOCLOPRAMIDE HCL 5MG/ML (10MG/2ML) INJECTABLE\\t2 ML \\t20 ML \\t \\t \\t \\t \\t200 ML \\t394 ML \\t400 ML \\t498 ML \\t500 ML \\t6 ML \\t600 ML (9 DIFFERENT PRODUCTS)\",\"DEPO-TESTOSTERONE, MDV, 10ML** 200MG/ML INJECTABLE 10 ML (1 PRODUCT) \",\"RUBIDIUM 200MCG/ML INJECTABLE\\t30 ML (1 PRODUCT)\",\"ETHYL ALCOHOL 10% INJECTABLE 30 ML; ETHYL ALCOHOL 100%INJECTABLE 10 ML, 100 ML, 20 ML, 40 ML, 5 ML, 60 ML; ETHYL ALCOHOL 20% INJECTABLE 5 ML; ETHYL ALCOHOL 5% INJECTABLE 180 ML, 30 ML; ETHYL ALCOHOL 95% INJECTABLE 10 ML, 8 ML; ETHYL ALCOHOL OPHTHALMIC 40% INJECTABLE 50 ML (13 DIFFERENT PRODUCTS) \",\"BUDESONIDE (P.F) NASAL IRRIGATION 0.5MG/500ML SOLUTION\\t1000 ML; BUDESONIDE (P.F) NASAL IRRIGATION 0.6MG/50ML SOLUTION 1500 ML (2 DIFFERENT UNITS) \",\"BACTERIOSTATIC SODIUM CHLORIDE 10ML VIAL** 0.9% INJECTABLE 10 ML, 10 MLS, 100 ML, 120, 20 MLS, 200 ML, 30 MLS, 40 ML, 50 ML, 50 MLS (10 DIFFERENT PRODUCTS) \",\"DIAZEPAM (IM/IV) 1MG/ML INJECTABLE 40 ML,\\t60 ML; DIAZEPAM (IM/IV) 5MG/ML INJECTABLE 2 ML, 20 ML,\\t300 ML; DIAZEPAM 2.5MG/ML INJECTABLE 40 ML; DIAZEPAM 2MG/ML INJECTABLE 100 ML, 50 ML (8 DIFFERENT PRODUCTS) \",\"AFLIBERCEPT, SDPF - (0.05ML SYRINGE, 31G, 5/16\\\") 40MG/ML INJECTABLE 0.35 ML, 0.95 ML, 1.25 ML (3 DIFFERENT PRODUCTS)\",\"METHYLCOBALAMIN/FOLIC ACID - KIT 10MG/0.4MG/ML INJECTABLE\\t1 KIT \\t METHYLCOBALAMIN/FOLIC ACID 1000MCG/0.4MG/ML INJECTABLE\\t10 ML \\t METHYLCOBALAMIN/FOLIC ACID 10MG/0.4MG/ML INJECTABLE\\t10 ML \\t \\t \\t \\t8 ML \\t8 MLS \",\"SELENIUM 200MCG/ML INJECTABLE\\t150 ML \\t30 ML \\t60 ML (3 DIFFERENT PRODUCTS)\",\"ACETAZOLAMIDE, LYOPHILIZED 500MG INJECTABLE10 VIAL, 4 VIAL, 5 VIAL, 6 VIAL, 8 VIAL (5 DIFFERENT PRODUCTS) \",\"Carboplatin Injection, 10 mg/mL, a) 5 mL multi-dose vials (NDC 61703-339-18) (NDC 61703-360-18, NOVAPLUS), b) 45 mL multi-dose vials (NDC 61703-339-50) (NDC 61703-360-50 NOVAPLUS), Rx only, Hospira, Inc., Lake Forest, IL 60045, Product of Australia\",\"LITHIUM CHLORIDE 5MG/ML INJECTABLE\\t30 ML (1 PRODUCT)\",\"FLUOROURACIL (5-FU) SOLUTION 5% OPHTHALMIC 100 ML; FLUOROURACIL (5-FU) SOLUTION IN ARTIFICIAL TEARS 1% OPHTHALMIC 15 ML; FLUOROURACIL (5-FU) SOLUTION, P.F. 0.001% (10MCG/ML) OPHTHALMIC 20 ML, 30 ML; FLUOROURACIL P.F. 5% INJECTABLE 1000 ML,500 ML,\\t600 ML; FLUOROURACIL SOLUTION PF 1% OPHTHALMIC 10 ML, 20 ML, 25 ML, 5 ML; FLUOROURACIL, P.F. 1% INJECTABLE 40 ML (12 DIFFERENT PRODUCTS) \",\"METHYLPREDNISOLONE ACETATE 100MG/ML INJECTABLE\\t50 ML; \\t \\t \\t METHYLPREDNISOLONE ACETATE 80MG/ML INJECTABLE\\t1 ML \\t30 ML \\t6 ML \\t60 ML (5 DIFFERENT PRODUCTS)\",\"CYCLOPENTALATE/PHENYLEPHRINE 1%/2.5% OPHTHALMIC 5 ML (1 PRODUCT) \",\"HYDROMORPHONE/BACLOFEN/BUPIVACAINE (0.9% NACL) 50MG/1000MCG/7.5MG/ML INTRATHECAL 18 ML; HYDROMORPHONE/BACLOFEN/BUPIVACAINE (0.9% NACL) 50MG/1500MCG/7.5MG/ML INTRATHECAL 18 ML; HYDROMORPHONE/BACLOFEN/BUPIVACAINE (0.9% SODIUM CHLORIDE) 50MG/500MCG/7.5MG/ML I 18 ML (3 DIFFEENT PRODUCTS) \",\"PILOCARPINE HCL P.F IN B.S.S OPHTHALMIC 1% INJECTABLE\\t36 ML; PILOCARPINE HCL SOLUTION 0.5% OPHTHALMIC\\t30 ML; PILOCARPINE HCL SOLUTION (PF) 0.5% OPHTHALMIC\\t30 ML (3 DIFFERENT PRODUCTS)\",\"MEPIVACAINE HCL/EPINEPHRINE. 2%/1:100,000 (0.001%) INJECTABLE\\t30 ML \\t \\t60 ML; MEPIVICAINE HCL 3% (30MG/ML) INJECTABLE\\t6 MLS (3 DIFFERENT PRODUCTS)\",\"FENTANYL, P.F. 100MCG/ML INJECTABLE 12 ML, 2 ML, 30 ML, 60 ML; FENTANYL, P.F. 50MCG/ML (100MCG/2ML) INJECTABLE 100 ML, 120 ML, 150 ML, 20 ML,\\t200 ML, 24 ML, 250 ML, 30 ML, 300 ML, 40 ML,\\t400 ML, 50 ML, 60 ML; FENTANYL, WITH PRESERVATIVES 50MCG/ML INJECTABLE 30 ML (18 DIFFERENT PRODUCTS) \",\"HYALURONIDASE/METHYLPREDNISOLONE ACETATE, P.F. 37.5U/20MG/ML INJECTABLE 20 ML (1 PRODUCT) \",\"DOXORUBICIN HCL, LYOPHILIZED 10MG VIAL 2 VIAL; DOXORUBICIN HCL, LYOPHILIZED 50MG VIAL 1 VIAL, 10 VIAL, 5 VIAL (4 DIFFERENT PRODUCTS) \",\"TRIAMCINOLONE ACETONIDE 4MG/ML (0.4MG/0.1ML) INJECTABLE\\t10 ML \\t5 ML TRIAMCINOLONE ACETONIDE (T), STSL (0.025ML SYRINGE, 30G, 1/2\\\") 40MG/ML (4MG/0.1M\\t0.075 SYR \\t0.1 SYR TRIAMCINOLONE ACETONIDE 0.25ML SYRINGE (T) 40MG/ML (4MG/0.1ML) OPHTHALMIC\\t0.25 ML \\t \\t \\t0.5 ML \\t TRIAMCINOLONE ACETONIDE 20MG/ML INJECTABLE\\t1 ML TRIAMCINOLONE ACETONIDE 80MG/ML INJECTABLE\\t100 ML TRIAMCINOLONE ACETONIDE IN VITREOUS VEHICLE, P.F. 10MG/ML (1MG/0.1ML) OPHTHALMIC\\t0.1 ML \\t \\t50 ML \\t \\t TRIAMCINOLONE ACETONIDE IN VITREOUS VEHICLE, P.F. 20MG/ML (2MG/0.1ML) OPHTHALMIC\\t0.1 ML \\t \\t0.2 ML TRIAMCINOLONE ACETONIDE IN VITREOUS VEHICLE, P.F. 40MG/ML (4MG/0.1ML) OPHTHALMIC\\t0.05 ML \\t \\t0.1 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t0.15 ML \\t0.2 ML \\t \\t \\t \\t \\t \\t0.25 ML \\t \\t \\t \\t0.5 ML \\t \\t \\t \\t0.6 ML \\t0.75 ML \\t0.8 ML \\t0.9 ML \\t1 ML \\t \\t \\t1.2 ML \\t \\t1.25 ML \\t10 ML \\t \\t \\t \\t14 ML \\t2 ML \\t \\t \\t2.5 ML \\t \\t3 ML \\t \\t30 ML \\t360 ML \\t4 ML \\t \\t5 ML \\t6 ML \\t8 ML TRIAMCINOLONE ACETONIDE IN VITREOUS VEHICLE, P.F. 80MG/ML (8MG/0.1ML) OPHTHALMIC\\t0.25 ML \\t0.3 ML \\t0.5 ML \\t0.75 ML \\t2 ML TRIAMCINOLONE ACETONIDE P.F. (OPHTHALMIC) 40MG/ML (4MG/0.1ML) OPHTHALMIC\\t1 ML \\t10 ML TRIAMCINOLONE ACETONIDE, P.F. 80MG/ML INJECTABLE\\t150 ML \\t75 ML TRIAMCINOLONE DIACETATE 40MG/ML INJECTABLE\\t3 ML \\t4 ML TRIAMCINOLONE DIACETATE, PRESERVATIVE FREE 40MG/ML INJECTABLE\\t360 ML (48 DIFFERENT PRODUCTS)\",\"TRIMIX 9MG / 0.3MG /3.3MCG INJECTABLE\\t6 ML; \\t TRIMIX 9MG / 0.3MG /6.6MCG INJECTABLE\\t6 ML; TRIMIX 9MG / 1MG / 10MCG INJECTABLE\\t10 ML; TRIMIX ((LYOPHILIZED)) - 2ML VIAL 30MG / 1MG / 10MCG INJECTABLE\\t10 ML \\t10 VIALS \\t \\t \\t2 ML \\t \\t \\t4 ML \\t50 ML; TRIMIX ((LYOPHILIZED)) - 5ML VIAL 30MG / 2MG / 20MCG INJECTABLE\\t10 ML; \\t TRIMIX ((LYOPHILIZED)) - 5ML VIAL 30MG / 2MG / 40MCG INJECTABLE\\t100 ML \\t5 ML \\t75 ML; TRIMIX 10MG / 0.5MG / 1MCG INJECTABLE\\t10 ML; TRIMIX 10MG / 1MG / 5MCG INJECTABLE\\t10 ML; \\t \\t TRIMIX 10MG/1MG/0.5MCG INJECTABLE\\t10 ML; \\t TRIMIX 12.5MG/0.83MG/8.33MCG INJECTABLE\\t10 ML; \\t TRIMIX 12MG / 1MG / 12MCG INJECTABLE\\t10 ML; TRIMIX 12MG / 1MG / 9MCG INJECTABLE\\t10 ML \\t \\t \\t \\t \\t10 MLS \\t20 ML \\t \\t \\t30 ML \\t5 ML; TRIMIX 12MG/1MG/5MCG INJECTABLE\\t10 ML; \\t \\t \\t TRIMIX 15MG / 1MG / 10MCG INJECTABLE\\t3 ML \\t5 ML; \\t \\t \\t TRIMIX 22.5MG/0.83MG/3MCG INJECTABLE\\t10 ML; TRIMIX 22.5MG/0.83MG/8.33MCG INJECTABLE\\t1 ML \\t10 ML \\t \\t \\t \\t \\t \\t \\t15 ML \\t \\t2.5 ML \\t \\t \\t \\t3 ML \\t30 ML \\t \\t \\t5 ML; \\t TRIMIX 24MG / 1MG / 10MCG INJECTABLE\\t10 ML; TRIMIX 24MG / 1MG / 18MCG INJECTABLE\\t10 ML; TRIMIX 25MG/ 1MG / 10MCG INJECTABLE\\t10 ML; \\t \\t TRIMIX 28MG / 0.9MG / 37MCG INJECTABLE\\t5 ML; \\t \\t TRIMIX 30MG / 0.1MG / 40MCG INJECTABLE\\t10 ML; TRIMIX 30MG / 0.2MG / 10MCG INJECTABLE\\t10 ML; TRIMIX 30MG / 0.5MG / 10MCG INJECTABLE\\t10 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t120 ML \\t \\t \\t \\t \\t \\t \\t \\t5 ML \\t \\t \\t \\t60 MLS; \\t \\t \\t TRIMIX 30MG / 0.5MG / 20MCG INJECTABLE\\t1.7 ML \\t \\t10 ML \\t50 ML; \\t \\t TRIMIX 30MG / 0.5MG / 50MCG/ML INJECTABLE\\t10 ML; TRIMIX 30MG / 0.5MG / 5MCG INJECTABLE\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t5 ML; TRIMIX 30MG / 10MG / 20MCG INJECTABLE\\t5 ML; TRIMIX 30MG / 10MG / 60MCG INJECTABLE\\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 MLS \\t \\t20 ML \\t5 ML; TRIMIX 30MG / 1MG / 18MCG INJECTABLE\\t5 ML; \\t \\t TRIMIX 30MG / 1MG / 2.5MCG INJECTABLE\\t3 ML \\t5 ML; \\t \\t TRIMIX 30MG / 1MG / 20MCG INJECTABLE\\t1 ML \\t \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 MLS \\t \\t3 ML \\t \\t5 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t TRIMIX 30MG / 1MG / 30MCG INJECTABLE\\t10 ML \\t \\t \\t5 ML; \\t TRIMIX 30MG / 1MG / 40MCG INJECTABLE\\t10 ML; \\t TRIMIX 30MG / 1MG / 50MCG INJECTABLE\\t10 ML \\t \\t10 MLS \\t100 ML \\t5 ML; \\t \\t TRIMIX 30MG / 1MG / 5MCG INJECTABLE\\t10 ML \\t \\t \\t20 ML \\t5 ML; \\t \\t TRIMIX 30MG / 2MG / 100MCG INJECTABLE\\t20 ML; TRIMIX 30MG / 2MG / 10MCG INJECTABLE\\t10 ML; \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t TRIMIX 30MG / 2MG / 20MCG INJECTABLE\\t1 ML \\t \\t \\t \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t10 MLS \\t2 ML \\t \\t \\t \\t \\t \\t2.5 ML \\t \\t \\t20 ML \\t \\t \\t \\t3 ML \\t \\t \\t \\t \\t \\t \\t5 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t5 MLS \\t6 ML \\t60 ML; \\t \\t \\t \\t TRIMIX 30MG / 2MG / 25MCG INJECTABLE\\t10 ML; \\t TRIMIX 30MG / 2MG / 30MCG INJECTABLE\\t10 ML \\t \\t \\t \\t10 MLS \\t5 ML; \\t \\t \\t \\t TRIMIX 30MG / 2MG / 3MCG INJECTABLE\\t5 ML; TRIMIX 30MG / 2MG / 40MCG INJECTABLE\\t1 ML \\t1.25 ML \\t \\t10 ML \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t \\t15 ML \\t \\t2 ML \\t \\t \\t \\t2.5 ML \\t20 ML
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment